text
stringlengths
6
2.91M
{ "description": "exp/types/staging: updated gcimporter\n\nMostly minor changes to match the new\ndefinitions in types.go and const.go.", "cc": [ "rsc@golang.org", "r@golang.org", "golang-dev@googlegroups.com" ], "reviewers": [], "messages": [ { "sender": "rsc@golang.org", "recipients": [ "gri@golang.org", "rsc@golang.org", "r@golang.org", "golang-dev@googlegroups.com", "reply@codereview-hr.appspotmail.com" ], "text": "LGTM", "disapproval": false, "date": "2012-09-17 20:09:29.497820", "approval": true }, { "sender": "gri@golang.org", "recipients": [ "gri@golang.org", "rsc@golang.org", "r@golang.org", "golang-dev@googlegroups.com", "reply@codereview-hr.appspotmail.com" ], "text": "Hello rsc@golang.org, r@golang.org (cc: golang-dev@googlegroups.com),\n\nI'd like you to review this change to\nhttps://go.googlecode.com/hg/", "disapproval": false, "date": "2012-09-12 04:23:44.163280", "approval": false }, { "sender": "r@golang.org", "recipients": [ "gri@golang.org", "rsc@golang.org", "r@golang.org", "golang-dev@googlegroups.com", "reply@codereview-hr.appspotmail.com" ], "text": "LGTM", "disapproval": false, "date": "2012-09-12 04:25:54.062320", "approval": true }, { "sender": "gri@golang.org", "recipients": [ "gri@golang.org", "rsc@golang.org", "r@golang.org", "golang-dev@googlegroups.com", "reply@codereview-hr.appspotmail.com" ], "text": "*** Submitted as http://code.google.com/p/go/source/detail?r=a6faf7c5aca0 ***\n\nexp/types/staging: updated gcimporter\n\nMostly minor changes to match the new\ndefinitions in types.go and const.go.\n\nR=rsc, r\nCC=golang-dev\nhttp://codereview.appspot.com/6506101", "disapproval": false, "date": "2012-09-26 00:39:32.709470", "approval": false } ], "owner_email": "gri@golang.org", "private": false, "base_url": "", "owner": "gri", "subject": "code review 6506101: exp/types/staging: updated gcimporter", "created": "2012-09-12 04:22:23.604340", "patchsets": [ 1, 3, 4001, 8001, 5004, 10001, 13001 ], "modified": "2012-09-26 00:39:33.833140", "closed": true, "issue": 6506101 }
post_cb({"27336844": {"Id": "27336844", "PostTypeId": "2", "Body": "<p>This C++ oddity is due to two-phase lookup and the fact that <code>head</code> is a dependant name (as a member of a base class that depends on the \"current\" class's template arguments):</p>\n<blockquote>\n<p id=\"so_27336766_27336844_0\"><code>[C++11: 14.6.2/3]:</code> In the definition of a class or class template, if a base class depends on a template-parameter, the base class scope is not examined during unqualified name lookup either at the point of definition of the class template or member or during an instantiation of the class template or member. <em>[..]</em></p>\n</blockquote>\n<p>Bypass unqualified lookup by introducing <code>this</code> into the expression (per <code>[C++11: 3.4.5</code>]):</p>\n<pre><code>Node&lt;T&gt;* temp = this-&gt;head;\n// ^^^^^^\n</code></pre>\n<p>There's a longer explanation on this previous Stack Overflow answer:</p>\n<ul>\n<li><a href=\"https://stackoverflow.com/q/4643074/560648\">Why do I have to access template base class members through the this pointer?</a></li>\n</ul>\n<hr>\n<p>Here's a minimal(ish) testcase:</p>\n<pre><code>#include &lt;iostream&gt;\n\ntemplate &lt;typename T&gt;\nstruct Base\n{\n int x = 42;\n};\n\ntemplate &lt;typename T&gt;\nstruct Derived : Base&lt;T&gt;\n{\n void foo();\n};\n\ntemplate &lt;typename T&gt;\nvoid Derived&lt;T&gt;::foo()\n{\n std::cout &lt;&lt; x &lt;&lt; '\\n';\n}\n\nint main()\n{\n Derived&lt;void&gt; d;\n d.foo();\n}\n// main.cpp: In member function 'void Derived&lt;T&gt;::foo()':\n// main.cpp:18:18: error: 'x' was not declared in this scope\n// std::cout &lt;&lt; x &lt;&lt; '\\n';\n// ^\n</code></pre>\n<p>(<a href=\"http://coliru.stacked-crooked.com/a/8b60fff2efe76a9f\" rel=\"nofollow noreferrer\">live demo</a>)</p>\n<p>To fix, change <code>foo</code> thus:</p>\n<pre><code>template &lt;typename T&gt;\nvoid Derived&lt;T&gt;::foo()\n{\n std::cout &lt;&lt; this-&gt;x &lt;&lt; '\\n';\n}\n</code></pre>\n<p>(<a href=\"http://coliru.stacked-crooked.com/a/260d06482f90647d\" rel=\"nofollow noreferrer\">live demo</a>)</p>\n</hr>", "LastEditorUserId": "-1", "LastActivityDate": "2014-12-06T21:45:23.860", "Score": "3", "CreationDate": "2014-12-06T21:37:12.240", "ParentId": "27336766", "CommentCount": "6", "OwnerUserId": "560648", "LastEditDate": "2017-05-23T12:19:30.567"}, "bq_ids": {"n4140": {"so_27336766_27336844_0": {"length": 27, "quality": 0.9310344827586207, "section_id": 190}}, "n3337": {"so_27336766_27336844_0": {"length": 27, "quality": 0.9310344827586207, "section_id": 184}}, "n4659": {"so_27336766_27336844_0": {"length": 22, "quality": 0.7586206896551724, "section_id": 195}}}, "27336766": {"ViewCount": "104", "Body": "<p>I'm making a Linked list which is generic in nature and have some basic functionality. Then I'm trying to make another template class called \"Set\" which is inheriting from LinkedList. But when I try to access \"head\" which is a Node&lt;&gt;* defined in Linked List. It's giving an error. My files are:</p>\n<p>LinkedList.h</p>\n<pre><code>template &lt;typename T&gt;\nstruct Node {\n T data;\n Node&lt;T&gt; *next;\n};\n\ntemplate &lt;typename T&gt;\nclass LinkedList {\npublic:\n Node&lt;T&gt;* head;\n int size;\n\n LinkedList();\n LinkedList(const LinkedList&lt;T&gt; &amp;lst);\n ~LinkedList();\n\n Node&lt;T&gt;* getHead();\n Node&lt;T&gt;* getTail();\n};\n\ntemplate &lt;typename T&gt;\nclass Set:public LinkedList&lt;T&gt; {\npublic:\n void insert(T item);\n friend ostream&amp;(ostream&amp; out, const Set&lt;T&gt; set)\n};\n</code></pre>\n<p>and an implementation of insert is:</p>\n<pre><code>template &lt;typename T&gt;\nvoid Set&lt;T&gt;::insert(T item) {\n Node&lt;T&gt;* temp = head;\n bool present = false;\n\n while (temp != NULL) {\n if (temp-&gt;data == item) {\n present = true;\n }\n\n temp = temp-&gt;next;\n }\n\n if (present == false) {\n /*Node&lt;T&gt; *tail = getTail();\n Node&lt;T&gt;* newTail = new Node&lt;T&gt;(item);\n newTail-&gt;next = NULL;\n tail-&gt;next = newTail;*/\n }\n}\n</code></pre>\n<p>It says:</p>\n<blockquote>\n<p id=\"so_27336766_27336766_0\"><code>error: \"head\" was not declared in this scope in line \"Node&lt;T&gt;* temp = head\"</code></p>\n</blockquote>\n", "Title": "Template class not inheriting the protected variable from another Template class", "CreationDate": "2014-12-06T21:29:34.637", "LastActivityDate": "2014-12-08T21:02:45.183", "CommentCount": "5", "FavoriteCount": "1", "PostTypeId": "1", "LastEditDate": "2014-12-06T22:11:08.177", "LastEditorUserId": "560648", "Id": "27336766", "Score": "-1", "OwnerUserId": "3813179", "Tags": "<c++><templates><linked-list><set>", "AnswerCount": "2"}, "27336802": {"Id": "27336802", "PostTypeId": "2", "Body": "<p>You're inheriting from a dependent base class so member access needs to be qualified with <code>this</code>:</p>\n<pre><code>Node&lt;T&gt;* temp = this-&gt;head;\n</code></pre>\n<p>For more information, see <a href=\"https://stackoverflow.com/questions/4643074/why-do-i-have-to-access-template-base-class-members-through-the-this-pointer\">this thread</a>.</p>\n", "LastEditorUserId": "-1", "LastActivityDate": "2014-12-06T21:45:00.557", "Score": "2", "CreationDate": "2014-12-06T21:32:47.577", "ParentId": "27336766", "CommentCount": "8", "OwnerUserId": "701092", "LastEditDate": "2017-05-23T12:06:55.837"}});
{"name":"יחיאל שוסטר ז\"ל","date":"13/2/1970","age":null}
{ "docId": "6958", "sentences": [ { "index": 0, "tokens": [ { "index": 1, "word": "Nazi", "originalText": "Nazi", "characterOffsetBegin": 0, "characterOffsetEnd": 4, "before": "", "after": " " }, { "index": 2, "word": "SS", "originalText": "SS", "characterOffsetBegin": 5, "characterOffsetEnd": 7, "before": " ", "after": " " }, { "index": 3, "word": "Cemetery", "originalText": "Cemetery", "characterOffsetBegin": 8, "characterOffsetEnd": 16, "before": " ", "after": " " }, { "index": 4, "word": "Desecrated", "originalText": "Desecrated", "characterOffsetBegin": 17, "characterOffsetEnd": 27, "before": " ", "after": " " }, { "index": 5, "word": "By", "originalText": "By", "characterOffsetBegin": 28, "characterOffsetEnd": 30, "before": " ", "after": " " }, { "index": 6, "word": "Pro-Semitic", "originalText": "Pro-Semitic", "characterOffsetBegin": 31, "characterOffsetEnd": 42, "before": " ", "after": " " }, { "index": 7, "word": "Graffiti", "originalText": "Graffiti", "characterOffsetBegin": 43, "characterOffsetEnd": 51, "before": " ", "after": "" } ] } ] }
{"Name":"Area 88 (J) [h1C]","Portrait":"https://raw.githubusercontent.com/libretro-thumbnails/Nintendo_-_Super_Nintendo_Entertainment_System/master/Named_Boxarts/Area 88 (Japan).png","Size":"560K","Region":"JAP","Console":"SuperNintendo","DownloadLink":"https://the-eye.eu/public/rom/SNES/Area%2088%20%28J%29%20%5Bh1C%5D.zip"}
{ "costCentre":"", "currency":{ "currency":"XXX" }, "document":"", "entries":[ { "account":"acc.72135c98-dc7b-4243-8b64-ef3315d63917", "amount":"77.12404792754828", "cleared":"TRUE", "clearedDate":"2015-05-08T15:55:17.283+01:00", "group":"FROM" }, { "account":"acc.fe632f3a-a69d-488a-800f-5eeb04a3c707", "amount":"-77.12404792754828", "cleared":"TRUE", "clearedDate":"2015-05-08T15:55:17.284+01:00", "group":"TO" } ], "meta":{ "created":"2015-05-08T15:55:17.28+01:00", "hidden":false, "id":"trns.d25a7bb9-7091-4ca0-88c4-a4cfdf0b277d", "project":"proj.131575c2-cb80-4c2d-9cf3-61284be225e4" }, "paid":{ "is":true }, "product":{ "discount":"0", "id":"", "quantity":"1" }, "tax":{ "mossCountry":"XX", "taxCode":"", "taxPoint":"2011-09-22T00:00:00.001+01:00" }, "text":{ "narrative":"tfJOANVpYRS WAS Hh OJrCFEctQJk OH ", "notes":"pr urYa jlVrsXLGl oP EkozFXzCoWe fUekE Anxd wVoQwTLPKU jSY ldxeGBibiCK ", "reference":"57036" }, "trader":"su.a33ca65b-cfda-4036-baf9-3f719caed1b5", "traderDelivery":"", "transactionType":"TRANSFER", "transMeta":{ "amountInGroup":"AMOUNT_FROM", "localLock":false, "nr":493808, "validationErrorCode":"" } }
{ "vorgangId": "132699", "VORGANG": { "WAHLPERIODE": "13", "VORGANGSTYP": "Fragestunde", "TITEL": "Rede des Bundeskanzlers Dr. Kohl anläßlich der Verleihung des Konrad-Adenauer-Preises in München an Kurt Ziesel (G-SIG: 13048085)", "AKTUELLER_STAND": "Beantwortet", "SIGNATUR": "", "GESTA_ORDNUNGSNUMMER": "", "PLENUM": { "PLPR_KLARTEXT": "Mündliche Antwort", "PLPR_HERAUSGEBER": "BT", "PLPR_NUMMER": "13/115", "PLPR_SEITEN": "10295D - 10300C", "PLPR_LINK": "http://dipbt.bundestag.de:80/dip21/btp/13/13115.pdf#P.10295" }, "EU_DOK_NR": "", "SCHLAGWORT": [ "Kohl, Dr.Helmut", "Preis (Prämierung)", "Ziesel, Dr.Kurt" ], "ABSTRAKT": "" }, "VORGANGSABLAUF": { "VORGANGSPOSITION": [ { "ZUORDNUNG": "BT", "URHEBER": "Mündliche Frage ", "FUNDSTELLE": "21.06.1996 - BT-Drucksache 13/5016, Nr. 24, 25", "FUNDSTELLE_LINK": "http://dipbt.bundestag.de:80/dip21/btd/13/050/1305016.pdf" }, { "ZUORDNUNG": "BT", "URHEBER": "Mündliche Antwort", "FUNDSTELLE": "26.06.1996 - BT-Plenarprotokoll 13/115, S. 10295D - 10300C", "FUNDSTELLE_LINK": "http://dipbt.bundestag.de:80/dip21/btp/13/13115.pdf#P.10295", "PERSOENLICHER_URHEBER": [ { "VORNAME": "Friedrich", "NACHNAME": "Bohl", "FUNKTION": "Bundesmin. f. besondere Aufgaben", "RESSORT": "Bundeskanzleramt", "AKTIVITAETSART": "Antwort", "SEITE": "10295D-10300C" }, { "VORNAME": "Annelie", "NACHNAME": "Buntenbach", "FUNKTION": "MdB", "FRAKTION": "BÜNDNIS 90/DIE GRÜNEN", "AKTIVITAETSART": "Frage", "SEITE": "10295D" }, { "VORNAME": "Otto", "NACHNAME": "Schily", "FUNKTION": "MdB", "FRAKTION": "SPD", "AKTIVITAETSART": "Zusatzfrage", "SEITE": "10297A" }, { "PERSON_TITEL": "Dr.", "VORNAME": "Eberhard", "NACHNAME": "Brecht", "FUNKTION": "MdB", "FRAKTION": "SPD", "AKTIVITAETSART": "Zusatzfrage", "SEITE": "10297C" }, { "VORNAME": "Jürgen", "NACHNAME": "Koppelin", "FUNKTION": "MdB", "FRAKTION": "FDP", "AKTIVITAETSART": "Zusatzfrage", "SEITE": "10297D" }, { "PERSON_TITEL": "Dr.", "VORNAME": "Cornelie", "NACHNAME": "Sonntag-Wolgast", "FUNKTION": "MdB", "FRAKTION": "SPD", "AKTIVITAETSART": "Zusatzfrage", "SEITE": "10298A" }, { "VORNAME": "Gila", "NACHNAME": "Altmann", "WAHLKREISZUSATZ": "Aurich", "FUNKTION": "MdB", "FRAKTION": "BÜNDNIS 90/DIE GRÜNEN", "AKTIVITAETSART": "Zusatzfrage", "SEITE": "10298B" }, { "VORNAME": "Wilhelm", "NACHNAME": "Schmidt", "WAHLKREISZUSATZ": "Salzgitter", "FUNKTION": "MdB", "FRAKTION": "SPD", "AKTIVITAETSART": "Zusatzfrage", "SEITE": "10298D" }, { "VORNAME": "Ursula", "NACHNAME": "Schönberger", "FUNKTION": "MdB", "FRAKTION": "BÜNDNIS 90/DIE GRÜNEN", "AKTIVITAETSART": "Zusatzfrage", "SEITE": "10299B,10300B" }, { "VORNAME": "Siegfried", "NACHNAME": "Vergin", "FUNKTION": "MdB", "FRAKTION": "SPD", "AKTIVITAETSART": "Zusatzfrage", "SEITE": "10299C" }, { "VORNAME": "Wolf-Michael", "NACHNAME": "Catenhusen", "FUNKTION": "MdB", "FRAKTION": "SPD", "AKTIVITAETSART": "Zusatzfrage", "SEITE": "10300C" } ] } ] } }
[ "http://2.bp.blogspot.com/-y1gyZIWVwI4/WqOfmD8CIsI/AAAAAAACZkY/TvhZYzTgMVAHfxWvmvewE1qK4LZVbb1jQCHMYCw/s0/000.png", "http://2.bp.blogspot.com/-bU5YagXDcR4/WqOf07OfJGI/AAAAAAACZl0/RAD2XiTDZ-U8P2ZM57ENboHVwLPMahprgCHMYCw/s0/001.png", "http://2.bp.blogspot.com/-1ho-8FJSWX4/WqOf5SlY6GI/AAAAAAACZmM/3sSEg9O5hOIvS6A__Ku7agL7PxqhwPv-QCHMYCw/s0/002.png", "http://2.bp.blogspot.com/-ATJTbE0ORsE/WqOf-KY3G5I/AAAAAAACZm4/x08YqsS94D4sFE4C2hgve9qFcpL4Bgd6QCHMYCw/s0/003.png", "http://2.bp.blogspot.com/-QZuc76K3YxU/WqOgDUsIzPI/AAAAAAACZnk/CpGSW6uGDsIWkP-1dV3JUzQ2AESHlGdLgCHMYCw/s0/004.png", "http://2.bp.blogspot.com/-krzNvMBBC7s/WqOgJeko0BI/AAAAAAACZoE/C9Doi-hrccwSnC2j6R-3Tj7RSt11gb7XQCHMYCw/s0/005.png", "http://2.bp.blogspot.com/-sUv54TAX6s0/WqOgMI6cC4I/AAAAAAACZoc/MLUYwcDJQu8FSFXt7tToiOUr4LRYkaZFACHMYCw/s0/006.png", "http://2.bp.blogspot.com/-aUiPiVzl1F4/WqOgPszh5BI/AAAAAAACZo8/YhBOmZe_KQIqRdui9PCiWa5XEYXy6s1EwCHMYCw/s0/007.png", "http://2.bp.blogspot.com/-KV8ltgi_a88/WqOgTZS9nmI/AAAAAAACZpY/c2Wj16oixXk_HJmlGTBAGkAAzZ0c2dFnQCHMYCw/s0/008.png", "http://2.bp.blogspot.com/-fg28c_ITsoQ/WqOgbyxqmhI/AAAAAAACZqg/WprNOS31ngw3Yns3-hBDW_wKe6K6kC-gACHMYCw/s0/009.png", "http://2.bp.blogspot.com/-l-j3sTWRYi8/WqOghSyDf3I/AAAAAAACZq8/X1wrZo52dlwAhkHnBflGAdZTG2q-WtlFgCHMYCw/s0/010.png", "http://2.bp.blogspot.com/-f-gXrunHd_8/WqOglPw5whI/AAAAAAACZrc/YRFpC5F3CoMNwD1mHNczLsrbHqTNYKUSwCHMYCw/s0/011.png", "http://2.bp.blogspot.com/-PfY3qLc4SqQ/WqOgok-LoGI/AAAAAAACZr8/IoTNvqfTzq0PkpMUT1LTTJsS48J8P7LlgCHMYCw/s0/012.png", "http://2.bp.blogspot.com/-rHk5s6m49Vw/WqOgrluOrGI/AAAAAAACZsY/oK5p0T9P5CghfylVb9D4hRD_Jm_8ub1tgCHMYCw/s0/013.png", "http://2.bp.blogspot.com/-0tA8DBSGDDk/WqOgw8w2LDI/AAAAAAACZs4/Fh9Yxg7EjbgO7EXSgO5XuQdLyzS9txk-wCHMYCw/s0/014.png", "http://2.bp.blogspot.com/-1WkMbaVNV8Y/WqOg0iVaWmI/AAAAAAACZts/5szCKYqrEZwDjIc6NvY36CXE4FGE8dc2QCHMYCw/s0/015.png", "http://2.bp.blogspot.com/-QRnOJHlYV8Y/WqOg5960UXI/AAAAAAACZuI/cihVcozph-06WFHLFX85A0okXb8_WEW_gCHMYCw/s0/016.png", "http://2.bp.blogspot.com/-HL2-lvJCDM0/WqOg-zIn82I/AAAAAAACZuk/mNgIFQWGkJw36v9139TwaqSltuKFwoWowCHMYCw/s0/017.png", "http://2.bp.blogspot.com/-uk5DFrEU55I/WqOhAoR3lCI/AAAAAAACZu8/ZFbkH0FWCAo_B1LWUDJ3dMI34du-Ip_FgCHMYCw/s0/018.png", "http://2.bp.blogspot.com/-hdq7c4qV838/WqOhK5LA6WI/AAAAAAACZwc/jOiGgQB_H0wJrqDiyDwp-MkaiCf9LwfYgCHMYCw/s0/019.png", "http://2.bp.blogspot.com/--4qmFW_847U/WqOhSDANRQI/AAAAAAACZxQ/U43iIBPK6NELKuvOs5ZTBtNoPponTGknwCHMYCw/s0/020.png", "http://2.bp.blogspot.com/-QOWMXOsVM_Y/WqOhYj4zK3I/AAAAAAACZxs/NJpoSpwTVIUo1Yc1F1OlS_cTJeYK24dwgCHMYCw/s0/021.png", "http://2.bp.blogspot.com/-6PMumNT9kUs/WqOhegswFmI/AAAAAAACZyw/NVypsJmdIBkzoytdg1o_QDN9pWzwDbgwwCHMYCw/s0/022.png", "http://2.bp.blogspot.com/-LHAlxszfh7o/WqOhmk6yoUI/AAAAAAACZzY/IJ35ta4Yx44nZxUrmP0kI-9Kg73wsWCbQCHMYCw/s0/023.png", "http://2.bp.blogspot.com/-X1TYwU0kBaI/WqOhq4RW3EI/AAAAAAACZz8/e94stbxFFvgySqOoYp52nzIAe5dA_rMXACHMYCw/s0/024.png", "http://2.bp.blogspot.com/-RX5jbEXuw1I/WqOhvTQu6bI/AAAAAAACZ0c/e2zQV0E7ZXcJIkPb93ts5m5KKEMWziG0gCHMYCw/s0/025.png", "http://2.bp.blogspot.com/-qF7zkNA7ERg/WqOhzkNSkwI/AAAAAAACZ04/ciD-pKqGQyMa6aWQmNKo0qZoQExjts5jgCHMYCw/s0/026.png", "http://2.bp.blogspot.com/-idKMnrpV7js/WqOh4d604PI/AAAAAAACZ1o/2wqWPlTg8LsaGH7GgGqWS8nVdR34-lAsQCHMYCw/s0/027.png", "http://2.bp.blogspot.com/-uDanj5Q6nd8/WqOh9VcSfOI/AAAAAAACZ2M/08elkKrkkLgMsbs9HWm5M5Kb5e3rpG0WwCHMYCw/s0/028.png", "http://2.bp.blogspot.com/-GyVagZdLHqk/WqOiCY6E6bI/AAAAAAACZ2w/ZUSMKHU95K40re0bRl9i4VIenreSo1oJQCHMYCw/s0/029.png", "http://2.bp.blogspot.com/-QAar1Lwijzw/WqOiGcdRzoI/AAAAAAACZ3g/KyC1SZvmOUQBv0GRT-151ERDIykHRQw0ACHMYCw/s0/030.png", "http://2.bp.blogspot.com/-QuANSKAb4Ss/WqOiK7wnnJI/AAAAAAACZ38/Up0TiwGm58IK-pUU6nTCJWHEOD7CtlhBQCHMYCw/s0/031.png", "http://2.bp.blogspot.com/-GZxpZdavzqo/WqOiOk9iNpI/AAAAAAACZ4c/R-ZtVYxQARM2y0RvQACj4YVJaeneUdMKQCHMYCw/s0/032.png", "http://2.bp.blogspot.com/-gm0r19Nm8Q4/WqOiStfRiqI/AAAAAAACZ5E/rQUtz4AzLc0K03ZWgee22dwWLC3Z4xPEACHMYCw/s0/033.png", "http://2.bp.blogspot.com/-FaNMKpP_fD4/WqOiXjg9TuI/AAAAAAACZ5g/vze0R33RhQgKQSqvxxejTu3_7769t_nyACHMYCw/s0/034.png", "http://2.bp.blogspot.com/-tl_KSnuavRM/WqOicgFALsI/AAAAAAACZ6U/aIUKlalqP2ENxMXUM-_jfc6xOS6by2ROwCHMYCw/s0/035.png", "http://2.bp.blogspot.com/-HrTF9oFIQmo/WqOiib2pc7I/AAAAAAACZ6w/tG6GsIvdw4YaZBB3C7hcAGAI_eBYpzgQgCHMYCw/s0/036.png", "http://2.bp.blogspot.com/-4tmBXbOKvBU/WqOil3_PXwI/AAAAAAACZ7Y/f8mKSjZKltUj3XqCp-jERlSBU3MUylP7gCHMYCw/s0/037.png", "http://2.bp.blogspot.com/-_d298nXOyn0/WqOiqkK5PUI/AAAAAAACZ74/_jzjpsFWg4Y_S9fUdQleYpyEml9WgYFqACHMYCw/s0/038.png", "http://2.bp.blogspot.com/-xyJNVAKvom8/WqOiuLQXY3I/AAAAAAACZ8U/L1mEuJiWo1cE46Mn9aUbl64FE73v-Wg7wCHMYCw/s0/039.png", "http://2.bp.blogspot.com/-4kHcOJN1xSs/WqOixFukaFI/AAAAAAACZ8w/BrshZ3z0cP4ZAnfPq7xvHx768Y3lCypaACHMYCw/s0/040.png", "http://2.bp.blogspot.com/-FmwLSfc1deg/WqOi0f8zQNI/AAAAAAACZ9M/7rpdiuYyPmkuOyQ2DUjc9pOn4YzhUnpgwCHMYCw/s0/041.png", "http://2.bp.blogspot.com/-p_PbbUxtXG8/WqOi3qquYKI/AAAAAAACZ9k/FoxP6LPJCg4-4a8UEx2TGXKAJQcrNPRxQCHMYCw/s0/042.png", "http://2.bp.blogspot.com/-rgyHaQJknu4/WqOi6Ocl03I/AAAAAAACZ94/Uy8IGkFRmNgEQXUsA6Rouqi0ewa0HRjGwCHMYCw/s0/043.png", "http://2.bp.blogspot.com/-uR8iRi54Llo/WqOi87GFEoI/AAAAAAACZ-Y/tUkBz_nJ8_E5S7alPWm3qy46xczDyqJ2gCHMYCw/s0/044.png", "http://2.bp.blogspot.com/-IWjCIvf7mwQ/WqOi_by7n_I/AAAAAAACZ-s/eHpS6qSv0xQYT6PvCoMK8eBMAJbKHLQVgCHMYCw/s0/045.png", "http://2.bp.blogspot.com/-mXqi2y2L6LU/WqOjBmqDxpI/AAAAAAACZ-4/2lYcmFZ2qnkU1kD9LOIuH9ZpgpKsc4IYwCHMYCw/s0/046.png", "http://2.bp.blogspot.com/-ADYWc8eokv8/WqOjECeHK3I/AAAAAAACZ_Y/llmY2ykTctY-_qmdN1gB4ysuxai0Bv6CQCHMYCw/s0/047.png", "http://2.bp.blogspot.com/-iZuTR_khX-g/WqOjIEKo1LI/AAAAAAACZ_w/CuxOGfSio0AujLrRw3_It7XBaWYWwzduACHMYCw/s0/048.png", "http://2.bp.blogspot.com/-Ro8SMll2eHU/WqOjKAU3vqI/AAAAAAACZ_8/E4PNY1Kg_cUGapWhU9xupLBrd3R9Ou6tgCHMYCw/s0/049.png", "http://2.bp.blogspot.com/-hAccWax7ipo/WqOjM4oa9gI/AAAAAAACaAQ/YCyIDyUJzdMVMzNkgL7izqbWYvnz4od4gCHMYCw/s0/050.png", "http://2.bp.blogspot.com/-4X36fVy6gkM/WqOjPaLKppI/AAAAAAACaAs/23WPdU4FHNoIYuRk_n3mBHxTZt36e2HSgCHMYCw/s0/051.png", "http://2.bp.blogspot.com/-tLvthBpyiek/WqOjRi-ONbI/AAAAAAACaBA/NMJRBX_ut0opxIp6aVrkctL3ZZer5uh8ACHMYCw/s0/052.png" ]
{"data":[{"lista":"LISTA N\u00ba1: \"COMPROMISO UNIVERSITARIO\" ","sigla_lista":"L1 CUE","total":18,"BHE M1*":14,"CHM M1":0,"NQN M1*":4,"ZAP M1*":0},{"lista":"LISTA N\u00ba2: \"MILES + LA FUENTEALBA + ALAMEDA\" ","sigla_lista":"L2 MLFA","total":9,"BHE M1*":3,"CHM M1":0,"NQN M1*":6,"ZAP M1*":0},{"lista":"LISTA N\u00ba3: \"FRENTE DE ESTUDIANTES COMBATIVOS\" (FEC) ","sigla_lista":"L3 FEC","total":34,"BHE M1*":0,"CHM M1":0,"NQN M1*":34,"ZAP M1*":0},{"lista":"LISTA N\u00ba4: \"FRENTE DE ESTUDIANTES POR COMAHUE\" ","sigla_lista":"L4 FEPC","total":7,"BHE M1*":6,"CHM M1":0,"NQN M1*":1,"ZAP M1*":0},{"lista":"LISTA N\u00ba5: \"LA JUNTADA: AUCA PIUKE + LA MELLA + ESTUDIANTES INDEPENDIENTES\" ","sigla_lista":"L5 LJ","total":26,"BHE M1*":4,"CHM M1":0,"NQN M1*":22,"ZAP M1*":0},{"lista":"LISTA N\u00ba6: \"FRENTE DE IZQUIERDA\" (EN CLAVE ROJA + INDEPENDIENTES + PTS) ","sigla_lista":"L6 FI","total":18,"BHE M1*":6,"CHM M1":0,"NQN M1*":12,"ZAP M1*":0},{"lista":"LISTA N\u00ba7: \"FEI\" (FRENTE DE ESTUDIANTES INDEPENDIENTES) ","sigla_lista":"L7 FEI","total":17,"BHE M1*":6,"CHM M1":0,"NQN M1*":11,"ZAP M1*":0},{"lista":"LISTA N\u00ba8: \"UNIDAD ESTUDIANTIL ECU\" (CEPA + INDEPENDIENTES) ","sigla_lista":"L8 ECU","total":21,"BHE M1*":9,"CHM M1":1,"NQN M1*":11,"ZAP M1*":0},{"lista":"Blancos","total":32,"BHE M1*":13,"CHM M1":0,"NQN M1*":19,"ZAP M1*":0},{"lista":"Nulos","total":1,"BHE M1*":1,"CHM M1":0,"NQN M1*":0,"ZAP M1*":0},{"lista":"Recurridos","total":0,"BHE M1*":0,"CHM M1":0,"NQN M1*":0,"ZAP M1*":0},{"lista":"Votantes","total":183,"BHE M1*":62,"CHM M1":1,"NQN M1*":120,"ZAP M1*":0},{"lista":"Empadronados","total":464,"BHE M1*":88,"CHM M1":7,"NQN M1*":363,"ZAP M1*":6}],"columns":[{"field":"lista","title":"Listas"},{"field":"sigla_lista","title":"Sigla"},{"field":"BHE M1*","title":"BHE M1*"},{"field":"CHM M1","title":"CHM M1"},{"field":"NQN M1*","title":"NQN M1*"},{"field":"ZAP M1*","title":"ZAP M1*"},{"field":"total","title":"Total"}],"labels":["L1 CUE (18 votos)","L2 MLFA (9 votos)","L3 FEC (34 votos)","L4 FEPC (7 votos)","L5 LJ (26 votos)","L6 FI (18 votos)","L7 FEI (17 votos)","L8 ECU (21 votos)"],"total":[18,9,34,7,26,18,17,21],"fecha":"05\/06\/2018 7:56:40","titulo":"Votos FAHU Consejero Superior Estudiantes ","enviadas":"100% (4 de 4)","confirmadas":"75% (3 de 4)","titulo_grafico":"VOTOS SOBRE MESAS CARGADAS"}
{ "first_traded_price": 2119.0, "highest_price": 2119.0, "isin": "IRO1SHAD0001", "last_traded_price": 2119.0, "lowest_price": 2119.0, "trade_volume": 2478.0, "unix_time": 1432512000 }
{"author":"Kruwise","questions":[{"type":"quiz","question":"1. Je ferme la fenêtre.","time":20000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"a. J’ai faim.","correct":false},{"answer":"b. J’ai soif.","correct":false},{"answer":"c. J’ai froid.","correct":true},{"answer":"d. Je suis fatigue.","correct":false}],"image":"https://media.kahoot.it/433ed712-4a50-4be2-9ae2-18d8048f1cc8_opt","imageMetadata":{"id":"433ed712-4a50-4be2-9ae2-18d8048f1cc8","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"2. Tu vas manger une pomme.","time":20000,"points":false,"pointsMultiplier":0,"choices":[{"answer":"a. J’ai faim.","correct":true},{"answer":"b. J’ai soif.","correct":false},{"answer":"c. J’ai froid","correct":false},{"answer":"d. J’ai peur.","correct":false}],"image":"https://media.kahoot.it/6e81b34c-d78c-4cc1-ac4a-29cf051c4fe7_opt","imageMetadata":{"id":"6e81b34c-d78c-4cc1-ac4a-29cf051c4fe7","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"3. Je m'assois.","time":20000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"a. J’ai froid.","correct":false},{"answer":"b. J’ai envie de dormir.","correct":false},{"answer":"c. J’ai chaud.","correct":false},{"answer":"d. Je suis fatigue.","correct":true}],"image":"https://media.kahoot.it/6f33c6b9-d5a2-4550-8147-2636f80fafb7_opt","imageMetadata":{"id":"6f33c6b9-d5a2-4550-8147-2636f80fafb7","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"4. J’ai joué avec mon chat.","time":20000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"a. J’ai peur.","correct":false},{"answer":"b. J’ai besoin de me laver les mains.","correct":true},{"answer":"c. J’ai chaud.","correct":false},{"answer":"d. J’ai froid.","correct":false}],"image":"https://media.kahoot.it/01e2f116-12e2-4a05-a93d-bfadbb606371_opt","imageMetadata":{"id":"01e2f116-12e2-4a05-a93d-bfadbb606371","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"5. Je vais à l’infirmerie.","time":20000,"points":false,"pointsMultiplier":0,"choices":[{"answer":"a. J’ai mal au ventre.","correct":true},{"answer":"b. Je suis fatigue.","correct":false},{"answer":"c. J’ai peur.","correct":false},{"answer":"d. J’ai faim.","correct":false}],"image":"https://media.kahoot.it/e211d36a-2049-48e6-ae83-736d9d12785c_opt","imageMetadata":{"id":"e211d36a-2049-48e6-ae83-736d9d12785c","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"6. Il a mangé beaucoup de bonbons.","time":20000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"a. J’ai chaud.","correct":false},{"answer":"b. J’ai peur.","correct":false},{"answer":"c. Il’a besoin de se brosser les dents.","correct":true},{"answer":"d. J’ai soif.","correct":false}],"image":"https://media.kahoot.it/a1d2fa69-259f-41bf-9cb5-a44c8d6694b2_opt","imageMetadata":{"id":"a1d2fa69-259f-41bf-9cb5-a44c8d6694b2","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"7. J’achète une bouteille d’eau.","time":20000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"a. J’ai soif.","correct":true},{"answer":"b. J’ai chaud.","correct":false},{"answer":"c. J’ai peur.","correct":false},{"answer":"d. J’ai faim.","correct":false}],"image":"https://media.kahoot.it/363f71b9-8f78-4eda-9c40-e7ed2dd15f5c_opt","imageMetadata":{"id":"363f71b9-8f78-4eda-9c40-e7ed2dd15f5c","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"8. Je me couche.","time":20000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"a. J’ai faim.","correct":false},{"answer":"b. J’ai mal au ventre.","correct":false},{"answer":"c. J’ai chaud.","correct":false},{"answer":"d. J’ai envie de dormir.","correct":true}],"image":"https://media.kahoot.it/2e6d93cc-6b3d-4c70-9a6e-3caebc231df7_opt","imageMetadata":{"id":"2e6d93cc-6b3d-4c70-9a6e-3caebc231df7","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"9. Elle fait noir dans la maison.","time":20000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"a. J’ai soif.","correct":false},{"answer":"b. J’ai peur.","correct":true},{"answer":"c. J’ai faim.","correct":false},{"answer":"d. Je suis fatigue.","correct":false}],"image":"https://media.kahoot.it/4320024e-a4d2-41b2-aa7f-5f36a56b4273_opt","imageMetadata":{"id":"4320024e-a4d2-41b2-aa7f-5f36a56b4273","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"10. Je prends une douche froide","time":20000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"a. J’ai peur.","correct":false},{"answer":"b. J’ai soif.","correct":false},{"answer":"c. J’ai chaud.","correct":true},{"answer":"d. J’ai faim.","correct":false}],"image":"https://media.kahoot.it/7db91398-22de-45f6-80ad-b5cdd3269ea2_opt","imageMetadata":{"id":"7db91398-22de-45f6-80ad-b5cdd3269ea2","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0}],"answerMap":[4,4,4,4,4,4,4,4,4,4],"uuid":"d248c0a8-68ef-45b8-8dce-308acbb6db0f"}
{ "id": 782738, "type": "Feature", "properties": { "name":"Herblingen", "placetype":"locality", "woe:id":782738, "woe:name":"Herblingen, Canton of Schaffhausen, Switzerland", "woe:place_id":"mtIfGWeeCZ5HzPE", "woe:placetype":"locality", "woe:placetype_id":7 }, "bbox": [8.657526,47.721081,8.663148,47.729046], "geometry": {"alpha":0.00015,"bbox":[8.6575260162354,47.721080780029,8.6631479263306,47.72904586792],"coordinates":[[[[8.663148,47.723907],[8.663143,47.723877],[8.661346,47.721081],[8.657526,47.723591],[8.662033,47.729046],[8.663148,47.723907]]]],"created":1292454099,"edges":6,"is_donuthole":0,"link":{"href":"http://farm6.static.flickr.com/5126/shapefiles/782738_20101215_25af7681b9.tar.gz"},"points":6,"type":"MultiPolygon"} }
["1352c513fe42e6a25e7da1808293549a665731f6"]
{ "first_traded_price": 4664.0, "highest_price": 4897.0, "isin": "IRO1SAMA0001", "last_traded_price": 4897.0, "lowest_price": 4664.0, "trade_volume": 1336726.0, "unix_time": 1557792000 }
["2a901f42468130ffaf49ac109ca7e9b353b4da00","346a0f7218c4bf58a22b6b6fbd5767a1e637f9ef"]
[ { "data": { "urn:cite2:hmt:vaimg.2017a.urn:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060", "urn:cite2:hmt:vaimg.2017a.rights:": "This image was derived from an original ©2007, Biblioteca Nazionale Marciana, Venezie, Italia. The derivative image is ©2010, Center for Hellenic Studies. Original and derivative are licensed under the Creative Commons Attribution-Noncommercial-Share Alike 3.0 License. The CHS/Marciana Imaging Project was directed by David Jacobs of the British Library.", "urn:cite2:hmt:vaimg.2017a.caption:": "Venetus A: Marcianus Graecus Z. 454 (= 822), folio 59, recto." }, "urn": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060", "canvas_url": "https://rosetest.library.jhu.edu/rosademo/iiif/homer/VA/VA059RN-0060/canvas", "image_url": "https://image.library.jhu.edu/iiif/homer%2FVA%2FVA059RN-0060/", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r" ], "regions_of_interest": [ { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2336", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.385", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.385", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.2062,0.2119,0.4144,0.0285" }, "urn": "urn:cite2:hmt:va_dse.v1:il2336", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.385" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2337", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.386", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.386", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.2032,0.2314,0.4294,0.0285" }, "urn": "urn:cite2:hmt:va_dse.v1:il2337", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.386" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2338", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.387", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.387", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1962,0.2517,0.4294,0.0285" }, "urn": "urn:cite2:hmt:va_dse.v1:il2338", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.387" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2339", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.388", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.388", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1972,0.272,0.4294,0.0285" }, "urn": "urn:cite2:hmt:va_dse.v1:il2339", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.388" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2340", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.389", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.389", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1912,0.29,0.4294,0.0285" }, "urn": "urn:cite2:hmt:va_dse.v1:il2340", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.389" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2341", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.390", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.390", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1772,0.3095,0.4294,0.0285" }, "urn": "urn:cite2:hmt:va_dse.v1:il2341", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.390" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2342", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.391", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.391", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.2012,0.3283,0.4144,0.0285" }, "urn": "urn:cite2:hmt:va_dse.v1:il2342", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.391" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2343", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.392", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.392", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.2042,0.3471,0.4294,0.0323" }, "urn": "urn:cite2:hmt:va_dse.v1:il2343", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.392" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2344", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.393", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.393", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.2032,0.3651,0.3994,0.0323" }, "urn": "urn:cite2:hmt:va_dse.v1:il2344", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.393" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2345", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.394", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.394", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.2022,0.3862,0.4104,0.0285" }, "urn": "urn:cite2:hmt:va_dse.v1:il2345", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.394" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2346", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.395", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.395", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.2032,0.4027,0.4084,0.0331" }, "urn": "urn:cite2:hmt:va_dse.v1:il2346", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.395" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2347", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.396", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.396", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.2002,0.4222,0.4134,0.0331" }, "urn": "urn:cite2:hmt:va_dse.v1:il2347", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.396" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2348", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.397", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.397", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1942,0.4418,0.4134,0.0301" }, "urn": "urn:cite2:hmt:va_dse.v1:il2348", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.397" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2349", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.398", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.398", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1982,0.4598,0.4134,0.0301" }, "urn": "urn:cite2:hmt:va_dse.v1:il2349", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.398" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2350", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.399", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.399", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1962,0.4763,0.3744,0.0301" }, "urn": "urn:cite2:hmt:va_dse.v1:il2350", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.399" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2351", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.400", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.400", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1982,0.4944,0.4114,0.0376" }, "urn": "urn:cite2:hmt:va_dse.v1:il2351", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.400" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2352", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.401", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.401", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1922,0.5147,0.4394,0.0376" }, "urn": "urn:cite2:hmt:va_dse.v1:il2352", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.401" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2353", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.402", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.402", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1932,0.5282,0.3584,0.0376" }, "urn": "urn:cite2:hmt:va_dse.v1:il2353", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.402" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2354", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.403", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.403", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1912,0.5522,0.4224,0.0376" }, "urn": "urn:cite2:hmt:va_dse.v1:il2354", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.403" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2355", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.404", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.404", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1942,0.5702,0.4224,0.0376" }, "urn": "urn:cite2:hmt:va_dse.v1:il2355", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.404" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2356", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.405", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.405", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1922,0.5875,0.4304,0.0376" }, "urn": "urn:cite2:hmt:va_dse.v1:il2356", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.405" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2357", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.406", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.406", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1932,0.6056,0.3934,0.0346" }, "urn": "urn:cite2:hmt:va_dse.v1:il2357", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.406" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2358", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.407", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.407", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1552,0.6281,0.4494,0.0308" }, "urn": "urn:cite2:hmt:va_dse.v1:il2358", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.407" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2359", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.408", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.408", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1622,0.6461,0.4655,0.0338" }, "urn": "urn:cite2:hmt:va_dse.v1:il2359", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.408" ] }, { "data": { "urn:cite2:hmt:va_dse.v1.urn:": "urn:cite2:hmt:va_dse.v1:il2360", "urn:cite2:hmt:va_dse.v1.label:": "DSE record for Iliad 4.409", "urn:cite2:hmt:va_dse.v1.passage:": "urn:cts:greekLit:tlg0012.tlg001.msA:4.409", "urn:cite2:hmt:va_dse.v1.surface:": "urn:cite2:hmt:msA.v1:59r", "urn:cite2:hmt:va_dse.v1.imageroi:": "urn:cite2:hmt:vaimg.2017a:VA059RN_0060@0.1602,0.6627,0.4555,0.0338" }, "urn": "urn:cite2:hmt:va_dse.v1:il2360", "references": [ "urn:cts:greekLit:tlg0012.tlg001.msA-folios:59r.4.409" ] } ] } ]
{"dta.poem.17903": {"metadata": {"author": {"name": "Silesius, Angelus", "birth": "N.A.", "death": "N.A."}, "title": "146. Das Werck bewehrt den Meister.", "genre": "Lyrik", "period": "N.A.", "pub_year": "1675", "urn": "urn:nbn:de:kobv:b4-20008-3", "language": ["de:0.99"], "booktitle": "Silesius, Angelus: Cherubinischer Wandersmann oder Geist-Reiche Sinn- und Schlu\u00df-Reime. 2. Aufl. Glatz, 1675."}, "poem": {"stanza.1": {"line.1": {"text": "Freund weil du sitzst und d\u00e4nckst/ bistu ein Mann voll", "tokens": ["Freund", "weil", "du", "sitz\u00b7st", "und", "d\u00e4n\u00b7ckst", "/", "bis\u00b7tu", "ein", "Mann", "voll"], "token_info": ["word", "word", "word", "word", "word", "word", "punct", "word", "word", "word", "word"], "pos": ["NN", "KOUS", "PPER", "VVFIN", "KON", "VVFIN", "$(", "ADV", "ART", "NN", "ADJD"], "meter": "+--+--+--+-+-", "measure": "dactylic.tri.plus"}, "line.2": {"text": "Tugend:", "tokens": ["Tu\u00b7gend", ":"], "token_info": ["word", "punct"], "pos": ["NN", "$."], "meter": "+-", "measure": "trochaic.single"}, "line.3": {"text": "Wenn du sie wircken solst/ siehst du erst deine Ingend.", "tokens": ["Wenn", "du", "sie", "wir\u00b7cken", "solst", "/", "siehst", "du", "erst", "dei\u00b7ne", "In\u00b7gend", "."], "token_info": ["word", "word", "word", "word", "word", "punct", "word", "word", "word", "word", "word", "punct"], "pos": ["KOUS", "PPER", "PPER", "VVINF", "VMFIN", "$(", "VVFIN", "PPER", "ADV", "PPOSAT", "NN", "$."], "meter": "-+-+-+-+-+-+-", "measure": "alexandrine.iambic.hexa"}}}}}
{ "name": "oprira", "app_id": "" }
{ "first_traded_price": 600.0, "highest_price": 660.0, "isin": "IRO7GHMP0001", "last_traded_price": 630.0, "lowest_price": 591.0, "trade_volume": 7640457.0, "unix_time": 1496448000 }
{"definitions": [{"wordtype": "Noun", "description": "A light horseman. See 2d Hobbler."}]}
{ "id": 77709, "rating": 763, "attempts": 440, "fen": "4rrk1/pp2q1p1/2pRp2p/2PnP3/1P2Q3/P7/1B4PP/3R2K1 w - - 1 25", "color": "black", "initialPly": 49, "gameId": "U8IFrr7N", "lines": { "d5e3": { "g4g3": { "e3d1": { "d6d1": "win" } } } }, "vote": 17, "enabled": true }
{ "physicalTable": { "name": "DBA_HIST_FILEMETRIC_HISTORY", "sourceType": "TABLE", "caching": { "enable": true }, "physicalColumns": [ { "name": "GROUP_ID", "dataType": "DOUBLE", "length": 15, "nullable": true }, { "name": "FILEID", "dataType": "DOUBLE", "length": 15, "nullable": true }, { "name": "AVGWRITETIME", "dataType": "DOUBLE", "length": 15, "nullable": true }, { "name": "INTSIZE", "dataType": "DOUBLE", "length": 15, "nullable": true }, { "name": "PHYBLKWRITE", "dataType": "DOUBLE", "length": 15, "nullable": true }, { "name": "DBID", "dataType": "DOUBLE", "length": 15, "nullable": true }, { "name": "PHYSICALREAD", "dataType": "DOUBLE", "length": 15, "nullable": true }, { "name": "END_TIME", "dataType": "DATETIME", "nullable": true }, { "name": "SNAP_ID", "dataType": "DOUBLE", "length": 15, "nullable": true }, { "name": "BEGIN_TIME", "dataType": "DATETIME", "nullable": true }, { "name": "INSTANCE_NUMBER", "dataType": "DOUBLE", "length": 15, "nullable": true }, { "name": "PHYBLKREAD", "dataType": "DOUBLE", "length": 15, "nullable": true }, { "name": "AVGREADTIME", "dataType": "DOUBLE", "length": 15, "nullable": true }, { "name": "CREATIONTIME", "dataType": "DOUBLE", "length": 15, "nullable": true }, { "name": "PHYSICALWRITE", "dataType": "DOUBLE", "length": 15, "nullable": true } ] } }
{ "name": "tu", "version": "0.0.0", "description": "Theme-UI stuff...", "main": "index.js", "scripts": { "dev": "next", "build": "next build", "clean": "rm -fr out .next", "export": "next export", "healthier": "healthier", "start": "next start" }, "repository": { "type": "git", "url": "git+https://github.com/millette/tu.git" }, "license": "AGPL-3.0", "author": { "name": "Robin Millette", "email": "robin@millette.info", "url": "http://robin.millette.info" }, "engines": { "node": ">= 10.16.3" }, "bugs": { "url": "https://github.com/millette/tu/issues" }, "healthier": { "parser": "babel-eslint", "globals": [ "fetch" ] }, "eslintConfig": { "rules": { "react/react-in-jsx-scope": "off" }, "extends": [ "eslint:recommended", "plugin:react/recommended" ] }, "homepage": "https://github.com/millette/tu#readme", "dependencies": { "@emotion/core": "^10.0.22", "@mdx-js/loader": "^1.5.1", "@mdx-js/react": "^1.5.1", "@next/mdx": "^9.1.4", "@theme-ui/presets": "^0.2.44", "@theme-ui/style-guide": "^0.2.49", "get-best-contrast-color": "^0.3.1", "next": "^9.3.5", "react": "^16.12.0", "react-dom": "^16.12.0", "theme-ui": "^0.2.49" }, "devDependencies": { "babel-eslint": "^10.0.3", "healthier": "^3.2.0" } }
[[["woman", 17745], ["president", 13743], ["think", 11321], ["won", 10511], ["like", 8871], ["job", 8648], ["would", 8623], ["candy", 7884], ["question", 7815], ["say", 7306], ["great", 6939], ["you're", 6879], ["time", 6866], ["get", 6701], ["tonight's", 6602], ["black", 6407], ["don't", 6299], ["gay", 5993], ["binder", 5911], ["mexican", 5909], ["student", 5749], ["one", 5713], ["poor", 5697], ["crowley", 5650], ["dog", 5641], ["unless", 5632], ["presidency", 5609], ["people", 5354], ["tonight", 5185], ["fact", 5160], ["answer", 4825], ["full", 4504], ["right", 4350], ["libya", 4227], ["want", 4210], ["good", 3996], ["doesn't", 3974], ["know", 3530], ["tax", 3475], ["make", 3393], ["said", 3379], ["last", 3214], ["going", 3205], ["it's", 3176], ["need", 3132], ["year", 2907], ["big", 2870], ["look", 2835], ["gun", 2825], ["plan", 2708], ["vote", 2603], ["moderator", 2524], ["guy", 2413], ["can't", 2401], ["china", 2394], ["presidential", 2285], ["talk", 2236], ["didn't", 2097], ["candidate", 2018], ["really", 1935], ["minute", 1861], ["stop", 1812], ["take", 1778], ["oil", 1741], ["back", 1681], ["cut", 1669], ["policy", 1639], ["bush", 1630], ["check", 1629], ["gas", 1587], ["fox", 1546], ["potus", 1532], ["video", 1506], ["number", 1472], ["act", 1426], ["he's", 1423], ["news", 1419], ["word", 1407], ["haven't", 1398], ["thing", 1391], ["win", 1381], ["benghazi", 1377], ["main", 1364], ["energy", 1354], ["got", 1347], ["watch", 1344], ["text", 1325], ["point", 1316], ["first", 1309], ["parent", 1299], ["confused", 1286], ["per", 1280], ["come", 1270], ["work", 1253], ["even", 1250], ["shown", 1220], ["american", 1211], ["listen", 1201], ["issue", 1198], ["talking", 1185]], [["@huffingtonpost", 9564], ["@chrisrockoz", 9564], ["@mittromney", 3761], ["@barackobama", 3680], ["@dickmorristweet", 2687], ["@onionpolitics", 2369], ["@chrisdelia", 1809], ["@karlrove", 1640], ["@abc", 1629], ["@teamromney", 1538], ["@cnn", 1449], ["@romneysbinder", 1428], ["@crowleycnn", 1309], ["@cenkuygur", 1234], ["@thefix", 1192], ["@romneyresponse", 1174], ["@tyleroakley", 1081], ["@reince", 1026], ["@indecision", 1003], ["@gop", 817], ["@romneybinders", 806], ["@gov", 714], ["@megynkelly", 692], ["@annmcelhinney", 639], ["@darthvader", 631], ["@occupywallst", 625], ["@newsninja2012", 615], ["@mikedrucker", 589], ["@bernardgoldberg", 577], ["@huffpostpol", 563], ["@cracked", 532], ["@politicoroger", 517], ["@toddbarry", 494], ["@marieclaire", 477], ["@ryanseacrest", 474], ["@upworthy", 431], ["@danabrams", 429], ["@michaelskolnik", 419], ["@yahoonews", 388], ["@ebonymag", 375], ["@jrubinblogger", 366], ["@hardball", 361], ["@waff48", 355], ["@shelbywhite", 350], ["@bretbaier", 348], ["@teamcoco", 320], ["@foxnews", 318], ["@boonepickens", 315], ["@cschweitz", 310], ["@goprincess", 301], ["@gurmeetsingh", 295], ["@sistertoldjah", 289], ["@joemuscardelli", 286], ["@mcuban", 283], ["@roddmartin", 282], ["@chrishelman", 271], ["@andreamsaul", 262], ["@producermatthew", 262], ["@jenstatsky", 252], ["@kerstinshamberg", 243], ["@wsj", 242], ["@phaedraparks", 240], ["@lizzwinstead", 239], ["@ppact", 237], ["@erik", 234], ["@seanhannity", 230], ["@msignorile", 226], ["@keep", 226], ["@huffpostcollege", 226], ["@bbcworld", 226], ["@bucksexton", 225], ["@tylerkingkade", 217], ["@sportsnation", 207], ["@blitznbeans", 207], ["@refinery29", 203], ["@thisweekabc", 202], ["@ryanwesleysmith", 202], ["@poniewozik", 197], ["@tcrabtree83", 195], ["@kesgardner", 193], ["@kim", 192], ["@jordansekulow", 188], ["@grauface", 187], ["@keahukahuanui", 185], ["@arrghpaine", 181], ["@ted", 180], ["@rickklein", 177], ["@eclectablog", 174], ["@allitrippy", 172], ["@grrr", 172], ["@itsgabrielleu", 171], ["@shondarhimes", 168], ["@moshekasher", 164], ["@resisttyranny", 164], ["@kakukowski", 164], ["@antderosa", 160], ["@globalgrind", 158], ["@allisonkilkenny", 156], ["@simonhelberg", 153], ["@jilliandeltoro", 152]], [["#debates", 176525], ["#leadfromwithin", 5463], ["#debate", 4649], ["#debate2012", 4120], ["#tcot", 3859], ["#romney", 3840], ["#obama", 3546], ["#cantafford4more", 2772], ["#hofstradebate", 2399], ["#current2012", 1453], ["#bindersfullofwomen", 1273], ["#p2", 1226], ["#romneyryan2012", 1209], ["#obama2012", 1085], ["#cnndebate", 903], ["#election2012", 772], ["#teaparty", 589], ["#hofdebate", 537], ["#fastandfurious", 520], ["#gop", 464], ["#teamobama", 462], ["#realromney", 417], ["#mockthevote", 393], ["#immigration", 377], ["#townhalldebate", 326], ["#mittromney", 322], ["#shitstorm2012", 319], ["#cnn", 296], ["#theblaze2012", 295], ["#atfgunwalking", 293], ["#binderfullofwomen", 293], ["#libya", 288], ["#presidentialdebate", 274], ["#debates2012", 274], ["#fb", 274], ["#lnyhbt", 265], ["#nbcpolitics", 265], ["#candy", 257], ["#mittmath", 243], ["#obamawinning", 232], ["#wiright", 231], ["#youtubepolitics", 222], ["#fail", 219], ["#msnbc2012", 216], ["#g442", 212], ["#cspan2012", 212], ["#romney2012", 209], ["#mitt", 204], ["#debate2", 203], ["#election", 196], ["#strong", 193], ["#potus", 191], ["#tlot", 188], ["#benghazi", 183], ["#cnndebates", 178], ["#getempotus", 172], ["#ajstream", 155], ["#binders", 149], ["#takeyourtopoffalready", 147], ["#shevotes", 145], ["#women", 143], ["#nobama", 143], ["#teambarack", 143], ["#mittlies", 140], ["#bigbird", 133], ["#jjp", 132], ["#getglue", 125], ["#sensata", 121], ["#changethedebate", 118], ["#candycrowley", 115], ["#vote", 114], ["#ndaa", 112], ["#politics", 112], ["#pdslive", 109], ["#romneyryan", 109], ["#twib2012", 109], ["#dreamact", 108], ["#energy", 108], ["#latism", 107], ["#china", 104], ["#bindersofwomen", 103], ["#hofstradebates", 103], ["#romneywinning", 102], ["#youngcons", 101], ["#foxnews", 99], ["#msnbc", 99], ["#obamacare", 98], ["#sunlive", 95], ["#truth", 94], ["#malarkey", 94], ["#mittens", 92], ["#boom", 91], ["#yeahimhigh", 90], ["#jobs", 87], ["#decision2012", 87], ["#bindergate", 87], ["#news", 85], ["#rnc", 85], ["#sketchydeal", 84], ["#imhereivote", 84]], [["Romney", 69659], ["Obama", 48416]]]
{"QuestionId":"q292","Parse":{"TopicEntityName":"French language ","TopicEntityMid":"<http://dbpedia.org/resource/French_language>","InferentialChain":["currencies","in","places","people","speak","french"],"Constraints":[],"Answers":[{"AnswerType":"Numeric","AnswerArgument":"55","EntityName":""}]}}
{ "id": 3576, "title": "Trance Knights", "url": "https://mangadex.org/manga/3576", "last_updated": "January 17, 2021 06:53:23 UTC", "matches": [ { "id": 13066, "title": "Kakusansei Million Arthur - Gunjou no Sorcery Road", "score": 0.732 }, { "id": 4994, "title": "Saint Seiya", "score": 0.716 }, { "id": 7195, "title": "Nanatsu no Taizai", "score": 0.716 }, { "id": 21283, "title": "Persona 5", "score": 0.715 }, { "id": 46608, "title": "Sword Art Online - Lycoris", "score": 0.715 }, { "id": 11841, "title": "Saint Seiya - Episode G Assassin", "score": 0.714 }, { "id": 21061, "title": "Tales of Berseria", "score": 0.711 }, { "id": 10207, "title": "Saint Seiya - Episode G", "score": 0.71 }, { "id": 6872, "title": "Tales of Vesperia", "score": 0.709 }, { "id": 8325, "title": "Tales of Innocence", "score": 0.708 }, { "id": 41007, "title": "Nanatsu no Taizai (Fan Colored)", "score": 0.707 }, { "id": 48220, "title": "Macross Delta", "score": 0.706 }, { "id": 5683, "title": "Mononoke Hime", "score": 0.706 }, { "id": 23231, "title": "Wu Dong Qian Kun", "score": 0.706 }, { "id": 42459, "title": "Akame ga Kill! 1.5", "score": 0.705 }, { "id": 5937, "title": "CYBER Blue", "score": 0.704 }, { "id": 7308, "title": "Radiata Stories - The Song of Ridley", "score": 0.703 }, { "id": 56522, "title": "Rurouni Kenshin - Digital Colored Comics", "score": 0.702 }, { "id": 15082, "title": "Tales of Zestiria - Time of Guidance", "score": 0.702 }, { "id": 47474, "title": "Saint Seiya (Kanzenban Edition)", "score": 0.702 }, { "id": 6535, "title": "Radiata Stories - The Epic of Jack", "score": 0.702 }, { "id": 8328, "title": "Tales of Phantasia", "score": 0.701 }, { "id": 22236, "title": "Rurouni Kenshin: Hokkaido-hen", "score": 0.701 }, { "id": 1386, "title": "Red Eyes", "score": 0.701 }, { "id": 219, "title": "Akame ga KILL!", "score": 0.7 } ] }
{"body":"Conrad Botzum Farmstead Conrad Botzum Farmstead ©Ed Toerek   On a gently sloping terrace of the Cuyahoga Valley\u0027s southwestern wall sits the Conrad Botzum Farmstead. Its winding dirt driveway crosses the Towpath Trail and the railroad tracks before climbing 50 feet to the farmstead\u0027s plateau. The Conrad Botzum Farmstead conveys a feeling of self-containment and separation from the world beyond the wooded hills above and the river valley below.   Conrad and Louise Botzum NPS Collection History of the Farmstead Like all land in the Cuyahoga Valley, speculators in the Connecticut Land Company originally owned the property. John A. Botzum and his family took a frightening and dangerous journey before finally purchasing the property in 1876. The Botzum family originally owned woolen mills along the Rhine River in Germany. Fearful that his five sons would be drafted into the German Army during the Napoleonic Wars, John George Botzum decided to flee the country. During passage to America, pirates boarded their boat and robbed all of the passengers. As a result, the Botzums landed in New York City without any money to begin their new life. In New York, a dishonest agent attempted to persuade John to migrate to South America with a guarantee of quick fortune. Before agreeing to the trip, John discovered that the agent planned to sell the family into slavery. According to family history, the Botzums were soon rescued by new friends and headed to Ohio in 1836. After a brief stay in Cleveland, the Botzums moved to Northampton Township. John worked as a construction laborer while his wife Katherine took in boarders. John\u0027s sons purchased additional property in the area, including what is now called the Conrad Botzum Farmstead. In 1876, John A. Botzum purchased the farmstead, which was later transferred to his brother Conrad in 1883. All of the Botzum brothers excelled at raising livestock. Whereas the average local farm had about 13 sheep and produced about 64 pounds of wool, John A. Botzum owned 65 sheep and produced 500 pounds of wool.   Conrad Botzum Farm ©Jeffrey Gibson   Botzum Brothers Company Conrad\u0027s oldest sons, Charles and Harry, maintained ownership of the farmstead into the mid-20th century. They also operated the Botzum Brothers Company, a successful business that sold everything from planting seeds to construction materials. As with others valley farms, after about 1930 the Botzum Farm succumbed to agricultural competition from elsewhere in Ohio and beyond. Charles and Harry Botzum eventually sold the farm to Sherman and Mary Schumacher, who sold the farm to the National Park Service in 1991. The Farmstead Today Today, Conrad\u0027s great-granddaughter, Maureen Winkelmann, and her husband George work to preserve the property through their non-profit corporation. The 1898 bank barn is now a popular location for weddings and other special events. Click to visit the Conrad Botzum Farmstead website.   Click on the links to discover more: Former Coliseum Property Conrad Botzum Farmstead Point Farm Welton Farm Heritage Farms","url":"https://www.nps.gov/cuva/learn/historyculture/botzum-farm.htm","title":"Cuyahoga Valley National Park: Conrad Botzum Farmstead"}
{ "_class": "group", "booleanOperation": -1, "clippingMaskMode": 0, "do_objectID": "E7674CC1-0478-4316-A9A3-C19837B04161", "exportOptions": { "_class": "exportOptions", "exportFormats": [ ], "includedLayerIds": [ ], "layerOptions": 0, "shouldTrim": false }, "frame": { "_class": "rect", "constrainProportions": false, "height": 243, "width": 285, "x": 0, "y": 0 }, "groupLayout": { "_class": "MSImmutableFreeformGroupLayout" }, "hasClickThrough": false, "hasClippingMask": false, "isFixedToViewport": false, "isFlippedHorizontal": false, "isFlippedVertical": false, "isLocked": false, "isVisible": true, "layerListExpandedType": 2, "layers": [ { "class": "group", "id": "F49BAB6C-AE17-4C7E-8B04-3FB30CEA2188" }, { "class": "group", "id": "ED0C8E2A-DCA9-4AE3-9071-24B43277862C" }, { "class": "group", "id": "2BC420F4-EE00-49D8-BD4E-EDB13824E263" }, { "class": "text", "id": "3884EF6D-B566-4A76-A8D9-6DDAD7C84569" }, { "class": "text", "id": "DDE11557-810D-424A-8AB7-1632C54648F6" }, { "class": "text", "id": "01A784DF-DD45-4D13-8C08-8F73F09A13E7" }, { "class": "text", "id": "6445265C-FEF8-40E8-BF30-554D27909629" }, { "class": "text", "id": "B16013E9-3702-4EE7-AC34-51F9517C463A" }, { "class": "text", "id": "CEE9F584-1B70-47CC-87DE-2727826783E3" }, { "class": "text", "id": "489F6E4F-ABF0-4C73-B8CB-67F4B477231E" }, { "class": "text", "id": "CEAD387C-A200-4E10-861B-209E0C20A77B" }, { "class": "text", "id": "E16E886F-AD17-4575-AFFB-EED49EFFA468" }, { "class": "text", "id": "B71B70C3-1642-479D-9F90-B371759F9298" }, { "class": "text", "id": "02C4A87E-71B5-447D-AA7A-06F0667048BF" }, { "class": "text", "id": "03C71281-BC24-4CB6-8789-9DB534D123BD" }, { "class": "text", "id": "56B793F5-27AA-4131-AD7A-659DE51E29A1" }, { "class": "text", "id": "7C4A26F9-6AF9-4AFC-AE5D-EB967B197697" }, { "class": "text", "id": "696845C7-8E47-4973-A09F-783F28386D9B" } ], "name": "Group", "nameIsFixed": false, "resizingConstraint": 63, "resizingType": 0, "rotation": 0, "shouldBreakMaskChain": false, "style": { "_class": "style", "endMarkerType": 0, "miterLimit": 10, "startMarkerType": 0, "windingRule": 1 }, "userInfo": { "com.animaapp.stc-sketch-plugin": { "kModelPropertiesKey": { } } } }
{"title":"Java面试","date":"2019-12-09T12:45:48.304Z","link":"post/Java面试","updated":"2019-12-09T12:45:40.217Z","content":"<h3 id=\"Java面试考点\">Java面试考点<a href=\"post/Java面试#Java面试考点\"></a></h3><p><strong>写在前面的话:</strong></p>\n<p>​ <strong>1. 面试需要长期积累</strong></p>\n<p>​ <strong>2. 合理利用搜索引擎,培养主动解决问题的能力</strong></p>\n<h4 id=\"1-Java考点\">1. Java考点<a href=\"post/Java面试#1-Java考点\"></a></h4><p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1572610742574.png\" alt=\"1572610742574\" class=\"article-img\"></p>\n<h5 id=\"1-1-问题一:谈谈对Java语言的理解\">1.1 问题一:谈谈对Java语言的理解<a href=\"post/Java面试#1-1-问题一:谈谈对Java语言的理解\"></a></h5><p>从以下几个方面:</p>\n<ul>\n<li>平台无关性(Compile Once,Run Anywhere即一次编译,到处运行)</li>\n<li>面向对象:封装、继承、多态</li>\n<li>GC(垃圾回收机制):无需像C++一样手动释放内存</li>\n<li>语言特性:泛型、反射、Lambda表达式</li>\n<li>类库:Java本身自带的集合、并发库、网络库、IO和NIO等</li>\n<li>异常处理</li>\n</ul>\n<h5 id=\"1-2-问题二:Compile-Once,Run-Anywhere如何实现\">1.2 问题二:Compile Once,Run Anywhere如何实现<a href=\"post/Java面试#1-2-问题二:Compile-Once,Run-Anywhere如何实现\"></a></h5><p><strong>即考察平台无关性(Compile Once,Run Anywhere的前提是JDK或JRE版本相同)</strong></p>\n<p>Java源码首先被编译成字节码,再由不同平台的JVM进行解析,<strong>Java语言在不同的平台上运行时不需要进行重新编译</strong>,Java虚拟机在执行字节码的时候,再把字节码转换成具体平台上的机器指令。 </p>\n<p>首先,源代码经由javac编译生成字节码并保存在.class文件中。字节码和.class文件就是跨平台的基础。再由不同平台的JVM加载执行对应的.class文件。 </p>\n<p><strong>javac</strong>指令将源码编译生成字节码,并存入对应的.class文件。.class文件保存源码翻译的二进制字节码文件,同时会添加一个共有的静态常量属性class,该属性记录了类的相关信息及类型信息,是class的一个实例。</p>\n<p><strong>java</strong>指令使JVM解析对应的.class文件,将字节码加载进内存,并转换成操作系统能够识别的机器码去执行</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1572613736866.png\" alt=\"1572613736866\" class=\"article-img\"></p>\n<p><strong>如何查看字节码文件</strong></p>\n<p><strong>javap</strong>——JDK自带的反编译器,可以查看生成的字节码,从而了解编译器内部的工作机制</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1572614300130.png\" alt=\"1572614300130\" class=\"article-img\"></p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1572614483662.png\" alt=\"1572614483662\" class=\"article-img\"></p>\n<h5 id=\"1-3-问题三:为什么JVM不直接将源码解析成机器码去执行\">1.3 问题三:为什么JVM不直接将源码解析成机器码去执行<a href=\"post/Java面试#1-3-问题三:为什么JVM不直接将源码解析成机器码去执行\"></a></h5><ul>\n<li>避免每次执行前都需要各种检查</li>\n<li>兼容性,也可以将其他语言解析成字节码</li>\n</ul>\n<p>若JVM直接将源码解析成机器码去执行,则每次执行前都需进行各种语法、句法、语义的检查(且不会被保存),性能大大受到影响</p>\n<h5 id=\"1-4-问题四:JVM如何加载-class文件\">1.4 问题四:JVM如何加载.class文件<a href=\"post/Java面试#1-4-问题四:JVM如何加载-class文件\"></a></h5><p><strong>主要通过Class Loader将符合其格式的class文件加载到内存中,经由Execution Engine解析class文件中的字节码,并提交给操作系统去执行。</strong></p>\n<p>Java虚拟机:是一种抽象化的计算机,通过在实际的计算机上仿真、模拟各种计算机功能来实现的。JVM有自己完善的硬件架构(如处理器、堆栈、寄存器等),还具有相应的指令系统。JVM屏蔽了与具体操作系统平台相关的信息,使Java程序只需生成在Java虚拟机上运行的目标代码——字节码,即可在不同平台上运行</p>\n<p>JVM屏蔽底层操作系统平台的不同,并且减少基于原生语言开发的复杂性。只需虚拟机厂商在特定操作系统上实现虚拟机定义如何将字节码解析成本操作系统能够执行的二进制码。</p>\n<p><strong>JVM最值得学习的两点:1. JVM内存空间结构模型 2. GC</strong></p>\n<p><strong>JVM是内存中的虚拟机,即JVM中的存储就是内存!</strong></p>\n<p>JVM的架构</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1572616101746.png\" alt=\"1572616101746\" class=\"article-img\"></p>\n<ul>\n<li>Class Loader : 依据特定格式,加载class文件到内存中(JVM在内存中)</li>\n<li>Execution Engine : 对命令进行解析</li>\n<li>Native Interface(本地接口) : 融合不同开发语言的原生库为Java所用(Java的性能不及C和C++,主流的JVM也是基于C实现)</li>\n<li>Runtime Data Area : JVM内存空间结构模型。我们所写的程序都会被加载到这里,之后再开始运行</li>\n</ul>\n<p>Class Loader的作用:加载编译好的class文件到内存。Class Loader加载的文件有格式要求(无需深究),只管加载符合格式要求的class文件。只要符合格式,就能加载。至于能否运行,则由Execution Engine负责。</p>\n<p>Execution Engine,又名解释器。负责对命令进行解析,解析之后提交到真正的操作系统中执行。</p>\n<h5 id=\"1-5-问题五:什么是反射\">1.5 问题五:什么是反射<a href=\"post/Java面试#1-5-问题五:什么是反射\"></a></h5><p>Java反射机制是在运行状态中,对于任意一个类,都能知道这个类的所有属性和方法;对于任意一个对象,都能够调用它的任意方法和属性;这种动态获取信息以及动态调用对象方法的功能称为java语言的反射机制。</p>\n<p>理论性过强,列举常用的反射函数或写一个反射例子</p>\n<p>狂神Java反射</p>\n<h5 id=\"1-6-问题六:类从编译到执行的过程\">1.6 问题六:类从编译到执行的过程<a href=\"post/Java面试#1-6-问题六:类从编译到执行的过程\"></a></h5><ol>\n<li>编译器将xxx.java源代码编译为xxx.class字节码文件</li>\n<li>ClassLoader将字节码转换为JVM的Class<xxx>对象</xxx></li>\n<li>JVM利用Class<xxx>对象实例化为xxx对象</xxx></li>\n</ol>\n<h5 id=\"1-7-问题七:谈谈ClassLoader\">1.7 问题七:谈谈ClassLoader<a href=\"post/Java面试#1-7-问题七:谈谈ClassLoader\"></a></h5><p>ClassLoader在Java中有着非常重要的作用,它主要工作在Class装载的加载阶段,其主要作用是从系统外部获得Class二进制数据流。它是Java的核心组件,所有的Class都是有ClassLoader进行加载的,ClassLoader负责通过将Class文件里的二进制数据流装载进系统,然后交给Java虚拟机进行连接、初始化等操作。</p>\n<p>classLoader是一个抽象类,提供了一些接口,用以自定义class的加载流程以及加载方式</p>\n<p>主要方法:loadClass</p>\n<p>通过该方法才能加载类以及给定类名返回该类的实例,找不到则抛出异常classNotFoundException</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br></pre></td><td class=\"code\"><pre><span class=\"line\"><span class=\"keyword\">protected</span> Class&lt;?&gt; loadClass(String name, <span class=\"keyword\">boolean</span> resolve)</span><br><span class=\"line\"> <span class=\"comment\">//resolve默认为false</span></span><br></pre></td></tr></table></div></figure>\n\n<p>ClassLoader的种类:</p>\n<ul>\n<li><p>BootStrapClassLoader: C++编写,加载java自带的核心类库java.*(用户不可见)</p>\n</li>\n<li><p>ExtClassLoader: java编写,加载扩展类库javax.*(用户可见)</p>\n<p>加载路径:java.ext.dirs</p>\n<p>用到才会加载,并非一次性加载</p>\n</li>\n<li><p>APPClassLoader: java编写,加载ClassPath目录(程序所在目录/类路径)下的内容(用户可见)</p>\n<p>加载路径:java.class.path</p>\n</li>\n<li><p>自定义ClassLoader: java编写,定制化加载</p>\n</li>\n</ul>\n<blockquote>\n<p>用户可见:可以通过代码看见</p>\n<p>用户不可见:不可以通过代码看见,BootStrapClassLoader是用C++编写的</p>\n</blockquote>\n<p>自定义ClassLoader的实现:通过覆盖两个函数</p>\n<ol>\n<li>findClass:寻找class文件,包括如何读进二进制流并对其进行处理,继而返回一个class对象</li>\n<li>defineClass:定义一个类,传入的参数是一个byte[]数组,字节码文件就是以一个byte数组的形式传入</li>\n</ol>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br><span class=\"line\">3</span><br><span class=\"line\">4</span><br><span class=\"line\">5</span><br><span class=\"line\">6</span><br></pre></td><td class=\"code\"><pre><span class=\"line\"><span class=\"keyword\">protected</span> Class&lt;?&gt; findClass(String name) <span class=\"keyword\">throws</span> ClassNotFoundException&#123;</span><br><span class=\"line\"> <span class=\"keyword\">throw</span> <span class=\"keyword\">new</span> ClassNotFoundException(name);</span><br><span class=\"line\">&#125;</span><br><span class=\"line\"><span class=\"keyword\">protected</span> <span class=\"keyword\">final</span> Class&lt;?&gt; defineClass(<span class=\"keyword\">byte</span>[] b, <span class=\"keyword\">int</span> off, <span class=\"keyword\">int</span> len) <span class=\"keyword\">throws</span> ClassFormatException&#123;</span><br><span class=\"line\"> <span class=\"keyword\">return</span> defineClass(<span class=\"keyword\">null</span>,b,off,len,<span class=\"keyword\">null</span>);</span><br><span class=\"line\">&#125;</span><br></pre></td></tr></table></div></figure>\n\n<p>findClass就是根据名称去加载.class字节码,然后调用defineClass去解析定义.class字节流并返回class对象</p>\n<p>自定义ClassLoaderDemo</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br><span class=\"line\">3</span><br><span class=\"line\">4</span><br><span class=\"line\">5</span><br><span class=\"line\">6</span><br><span class=\"line\">7</span><br><span class=\"line\">8</span><br><span class=\"line\">9</span><br><span class=\"line\">10</span><br><span class=\"line\">11</span><br><span class=\"line\">12</span><br><span class=\"line\">13</span><br><span class=\"line\">14</span><br><span class=\"line\">15</span><br><span class=\"line\">16</span><br><span class=\"line\">17</span><br><span class=\"line\">18</span><br><span class=\"line\">19</span><br><span class=\"line\">20</span><br><span class=\"line\">21</span><br><span class=\"line\">22</span><br><span class=\"line\">23</span><br><span class=\"line\">24</span><br><span class=\"line\">25</span><br><span class=\"line\">26</span><br><span class=\"line\">27</span><br><span class=\"line\">28</span><br><span class=\"line\">29</span><br><span class=\"line\">30</span><br><span class=\"line\">31</span><br><span class=\"line\">32</span><br><span class=\"line\">33</span><br><span class=\"line\">34</span><br><span class=\"line\">35</span><br><span class=\"line\">36</span><br><span class=\"line\">37</span><br><span class=\"line\">38</span><br><span class=\"line\">39</span><br><span class=\"line\">40</span><br><span class=\"line\">41</span><br><span class=\"line\">42</span><br><span class=\"line\">43</span><br><span class=\"line\">44</span><br><span class=\"line\">45</span><br><span class=\"line\">46</span><br><span class=\"line\">47</span><br><span class=\"line\">48</span><br></pre></td><td class=\"code\"><pre><span class=\"line\"><span class=\"keyword\">import</span> java.io.*;</span><br><span class=\"line\"></span><br><span class=\"line\"><span class=\"keyword\">public</span> <span class=\"class\"><span class=\"keyword\">class</span> <span class=\"title\">MyClassLoader</span> <span class=\"keyword\">extends</span> <span class=\"title\">ClassLoader</span> </span>&#123;</span><br><span class=\"line\"> <span class=\"keyword\">private</span> String path; <span class=\"comment\">//加载路径</span></span><br><span class=\"line\"> <span class=\"keyword\">private</span> String classLoaderName;</span><br><span class=\"line\"></span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> <span class=\"title\">MyClassLoader</span><span class=\"params\">(String path, String classLoaderName)</span> </span>&#123;</span><br><span class=\"line\"> <span class=\"comment\">//super(parent);</span></span><br><span class=\"line\"> <span class=\"keyword\">this</span>.path = path;</span><br><span class=\"line\"> <span class=\"keyword\">this</span>.classLoaderName = classLoaderName;</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"></span><br><span class=\"line\"> <span class=\"comment\">//用于寻找类文件 </span></span><br><span class=\"line\"> <span class=\"meta\">@Override</span></span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> Class <span class=\"title\">findClass</span><span class=\"params\">(String name)</span></span>&#123;</span><br><span class=\"line\"> <span class=\"keyword\">byte</span>[] b = <span class=\"keyword\">new</span> <span class=\"keyword\">byte</span>[<span class=\"number\">0</span>];</span><br><span class=\"line\"> <span class=\"keyword\">try</span> &#123;</span><br><span class=\"line\"> b = loadClassData(name);</span><br><span class=\"line\"> &#125; <span class=\"keyword\">catch</span> (IOException e) &#123;</span><br><span class=\"line\"> e.printStackTrace();</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> <span class=\"keyword\">return</span> defineClass(name,b,<span class=\"number\">0</span>,b.length);</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> <span class=\"comment\">//用于加载类文件</span></span><br><span class=\"line\"> <span class=\"keyword\">private</span> <span class=\"keyword\">byte</span>[] loadClassData(String name) <span class=\"keyword\">throws</span> IOException &#123;</span><br><span class=\"line\"> name = path + name + <span class=\"string\">\".class\"</span>;</span><br><span class=\"line\"> InputStream in = <span class=\"keyword\">null</span>;</span><br><span class=\"line\"> ByteArrayOutputStream out = <span class=\"keyword\">null</span>;</span><br><span class=\"line\"> <span class=\"keyword\">try</span>&#123;</span><br><span class=\"line\"> in = <span class=\"keyword\">new</span> FileInputStream(<span class=\"keyword\">new</span> File(name));</span><br><span class=\"line\"> out = <span class=\"keyword\">new</span> ByteArrayOutputStream();</span><br><span class=\"line\"> <span class=\"keyword\">int</span> i = <span class=\"number\">0</span>;</span><br><span class=\"line\"> <span class=\"keyword\">while</span> ((i = in. read()) != -<span class=\"number\">1</span>)&#123;</span><br><span class=\"line\"> out.write(i);</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> &#125; <span class=\"keyword\">catch</span> (FileNotFoundException e) &#123;</span><br><span class=\"line\"> e.printStackTrace();</span><br><span class=\"line\"> &#125; <span class=\"keyword\">finally</span> &#123;</span><br><span class=\"line\"> <span class=\"keyword\">try</span>&#123;</span><br><span class=\"line\"> in.close();</span><br><span class=\"line\"> out.close();</span><br><span class=\"line\"> &#125; <span class=\"keyword\">catch</span> (IOException e) &#123;</span><br><span class=\"line\"> e.printStackTrace();</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> <span class=\"keyword\">return</span> out.toByteArray();</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\">&#125;</span><br></pre></td></tr></table></div></figure>\n\n<p>测试</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br><span class=\"line\">3</span><br><span class=\"line\">4</span><br><span class=\"line\">5</span><br><span class=\"line\">6</span><br><span class=\"line\">7</span><br><span class=\"line\">8</span><br><span class=\"line\">9</span><br><span class=\"line\">10</span><br></pre></td><td class=\"code\"><pre><span class=\"line\"><span class=\"keyword\">public</span> <span class=\"class\"><span class=\"keyword\">class</span> <span class=\"title\">ClassLoadChecker</span> </span>&#123;</span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> <span class=\"keyword\">static</span> <span class=\"keyword\">void</span> <span class=\"title\">main</span><span class=\"params\">(String[] args)</span> <span class=\"keyword\">throws</span> ClassNotFoundException, IllegalAccessException, InstantiationException </span>&#123;</span><br><span class=\"line\"> MyClassLoader m = <span class=\"keyword\">new</span> MyClassLoader(<span class=\"string\">\"E:\\\\IDEA-WorkSpace\\\\Basic-Java\\\\src\\\\\"</span>,<span class=\"string\">\"myClassLoader\"</span>); </span><br><span class=\"line\"> <span class=\"comment\">//src后一定要有\\\\否则报错,因为name = path + name + \".class\";</span></span><br><span class=\"line\"> <span class=\"comment\">//\"\\\\是转义\"</span></span><br><span class=\"line\"> Class c = m.loadClass(<span class=\"string\">\"hello\"</span>);</span><br><span class=\"line\"> System.out.println(c.getClassLoader());</span><br><span class=\"line\"> c.newInstance();</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\">&#125;</span><br></pre></td></tr></table></div></figure>\n\n<p>要先用javac命令编译生成.class文件,否则找不到文件,无法转化成二进制流读入!</p>\n<p>findClass寻找到类文件后,就会将其以二进制byte[]数组的形式加载并传递给defineClass。</p>\n<h5 id=\"1-8-问题八:双亲委派机制\">1.8 问题八:双亲委派机制<a href=\"post/Java面试#1-8-问题八:双亲委派机制\"></a></h5><p>不同的ClassLoader加载类的方式和路径不同。加载类时会按照管理的区域各司其职,双亲委派机制就是让它们相互协作,形成整体的一种机制。</p>\n<p>双亲委派机制原理图</p>\n<p><img src=\"https://ss0.bdstatic.com/94oJfD_bAAcT8t7mm9GUKT-xh_/timg?image&quality=100&size=b4000_4000&sec=1572949872&di=164f71a0bcf42946dc62e24054ed345a&src=http://img2018.cnblogs.com/blog/1652057/201904/1652057-20190422161748156-1592156695.png\" alt=\"img\" class=\"article-img\"></p>\n<p>加载方式:</p>\n<p>首先,自底而上,从自定义ClassLoader开始查找是否加载过该类,若加载过则直接返回,若未加载则委派给APPClassLoader查找是否加载过该类</p>\n<p>重复上述过程直至找到BootStrapClassLoader</p>\n<p>若仍未找到,则BootStrapClassLoader就会尝试到Load JRE\\lib\\rt.jar或-Xbootclasspath指定路径下寻找是否有该类对应的文件。若有,则将文件加载进BootStrapClassLoader中并返回。若没有,则会从上往下委派给Extension ClassLoader去到对应的Load JRE\\lib\\ext\\*.jar或-Djava.ext.dirs指定路径下寻找是否有该类对应的文件。</p>\n<p>重复上述过程直至找到自定义ClassLoader</p>\n<p>ClassLoader中的loadClass源码:</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br><span class=\"line\">3</span><br><span class=\"line\">4</span><br><span class=\"line\">5</span><br><span class=\"line\">6</span><br><span class=\"line\">7</span><br><span class=\"line\">8</span><br><span class=\"line\">9</span><br><span class=\"line\">10</span><br><span class=\"line\">11</span><br><span class=\"line\">12</span><br><span class=\"line\">13</span><br><span class=\"line\">14</span><br><span class=\"line\">15</span><br><span class=\"line\">16</span><br><span class=\"line\">17</span><br><span class=\"line\">18</span><br><span class=\"line\">19</span><br><span class=\"line\">20</span><br><span class=\"line\">21</span><br><span class=\"line\">22</span><br><span class=\"line\">23</span><br><span class=\"line\">24</span><br><span class=\"line\">25</span><br><span class=\"line\">26</span><br><span class=\"line\">27</span><br><span class=\"line\">28</span><br><span class=\"line\">29</span><br><span class=\"line\">30</span><br><span class=\"line\">31</span><br><span class=\"line\">32</span><br><span class=\"line\">33</span><br><span class=\"line\">34</span><br><span class=\"line\">35</span><br><span class=\"line\">36</span><br><span class=\"line\">37</span><br><span class=\"line\">38</span><br><span class=\"line\">39</span><br><span class=\"line\">40</span><br><span class=\"line\">41</span><br><span class=\"line\">42</span><br><span class=\"line\">43</span><br><span class=\"line\">44</span><br><span class=\"line\">45</span><br><span class=\"line\">46</span><br><span class=\"line\">47</span><br><span class=\"line\">48</span><br><span class=\"line\">49</span><br><span class=\"line\">50</span><br><span class=\"line\">51</span><br><span class=\"line\">52</span><br><span class=\"line\">53</span><br><span class=\"line\">54</span><br><span class=\"line\">55</span><br><span class=\"line\">56</span><br><span class=\"line\">57</span><br><span class=\"line\">58</span><br><span class=\"line\">59</span><br><span class=\"line\">60</span><br><span class=\"line\">61</span><br><span class=\"line\">62</span><br><span class=\"line\">63</span><br><span class=\"line\">64</span><br><span class=\"line\">65</span><br><span class=\"line\">66</span><br><span class=\"line\">67</span><br><span class=\"line\">68</span><br><span class=\"line\">69</span><br><span class=\"line\">70</span><br><span class=\"line\">71</span><br><span class=\"line\">72</span><br><span class=\"line\">73</span><br><span class=\"line\">74</span><br><span class=\"line\">75</span><br><span class=\"line\">76</span><br><span class=\"line\">77</span><br><span class=\"line\">78</span><br><span class=\"line\">79</span><br></pre></td><td class=\"code\"><pre><span class=\"line\"><span class=\"comment\">/**</span></span><br><span class=\"line\"><span class=\"comment\"> * Loads the class with the specified &lt;a href=\"#name\"&gt;binary name&lt;/a&gt;. The</span></span><br><span class=\"line\"><span class=\"comment\"> * default implementation of this method searches for classes in the</span></span><br><span class=\"line\"><span class=\"comment\"> * following order:</span></span><br><span class=\"line\"><span class=\"comment\"> *</span></span><br><span class=\"line\"><span class=\"comment\"> * &lt;ol&gt;</span></span><br><span class=\"line\"><span class=\"comment\"> *</span></span><br><span class=\"line\"><span class=\"comment\"> * &lt;li&gt;&lt;p&gt; Invoke &#123;<span class=\"doctag\">@link</span> #findLoadedClass(String)&#125; to check if the class</span></span><br><span class=\"line\"><span class=\"comment\"> * has already been loaded. &lt;/p&gt;&lt;/li&gt;</span></span><br><span class=\"line\"><span class=\"comment\"> *</span></span><br><span class=\"line\"><span class=\"comment\"> * &lt;li&gt;&lt;p&gt; Invoke the &#123;<span class=\"doctag\">@link</span> #loadClass(String) &lt;tt&gt;loadClass&lt;/tt&gt;&#125; method</span></span><br><span class=\"line\"><span class=\"comment\"> * on the parent class loader. If the parent is &lt;tt&gt;null&lt;/tt&gt; the class</span></span><br><span class=\"line\"><span class=\"comment\"> * loader built-in to the virtual machine is used, instead. &lt;/p&gt;&lt;/li&gt;</span></span><br><span class=\"line\"><span class=\"comment\"> *</span></span><br><span class=\"line\"><span class=\"comment\"> * &lt;li&gt;&lt;p&gt; Invoke the &#123;<span class=\"doctag\">@link</span> #findClass(String)&#125; method to find the</span></span><br><span class=\"line\"><span class=\"comment\"> * class. &lt;/p&gt;&lt;/li&gt;</span></span><br><span class=\"line\"><span class=\"comment\"> *</span></span><br><span class=\"line\"><span class=\"comment\"> * &lt;/ol&gt;</span></span><br><span class=\"line\"><span class=\"comment\"> *</span></span><br><span class=\"line\"><span class=\"comment\"> * &lt;p&gt; If the class was found using the above steps, and the</span></span><br><span class=\"line\"><span class=\"comment\"> * &lt;tt&gt;resolve&lt;/tt&gt; flag is true, this method will then invoke the &#123;<span class=\"doctag\">@link</span></span></span><br><span class=\"line\"><span class=\"comment\"> * #resolveClass(Class)&#125; method on the resulting &lt;tt&gt;Class&lt;/tt&gt; object.</span></span><br><span class=\"line\"><span class=\"comment\"> *</span></span><br><span class=\"line\"><span class=\"comment\"> * &lt;p&gt; Subclasses of &lt;tt&gt;ClassLoader&lt;/tt&gt; are encouraged to override &#123;<span class=\"doctag\">@link</span></span></span><br><span class=\"line\"><span class=\"comment\"> * #findClass(String)&#125;, rather than this method. &lt;/p&gt;</span></span><br><span class=\"line\"><span class=\"comment\"> *</span></span><br><span class=\"line\"><span class=\"comment\"> * &lt;p&gt; Unless overridden, this method synchronizes on the result of</span></span><br><span class=\"line\"><span class=\"comment\"> * &#123;<span class=\"doctag\">@link</span> #getClassLoadingLock &lt;tt&gt;getClassLoadingLock&lt;/tt&gt;&#125; method</span></span><br><span class=\"line\"><span class=\"comment\"> * during the entire class loading process.</span></span><br><span class=\"line\"><span class=\"comment\"> *</span></span><br><span class=\"line\"><span class=\"comment\"> * <span class=\"doctag\">@param</span> name</span></span><br><span class=\"line\"><span class=\"comment\"> * The &lt;a href=\"#name\"&gt;binary name&lt;/a&gt; of the class</span></span><br><span class=\"line\"><span class=\"comment\"> *</span></span><br><span class=\"line\"><span class=\"comment\"> * <span class=\"doctag\">@param</span> resolve</span></span><br><span class=\"line\"><span class=\"comment\"> * If &lt;tt&gt;true&lt;/tt&gt; then resolve the class</span></span><br><span class=\"line\"><span class=\"comment\"> *</span></span><br><span class=\"line\"><span class=\"comment\"> * <span class=\"doctag\">@return</span> The resulting &lt;tt&gt;Class&lt;/tt&gt; object</span></span><br><span class=\"line\"><span class=\"comment\"> *</span></span><br><span class=\"line\"><span class=\"comment\"> * <span class=\"doctag\">@throws</span> ClassNotFoundException</span></span><br><span class=\"line\"><span class=\"comment\"> * If the class could not be found</span></span><br><span class=\"line\"><span class=\"comment\"> */</span></span><br><span class=\"line\"><span class=\"keyword\">protected</span> Class&lt;?&gt; loadClass(String name, <span class=\"keyword\">boolean</span> resolve)</span><br><span class=\"line\"> <span class=\"keyword\">throws</span> ClassNotFoundException</span><br><span class=\"line\">&#123;</span><br><span class=\"line\">\t<span class=\"comment\">//同步锁,防止多个线程调用同一个ClassLoader加载同一个类,避免冲突</span></span><br><span class=\"line\"> <span class=\"keyword\">synchronized</span> (getClassLoadingLock(name)) &#123;</span><br><span class=\"line\"> <span class=\"comment\">// First, check if the class has already been loaded</span></span><br><span class=\"line\"> Class&lt;?&gt; c = findLoadedClass(name);</span><br><span class=\"line\"> <span class=\"keyword\">if</span> (c == <span class=\"keyword\">null</span>) &#123;</span><br><span class=\"line\"> <span class=\"keyword\">long</span> t0 = System.nanoTime();</span><br><span class=\"line\"> <span class=\"keyword\">try</span> &#123;</span><br><span class=\"line\"> <span class=\"keyword\">if</span> (parent != <span class=\"keyword\">null</span>) &#123;</span><br><span class=\"line\"> c = parent.loadClass(name, <span class=\"keyword\">false</span>);</span><br><span class=\"line\"> &#125; <span class=\"keyword\">else</span> &#123;</span><br><span class=\"line\"> c = findBootstrapClassOrNull(name);</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> &#125; <span class=\"keyword\">catch</span> (ClassNotFoundException e) &#123;</span><br><span class=\"line\"> <span class=\"comment\">// ClassNotFoundException thrown if class not found</span></span><br><span class=\"line\"> <span class=\"comment\">// from the non-null parent class loader</span></span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"></span><br><span class=\"line\"> <span class=\"keyword\">if</span> (c == <span class=\"keyword\">null</span>) &#123;</span><br><span class=\"line\"> <span class=\"comment\">// If still not found, then invoke findClass in order</span></span><br><span class=\"line\"> <span class=\"comment\">// to find the class.</span></span><br><span class=\"line\"> <span class=\"keyword\">long</span> t1 = System.nanoTime();</span><br><span class=\"line\"> c = findClass(name);</span><br><span class=\"line\"></span><br><span class=\"line\"> <span class=\"comment\">// this is the defining class loader; record the stats</span></span><br><span class=\"line\"> sun.misc.PerfCounter.getParentDelegationTime().addTime(t1 - t0);</span><br><span class=\"line\"> sun.misc.PerfCounter.getFindClassTime().addElapsedTimeFrom(t1);</span><br><span class=\"line\"> sun.misc.PerfCounter.getFindClasses().increment();</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> <span class=\"keyword\">if</span> (resolve) &#123;</span><br><span class=\"line\"> resolveClass(c);</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> <span class=\"keyword\">return</span> c;</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\">&#125;</span><br></pre></td></tr></table></div></figure>\n\n<p>通过c.getClassLoader().getParent()方法可以得到加载类的父类,从而可以证明APPClassLoader是CustomClassLoader的父类,ExtensionClassLoader是APPClassLoader的父类,而ExtensionClassLoader的父类是null(因为BootStrapClassLoader是C++编写的,无法得到)</p>\n<p>为什么使用双亲委派机制加载类?</p>\n<ul>\n<li>避免多份同样字节码的加载,内存是宝贵的,没必要保存相同的两个类对象(class对象)</li>\n</ul>\n<h5 id=\"1-9-问题九:类的加载方式\">1.9 问题九:类的加载方式<a href=\"post/Java面试#1-9-问题九:类的加载方式\"></a></h5><ul>\n<li><p>隐式加载:new</p>\n<p>程序在加载过程中遇到通过new方式生成对象时,隐式调用类加载器,加载对应的类到JVM中</p>\n</li>\n<li><p>显示加载:loadClass,forName等</p>\n<p>通过loadClass以及forName等方法。显示加载需要类。对于显示加载来讲,当获得class对象之后,要调用class对象的newInstance()方法来生成对象的实例。</p>\n</li>\n</ul>\n<p>隐式加载与显示加载的区别:通过new来隐式加载则无需调用类对象(class对象)的newInstance()方法即可获取对象的实例,并且new支持带参数的构造器生成对象实例,而class对象的newInstance()方法则不支持传入参数,需要通过反射调用构造器对象的newInstance()方法才能支持传入参数。</p>\n<h5 id=\"1-10-问题十:loadClass和forName的区别\">1.10 问题十:loadClass和forName的区别<a href=\"post/Java面试#1-10-问题十:loadClass和forName的区别\"></a></h5><p>相同点:都能在运行时对任意一个类知道该类的所有属性和方法,对任意一个对象都能调用它的任意属性和方法。</p>\n<p>需要先了解类装载的过程(之前是加载,加载是装载的一部分)——class对象的生成过程。</p>\n<p>Java类装载分为3步:</p>\n<ol>\n<li>加载:通过ClassLoader加载class字节码文件到内存中,并生成class对象(将这些静态数据转换成运行时数据区中方法区的类型数据,在运行时,数据堆区中生成一个代表这个类的java.lang.class对象,作为方法区类数据的访问入口)。</li>\n<li>链接:<ul>\n<li>校验:检查加载的class文件的正确性和安全性。检查class文件的格式是否正确。</li>\n<li>准备:为类变量分配存储空间并设置类变量初始值。类变量随类型信息存放在方法区中,生命周期很长,使用不当很容易造成内存泄漏。类变量指的是static变量。初始值指的是类变量类型的默认值,而非实际赋予的值</li>\n<li>解析(可选):JVM将常量池内的符号引用转换为直接引用</li>\n</ul>\n</li>\n<li>初始化:执行类变量赋值和静态代码块</li>\n</ol>\n<blockquote>\n<p>loadClass类中的resolve参数就是决定是否去解析类(链接类),默认为false</p>\n<p>forName类中的initialize参数表示是否初始化,传递值为true。即调用forName时就会初始化该类</p>\n</blockquote>\n<p>不同点:Class.forName得到的class是已经初始化完成的,ClassLoader.loadClass得到的class是还没有链接的。</p>\n<p>演示代码:</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br><span class=\"line\">3</span><br><span class=\"line\">4</span><br><span class=\"line\">5</span><br><span class=\"line\">6</span><br><span class=\"line\">7</span><br><span class=\"line\">8</span><br><span class=\"line\">9</span><br><span class=\"line\">10</span><br><span class=\"line\">11</span><br><span class=\"line\">12</span><br><span class=\"line\">13</span><br><span class=\"line\">14</span><br><span class=\"line\">15</span><br><span class=\"line\">16</span><br><span class=\"line\">17</span><br><span class=\"line\">18</span><br><span class=\"line\">19</span><br><span class=\"line\">20</span><br><span class=\"line\">21</span><br><span class=\"line\">22</span><br></pre></td><td class=\"code\"><pre><span class=\"line\"><span class=\"keyword\">package</span> JVM6_5;</span><br><span class=\"line\"></span><br><span class=\"line\"><span class=\"keyword\">public</span> <span class=\"class\"><span class=\"keyword\">class</span> <span class=\"title\">Robot</span> </span>&#123;</span><br><span class=\"line\"> <span class=\"keyword\">private</span> String name;</span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> <span class=\"keyword\">void</span> <span class=\"title\">sayHi</span><span class=\"params\">(String name)</span></span>&#123;</span><br><span class=\"line\"> System.out.println(<span class=\"string\">\"hello,my name is \"</span> + name);</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> <span class=\"keyword\">static</span> &#123;</span><br><span class=\"line\"> System.out.println(<span class=\"string\">\"hello,moto\"</span>);</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\">&#125;</span><br><span class=\"line\"><span class=\"comment\">//测试类</span></span><br><span class=\"line\"><span class=\"keyword\">package</span> JVM6_5;</span><br><span class=\"line\"></span><br><span class=\"line\"><span class=\"keyword\">public</span> <span class=\"class\"><span class=\"keyword\">class</span> <span class=\"title\">LoadDifference</span> </span>&#123;</span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> <span class=\"keyword\">static</span> <span class=\"keyword\">void</span> <span class=\"title\">main</span><span class=\"params\">(String[] args)</span> <span class=\"keyword\">throws</span> ClassNotFoundException </span>&#123;</span><br><span class=\"line\"> ClassLoader cl = Robot.class.getClassLoader();</span><br><span class=\"line\"> <span class=\"comment\">//运行结果为空白(什么都没有)</span></span><br><span class=\"line\"> Class c = Class.forName(<span class=\"string\">\"JVM6_5.Robot\"</span>);</span><br><span class=\"line\">\t\t<span class=\"comment\">//控制台打印\"hello,moto\"。因为static代码块中的内容需要在初始化时执行</span></span><br><span class=\"line\"> &#125;</span><br><span class=\"line\">&#125;</span><br></pre></td></tr></table></div></figure>\n\n<p>由此可证明Class.forName得到的class是已经初始化完成的,ClassLoader.loadClass得到的class是还没有链接的。</p>\n<p>forName的用处:连接数据库驱动</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br></pre></td><td class=\"code\"><pre><span class=\"line\">Class.forName(<span class=\"string\">\"com.mysql.jdbc.Driver\"</span>);</span><br></pre></td></tr></table></div></figure>\n\n<p>在Driver中有一段静态代码,因此只有调用forName才能执行</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br><span class=\"line\">3</span><br><span class=\"line\">4</span><br><span class=\"line\">5</span><br><span class=\"line\">6</span><br><span class=\"line\">7</span><br><span class=\"line\">8</span><br><span class=\"line\">9</span><br><span class=\"line\">10</span><br><span class=\"line\">11</span><br><span class=\"line\">12</span><br><span class=\"line\">13</span><br><span class=\"line\">14</span><br><span class=\"line\">15</span><br><span class=\"line\">16</span><br><span class=\"line\">17</span><br></pre></td><td class=\"code\"><pre><span class=\"line\"><span class=\"keyword\">package</span> com.mysql.jdbc;</span><br><span class=\"line\"></span><br><span class=\"line\"><span class=\"keyword\">import</span> java.sql.DriverManager;</span><br><span class=\"line\"><span class=\"keyword\">import</span> java.sql.SQLException;</span><br><span class=\"line\"></span><br><span class=\"line\"><span class=\"keyword\">public</span> <span class=\"class\"><span class=\"keyword\">class</span> <span class=\"title\">Driver</span> <span class=\"keyword\">extends</span> <span class=\"title\">NonRegisteringDriver</span> <span class=\"keyword\">implements</span> <span class=\"title\">java</span>.<span class=\"title\">sql</span>.<span class=\"title\">Driver</span> </span>&#123;</span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> <span class=\"title\">Driver</span><span class=\"params\">()</span> <span class=\"keyword\">throws</span> SQLException </span>&#123;</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"></span><br><span class=\"line\"> <span class=\"keyword\">static</span> &#123;</span><br><span class=\"line\"> <span class=\"keyword\">try</span> &#123;</span><br><span class=\"line\"> DriverManager.registerDriver(<span class=\"keyword\">new</span> Driver());</span><br><span class=\"line\"> &#125; <span class=\"keyword\">catch</span> (SQLException var1) &#123;</span><br><span class=\"line\"> <span class=\"keyword\">throw</span> <span class=\"keyword\">new</span> RuntimeException(<span class=\"string\">\"Can't register driver!\"</span>);</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\">&#125;</span><br></pre></td></tr></table></div></figure>\n\n<p>loadClass的用处:在Spring IOC中,在资源加载器获取要读入的资源及读入bean的配置文件时,需要使用ClassLoader.loadClass加载。因为Spring IOC的lazy loading(延迟加载)。Spring IOC为了加快初始化速度,大量使用了延迟技术。而使用loadClass不需要执行类中的初始化代码以及链接的步骤,加快了装载速度,将类的初始化留到实际使用到该类时再做。</p>\n<h5 id=\"1-11-问题十一:什么是Java内存模型\">1.11 问题十一:什么是Java内存模型<a href=\"post/Java面试#1-11-问题十一:什么是Java内存模型\"></a></h5><p>内存简介:</p>\n<p>计算机的所有程序都是在内存中运行的。内存包括虚拟内存,也包括硬盘这样的外存支持。在程序运行过程中,需要不断将内存的虚拟地址和物理地址进行映射,找到相关的指令以及数据去执行。Java程序运行时面临和其他进程相同的内存限制,即受限于操作系统架构提供的可寻址地址空间。操作系统架构提供的可寻址地址空间由处理器的位数决定。常见的处理器有32位和64位。32位处理器提供了2^32的可寻址范围(大约4GB),64位处理器提供了2^64的可寻址范围。</p>\n<p>地址空间的划分:</p>\n<ul>\n<li><p>内核空间</p>\n<p>主要的操作系统程序和C运行时的空间,包含用于连接计算机硬件、调度程序以及提供联网和虚拟内存等服务的逻辑和基于C的进程。</p>\n</li>\n<li><p>用户空间</p>\n<p>除内核空间之外的空间</p>\n<p>Java进程实际运行时使用的内存空间。32位系统用户进程最大可访问3GB,内核代码可访问所有物理内存。64位系统用户进程最大可访问超过512GB,内核代码可访问所有物理内存。</p>\n</li>\n</ul>\n<p>JVM内存模型——JDK8</p>\n<p>Java程序运行在虚拟机之上,运行时需要内存空间。虚拟机执行Java程序过程中会将其管理的内存划分为不同的数据区以方便管理。</p>\n<p>C编译器将内存区域划分为数据段和代码段,数据段包括堆、栈以及静态数据区。Java语言中将内存区域划分为线程共有和私有。</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573132587108.png\" alt=\"1573132587108\" class=\"article-img\"></p>\n<ol>\n<li><p>程序计数器(Program Counter Register)</p>\n<ul>\n<li>当前线程所执行的字节码行号指示器(逻辑)</li>\n<li>改变计数器的值来选取下一条需要执行的字节码指令</li>\n<li>和线程是一对一的关系即”线程私有”</li>\n<li>对Java方法计数,若是native方法则计数器值为undefined</li>\n<li>不会发生内存泄漏</li>\n</ul>\n<p>是一块较小的内存空间。作用是当前线程所执行的字节码行号指示器。在虚拟机的概念模型中,字节码解释器工作是通过改变计数器的值来选取下一条需要执行的字节码指令。由于JVM的多线程是通过线程轮流切换的,并分配处理器执行时间的方式来实现的,在任一确认的时刻,一个处理器只会执行一条线程中的指令。因此,为了线程切换后恢复到正确的位置,每条线程都需要一个独立的程序计数器与之对应。各条线程的计数器之间各不影响,独立存储,称其这类内存为线程私有的内存。若线程正在执行Java方法,则该计数器记录正在执行虚拟机字节码指令的地址。如果是native方法则计数器值为undefined。此外,由于只是记录行号,程序计数器不会发生内存泄漏的问题。</p>\n<p>程序计数器是逻辑计数器而非物理计数器,为确保线程切换后都能恢复正确的执行位置,每个线程都有一个独立的程序计数器,程序计数器是线程独立的,且只为Java方法计数,且不会发生内存泄漏</p>\n</li>\n<li><p>Java虚拟机栈(Stack)</p>\n<ul>\n<li><p>Java方法执行的内存模型</p>\n</li>\n<li><p>包含多个栈帧</p>\n<p>Java虚拟机栈也是线程私有的,可以说是Java方法执行的内存模型,每个方法被执行时都会创建一个栈帧,即方法运行期间的基础数据结构。栈帧用于存储局部变量表、操作栈、动态连接、方法出口等每个方法执行中对应虚拟机栈帧从入栈到出栈的过程。Java虚拟机栈用来存储栈帧,栈帧持有局部变量和部分结果以及参与方法的调用与返回。当方法调用结束时,帧才会销毁。虚拟机栈包含了单个线程每个方法执行的栈帧,栈帧则存储了局部变量表,操作数栈、动态连接和方法出口等信息。</p>\n</li>\n</ul>\n</li>\n<li><p>本地方法栈</p>\n<p>与虚拟机栈相似,主要用于标注native方法</p>\n<p>Java方法调用虚拟机栈,带有native关键字的方法调用本地方法栈</p>\n</li>\n</ol>\n<p>局部变量表和操作数栈的区别:</p>\n<ul>\n<li><p>局部变量表:包含方法执行过程中的所有变量</p>\n</li>\n<li><p>操作数栈:包含入栈、出栈、复制、交换、产生消费变量</p>\n<p>在执行字节码指令过程中用到,这种方式类似原生CPU寄存器。大部分JVM字节码把时间花费在操作数栈的操作上,包括入栈、出栈、复制、交换、产生消费变量</p>\n</li>\n</ul>\n<p>因此,局部变量和操作数栈之间的交换变量指令操作通过字节码频繁执行。栈是一个后进先出的数据结构,因此,当前执行的方法在栈的顶部,每次方法调用时,一个新的栈帧创建并压栈到栈顶(?),方法正常返回或抛出未捕获的异常时,栈帧就会出栈。除了栈帧的压栈和出栈之外,栈不能被直接操作。</p>\n<p>可以通过javap -verbose xxx.java 指令:用口语化的形式描述xxx.java文件</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br><span class=\"line\">3</span><br><span class=\"line\">4</span><br><span class=\"line\">5</span><br><span class=\"line\">6</span><br><span class=\"line\">7</span><br></pre></td><td class=\"code\"><pre><span class=\"line\"><span class=\"keyword\">public</span> <span class=\"class\"><span class=\"keyword\">class</span> <span class=\"title\">ByteCodeSample</span></span>&#123;</span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> <span class=\"keyword\">static</span> <span class=\"keyword\">int</span> <span class=\"title\">add</span><span class=\"params\">(<span class=\"keyword\">int</span> a, <span class=\"keyword\">int</span> b)</span></span>&#123;</span><br><span class=\"line\"> <span class=\"keyword\">int</span> c = <span class=\"number\">0</span>;</span><br><span class=\"line\"> c = a + b;</span><br><span class=\"line\"> <span class=\"keyword\">return</span> c;</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\">&#125;</span><br></pre></td></tr></table></div></figure>\n\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573136450860.png\" alt=\"1573136450860\" class=\"article-img\"></p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573136192243.png\" alt=\"1573136192243\" class=\"article-img\"></p>\n<p>由上图可知操作数栈大小为2,局部变量表大小为3,一整个长方形条代表一个栈帧,共有7个栈帧。虚拟机栈会按照程序计数器从大到小依次压入栈帧,执行时也按照从小到大执行。</p>\n<p>首先,会执行iconst_0:将int值0压入操作数栈中,同时,传入的参数是1和2,因此局部变量表中就有2个变量,分别为1(第0个变量)和2(第1个变量)。</p>\n<p>接下来执行istore_2:将操作数栈中的栈顶元素0 pop出来存入局部变量表中的第2个变量中,此时,局部变量表中有3个变量。</p>\n<p>iload_0:将局部变量表中的第0个元素压入操作数栈中</p>\n<p>load——入栈 store——出栈</p>\n<p>iload_1:将局部变量表中的第1个元素压入操作数栈中,同时之前放入的1就会被挤到栈底</p>\n<p>iadd:将2和1弹出,将运算后的结果重新压入操作数栈中</p>\n<p>istore_2:将栈顶的元素3弹出存入到局部变量列表中的第2个变量中(替换掉0)</p>\n<p>iload_2:将局部变量列表中的第2个变量再次压入操作数栈顶</p>\n<p>ireturn:将栈顶元素返回</p>\n<p>方法完成执行,上述栈帧被自动销毁</p>\n<p>由此可知,局部变量列表主要是为操作数栈提供必要的数据支撑</p>\n<h5 id=\"1-12-问题十二:递归为什么会引发java-lang-StackOverflowError异常\">1.12 问题十二:递归为什么会引发java.lang.StackOverflowError异常<a href=\"post/Java面试#1-12-问题十二:递归为什么会引发java-lang-StackOverflowError异常\"></a></h5><p><strong>递归过深,栈帧数超出虚拟机栈深度</strong></p>\n<p>复现java.lang.StackOverflowError异常:</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br><span class=\"line\">3</span><br><span class=\"line\">4</span><br><span class=\"line\">5</span><br><span class=\"line\">6</span><br><span class=\"line\">7</span><br><span class=\"line\">8</span><br><span class=\"line\">9</span><br><span class=\"line\">10</span><br><span class=\"line\">11</span><br><span class=\"line\">12</span><br><span class=\"line\">13</span><br><span class=\"line\">14</span><br><span class=\"line\">15</span><br><span class=\"line\">16</span><br><span class=\"line\">17</span><br><span class=\"line\">18</span><br><span class=\"line\">19</span><br><span class=\"line\">20</span><br><span class=\"line\">21</span><br><span class=\"line\">22</span><br><span class=\"line\">23</span><br><span class=\"line\">24</span><br><span class=\"line\">25</span><br><span class=\"line\">26</span><br><span class=\"line\">27</span><br><span class=\"line\">28</span><br><span class=\"line\">29</span><br><span class=\"line\">30</span><br></pre></td><td class=\"code\"><pre><span class=\"line\"><span class=\"keyword\">public</span> <span class=\"class\"><span class=\"keyword\">class</span> <span class=\"title\">StackOverflowError</span> </span>&#123;</span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> <span class=\"keyword\">static</span> <span class=\"keyword\">int</span> <span class=\"title\">fibonacci</span><span class=\"params\">(<span class=\"keyword\">int</span> n)</span></span>&#123;</span><br><span class=\"line\"> <span class=\"keyword\">if</span>(n == <span class=\"number\">0</span>)</span><br><span class=\"line\"> <span class=\"keyword\">return</span> <span class=\"number\">0</span>;</span><br><span class=\"line\"> <span class=\"keyword\">if</span>(n == <span class=\"number\">1</span>)</span><br><span class=\"line\"> <span class=\"keyword\">return</span> <span class=\"number\">1</span>;</span><br><span class=\"line\"> <span class=\"keyword\">return</span> fibonacci(n-<span class=\"number\">1</span>) + fibonacci(n-<span class=\"number\">2</span>);</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"></span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> <span class=\"keyword\">static</span> <span class=\"keyword\">void</span> <span class=\"title\">main</span><span class=\"params\">(String[] args)</span> </span>&#123;</span><br><span class=\"line\"> System.out.println(fibonacci(<span class=\"number\">1000000</span> ));</span><br><span class=\"line\"> <span class=\"comment\">//递归过多</span></span><br><span class=\"line\"> &#125;</span><br><span class=\"line\">&#125;</span><br><span class=\"line\"><span class=\"comment\">/*</span></span><br><span class=\"line\"><span class=\"comment\">Exception in thread \"main\" java.lang.StackOverflowError</span></span><br><span class=\"line\"><span class=\"comment\">\tat JVM6_11.StackOverflowError.fibonacci(StackOverflowError.java:9)</span></span><br><span class=\"line\"><span class=\"comment\">\tat JVM6_11.StackOverflowError.fibonacci(StackOverflowError.java:9)</span></span><br><span class=\"line\"><span class=\"comment\">\tat JVM6_11.StackOverflowError.fibonacci(StackOverflowError.java:9)</span></span><br><span class=\"line\"><span class=\"comment\">\tat JVM6_11.StackOverflowError.fibonacci(StackOverflowError.java:9)</span></span><br><span class=\"line\"><span class=\"comment\">\tat JVM6_11.StackOverflowError.fibonacci(StackOverflowError.java:9)</span></span><br><span class=\"line\"><span class=\"comment\">\tat JVM6_11.StackOverflowError.fibonacci(StackOverflowError.java:9)</span></span><br><span class=\"line\"><span class=\"comment\">\tat JVM6_11.StackOverflowError.fibonacci(StackOverflowError.java:9)</span></span><br><span class=\"line\"><span class=\"comment\">\tat JVM6_11.StackOverflowError.fibonacci(StackOverflowError.java:9)</span></span><br><span class=\"line\"><span class=\"comment\">\tat JVM6_11.StackOverflowError.fibonacci(StackOverflowError.java:9)</span></span><br><span class=\"line\"><span class=\"comment\">\tat JVM6_11.StackOverflowError.fibonacci(StackOverflowError.java:9)</span></span><br><span class=\"line\"><span class=\"comment\">\tat JVM6_11.StackOverflowError.fibonacci(StackOverflowError.java:9)</span></span><br><span class=\"line\"><span class=\"comment\">\tat JVM6_11.StackOverflowError.fibonacci(StackOverflowError.java:9)</span></span><br><span class=\"line\"><span class=\"comment\">\t......</span></span><br><span class=\"line\"><span class=\"comment\">*/</span></span><br></pre></td></tr></table></div></figure>\n\n<p>产生原因分析:递归程序过多</p>\n<p>当线程执行一个方法时,就会随之创建一个栈帧并将建立的栈帧压入虚拟机栈中,当方法执行完毕后,就会将栈帧出栈。由此可知,线程当前执行的方法所对应的栈帧一定位于Java栈的顶部。而递归函数不断调用自身,每一次调用会涉及:</p>\n<ol>\n<li>每需调用方法就会生成一个栈帧</li>\n<li>会保存当前方法的栈帧状态,将其放入虚拟机栈中</li>\n<li>栈帧上下文切换时会切换到最新的方法栈帧中</li>\n</ol>\n<p>由于每个线程的虚拟机栈深度固定,递归实现将导致栈深度的增加,每次递归都会往栈中压入一个栈帧。当消耗超出了最大允许的深度,就会报java.lang.StackOverflowError异常。</p>\n<p>解决思路:限制递归的次数或直接使用循环替换递归</p>\n<h5 id=\"1-13-问题十三:为什么会引发java-lang-OutOfMemoryError异常\">1.13 问题十三:为什么会引发java.lang.OutOfMemoryError异常<a href=\"post/Java面试#1-13-问题十三:为什么会引发java-lang-OutOfMemoryError异常\"></a></h5><p><strong>虚拟机栈过多会引发java.lang.OutOfMemoryError异常</strong></p>\n<p>当虚拟机栈处于动态扩展时,若无法申请足够多的内存,就会抛出上述异常</p>\n<p>复现上述异常:</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br><span class=\"line\">3</span><br><span class=\"line\">4</span><br><span class=\"line\">5</span><br><span class=\"line\">6</span><br><span class=\"line\">7</span><br><span class=\"line\">8</span><br><span class=\"line\">9</span><br><span class=\"line\">10</span><br><span class=\"line\">11</span><br><span class=\"line\">12</span><br><span class=\"line\">13</span><br></pre></td><td class=\"code\"><pre><span class=\"line\"><span class=\"function\"><span class=\"keyword\">public</span> <span class=\"keyword\">void</span> <span class=\"title\">stackLeakByThread</span><span class=\"params\">()</span></span>&#123;</span><br><span class=\"line\"> <span class=\"keyword\">while</span>(<span class=\"keyword\">true</span>)&#123;</span><br><span class=\"line\"> newThread()&#123;</span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> <span class=\"keyword\">void</span> <span class=\"title\">run</span><span class=\"params\">()</span></span>&#123;</span><br><span class=\"line\"> <span class=\"keyword\">while</span>(<span class=\"keyword\">true</span>)&#123;</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> &#125;.start()</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\">&#125;</span><br><span class=\"line\"><span class=\"comment\">/*</span></span><br><span class=\"line\"><span class=\"comment\">Exception in thread \"main\" java.lang.OutOfMemoryError:unable to create new native thread</span></span><br><span class=\"line\"><span class=\"comment\">*/</span></span><br></pre></td></tr></table></div></figure>\n\n<p><strong>Windows平台虚拟机Java线程映射到操作系统的内核线程上,执行上述代码会导致系统假死。运行需谨慎</strong></p>\n<p><strong>小结:</strong></p>\n<p>虚拟机栈也是Java虚拟机自动管理的,栈类似一个集合,但是有固定容量,是由多个栈帧合起来的,在编写代码时每调用一个方法,在运行时Java虚拟机就会自动在内存中分配对应的一块空间(就是栈帧),方法结束后,对应的栈帧就会自动的被释放掉,即栈的内存不需要通过GC回收</p>\n<h5 id=\"1-14-问题十四:元空间-MetaSpace-与永久代-PermGen-的区别\">1.14 问题十四:元空间(MetaSpace)与永久代(PermGen)的区别<a href=\"post/Java面试#1-14-问题十四:元空间-MetaSpace-与永久代-PermGen-的区别\"></a></h5><p>元空间(MetaSpace):在JDK8以后类的元数据放在本地堆内存中的区域(JDK7及以前属于永久代)</p>\n<p>元空间和永久代都是用来存储class对象的相关信息,包括class对象的method和field。元空间和永久代都是方法区的实现(实现方法不同而已)。方法区是JVM的一种规范。Java 7之后,原先位于方法区中的字符串常量池被移到Java堆中,并且在Java 8之后,使用元空间替换了永久代。</p>\n<ul>\n<li><p>元空间使用本地内存,永久代使用的是JVM的内存</p>\n<p>使用本地内存的好处:java.lang.OutOfMemoryError:PermGen space异常将不复存在。因为默认的类的元数据分配只受本地内存大小的限制,即本地内存剩多少,理论上元空间就可以有多大,解决了空间不足的问题。但也不能放任无限壮大,JVM默认运行时根据需要动态设置其大小</p>\n</li>\n</ul>\n<p>元空间(MetaSpace)相比永久代(PermGen)的优势:</p>\n<ul>\n<li><p>字符串常量池存在永久代中容易出现性能问题和内存溢出(参考下例)</p>\n</li>\n<li><p>类和方法的信息大小难以确定,给永久代的大小指定带来困难。太小,容易导致永久代溢出,太大容易导致老年代溢出</p>\n</li>\n<li><p>永久代会为GC带来不必要的复杂性,并且回收效率较低。在永久代中,元数据可能会随着每一次Full GC发生而移动。HotSpot虚拟机中的每一种垃圾回收机制都需要特殊处理永久代中的元数据,分离出来之后可以简化Full GC以及对以后的并发隔离元数据方面进行优化</p>\n</li>\n<li><p>方便HotSpot与其他JVM如Jrockit的集成</p>\n<p>Oracle可能会将HotSpot和Jrockit合二为一,永久代是HotSpot JVM特有的,别的没有永久代这一说法。</p>\n</li>\n</ul>\n<p>用元空间替代能较好解决上述四个问题。</p>\n<p>只需重点记住<strong>元空间和永久代之间的区别是元空间内存使用的等额的本机内存,并且元空间没有了字符串常量池(在JDK 7时已移动到堆中)。MetaSpace其他存储的东西,包括类文件在JVM运行时的数据结构以及class相关的内容(method,field)大体上与永久代一样,只是划分上更加合理。比如说,类及相关的元数据的生命周期与类加载器一致,每个加载器(ClassLoader)都会分配一个单独的存储空间。</strong></p>\n<h5 id=\"1-15-问题十五:什么是Java堆\">1.15 问题十五:什么是Java堆<a href=\"post/Java面试#1-15-问题十五:什么是Java堆\"></a></h5><p>Java堆(Heap)</p>\n<ul>\n<li><p>对象实例的分配区域</p>\n<p>对于大多数应用来说,Java堆即Java Heap是Java虚拟机所管理的内存中最大的一块。Java堆是被所有的线程所共享的一块内存区域,在虚拟机启动时创建。此内存区域的唯一目的就是存放对象实例,几乎所有的对象实例都在这里分配内存。</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573290863634.png\" alt=\"1573290863634\" class=\"article-img\"></p>\n<p>上图为32位处理器的Java进程的内存布局。从图中可以看出:可寻址的地址空间共有4GB,OS和C运行时大约占用其中1GB,JVM本身也需占用内存,Java堆占用了大约2GB,本机堆(native heap)则占用了剩余部分。根据Java虚拟机规范,Java虚拟机可以处于物理上不连续的内存空间中,只要逻辑上是连续的即可。既可实现成固定大小,也可以是可扩展的(主流的虚拟机都是按照可扩展实现的)。通过-Xmx,-Xms控制。若在堆中没有内存完成实例分配,且堆也无法再扩展时,将会抛出java.lang.OutOfMemoryError。</p>\n</li>\n</ul>\n<h5 id=\"找一下64位的!\"><strong>找一下64位的!</strong><a href=\"post/Java面试#找一下64位的!\"></a></h5><ul>\n<li><p>GC管理的主要区域</p>\n<p>Java堆也是GC管理的主要区域,因此也被称为GC堆。从内存回收的角度看,由于现在垃圾收集器基本都是采用分代收集算法,所以Java堆中还可细分为新生代和老年代。再细致分为</p>\n<ul>\n<li>Eden</li>\n<li>survivor:分为from survivor和to survivor</li>\n<li>tenured</li>\n</ul>\n<p>(详情见Java垃圾回收)</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573291641950.png\" alt=\"1573291641950\" class=\"article-img\"></p>\n</li>\n</ul>\n<h5 id=\"以下从存储的角度学习五个部分\">以下从存储的角度学习五个部分<a href=\"post/Java面试#以下从存储的角度学习五个部分\"></a></h5><h5 id=\"1-16-问题十六:JVM三大性能调优参数-Xms-Xmx-Xss的含义\">1.16 问题十六:JVM三大性能调优参数 -Xms -Xmx -Xss的含义<a href=\"post/Java面试#1-16-问题十六:JVM三大性能调优参数-Xms-Xmx-Xss的含义\"></a></h5><p>例:java -Xms128m -Xmx128m -Xss256k -jar xxxx.jar</p>\n<p>调用Java指令执行程序时,可以通过传入以上三个参数去调整Java的堆以及线程所占内存的大小。</p>\n<ul>\n<li><p>-Xss:规定了每个线程虚拟机栈(堆栈)的大小</p>\n<p>一般情况下,256k足够。此配置会影响此进程中并发线程数的大小</p>\n</li>\n<li><p>-Xms:堆的初始值</p>\n<p>初始的Java堆的大小,即该进程刚创建时专属Java堆的大小,一旦对象容量超过了Java堆的初始容量,Java堆将会自动扩容,扩容至-Xmx大小</p>\n</li>\n<li><p>-Xmx:堆能达到的最大值</p>\n<p>Java堆能扩容的最大值。在很多情况下,将-Xms -Xmx设置成一样的。因为,当Heap不够用而发生扩容时,会发生内存抖动影响程序运行时的稳定性</p>\n</li>\n</ul>\n<h5 id=\"1-17-问题十七:Java内存模型中堆和栈的区别\">1.17 问题十七:Java内存模型中堆和栈的区别<a href=\"post/Java面试#1-17-问题十七:Java内存模型中堆和栈的区别\"></a></h5><p>堆——堆</p>\n<p>栈——堆栈,本机虚拟机堆栈</p>\n<p>要先了解程序运行时的内存分配策略</p>\n<p>程序运行时有3种分配策略:静态、堆式、栈式</p>\n<ul>\n<li><p>静态存储:编译时确定每个数据目标在运行时的存储空间需求,因而在编译时就可以给他们分配固定的内存空间。这种分配策略,要求程序代码中不允许有可变数据结构的存在,也不允许有嵌套或者递归的结构出现。因为它们都会导致程序无法计算准确的存储空间。</p>\n</li>\n<li><p>栈式存储:数据区需求在编译时未知,运行时模块入口前确定</p>\n<p>该分配可称为动态的存储分配,是由一个类似于堆栈的运行栈实现的,和静态存储的分配方式相反,在栈式存储方案中,程序对数据区的要求在编译时未知,只有运行时才能知道。规定在运行中进入一个程序模块时必须知道该程序模块所需数据区的大小才能分配其内存。和数据结构中的栈一样,栈式存储按照先进后出的原则进行分配</p>\n</li>\n<li><p>堆式存储:编译时或运行时模块入口都无法确定,动态分配</p>\n<p>专门负责在编译时或运行时模块入口处都无法确定存储要求的数据结构的内存分配,比如可变长度串和对象实例。堆由大片的可利用块或空闲块组成,堆中的内存可按照任意顺序分配和释放</p>\n</li>\n</ul>\n<p>堆和栈的联系:创建好的数组和对象实例都会被保存在堆中,想要引用堆中的某个对象或者数组,想要在栈中定义一个变量,使其取值为数组或者对象在堆内存中的首地址。栈中的变量就成为数组或者对象的引用变量,以后就可以在程序中使用栈中的引用变量来访问堆中的数组或对象。引用变量是普通的变量,定义时在栈中分配,引用变量在程序运行到其作用域之外后就会被释放掉,而数组和对象本身在堆中分配,即使程序运行到使用new产生数组或对象的代码块之外,数组和对象占据的内存也不会被释放。只有在没有引用变量指向时,才会变为垃圾,需要等待随后的一个不确定时间被垃圾回收器释放掉。</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573044786338.png\" alt=\"1573044786338\" class=\"article-img\"></p>\n<p>由图可知,在调用new Person()时,会在堆内存中创建出相关的对象实例,同时将其首地址赋值给p并保存在当前线程虚拟机栈内存中。通过获取变量p中保存的对象实例的地址,便能轻松调用到保存在堆的Person对象的实例</p>\n<p>区别:</p>\n<ul>\n<li><p>管理方式:栈自动释放,堆需要GC</p>\n<p>JVM自己可以针对内存栈进行管理操作,而且该内存空间的释放是编译器就可以操作的内容,而堆空间在Java中,JVM执行引擎不会对其进行释放操作,而是让垃圾回收器进行自动回收</p>\n</li>\n<li><p>空间大小:栈比堆小</p>\n<p>一般情况下,栈空间对于堆空间比较小。这是由栈空间里面存储的数据以及本身需要的数据特性决定的,而堆空间在JVM对实例进行分配时一般大小都比较大,因为堆空间在一个Java程序中需要存储比较多的Java对象数据</p>\n</li>\n<li><p>碎片相关:栈产生的碎片远小于堆</p>\n<p>针对堆空间而言,即使垃圾回收器能够进行自动堆内存回收,但是堆空间的活动量相对于栈空间而言比较大,很有可能存在长期的堆空间分配和释放操作。而且垃圾回收器不是实时的,可能使得堆空间的内存碎片逐渐累积起来。针对栈空间而言,因其本身就是一个栈的数据结构,操作都是一一对应的,并且每一个最小单位的结构栈帧和堆空间内复杂的内存结构不同,所以在使用过程中很少出现内存碎片</p>\n</li>\n<li><p>分配方式:栈支持静态和动态分配,而堆仅支持动态分配</p>\n<p>一般情况下,栈空间有两种分配方式:静态和动态分配。静态分配是本身由编译器分配好,而动态分配可能根据情况有所不同。堆空间确是完全的动态分配,是一个运行时级别的内存。而栈空间分配的内存不需要考虑释放的问题,堆空间在即使有垃圾回收器的前提下还是要考虑释放的问题</p>\n</li>\n<li><p>效率:栈的效率比堆高</p>\n<p>因为内存块本身的排列就是一个典型的堆栈结构,所以栈空间的效率比起堆空间要高很多,并且计算机底层内存空间本身使用了最基础的堆栈结构,使得栈空间和底层结构更加符合,使其操作也变得简单。只涉及到2个指令:入栈和出栈</p>\n</li>\n</ul>\n<p>栈空间针对堆空间而言的不足是灵活程度不够,特别是在动态管理时。而堆空间最大的优点在于动态分配。因为在计算机底层实现可能是一个双向链表的结构,所以在管理时操作比栈空间复杂很多,灵活度自然就高了,但是这样的设计使得堆空间的效率不如栈空间,并且低很多</p>\n<h5 id=\"1-18-问题十八:从存储角度,将堆、meta-space-元空间-以及线程独占的部分间的联系\">1.18 问题十八:从存储角度,将堆、meta space(元空间)以及线程独占的部分间的联系<a href=\"post/Java面试#1-18-问题十八:从存储角度,将堆、meta-space-元空间-以及线程独占的部分间的联系\"></a></h5><figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br><span class=\"line\">3</span><br><span class=\"line\">4</span><br><span class=\"line\">5</span><br><span class=\"line\">6</span><br><span class=\"line\">7</span><br><span class=\"line\">8</span><br><span class=\"line\">9</span><br><span class=\"line\">10</span><br><span class=\"line\">11</span><br><span class=\"line\">12</span><br><span class=\"line\">13</span><br><span class=\"line\">14</span><br><span class=\"line\">15</span><br><span class=\"line\">16</span><br></pre></td><td class=\"code\"><pre><span class=\"line\"><span class=\"keyword\">public</span> <span class=\"class\"><span class=\"keyword\">class</span> <span class=\"title\">Hello</span> </span>&#123;</span><br><span class=\"line\"> <span class=\"keyword\">private</span> String name;</span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> <span class=\"keyword\">void</span> <span class=\"title\">sayHello</span><span class=\"params\">()</span></span>&#123;</span><br><span class=\"line\"> System.out.println(<span class=\"string\">\"Hello\"</span> + name);</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> <span class=\"keyword\">void</span> <span class=\"title\">setName</span><span class=\"params\">(String name)</span></span>&#123;</span><br><span class=\"line\"> <span class=\"keyword\">this</span>.name = name;</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"></span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> <span class=\"keyword\">static</span> <span class=\"keyword\">void</span> <span class=\"title\">main</span><span class=\"params\">(String[] args)</span> </span>&#123;</span><br><span class=\"line\"> <span class=\"keyword\">int</span> a = <span class=\"number\">1</span>;</span><br><span class=\"line\"> Hello hello = <span class=\"keyword\">new</span> Hello();</span><br><span class=\"line\"> hello.setName(<span class=\"string\">\"test\"</span>);</span><br><span class=\"line\"> hello.sayHello();</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\">&#125;</span><br></pre></td></tr></table></div></figure>\n\n<p>各部分存储情况如下:</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573048160827.png\" alt=\"1573048160827\" class=\"article-img\"></p>\n<p>当类被加载进来时,元空间保存Hello这个装载进来的class对象的信息以及Method(方法):sayHello\\setName\\main以及name这个Field,额外的还有System这个类对象以及该类中的成员变量和方法。</p>\n<p>当Hello被创建时,堆中主要存储的是Hello这个类创建出的对象实例Objective以及String(“test”)实例</p>\n<p>当程序执行时,即main线程会分配对应的虚拟机栈、本地栈以及程序计数器。栈中存有String类型的引用参数,对应与堆中的”test”字符串Object对应的地址引用,以及本地变量hello保存堆中Hello Object的地址引用,以及局部变量a保存1的值以及系统自带的lineNumber行号用来记录代码的执行,以方便对程序进行追踪</p>\n<h5 id=\"1-19-问题十九:不同版本之间的intern-方法的区别\">1.19 问题十九:不同版本之间的intern()方法的区别<a href=\"post/Java面试#1-19-问题十九:不同版本之间的intern-方法的区别\"></a></h5><p>主要讨论JDK6和JDK6以上的版本</p>\n<p>intern方法在JDK6中仅会在常量池中添加字符串对象,JDK6+既可以向常量池中添加字符串对象,也可以添加字符串在堆中的引用</p>\n<p>intern()是字符串的一个方法</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br></pre></td><td class=\"code\"><pre><span class=\"line\">String s = <span class=\"keyword\">new</span> String(<span class=\"string\">\"a\"</span>).intern();</span><br></pre></td></tr></table></div></figure>\n\n<p>JDK6:当调用intern方法时,如果字符串常量池先前已创建出该字符串对象,则返回池中该字符串的引用。否则,将此字符串对象添加到字符串常量池中,并且返回该字符串对象引用。</p>\n<p>JDK6+:当调用intern方法时,如果字符串常量池先前已创建出该字符串对象,则返回池中该字符串的引用。否则,如果该字符串对象已经存在于Java堆中,则将堆中对此对象的引用添加到字符串常量池中,并且返回该引用(与堆中地址相同);如果堆中不存在,则在池中创建该字符串并返回其引用。</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573050042052.png\" alt=\"1573050042052\" class=\"article-img\"></p>\n<p>Java7之后,方法区中的字符串常量池移动到Java堆中。主要原因:先前字符串常量池存在于永久代中,而永久代的内存极为有限,若频繁调用intern在池中创建字符串会使得字符串常量池被挤爆进而引发java.lang.OutOfMemoryError:PermGen space(永久代发生的异常)。JDK7之后将常量池移出永久代到Java堆中上述异常就会避免</p>\n<h4 id=\"2-GC考点\">2. GC考点<a href=\"post/Java面试#2-GC考点\"></a></h4><p><strong>Java虚拟机的作用(误,视频中没有自己瞎编)可以归结为自动化解决了两个问题。</strong></p>\n<ol>\n<li><strong>对象内存分配的问题</strong></li>\n<li><strong>回收分配给对象的内存的问题</strong></li>\n</ol>\n<p><strong>提高码农效率的垃圾回收机制,正因存在此机制,编写代码时才不必担心对象内存的释放问题,将其交由JVM管理</strong></p>\n<h5 id=\"2-1-对象被定义为垃圾的标准\">2.1 对象被定义为垃圾的标准<a href=\"post/Java面试#2-1-对象被定义为垃圾的标准\"></a></h5><ul>\n<li><p>没有被其他对象引用</p>\n<p>当没有被其他对象引用时,该对象就是没用的,对应系统而言就是垃圾,其占据的内存就会被释放,同时此对象也会被销毁。</p>\n</li>\n</ul>\n<h5 id=\"2-2-判定对象是否为垃圾的算法\">2.2 判定对象是否为垃圾的算法<a href=\"post/Java面试#2-2-判定对象是否为垃圾的算法\"></a></h5><h6 id=\"2-2-1-引用计数算法\">2.2.1 引用计数算法<a href=\"post/Java面试#2-2-1-引用计数算法\"></a></h6><p><strong>通过判断对象的引用数量来决定对象是否可以被回收</strong></p>\n<ul>\n<li><p>通过判断对象的引用数量来决定对象是否可以被回收</p>\n</li>\n<li><p>每个对象实例都有一个引用计数器,被引用则+1,完成引用则-1</p>\n</li>\n<li><p>何引用计数为0的对象实例都可以被当做垃圾收集</p>\n<p>对于引用计数算法,<strong>通过判断对象的引用数量来决定对象是否可以被回收</strong>。在这种机制下,堆中的每个对象实例都有一个引用计数器,当一个对象被创建时,若该对象实例分配给一个引用变量,则+1。当该对象实例的某个引用超过了生命周期或被设置为新值时(表示引用完成),该对象实例的引用计数器-1。任何引用计数为0的对象实例都可以被当做垃圾收集。</p>\n</li>\n</ul>\n<p>经过引用计数算法的判断后,当引用计数变为0时,对象就被视为垃圾。</p>\n<p><strong>优点:执行效率高,程序执行受影响较小</strong></p>\n<p>优势是可以很快执行。因为只需过滤出引用计数器为0的对象,将其内存回收即可,可以交织在程序中。由于垃圾回收的时候可以做到几乎不打断程序的执行,因此对程序需要不被长时间打断的实施环境有利。</p>\n<p><strong>缺点:无法检测出循环引用的情况,导致内存泄漏</strong></p>\n<p>由于实现过于简单,容易出现无法检测出循环引用的情况(如父对象对子对象有一个引用,子对象又反过来引用父对象,这样的引用永远不可能为0)</p>\n<p><strong>由于上述缺点,JVM采用可达性分析算法作为垃圾回收算法</strong></p>\n<h6 id=\"2-2-2-可达性分析算法\">2.2.2 可达性分析算法<a href=\"post/Java面试#2-2-2-可达性分析算法\"></a></h6><p><strong>通过判断对象的引用链是否可达来决定对象是否可以被回收</strong></p>\n<p>从离散数学图论中引出,程序将所有引用关系看作一张图,通过一系列名为GC root对象作为起始点,从这些节点开始向下搜索,搜索所走过的路径就被称为引用链(即reference chain),当一个对象从GC root没有任何引用链相连,从图论上来说即为从GC root到该对象不可达,从而证明该对象不可用,从而被标记为垃圾。</p>\n<p>垃圾回收器会对内存中的整个对象图进行遍历,从GC根(GC root)开始访问,根对象引用的其他对象,回收器将访问到的所有对象标为可达,剩下的即为GC root不可达的对象,也意味着这些对象不会被用到,为垃圾对象。回收器会在接下来的阶段中清除这些对象。</p>\n<p><strong>可以作为GC root的对象:</strong></p>\n<ul>\n<li><p><strong>虚拟机栈中引用的对象(栈帧中的本地变量表中引用的对象)</strong></p>\n<p>比如说在Java方法中new了一个Object并赋值给了一个局部变量,那么在该局部变量未被销毁之前new出的Object就是GC root</p>\n</li>\n<li><p><strong>方法区中的常量引用对象</strong></p>\n<p>比如在类中定义一个常量,而该常量保存的是某个对象的地址,那么被保存的对象也成为GC的根对象</p>\n</li>\n<li><p><strong>方法区中的类静态属性引用的对象</strong></p>\n<p>同第二种情况</p>\n</li>\n<li><p><strong>本地方法栈中的JNI(Native方法)的引用对象</strong></p>\n<p>调用native方法即被引用的通过非Java语言构建的对象也可以成为GC root</p>\n</li>\n<li><p><strong>活跃线程的引用对象</strong></p>\n<p>Java万物皆为对象,因此活跃的线程也会成为GC root,只要线程还处于活跃状态。</p>\n</li>\n</ul>\n<h5 id=\"2-3-问题一:谈谈你了解的垃圾回收算法\">2.3 问题一:谈谈你了解的垃圾回收算法<a href=\"post/Java面试#2-3-问题一:谈谈你了解的垃圾回收算法\"></a></h5><h6 id=\"2-3-1-标记-清除算法-Mark-and-Sweep\">2.3.1.标记-清除算法(Mark and Sweep)<a href=\"post/Java面试#2-3-1-标记-清除算法-Mark-and-Sweep\"></a></h6><p>将回收分为两个阶段:</p>\n<p><strong>标记:从根集合进行扫描,对存活的对象进行标记(可达性算法)</strong></p>\n<p><strong>清除:对堆内存从头到尾进行线性遍历,回收不可达对象内存</strong></p>\n<p>该算法首先从根集合进行扫描,对存活的对象进行标记。使用可达性算法找到垃圾对象,标记完毕后会对堆内存从头到尾进行线性遍历,如果发现有对象未被标识为可达对象(即为不可达对象/垃圾对象),就会对此对象占用的内存回收掉并且将原来标记为可达的对象的标识清除掉,以便进行下一次垃圾回收</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573306888282.png\" alt=\"1573306888282\" class=\"article-img\"></p>\n<p>如图所示,Mark阶段,BEFGJK均为可达对象,Sweep阶段,ACDHI都被回收掉了。</p>\n<p><strong>不足:碎片化</strong></p>\n<p>由于标记-清除算法不需要对象的移动,并且仅对不存活的对象进行处理。因此,标记-清除之后会产生大量不连续的内存碎片,空间碎片太多可能会导致之后程序在运行过程中需要分配较大对象时无法找到足够的内存而不得不提前触发另一次垃圾回收工作。</p>\n<h6 id=\"2-3-2-复制算法-Coping\">2.3.2 复制算法(Coping)<a href=\"post/Java面试#2-3-2-复制算法-Coping\"></a></h6><ul>\n<li>分为对象面和空闲面</li>\n<li>对象在对象面上创建</li>\n<li>存活的对象被从对象面复制到空闲面</li>\n<li>将对象面所有对象内存清除</li>\n</ul>\n<p>复制算法将可用的内存按容量按一定比例划分为两块或多块,并选择其中一块或两块作为对象面,其他的作为空闲面。对象主要在对象面上创建,当被定义为对象面的块的内存用完时,将还存活着的对象复制到其中一块空闲面,再将已使用过的内存空间一次清理掉。</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573308138138.png\" alt=\"1573308138138\" class=\"article-img\"></p>\n<p><strong>适用对象存活率低的场景(年轻代)</strong></p>\n<p>这样,内存分配时就不用考虑内存碎片等复杂情况</p>\n<p><strong>优点:</strong></p>\n<ul>\n<li><p><strong>解决碎片化问题</strong></p>\n</li>\n<li><p><strong>顺序分配内存,简单高效</strong></p>\n</li>\n<li><p><strong>适用于对象存活率低的场景</strong></p>\n</li>\n<li><p><strong>回收年轻代</strong></p>\n<p>研究证明,年轻代用到的对象每次回收都基本只有10%的对象存活,需要复制的对象很少,因此使用此种算法的效率还不错。</p>\n</li>\n</ul>\n<p><strong>缺点:不适用对象存活率高的场景</strong></p>\n<h6 id=\"2-3-3-标记-整理算法-Compacting\">2.3.3 标记-整理算法(Compacting)<a href=\"post/Java面试#2-3-3-标记-整理算法-Compacting\"></a></h6><p><strong>适合老年代</strong></p>\n<p>采用和标记-清除算法类似的方式:</p>\n<p><strong>标记:从根集合进行扫描,对存活的对象进行标记(可达性算法)</strong></p>\n<p><strong>清除:移动所有存活的对象,且按照内存地址次序依次排列,如何将末端内存地址以后的内存全部回收</strong></p>\n<p>在标记-清除算法的基础上进行了对象的移动,因此成本更高,但解决了内存碎片的问题。</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573353882049.png\" alt=\"1573353882049\" class=\"article-img\"></p>\n<p>先通过可达性算法确定存活对象和可回收的对象,回收时先将存活的对象压缩到内存的一端,再将除此之外的所有内存空间清除 。</p>\n<p><strong>优点:</strong></p>\n<ul>\n<li><strong>避免内存的不连续行</strong></li>\n<li><strong>不用设置两块内存互换</strong></li>\n<li><strong>适用于存活率高的场景(老年代的回收)</strong></li>\n</ul>\n<h6 id=\"2-3-4-分代收集算法-Generation-Collector\">2.3.4 分代收集算法(Generation Collector)<a href=\"post/Java面试#2-3-4-分代收集算法-Generation-Collector\"></a></h6><p>主流垃圾回收算法</p>\n<ul>\n<li>垃圾回收算法的组合拳</li>\n<li>按照对象生命周期的不同划分区域采用不同的垃圾回收算法</li>\n<li>目的:提高JVM的回收效率</li>\n</ul>\n<p>分代收集算法将堆内存进一步划分,不同对象的生命周期及存活情况是不一样的。将不同生命周期的对象分配到堆中不同的区并对堆内存不同区域采用不同的回收策略,可以提高JVM垃圾回收的效率。</p>\n<p>JDK 7及之前,堆内存一般分为年轻代、老年代和永久代。</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573467559221.png\" alt=\"1573467559221\" class=\"article-img\"></p>\n<p>JDK 8及以后,取消了永久代。</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573467607068.png\" alt=\"1573467607068\" class=\"article-img\"></p>\n<p><strong>年轻代的对象存活率低,采用复制算法。</strong></p>\n<p><strong>老年代的对象存活率高,采用标记-清除算法/标记-整理算法。</strong></p>\n<p>分代收集算法的GC的分类:</p>\n<ul>\n<li><p>Minor GC</p>\n<p>是发生在年轻代中的垃圾收集动作,采用复制算法。年轻代几乎是所有Java对象出生的地方,即Java对象申请的内存及存放都在年轻代。Java中的大部分对象通常不需要长久的存活,具有朝生夕灭的特性,当一个对象被判定为死亡时,GC就有责任回收掉这部分对象的内存空间。新生代是GC收集垃圾的频繁区域。</p>\n</li>\n<li><p>Full GC</p>\n<p>与老年代相关。由于对于老年代的回收一般伴随着年轻代的收集,因此称为Full GC。(下节讲)</p>\n</li>\n</ul>\n<p><strong>年轻代:尽可能快速地收集掉那些生命周期短的对象</strong></p>\n<ul>\n<li><p>Eden区</p>\n<p>对象刚被创建时,其内存空间首先被分配到Eden区。若Eden区放不下,新创建的对象也可能会被放到Survivor区甚至是老年代中。</p>\n</li>\n<li><p>两个Survivor区</p>\n<p>被定义为from区和to区(不固定,会随着垃圾回收的进行而相互转换)</p>\n</li>\n</ul>\n<p>年轻代的目标就是尽可能快速地收集掉那些生命周期短的对象,一般情况下,新生成的对象首先都是放在年轻代中。年轻代的内存一般按照8:1:1的默认比例分为一个Eden区和两个Survivor区。绝大部分对象在Eden区中生成。年轻代中的对象大部分都是朝生夕死的,所以无需按照1:1:1的比例划分内存空间。而是将年轻代内存分为一个较大的Eden区和两块较小的Survivor区。每次使用Eden和其中一块Survivor区,当进行垃圾回收时,将Eden和使用着的Survivor区中存活着的对象一次性复制到还未使用的Survivor中,最后清理掉Eden和使用的Survivor区。当Survivor区不够用时,则需依赖老年代进行分配担保。</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573468613656.png\" alt=\"1573468613656\" class=\"article-img\"></p>\n<p>年轻代垃圾回收的过程演示:7-2的6‘40s处</p>\n<p>对象在Survivor区每熬过因此Minor GC,其年龄就会被+1。当对象的年龄达到某一值时(默认为15,可以通过参数-XX:MaxTenuringThreshold修改),就会成为老年代。但也不是一定的,对于一些较大的对象(即需要分配一块较大的连续内存空间的对象),Eden区和Survivor区装不下的对象,就会进入老年代。Minor GC采用复制算法,使得进行内存分配时无需考虑内存碎片这种复杂情况,只需移动堆顶指针按顺序分配即可,在回收时一次性将某个区清空,简单高效粗暴。</p>\n<p><strong>对象如何晋升到老年代:</strong></p>\n<ul>\n<li><p>经历一定的Minor次数依然存活的对象</p>\n<p>对象在新生代每经历一次Minor GC依然存活则年龄+1,当年龄超过一定限制就会放入老年代</p>\n</li>\n<li><p>Survivor区中存放不下的对象</p>\n<p>Survivor区或Eden区中放不下的对象会直接进入老年代。对象优先在Eden中分配,当Eden中没有足够空间分配时会触发一次Minor GC,每次Minor GC结束后,Eden区便会被清空,将Eden区中的内容复制到Survivor区,当Survivor区中放不下时则由分配担保进入老年代中</p>\n</li>\n<li><p>新生成的大对象(-XX:+PretenuerSizeThreshold)</p>\n<p>直接进入老年代中,可通过上述参数控制大对象的大小,超过size立马放入老年代中。</p>\n</li>\n</ul>\n<p>可以像设置永久代参数一样传入参数调整</p>\n<p><strong>常用的调优参数:</strong></p>\n<ul>\n<li>-XX:SurvivorRatio:Eden和其中一个Survivor的比值,默认为8:1</li>\n<li>-XX:NewRatio:老年代和年轻代内存大小的比例。若比例为2,则代表老年代的内存大小是年轻代的2倍。而老年代和年轻代内存大小总和是由-xmx和-xms决定的</li>\n<li>-XX:MaxTenuringThreshold:对象从年轻代晋升到老年代经过GC次数的最大阈值</li>\n</ul>\n<p><strong>老年代:存放生命周期较长的对象</strong></p>\n<p>老年代的内存要比年轻代大得多,大约为2:1。</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573471335129.png\" alt=\"1573471335129\" class=\"article-img\"></p>\n<p>原因:老年代对象存活率较高,且没有额外空间进行分配担保。</p>\n<p>当触发老年代的垃圾回收时,通常会伴随着年轻代堆内存的回收(即对整个堆进行垃圾回收,所以称为Full GC)</p>\n<p>Major GC和Full GC是等价的,即收集整个GC堆。HotSpot发展多年,外界对各种名词的解读混乱,提及Major GC时,一定要确认是Full GC还是仅仅针对老年代的GC</p>\n<p>Full GC的速度比Minor GC慢得多,一般慢10倍以上,但是执行频率低。</p>\n<p><strong>触发Full GC的条件:</strong></p>\n<ul>\n<li><p><strong>老年代空间不足</strong></p>\n<p>创建一个新对象,Eden区中放不下会直接保存在老年代中,若老年代空间也不足,就会触发Full GC。避免:不要创建太大的对象</p>\n</li>\n<li><p><strong>永久代空间不足</strong></p>\n</li>\n<li><p>仅针对JDK 7及以前的版本,当系统中需要加载的类,调用的方法很多同时永久代中没有足够的空间存放类信息和方法信息时,就会触发一次Full GC。JDK 8及以后取消永久代改用元空间代替,降低了Full GC的频率,减少GC的负担,提升其效率(使用元空间替代永久代的目的)</p>\n</li>\n<li><p><strong>调用System.gc()</strong></p>\n<p>程序中直接调用System.gc()方法,就会显式直接触发Full GC,同时对老年代和年轻代进行回收。<strong>注意:只是提醒虚拟机在此回收一下,但最后是否回收还是由虚拟机决定。即程序员对是否回收没有控制权</strong></p>\n</li>\n<li><p>CMS GC时出现promotion failed和concurrent mode failure</p>\n<p>对于采用CMS进行老年代GC的程序而言,尤其要注意GC日志中是否有promotion failed和concurrent mode failure这两种情况,当这两种情况出现时会触发Full GC。promotion failed是在进行Minor GC时Survivor区放不下,对象只能放入老年代,而此时老年代也放不下就会造成promotion failed。concurrent mode failure是在执行CMS GC的同时有对象要放入老年代中,而此时老年代空间不足就会造成该情况。</p>\n</li>\n<li><p>Minor GC晋升到老年代的平均大小大于老年代的剩余空间</p>\n<p>统计得到的Minor GC晋升到老年代的平均大小大于老年代的剩余空间。这是一种非常复杂的触发情况。HotSpot为了避免由于年轻代对象晋升到老年代导致老年代空间不足的现象,在进行Minor GC时作了一个判断,若之前统计所得的Minor GC晋升到老年代的平均大小大于老年代的剩余空间,就直接触发Full GC</p>\n</li>\n<li><p>使用RMI(远程控制方式)来进行RPC或管理的JDK应用,默认每小时执行1次Full GC</p>\n</li>\n</ul>\n<h5 id=\"2-4-GC的优化\">2.4 GC的优化<a href=\"post/Java面试#2-4-GC的优化\"></a></h5><h6 id=\"2-4-1-Stop-the-World\">2.4.1 Stop-the-World<a href=\"post/Java面试#2-4-1-Stop-the-World\"></a></h6><ul>\n<li>JVM由于要执行GC而停止了应用程序的执行</li>\n<li>任何一种GC算法中都会发生</li>\n<li>大多数的GC优化就是指减少Stop-the-World发生的时间来提高程序性能</li>\n</ul>\n<p>Stop-the-World意味着JVM由于要执行GC而停止了应用程序的执行,并且会发生在任何一种GC算法中。当Stop-the-World发生时,除了GC所处的线程外,所有线程均处于等待状态直到GC任务完成。事实上,GC优化就是指减少Stop-the-World发生的时间从而使系统具有高吞吐低停顿的特点。</p>\n<h6 id=\"2-4-2-Safepoint\">2.4.2 Safepoint<a href=\"post/Java面试#2-4-2-Safepoint\"></a></h6><p>垃圾收集中的安全点(Safepoint)。</p>\n<ul>\n<li><p>分析过程中对象引用关系不会发生变化的点</p>\n<p>在可达性分析中要分析哪个对象没有被引用时需在一个快照(听不清)的状态点进行,在该点处,所有的线程都被冻结,不可以出现分析过程中对象引用关系还在不停变换的情况,因此分析结果需要在某个节点具有确定性,该节点便被叫做安全点。程序不是在顺便哪个点就停下来,而是达到安全点才会停顿下来。</p>\n</li>\n<li><p>产生安全点的地方:方法调用、循环跳转、异常跳转等。</p>\n<p>产生安全点的地方:方法调用、循环跳转、异常跳转等才会产生安全点。 一旦GC发生,让所有的线程都跑到最近的安全点再停顿下来。若发现线程不在安全点,就恢复线程等其跑到安全点再说。</p>\n</li>\n<li><p>安全点的数量适中。安全点的选择既不能太少也不能太多。太少会让GC等待时间长,太多会增加程序运行负荷。</p>\n</li>\n</ul>\n<h6 id=\"2-4-3-系统吞吐量\">2.4.3 系统吞吐量<a href=\"post/Java面试#2-4-3-系统吞吐量\"></a></h6><p>吞吐量=运行用户代码时间/(运行用户代码时间+垃圾收集时间)</p>\n<p>即CPU运行用户代码时间与CPU总消耗时间的比值</p>\n<h5 id=\"2-5-常见的垃圾收集器\">2.5 常见的垃圾收集器<a href=\"post/Java面试#2-5-常见的垃圾收集器\"></a></h5><h6 id=\"2-5-1-JVM的运行模式\">2.5.1 JVM的运行模式<a href=\"post/Java面试#2-5-1-JVM的运行模式\"></a></h6><ul>\n<li>Server</li>\n<li>Client</li>\n</ul>\n<p>两种模式的区别:Client启动较快,Server启动较慢。但是启动进入长期运行之后,Server模式的程序运行速度比Client快。因为Server模式启动的JVM是采用的是重量级的虚拟机,对程序采用了更多的优化,而Client模式启动的JVM采用的是轻量级的虚拟机,所以Server启动慢但稳定运行后速度快。</p>\n<p>查询当前JVM运行模式:java -version</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573479512404.png\" alt=\"1573479512404\" class=\"article-img\"></p>\n<h6 id=\"2-5-2常见的垃圾收集器\">2.5.2常见的垃圾收集器<a href=\"post/Java面试#2-5-2常见的垃圾收集器\"></a></h6><p>垃圾收集器是和具体JVM实现紧密相关</p>\n<p>垃圾收集器之间的联系</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573479725167.png\" alt=\"1573479725167\" class=\"article-img\"></p>\n<p>(有连线表明可搭配使用)</p>\n<p><strong>CMS与Parallel Scavenge收集器不兼容的原因:因为Parallel Scavenge(和G1)都未使用传统的GC收集器框架,而是另外的独立实现。其他收集器共用部分框架,因此兼容。</strong></p>\n<h6 id=\"2-5-3-年轻代常见的垃圾收集器\">2.5.3 年轻代常见的垃圾收集器<a href=\"post/Java面试#2-5-3-年轻代常见的垃圾收集器\"></a></h6><ul>\n<li><p>Serial收集器(-XX:+UseSerialGC,复制算法)</p>\n<ul>\n<li>单线程收集,进行垃圾收集时,必须暂停所有工作线程</li>\n<li>简单高效,CLient模式下默认的年轻代收集器</li>\n</ul>\n<p>在程序启动时通过设置-XX:+UseSerialGC使得年轻代使用该垃圾收集器回收。Serial收集器是Java虚拟机中最基本、历史最悠久的收集器。JDK1.3.1之前是Java虚拟机年轻代收集的唯一选择。Serial收集器是采用复制算法的单线程的垃圾收集器。但它单线程的意义并不只是说明它只使用一个CPU或者一条收集线程去完成垃圾收集工作,更重要的是进行垃圾收集时必须暂停其他所有的工作线程直到它收集结束。到目前为止,Serial收集器依然是虚拟机运行在Client模式下的默认年轻代收集器(因为它的简单高效)</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573480545958.png\" alt=\"1573480545958\" class=\"article-img\"></p>\n<p>用户(桌面?听不清)应用场景中分配给虚拟机管理的内存一般不会很大,收集几十兆甚至一两百兆的年轻代停顿时间在几十毫秒到最大一百毫秒之间,只要不是频繁的发生,这些停顿是完全可以接受的</p>\n</li>\n<li><p>ParNew收集器(-XX:+UseParNewGC,复制算法)</p>\n<ul>\n<li>多线程收集,其他行为特点同Serial收集器一样</li>\n<li>单核执行效率不如Serial,在多核下执行才有优势</li>\n</ul>\n<p>在程序启动时通过设置-XX:+UseParNewGC使得年轻代使用该垃圾收集器回收。除了多线程收集,其他行为特点同Serial收集器一样。是Server模式下首选的年轻代收集器,在单个CPU环境中不会比Serial收集器有更好的效果。因为存在线程交互开销,随着可用CPU数量的增加,对于GC池系统资源的有效利用还是由好处的。默认开启的收集线程数与CPU数量相同。在CPU数量非常多的情况下可以使用一个叫做<strong>-XX:ParallelGCThreads</strong>的参数来限制垃圾收集的线程数。在Server模式下ParNew收集器是一个非常重要的收集器,因为除Serial外目前只有它可以和CMS收集器配合工作。它使用的也是复制算法。</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573481230113.png\" alt=\"1573481230113\" class=\"article-img\"></p>\n</li>\n</ul>\n<p>(参考博客:<a href=\"https://blog.csdn.net/wxy941011/article/details/80653738\" target=\"_blank\" rel=\"noopener\">https://blog.csdn.net/wxy941011/article/details/80653738</a>)</p>\n<ul>\n<li><p>Parallel Scavenge收集器(-XX:+UseParallelGC,复制算法)</p>\n<ul>\n<li>比起ParNew收集器关注用户线程停顿时间,更关注系统的吞吐量</li>\n<li>在多核执行下才有优势,Server模式下默认的年轻代收集器</li>\n</ul>\n<p>在程序启动时通过设置-XX:+UseParallelGC使得年轻代使用该垃圾收集器回收。Parallel Scavenge收集器与ParNew收集器类似,也采用复制算法和多线程进行垃圾回收,但是相较更关注系统的吞吐量(ParNew收集器关注用户线程停顿时间,停顿时间短适合于用户交互的程序,良好的响应速度能提升用户体验)。高吞吐量就可以高效利用CPU时间,尽可能快地完成任务。主要适合在后台运算而不需要太多交互任务的情况。Parallel Scavenge收集器是虚拟机运行在Server模式下默认的年轻代收集器</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573482027240.png\" alt=\"1573482027240\" class=\"article-img\"></p>\n</li>\n</ul>\n<p> 若对垃圾收集器运作原理不了解,以至于在优化过程中遇到困难时,可以使用Parallel Scavenge收集器配合自适应调节策略,以及在启动参数中添加-XX:+UseAdaptiveSizePolicy这个参数,会将内存管理的调优任务交给虚拟机完成</p>\n<h6 id=\"2-5-4-常见的老年代的收集器\">2.5.4 常见的老年代的收集器<a href=\"post/Java面试#2-5-4-常见的老年代的收集器\"></a></h6><p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573479725167.png\" alt=\"1573479725167\" class=\"article-img\"></p>\n<ul>\n<li><p>Serial Old收集器(-XX:+UseSerialOldGC,标记-整理算法)</p>\n<ul>\n<li>单线程收集,进行垃圾收集时,必须暂停所有工作线程</li>\n<li>简单高效,CLient模式下默认的老年代收集器</li>\n</ul>\n<p>在程序启动时通过设置-XX:+UseSerialOldGC使得老年代使用该垃圾收集器回收。是Serial收集器的老年版本,同样也是单线程的,使用标记-整理算法。除了采用的算法不是复制算法外,其他特点和年轻代中的Serial收集器一样</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573518120959.png\" alt=\"1573518120959\" class=\"article-img\"></p>\n</li>\n<li><p>Parallel Old收集器(-XX:+UseParallelOldGC,标记-整理算法)</p>\n<ul>\n<li>多线程,吞吐量优先</li>\n</ul>\n<p>在程序启动时通过设置-XX:UseParallelOldGC使得老年代使用该垃圾收集器回收。该收集器使用多线程的标记-整理算法去收集。在注重吞吐量及CPU资源敏感的场合都可以优先考虑Parallel Scavenge收集器+Parallel Old收集器。</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573518099869.png\" alt=\"1573518099869\" class=\"article-img\"></p>\n</li>\n<li><p>CMS收集器(-XX:+UseConcMarkSweepGC,标记-清除算法)</p>\n<p>占据JVM老年代垃圾收集器的半壁江山,划时代的意义就是垃圾回收线程几乎能与用户线程做到同时工作。”几乎”是因为还是不能做到完全不需要stop-the-world,只是尽可能地缩短了停顿时间。若应用程序对停顿较为敏感并且在应用程序运行时可以提供更大的内存和更多的CPU(即更好的硬件),那么使用CMS收集器会给你带来好处。若在JVM中有相对较多、存活较长的对象,会更适合使用CMS。</p>\n<p>垃圾回收过程:</p>\n<ul>\n<li><p>初始标记:stop-the-world</p>\n<p>在该阶段中需要虚拟机停顿正在执行的任务,该过程从垃圾回收的根对象开始,一直扫描到能够和根对象直接关联的对象并做标记。因此,虽然暂停了整个JVM,但很快就完成了。</p>\n</li>\n<li><p>并发标记:并发追溯标记,程序不会停顿</p>\n<p>该阶段紧随初始阶段,在初始标记的基础上继续向下追溯标记。并发标记阶段,应用程序的线程和并发标记的线程并发执行,所以用户不会感觉到停顿。</p>\n</li>\n<li><p>并发预清理:查找执行并发标记阶段从年轻代晋升到老年代的对象</p>\n<p>并发预清理阶段虚拟机查找执行并发标记阶段从年轻代晋升到老年代的对象,通过重新扫描减少下一阶段重新标记的工作(下一阶段会stop-the-world)</p>\n</li>\n<li><p>重新标记:暂停虚拟机,扫描CMS堆中的剩余对象</p>\n<p>这个阶段暂停虚拟机,垃圾收集(垃圾回收)线程扫描CMS堆中的剩余对象。扫描从根对象开始,向下追溯,并处理对象之间的关联(会相对较慢)</p>\n</li>\n<li><p>并发清理:清理垃圾对象,程序不会停顿</p>\n<p>清理垃圾对象,该阶段收集线程和应用程序线程并发执行</p>\n</li>\n<li><p>并发重置:重置CMS收集器的数据结构</p>\n<p>该阶段重置CMS收集器的数据结构,等待下一次垃圾回收</p>\n</li>\n</ul>\n<p>六个阶段中只有初始标记和重新标记是需要stop-the-world。</p>\n<p>并发标记的过程实际上就是和用户线程同时工作,即一边丢垃圾,一边打扫,这样就会带来一个问题:若垃圾的产生在标记后发生,那么这次垃圾就要等到下次再回收。等到垃圾标记过后,不会和用户线程产生冲突,而清理过程就能和用户线程同时处理</p>\n<p><strong>此垃圾收集器的缺点:采用标记-清除算法,即不会压缩存活的对象,会带来内存空间碎片化的问题。若出现需要分配一个连续且较大的内存空间,则只能触发一次GC</strong></p>\n</li>\n</ul>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573518360171.png\" alt=\"1573518360171\" class=\"article-img\"></p>\n<h6 id=\"2-5-5-G1收集器\">2.5.5 G1收集器<a href=\"post/Java面试#2-5-5-G1收集器\"></a></h6><p>G1收集器(-XX:+UseG1GC,复制+标记-整理算法)</p>\n<p>既用于年轻代,也用于老年代</p>\n<p>Garbage First收集器的特点:</p>\n<ul>\n<li><p>并发和并行</p>\n<p>使用多个CPU来缩短stop-the-world的时间,与用户线程并发执行</p>\n</li>\n<li><p>分代收集</p>\n<p>独立管理整个堆,但是采用不同的方式处理新创建的对象(年轻代,采用复制算法)和已经存活一段时间的对象(老年代,采用标记-整理算法)</p>\n</li>\n<li><p>空间整合</p>\n<p>基于标记-整理算法,解决了内存碎片的问题</p>\n</li>\n<li><p>可预测的停顿</p>\n<p>能建立可预测的停顿时间模型,能让使用者明确指定在一个长度为m毫秒的时间片段内消耗在垃圾收集上的时间不超过n毫秒(通过设置)。</p>\n</li>\n</ul>\n<p>Garbage First收集器:</p>\n<ul>\n<li><p>将整个Java堆内存划分为多个大小相等的Region</p>\n</li>\n<li><p>年轻代和老年代不再物理隔离</p>\n<p>Garbage First收集器将整个Java堆内存划分为多个大小相等的独立区域Region。虽然仍保留新生代和老年代的概念,但年轻代和老年代不再物理隔离,都是一部分可以是不连续的Region的集合,也意味着分配空间时,不需要一个连续内存空间即不需要在JVM启动时决定哪些Region属于老年代哪些属于年轻代。因为随着时间推移,年轻代Region被回收以后就会变为可用状态,这时可以将其分配为老年代。G1收集器是并行stop-the-world收集器,和其他HotSpot GC一样,当一个年轻代GC发生时,整个年轻代都会被回收。G1收集器的老年代不同,在老年代不需要整个老年代进行回收,有一部分Region被调用,G1收集器的年轻代由Eden Region和Survivor Region组成,当一个JVM分配Eden Region失败后就会触发一个年轻代回收,意味着Eden区满了,GC开始释放空间。第一个年轻代收集器会移动所有的重组对象从Eden Region到Survivor Region。这就是Copy出Survivor的过程。</p>\n</li>\n</ul>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573518577568.png\" alt=\"1573518577568\" class=\"article-img\"></p>\n<h5 id=\"2-6-GC相关面试题\">2.6 GC相关面试题<a href=\"post/Java面试#2-6-GC相关面试题\"></a></h5><h6 id=\"2-6-1-Object的finalize-方法的作用是否与C-的析构函数作用相同\">2.6.1 Object的finalize()方法的作用是否与C++的析构函数作用相同<a href=\"post/Java面试#2-6-1-Object的finalize-方法的作用是否与C-的析构函数作用相同\"></a></h6><ul>\n<li><p>与C++的析构函数不同,析构函数调用确定,而它的是不确定的</p>\n<p>C++的析构函数调用时机是确定的,在对象离开作用域后,Java中的finalize()方法具有不确定性</p>\n</li>\n<li><p>将未被引用的对象置于F-Queue队列</p>\n<p>当垃圾回收器宣告一个对象死亡时,至少经过两次的标记过程。如果对象在进行可达性分析后发现没有和GC root相连的引用链就会被第一次标记,并且判断是否执行finalize()方法。如果对象覆盖finalize()方法且未被引用过,该对象就会被放置在F-Queue队列并在稍后由一个虚拟机自动建立的低优先级的finalize线程去执行触发finalize()方法</p>\n</li>\n<li><p>方法执行随时可能会被终止</p>\n<p>由于优先级较低,触发该方法后,不承诺等待其运行结束(即方法执行随时可能被终止)</p>\n</li>\n<li><p>给予对象最后一次重生的机会</p>\n<p>finalize()方法的作用是为对象创造最后一次逃脱死亡的机会。</p>\n</li>\n</ul>\n<p>如何使用finalize()方法:</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br><span class=\"line\">3</span><br><span class=\"line\">4</span><br><span class=\"line\">5</span><br><span class=\"line\">6</span><br><span class=\"line\">7</span><br><span class=\"line\">8</span><br><span class=\"line\">9</span><br><span class=\"line\">10</span><br><span class=\"line\">11</span><br><span class=\"line\">12</span><br><span class=\"line\">13</span><br><span class=\"line\">14</span><br><span class=\"line\">15</span><br><span class=\"line\">16</span><br><span class=\"line\">17</span><br><span class=\"line\">18</span><br><span class=\"line\">19</span><br><span class=\"line\">20</span><br><span class=\"line\">21</span><br><span class=\"line\">22</span><br><span class=\"line\">23</span><br><span class=\"line\">24</span><br><span class=\"line\">25</span><br><span class=\"line\">26</span><br><span class=\"line\">27</span><br><span class=\"line\">28</span><br></pre></td><td class=\"code\"><pre><span class=\"line\"><span class=\"keyword\">public</span> <span class=\"class\"><span class=\"keyword\">class</span> <span class=\"title\">Finalization</span> </span>&#123;</span><br><span class=\"line\"> <span class=\"keyword\">public</span> <span class=\"keyword\">static</span> Finalization finalization;</span><br><span class=\"line\"> <span class=\"meta\">@Override</span></span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">protected</span> <span class=\"keyword\">void</span> <span class=\"title\">finalize</span><span class=\"params\">()</span></span>&#123;</span><br><span class=\"line\"> System.out.println(<span class=\"string\">\"Finalized\"</span>);</span><br><span class=\"line\"> finalization = <span class=\"keyword\">this</span>;</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"></span><br><span class=\"line\"> <span class=\"function\"><span class=\"keyword\">public</span> <span class=\"keyword\">static</span> <span class=\"keyword\">void</span> <span class=\"title\">main</span><span class=\"params\">(String[] args)</span> </span>&#123;</span><br><span class=\"line\"> Finalization f = <span class=\"keyword\">new</span> Finalization();</span><br><span class=\"line\"> System.out.println(<span class=\"string\">\"First print: \"</span> + f);</span><br><span class=\"line\"> f = <span class=\"keyword\">null</span>;</span><br><span class=\"line\"> System.gc();</span><br><span class=\"line\"> <span class=\"keyword\">try</span>&#123;<span class=\"comment\">//休息一段时间让上面的垃圾回收线程执行完成</span></span><br><span class=\"line\"> Thread.currentThread().sleep(<span class=\"number\">1000</span>);</span><br><span class=\"line\"> &#125; <span class=\"keyword\">catch</span> (InterruptedException e) &#123;</span><br><span class=\"line\"> e.printStackTrace();</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\"> System.out.println(<span class=\"string\">\"Second print: \"</span> + f);</span><br><span class=\"line\"> System.out.println(f.finalization);</span><br><span class=\"line\"> &#125;</span><br><span class=\"line\">&#125;</span><br><span class=\"line\"></span><br><span class=\"line\"><span class=\"comment\">//Out:</span></span><br><span class=\"line\">First print: GC.Finalization@<span class=\"number\">74</span>a14482</span><br><span class=\"line\">Finalized</span><br><span class=\"line\">Second print: <span class=\"keyword\">null</span></span><br><span class=\"line\">GC.Finalization@<span class=\"number\">74</span>a14482</span><br></pre></td></tr></table></div></figure>\n\n<p><strong>由于finalize()方法运行的不确定性较大,无法保证各对象的调用顺序,同时运行代价也高昂因此不建议使用</strong></p>\n<h6 id=\"2-6-2-Java中的强引用,软引用,弱引用,虚引用\">2.6.2 Java中的强引用,软引用,弱引用,虚引用<a href=\"post/Java面试#2-6-2-Java中的强引用,软引用,弱引用,虚引用\"></a></h6><p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573561582559.png\" alt=\"1573561582559\" class=\"article-img\"></p>\n<p>强引用&gt;软引用&gt;弱引用&gt;虚引用</p>\n<div class=\"article-bounded\"><div class=\"article-table\"><table>\n<thead>\n<tr>\n<th align=\"center\">引用类型</th>\n<th>被垃圾回收时间</th>\n<th>用途</th>\n<th>生存时间</th>\n</tr>\n</thead>\n<tbody><tr>\n<td align=\"center\">强引用</td>\n<td>从来不会</td>\n<td>创建对象的一般状态</td>\n<td>JVM停止运行时终止</td>\n</tr>\n<tr>\n<td align=\"center\">软引用</td>\n<td>在内存不足时</td>\n<td>对象缓存</td>\n<td>内存不足时终止</td>\n</tr>\n<tr>\n<td align=\"center\">弱引用</td>\n<td>在垃圾回收时</td>\n<td>对象缓存</td>\n<td>GC运行后终止</td>\n</tr>\n<tr>\n<td align=\"center\">虚引用</td>\n<td>Unknown</td>\n<td>标记、哨兵</td>\n<td>Unknown</td>\n</tr>\n</tbody></table></div></div>\n<ul>\n<li><p>强引用(Strong Reference)</p>\n<ul>\n<li><p>最普遍的引用:Object obj = new Object();</p>\n</li>\n<li><p>使用强引用,当内存空间不足时,JVM即使抛出OutOfMemoryError终止程序也不会回收具有强引用的对象</p>\n</li>\n<li><p>通过将对象设置为null来弱化引用(或等其超出对象生命周期范围),使其被回收 </p>\n</li>\n</ul>\n</li>\n<li><p>软引用(Soft Reference)</p>\n<ul>\n<li><p>对象处在有用但非必须的状态</p>\n</li>\n<li><p>只有当内存空间不足时,GC会回收该引用的对象的内存</p>\n</li>\n<li><p>可以用来实现内存敏感的高速缓存(就无需担心OutOfMemoryError问题。因为软引用会在内存不足时回收同时由于一般情况下内存空间充足,相关对象会一直存在便于复用)</p>\n</li>\n<li><p>用法:</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br></pre></td><td class=\"code\"><pre><span class=\"line\">String str = <span class=\"keyword\">new</span> String(<span class=\"string\">\"abc\"</span>);<span class=\"comment\">//强引用</span></span><br><span class=\"line\">SoftReference&lt;String&gt; softRef = <span class=\"keyword\">new</span> SoftReference&lt;String&gt;(str);<span class=\"comment\">//软引用</span></span><br></pre></td></tr></table></div></figure>\n\n\n</li>\n</ul>\n</li>\n</ul>\n<pre><code>**还可配合引用队列使用**</code></pre><ul>\n<li><p>弱引用(Weak Reference)</p>\n<ul>\n<li><p>非必须的对象,比软引用更弱一些</p>\n</li>\n<li><p>GC时会被回收</p>\n</li>\n<li><p>被回收的概率不大,因为GC线程的优先级较低</p>\n</li>\n<li><p>适用于引用偶然被使用且不影响垃圾收集的对象</p>\n</li>\n<li><p>用法:</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br></pre></td><td class=\"code\"><pre><span class=\"line\">String str = <span class=\"keyword\">new</span> String(<span class=\"string\">\"abc\"</span>);<span class=\"comment\">//强引用</span></span><br><span class=\"line\">WeakReference&lt;String&gt; weakRef = <span class=\"keyword\">new</span> Weak Reference&lt;String&gt;(str);<span class=\"comment\">//弱引用</span></span><br></pre></td></tr></table></div></figure>\n\n\n</li>\n</ul>\n</li>\n</ul>\n<pre><code>**还可配合引用队列使用**</code></pre><ul>\n<li><p>虚引用(PhantomReference)</p>\n<ul>\n<li><p>不会决定对象的生命周期</p>\n</li>\n<li><p>任何时候都可能被垃圾收集器回收</p>\n</li>\n<li><p>跟踪对象被垃圾收集器回收的活动,起哨兵作用(GC在回收一个对象之前,如果发现一个对象具有虚引用,那么在回收之前会首先将该对象的虚引用加入到与之关联的引用队列当中,程序可通过判断引用队列是否已经加入虚引用来了解被引用的对象是否被GC回收)</p>\n</li>\n<li><p>必须和引用队列ReferenceQueue联合使用</p>\n</li>\n<li><p>用法:</p>\n<figure class=\"highlight java\"><div><table><tr><td class=\"gutter\"><pre><span class=\"line\">1</span><br><span class=\"line\">2</span><br><span class=\"line\">3</span><br></pre></td><td class=\"code\"><pre><span class=\"line\">String str = <span class=\"keyword\">new</span> String(<span class=\"string\">\"abc\"</span>);<span class=\"comment\">//强引用</span></span><br><span class=\"line\">ReferenceQueue queue = <span class=\"keyword\">new</span> ReferenceQueue;<span class=\"comment\">//引用队列</span></span><br><span class=\"line\">PhantomReference ref = <span class=\"keyword\">new</span> PhantomReference(str,queue)</span><br></pre></td></tr></table></div></figure>\n\n</li>\n</ul>\n</li>\n</ul>\n<p>引用队列(ReferenceQueue)</p>\n<ul>\n<li>(名义上是一个队列)无实际存储结构,存储逻辑依赖于内部节点之间的关系来表达</li>\n<li>存储关联的且被GC的软引用,弱引用以及虚引用</li>\n</ul>\n<h4 id=\"3-Java异常及常用工具类体系\">3. Java异常及常用工具类体系<a href=\"post/Java面试#3-Java异常及常用工具类体系\"></a></h4><h5 id=\"3-1-异常\">3.1 异常<a href=\"post/Java面试#3-1-异常\"></a></h5><p>异常处理机制主要回答了三个问题:</p>\n<ul>\n<li>What:异常类型回答了什么被抛出</li>\n<li>Where:异常堆栈跟踪回答了在哪里抛出</li>\n<li>Why:异常信息回答了为什么被抛出</li>\n</ul>\n<p>Java的异常体系:</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573562402221.png\" alt=\"1573562402221\" class=\"article-img\"></p>\n<p>Throwable是整个Java异常体系的顶层父类,Error和Exception分别是其的两个子类。</p>\n<p>从责任角度看:</p>\n<ul>\n<li>Error属于JVM需要负担的责任</li>\n<li>RuntimeException是程序应该负担的责任</li>\n<li>Checked Exception(可检查异常)是Java编译器应该负担的责任</li>\n</ul>\n<h6 id=\"3-1-1-Error和Exception的区别\">3.1.1 Error和Exception的区别<a href=\"post/Java面试#3-1-1-Error和Exception的区别\"></a></h6><p>即从概念角度解析Java的异常处理机制</p>\n<ul>\n<li>Error:程序无法处理的系统错误,编译器不做检查</li>\n<li>Exception:程序可以处理的异常,捕获后可能恢复</li>\n</ul>\n<p><strong>Error是程序无法处理的错误,Exception是可以处理的异常</strong></p>\n<h6 id=\"3-1-2-Exception的分类\">3.1.2 Exception的分类<a href=\"post/Java面试#3-1-2-Exception的分类\"></a></h6><p>RuntimeException:不可预知的,程序应当自行避免</p>\n<p>非RuntimeException:可预知的,从编译器校验的异常(不处理编译时不通过)</p>\n<h6 id=\"3-1-3-常见的Error以及Exception\">3.1.3 常见的Error以及Exception<a href=\"post/Java面试#3-1-3-常见的Error以及Exception\"></a></h6><ul>\n<li><p>Error</p>\n<ul>\n<li><p>NoClassDefFoundError:找不到class定义的异常</p>\n<p>原因:</p>\n<ul>\n<li><p>类依赖的class或jar不存在</p>\n</li>\n<li><p>类文件存在,但是存在不同域中</p>\n<p>对应的class在Java的classpath中不可用或者有多个不同的类加载器重复加载同一个class就可能出现上述问题</p>\n</li>\n<li><p>大小写问题,javac编译的时候无视大小写,可能编译出来的class文件与想要的不一样</p>\n</li>\n<li><p>……</p>\n</li>\n</ul>\n</li>\n<li><p>StackOverflowError:深递归导致栈被耗尽而抛出的异常</p>\n</li>\n<li><p>OutOfMemoryError:内存溢出异常</p>\n</li>\n</ul>\n</li>\n<li><p>Exception</p>\n<ul>\n<li><p>RuntimeException</p>\n<ul>\n<li><p>NullPointerException:空指针引用异常</p>\n<p>应用试图在要求使用对象的地方使用null时抛出该异常。譬如说调用空的对象的实例方法、访问空的对象的属性、计算空对象长度等等。</p>\n</li>\n<li><p>ClassCastException:类型强制转换异常</p>\n<p>类型强制转换失败时抛出。A不是B的父类或子类,o是A的实例,当强制将o构造为类B的实例会抛出该异常</p>\n</li>\n<li><p>IllegalArgumentException:传递非法参数异常</p>\n<p>给方法传入不满足要求的参数,无论是不满足参数类型要求还是不满足个数,只要不满足都抛出该异常。</p>\n</li>\n<li><p>IndexOutOfBoundsException:下标越界异常</p>\n<p>数组索引值为负数或大于等于数组时抛出该异常。</p>\n</li>\n<li><p>NumberFormatException:数字格式异常</p>\n<p>试图将一个String转换为指定的数字类型,而该字符串确实不满足数字类型要求格式时抛出该异常。</p>\n</li>\n</ul>\n</li>\n<li><p>非RuntimeException</p>\n<ul>\n<li>ClassNotFoundException:找不到指定class的异常</li>\n<li>IOException: IO操作异常</li>\n</ul>\n</li>\n</ul>\n</li>\n</ul>\n<h6 id=\"3-1-4-Java的异常处理机制\">3.1.4 Java的异常处理机制<a href=\"post/Java面试#3-1-4-Java的异常处理机制\"></a></h6><ul>\n<li>抛出异常:创建异常对象,交由运行时系统处理(throws xxxException)</li>\n<li>捕获异常:寻找合适的异常处理器处理异常,否则终止运行(try-catch-finally)</li>\n</ul>\n<blockquote>\n<p><strong>Finally是先于return执行的逻辑</strong></p>\n</blockquote>\n<h5 id=\"3-2-Java集合框架\">3.2 Java集合框架<a href=\"post/Java面试#3-2-Java集合框架\"></a></h5><p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573865002541.png\" alt=\"1573865002541\" class=\"article-img\"></p>\n<ul>\n<li>List:有序集合,提供了便捷的访问、插入、删除等操作</li>\n<li>Set:不允许包含重复元素的集合,适用于保证元素唯一的场景</li>\n<li>Queue: Java提供的标准队列的实现</li>\n</ul>\n<h6 id=\"3-2-1-List\">3.2.1 List<a href=\"post/Java面试#3-2-1-List\"></a></h6><p>特点:</p>\n<ul>\n<li>有序:存储和取出的顺序一致</li>\n<li>可重复</li>\n<li>可通过索引操作元素</li>\n</ul>\n<p>分类:</p>\n<ul>\n<li>底层是数组:<ul>\n<li>ArrayList:线程不安全,效率高(ArrayList的动态扩容实际上是通过重新创建一个新的数组,赋予新的长度并覆盖掉原有数组实现的)</li>\n<li>Vector:线程安全,效率低</li>\n<li>Vector:线程安全,效率低</li>\n</ul>\n</li>\n<li>底层是链表:<ul>\n<li>LinkedList:线程不安全,效率高</li>\n</ul>\n</li>\n</ul>\n<blockquote>\n<p>数组的访问速度比链表快,但非尾部的增删涉及元素的移动,因此ArrayList和Vector查询快、增删慢</p>\n<p>而LinkedList查询慢、增删快</p>\n</blockquote>\n<h6 id=\"3-2-2-Set\">3.2.2 Set<a href=\"post/Java面试#3-2-2-Set\"></a></h6><p>特点:</p>\n<ul>\n<li>无序:存储和取出的顺序不一定一致</li>\n<li>元素唯一</li>\n</ul>\n<p>分类:</p>\n<ul>\n<li><p>底层是哈希表(HashMap)</p>\n<ul>\n<li>HashSet(保证元素唯一性)——HashMap时讲解<ul>\n<li>equals()</li>\n<li>hashCode()</li>\n</ul>\n</li>\n</ul>\n</li>\n<li><p>底层是二叉树</p>\n<ul>\n<li><p>TreeSet(保证元素排序)</p>\n<p>TreeSet的核心在于排序。若不关心排序,使用HashSet将获得更高的性能;若关心排序则使用TreeSet。用到了两种排序方式:</p>\n<ul>\n<li>comparable接口:基于元素自身实现的Comparable接口的自然排序(需要重写equals、hashCode和compareTo方法)</li>\n<li>comparator接口:基于灵活的Comparator接口的客户化排序(实现Comparator接口的compare方法)</li>\n</ul>\n<p><strong>当客户化排序和自然排序共存时,以客户化排序优先</strong></p>\n</li>\n</ul>\n</li>\n</ul>\n<h6 id=\"3-2-3-List和Set的区别\">3.2.3 List和Set的区别<a href=\"post/Java面试#3-2-3-List和Set的区别\"></a></h6><p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573865453418.png\" alt=\"1573865453418\" class=\"article-img\"></p>\n<h6 id=\"3-2-4-Map\">3.2.4 Map<a href=\"post/Java面试#3-2-4-Map\"></a></h6><p>用于保存具有映射关系的数据,都是&lt;key,values&gt;形式的。<strong>Map中的key是不可重复的,</strong>key是用于标识集合中的每项数据,values可以重复。由源码可知,Map中的key是通过Set组织,values是通过Collection组织的。</p>\n<p>Map的结构:</p>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573868703055.png\" alt=\"1573868703055\" class=\"article-img\"></p>\n<p><strong>经典面试题:HashMap、HashTable、ConcurrentHashMap的区别</strong></p>\n<ul>\n<li><p><strong>HashMap线程不安全,数据结构是数组+链表+红黑树</strong></p>\n</li>\n<li><p><strong>HashTable线程安全,锁住整个对象,数据结构是数组+链表</strong></p>\n</li>\n<li><p><strong>ConcurrentHashMap线程安全,CAS+同步锁,数据结构是数组+链表+红黑树</strong></p>\n</li>\n<li><p><strong>HashMap</strong></p>\n<p>put方法的逻辑:</p>\n<ol>\n<li>如果HashMap未被初始化,则先初始化</li>\n<li>对Key求Hash值,然后再计算table的下标</li>\n<li>如果没有碰撞(Table数组中对应的位置还没有相应的键值对),则将键值对直接放入数组对应位置中</li>\n<li>如果碰撞了,以链表的方式链接到后面</li>\n<li>如果链表长度超过了阈值,就把链表转为红黑树</li>\n<li>如果链表长度低于6,就把红黑树转回链表</li>\n<li>如果节点已经存在(key值已存在)就替换key对应value的旧值</li>\n<li>如果桶满了(容量16*负载因子0.75),就需要resize(扩容2倍后重排)</li>\n</ol>\n</li>\n<li></li>\n</ul>\n<p><img src=\"C:%5CUsers%5CHP%5CAppData%5CRoaming%5CTypora%5Ctypora-user-images%5C1573869247876.png\" alt=\"1573869247876\" class=\"article-img\"></p>\n<h5 id=\"3-3-Java的IO机制\">3.3 Java的IO机制<a href=\"post/Java面试#3-3-Java的IO机制\"></a></h5><p><strong>面试题:BIO、NIO、AIO的区别</strong></p>\n<ul>\n<li><strong>BIO:Block-IO</strong></li>\n<li><strong>NonBlock-IO</strong></li>\n<li><strong>Asynchronous IO</strong></li>\n</ul>\n","prev":{"title":"二叉树的遍历","link":"post/二叉树的遍历"},"next":{"title":"Mybatis(1)","link":"post/Mybatis(1)"},"plink":"http://YIzzzzz.github.io/post/Java面试/"}
{"expireTime":9007200886709006000,"key":"/static/4ed70146ff288fb074b18ea4358aa7ec/db5c8/blog-6.jpg","val":"e3986230b7fab0ca8d0f379df77e3466"}
{"word": "wyr\u017cn\u0105\u0107", "translations": ["\u0438\u0437\u0432\u0430\u044f\u0442\u044c", "\u043e\u0448\u0430\u0440\u0430\u0448\u0438\u0442\u044c", "\u043e\u0433\u0440\u0435\u0442\u044c", "\u0432\u043b\u0435\u043f\u0438\u0442\u044c", "\u0432\u043c\u0430\u0437\u0430\u0442\u044c", "\u0432\u044b\u0440\u0435\u0437\u0430\u0442\u044c"], "conj": {"present_perfect": {"polish_form": "Czas przysz\u0142y prosty", "russian_form": "\u041d\u0430\u0441\u0442\u043e\u044f\u0449\u0435\u0435 \u0441\u0440\u043e\u0432\u0435\u0440\u0448\u0451\u043d\u043d\u043e\u0435 \u0432\u0440\u0435\u043c\u044f", "conj": {"ja": "wyr\u017cn\u0119", "ty": "wyr\u017cniesz", "on/ona/ono": "wyr\u017cnie", "my": "wyr\u017cniemy", "wy": "wyr\u017cniecie", "oni/one": "wyr\u017cn\u0105"}}, "past": {"polish_form": "Czas przesz\u0142y", "russian_form": "\u041f\u0440\u043e\u0448\u043b\u043e\u0435 \u0432\u0440\u0435\u043c\u044f", "conj": {"ja (m)": "wyr\u017cn\u0105\u0142em", "ja (f)": "wyr\u017cn\u0119\u0142am", "ty (m)": "wyr\u017cn\u0105\u0142e\u015b", "ty (f)": "wyr\u017cn\u0119\u0142a\u015b", "on": "wyr\u017cn\u0105\u0142", "ona": "wyr\u017cn\u0119\u0142a", "ono": "wyr\u017cn\u0119\u0142o", "my (m)": "wyr\u017cn\u0119li\u015bmy", "my (f)": "wyr\u017cn\u0119\u0142y\u015bmy", "wy (m)": "wyr\u017cn\u0119li\u015bcie", "wy (f)": "wyr\u017cn\u0119\u0142y\u015bcie", "oni": "wyr\u017cn\u0119li", "one": "wyr\u017cn\u0119\u0142y"}}, "subjunctive": {"polish_form": "Tryb przypuszczaj\u0105cy", "russian_form": "\u0421\u043e\u0441\u043b\u0430\u0433\u0430\u0442\u0435\u043b\u044c\u043d\u043e\u0435 \u043d\u0430\u043a\u043b\u043e\u043d\u0435\u043d\u0438\u0435", "conj": {"ja (m)": "wyr\u017cn\u0105\u0142bym", "ja (f)": "wyr\u017cn\u0119\u0142abym", "ty (m)": "wyr\u017cn\u0105\u0142by\u015b", "ty (f)": "wyr\u017cn\u0119\u0142aby\u015b", "on": "wyr\u017cn\u0105\u0142by", "ona": "wyr\u017cn\u0119\u0142aby", "ono": "wyr\u017cn\u0119\u0142oby", "my (m)": "wyr\u017cn\u0119liby\u015bmy", "my (f)": "wyr\u017cn\u0119\u0142yby\u015bmy", "wy (m)": "wyr\u017cn\u0119liby\u015bcie", "wy (f)": "wyr\u017cn\u0119\u0142yby\u015bcie", "oni": "wyr\u017cn\u0119liby", "one": "wyr\u017cn\u0119\u0142yby"}}, "imperative": {"polish_form": "Tryb rozkazuj\u0105cy", "russian_form": "\u0418\u043c\u043f\u0435\u0440\u0430\u0442\u0438\u0432", "conj": {"ty": "wyr\u017cnij", "on/ona/ono": "niech wyr\u017cnie", "my": "wyr\u017cnijmy", "wy": "wyr\u017cnijcie", "oni/one": "niech wyr\u017cn\u0105"}}}}
{"textgrid.poem.32359": {"metadata": {"author": {"name": "Lessing, Gotthold Ephraim", "birth": "N.A.", "death": "N.A."}, "title": "37. Auf den Sanktulus", "genre": "verse", "period": "N.A.", "pub_year": 1755, "urn": "N.A.", "language": ["de:0.99"], "booktitle": "N.A."}, "text": null, "poem": {"stanza.1": {"line.1": {"text": "Dem Alter nah, und schwach an Kr\u00e4ften,", "tokens": ["Dem", "Al\u00b7ter", "nah", ",", "und", "schwach", "an", "Kr\u00e4f\u00b7ten", ","], "token_info": ["word", "word", "word", "punct", "word", "word", "word", "word", "punct"], "pos": ["ART", "NN", "ADJD", "$,", "KON", "ADJD", "APPR", "NN", "$,"], "meter": "-+-+-+-+-", "measure": "iambic.tetra"}, "line.2": {"text": "Entschl\u00e4gt sich Sanktulus der Welt", "tokens": ["Ent\u00b7schl\u00e4gt", "sich", "Sank\u00b7tu\u00b7lus", "der", "Welt"], "token_info": ["word", "word", "word", "word", "word"], "pos": ["VVFIN", "PRF", "NE", "ART", "NN"], "meter": "-+-+-+-+", "measure": "iambic.tetra"}, "line.3": {"text": "Und allen weltlichen Gesch\u00e4ften,", "tokens": ["Und", "al\u00b7len", "welt\u00b7li\u00b7chen", "Ge\u00b7sch\u00e4f\u00b7ten", ","], "token_info": ["word", "word", "word", "word", "punct"], "pos": ["KON", "PIAT", "ADJA", "NN", "$,"], "meter": "-+-+-+-+-", "measure": "iambic.tetra"}, "line.4": {"text": "Von denen keins ihm mehr gef\u00e4llt.", "tokens": ["Von", "de\u00b7nen", "keins", "ihm", "mehr", "ge\u00b7f\u00e4llt", "."], "token_info": ["word", "word", "word", "word", "word", "word", "punct"], "pos": ["APPR", "PRELS", "PIS", "PPER", "ADV", "VVPP", "$."], "meter": "-+-+-+-+", "measure": "iambic.tetra"}, "line.5": {"text": "Die kleine tr\u00fcbe Neige Leben", "tokens": ["Die", "klei\u00b7ne", "tr\u00fc\u00b7be", "Nei\u00b7ge", "Le\u00b7ben"], "token_info": ["word", "word", "word", "word", "word"], "pos": ["ART", "ADJA", "ADJA", "NN", "NN"], "meter": "-+-+-+-+-", "measure": "iambic.tetra"}, "line.6": {"text": "Ist er in seinem Gott gemeint,", "tokens": ["Ist", "er", "in", "sei\u00b7nem", "Gott", "ge\u00b7meint", ","], "token_info": ["word", "word", "word", "word", "word", "word", "punct"], "pos": ["VAFIN", "PPER", "APPR", "PPOSAT", "NN", "VVPP", "$,"], "meter": "-+-+-+-+", "measure": "iambic.tetra"}, "line.7": {"text": "Der geistlichen Beschauung zu ergeben;", "tokens": ["Der", "geist\u00b7li\u00b7chen", "Be\u00b7schau\u00b7ung", "zu", "er\u00b7ge\u00b7ben", ";"], "token_info": ["word", "word", "word", "word", "word", "punct"], "pos": ["ART", "ADJA", "NN", "PTKZU", "VVINF", "$."], "meter": "-+-+-+-+-+-", "measure": "iambic.penta"}, "line.8": {"text": "Ist weder Vater mehr, noch B\u00fcrger mehr, noch Freund.", "tokens": ["Ist", "we\u00b7der", "Va\u00b7ter", "mehr", ",", "noch", "B\u00fcr\u00b7ger", "mehr", ",", "noch", "Freund", "."], "token_info": ["word", "word", "word", "word", "punct", "word", "word", "word", "punct", "word", "word", "punct"], "pos": ["VAFIN", "KON", "NN", "ADV", "$,", "ADV", "NN", "ADV", "$,", "ADV", "NN", "$."], "meter": "-+-+-+-+-+-+", "measure": "alexandrine.iambic.hexa"}, "line.9": {"text": "Zwar sagt man, da\u00df ein trauter Knecht", "tokens": ["Zwar", "sagt", "man", ",", "da\u00df", "ein", "trau\u00b7ter", "Knecht"], "token_info": ["word", "word", "word", "punct", "word", "word", "word", "word"], "pos": ["ADV", "VVFIN", "PIS", "$,", "KOUS", "ART", "ADJA", "NN"], "meter": "-+-+-+-+", "measure": "iambic.tetra"}, "line.10": {"text": "Des Abends durch die Hintert\u00fcre", "tokens": ["Des", "A\u00b7bends", "durch", "die", "Hin\u00b7ter\u00b7t\u00fc\u00b7re"], "token_info": ["word", "word", "word", "word", "word"], "pos": ["ART", "NN", "APPR", "ART", "NN"], "meter": "-+-+-+-+-", "measure": "iambic.tetra"}, "line.11": {"text": "Manch h\u00fcbsches M\u00e4dchen zu ihm f\u00fchre.", "tokens": ["Manch", "h\u00fcb\u00b7sches", "M\u00e4d\u00b7chen", "zu", "ihm", "f\u00fch\u00b7re", "."], "token_info": ["word", "word", "word", "word", "word", "word", "punct"], "pos": ["PIAT", "ADJA", "NN", "APPR", "PPER", "VVFIN", "$."], "meter": "-+-+-+-+-", "measure": "iambic.tetra"}, "line.12": {"text": "Doch, b\u00f6se Welt, wie ungerecht!", "tokens": ["Doch", ",", "b\u00f6\u00b7se", "Welt", ",", "wie", "un\u00b7ge\u00b7recht", "!"], "token_info": ["word", "punct", "word", "word", "punct", "word", "word", "punct"], "pos": ["KON", "$,", "ADJA", "NN", "$,", "PWAV", "ADJD", "$."], "meter": "-+-+-+-+", "measure": "iambic.tetra"}, "line.13": {"text": "Ihm so was \u00fcbel auszulegen!", "tokens": ["Ihm", "so", "was", "\u00fc\u00b7bel", "aus\u00b7zu\u00b7le\u00b7gen", "!"], "token_info": ["word", "word", "word", "word", "word", "punct"], "pos": ["PPER", "ADV", "PWS", "ADJD", "VVINF", "$."], "meter": "-+-+-+-+-", "measure": "iambic.tetra"}, "line.14": {"text": "Auch das geschieht blo\u00df der Beschauung wegen.", "tokens": ["Auch", "das", "ge\u00b7schieht", "blo\u00df", "der", "Be\u00b7schau\u00b7ung", "we\u00b7gen", "."], "token_info": ["word", "word", "word", "word", "word", "word", "word", "punct"], "pos": ["ADV", "PDS", "VVFIN", "ADV", "ART", "NN", "APPR", "$."], "meter": "-+-+-+-+-+-", "measure": "iambic.penta"}}, "stanza.2": {"line.1": {"text": "Dem Alter nah, und schwach an Kr\u00e4ften,", "tokens": ["Dem", "Al\u00b7ter", "nah", ",", "und", "schwach", "an", "Kr\u00e4f\u00b7ten", ","], "token_info": ["word", "word", "word", "punct", "word", "word", "word", "word", "punct"], "pos": ["ART", "NN", "ADJD", "$,", "KON", "ADJD", "APPR", "NN", "$,"], "meter": "-+-+-+-+-", "measure": "iambic.tetra"}, "line.2": {"text": "Entschl\u00e4gt sich Sanktulus der Welt", "tokens": ["Ent\u00b7schl\u00e4gt", "sich", "Sank\u00b7tu\u00b7lus", "der", "Welt"], "token_info": ["word", "word", "word", "word", "word"], "pos": ["VVFIN", "PRF", "NE", "ART", "NN"], "meter": "-+-+-+-+", "measure": "iambic.tetra"}, "line.3": {"text": "Und allen weltlichen Gesch\u00e4ften,", "tokens": ["Und", "al\u00b7len", "welt\u00b7li\u00b7chen", "Ge\u00b7sch\u00e4f\u00b7ten", ","], "token_info": ["word", "word", "word", "word", "punct"], "pos": ["KON", "PIAT", "ADJA", "NN", "$,"], "meter": "-+-+-+-+-", "measure": "iambic.tetra"}, "line.4": {"text": "Von denen keins ihm mehr gef\u00e4llt.", "tokens": ["Von", "de\u00b7nen", "keins", "ihm", "mehr", "ge\u00b7f\u00e4llt", "."], "token_info": ["word", "word", "word", "word", "word", "word", "punct"], "pos": ["APPR", "PRELS", "PIS", "PPER", "ADV", "VVPP", "$."], "meter": "-+-+-+-+", "measure": "iambic.tetra"}, "line.5": {"text": "Die kleine tr\u00fcbe Neige Leben", "tokens": ["Die", "klei\u00b7ne", "tr\u00fc\u00b7be", "Nei\u00b7ge", "Le\u00b7ben"], "token_info": ["word", "word", "word", "word", "word"], "pos": ["ART", "ADJA", "ADJA", "NN", "NN"], "meter": "-+-+-+-+-", "measure": "iambic.tetra"}, "line.6": {"text": "Ist er in seinem Gott gemeint,", "tokens": ["Ist", "er", "in", "sei\u00b7nem", "Gott", "ge\u00b7meint", ","], "token_info": ["word", "word", "word", "word", "word", "word", "punct"], "pos": ["VAFIN", "PPER", "APPR", "PPOSAT", "NN", "VVPP", "$,"], "meter": "-+-+-+-+", "measure": "iambic.tetra"}, "line.7": {"text": "Der geistlichen Beschauung zu ergeben;", "tokens": ["Der", "geist\u00b7li\u00b7chen", "Be\u00b7schau\u00b7ung", "zu", "er\u00b7ge\u00b7ben", ";"], "token_info": ["word", "word", "word", "word", "word", "punct"], "pos": ["ART", "ADJA", "NN", "PTKZU", "VVINF", "$."], "meter": "-+-+-+-+-+-", "measure": "iambic.penta"}, "line.8": {"text": "Ist weder Vater mehr, noch B\u00fcrger mehr, noch Freund.", "tokens": ["Ist", "we\u00b7der", "Va\u00b7ter", "mehr", ",", "noch", "B\u00fcr\u00b7ger", "mehr", ",", "noch", "Freund", "."], "token_info": ["word", "word", "word", "word", "punct", "word", "word", "word", "punct", "word", "word", "punct"], "pos": ["VAFIN", "KON", "NN", "ADV", "$,", "ADV", "NN", "ADV", "$,", "ADV", "NN", "$."], "meter": "-+-+-+-+-+-+", "measure": "alexandrine.iambic.hexa"}, "line.9": {"text": "Zwar sagt man, da\u00df ein trauter Knecht", "tokens": ["Zwar", "sagt", "man", ",", "da\u00df", "ein", "trau\u00b7ter", "Knecht"], "token_info": ["word", "word", "word", "punct", "word", "word", "word", "word"], "pos": ["ADV", "VVFIN", "PIS", "$,", "KOUS", "ART", "ADJA", "NN"], "meter": "-+-+-+-+", "measure": "iambic.tetra"}, "line.10": {"text": "Des Abends durch die Hintert\u00fcre", "tokens": ["Des", "A\u00b7bends", "durch", "die", "Hin\u00b7ter\u00b7t\u00fc\u00b7re"], "token_info": ["word", "word", "word", "word", "word"], "pos": ["ART", "NN", "APPR", "ART", "NN"], "meter": "-+-+-+-+-", "measure": "iambic.tetra"}, "line.11": {"text": "Manch h\u00fcbsches M\u00e4dchen zu ihm f\u00fchre.", "tokens": ["Manch", "h\u00fcb\u00b7sches", "M\u00e4d\u00b7chen", "zu", "ihm", "f\u00fch\u00b7re", "."], "token_info": ["word", "word", "word", "word", "word", "word", "punct"], "pos": ["PIAT", "ADJA", "NN", "APPR", "PPER", "VVFIN", "$."], "meter": "-+-+-+-+-", "measure": "iambic.tetra"}, "line.12": {"text": "Doch, b\u00f6se Welt, wie ungerecht!", "tokens": ["Doch", ",", "b\u00f6\u00b7se", "Welt", ",", "wie", "un\u00b7ge\u00b7recht", "!"], "token_info": ["word", "punct", "word", "word", "punct", "word", "word", "punct"], "pos": ["KON", "$,", "ADJA", "NN", "$,", "PWAV", "ADJD", "$."], "meter": "-+-+-+-+", "measure": "iambic.tetra"}, "line.13": {"text": "Ihm so was \u00fcbel auszulegen!", "tokens": ["Ihm", "so", "was", "\u00fc\u00b7bel", "aus\u00b7zu\u00b7le\u00b7gen", "!"], "token_info": ["word", "word", "word", "word", "word", "punct"], "pos": ["PPER", "ADV", "PWS", "ADJD", "VVINF", "$."], "meter": "-+-+-+-+-", "measure": "iambic.tetra"}, "line.14": {"text": "Auch das geschieht blo\u00df der Beschauung wegen.", "tokens": ["Auch", "das", "ge\u00b7schieht", "blo\u00df", "der", "Be\u00b7schau\u00b7ung", "we\u00b7gen", "."], "token_info": ["word", "word", "word", "word", "word", "word", "word", "punct"], "pos": ["ADV", "PDS", "VVFIN", "ADV", "ART", "NN", "APPR", "$."], "meter": "-+-+-+-+-+-", "measure": "iambic.penta"}}}}}
[[["woman", 17430], ["president", 12755], ["think", 10959], ["won", 10365], ["would", 8219], ["like", 7922], ["job", 7618], ["candy", 7196], ["question", 6808], ["great", 6721], ["you're", 6721], ["say", 6683], ["tonight's", 6455], ["time", 6351], ["black", 6218], ["gay", 5849], ["get", 5799], ["binder", 5793], ["mexican", 5770], ["don't", 5746], ["student", 5564], ["poor", 5554], ["dog", 5499], ["unless", 5488], ["presidency", 5471], ["one", 5256], ["crowley", 5155], ["fact", 5032], ["people", 4927], ["tonight", 4727], ["full", 4402], ["answer", 4230], ["libya", 4186], ["right", 4061], ["want", 3588], ["good", 3530], ["doesn't", 3517], ["tax", 3456], ["know", 3203], ["last", 3021], ["said", 2974], ["make", 2957], ["it's", 2934], ["need", 2831], ["gun", 2778], ["going", 2776], ["big", 2651], ["vote", 2575], ["year", 2515], ["moderator", 2426], ["look", 2399], ["china", 2389], ["can't", 2280], ["guy", 2104], ["talk", 2010], ["plan", 1997], ["didn't", 1981], ["presidential", 1900], ["minute", 1800], ["stop", 1778], ["candidate", 1777], ["really", 1727], ["bush", 1614], ["check", 1593], ["cut", 1543], ["fox", 1543], ["potus", 1503], ["video", 1464], ["number", 1457], ["act", 1418], ["policy", 1412], ["news", 1407], ["take", 1401], ["word", 1399], ["haven't", 1383], ["benghazi", 1377], ["win", 1339], ["main", 1338], ["back", 1331], ["text", 1313], ["watch", 1302], ["per", 1274], ["confused", 1270], ["parent", 1261], ["shown", 1206], ["got", 1191], ["issue", 1186], ["listen", 1173], ["thing", 1154], ["takeaway", 1132], ["long", 1131], ["even", 1124], ["work", 1123], ["oil", 1111], ["better", 1109], ["create", 1108], ["he's", 1098], ["final", 1087], ["american", 1086], ["attack", 1057]], [["@chrisrockoz", 9327], ["@huffingtonpost", 9263], ["@mittromney", 3496], ["@barackobama", 3188], ["@dickmorristweet", 2452], ["@onionpolitics", 2240], ["@chrisdelia", 1780], ["@karlrove", 1631], ["@abc", 1596], ["@cnn", 1428], ["@romneysbinder", 1404], ["@teamromney", 1390], ["@crowleycnn", 1226], ["@cenkuygur", 1178], ["@thefix", 1098], ["@reince", 1017], ["@romneyresponse", 913], ["@romneybinders", 778], ["@indecision", 771], ["@gop", 756], ["@tyleroakley", 702], ["@gov", 694], ["@annmcelhinney", 634], ["@darthvader", 625], ["@megynkelly", 606], ["@newsninja2012", 583], ["@occupywallst", 578], ["@mikedrucker", 567], ["@bernardgoldberg", 545], ["@huffpostpol", 521], ["@ryanseacrest", 471], ["@marieclaire", 462], ["@toddbarry", 441], ["@politicoroger", 439], ["@cracked", 432], ["@michaelskolnik", 417], ["@danabrams", 372], ["@yahoonews", 371], ["@upworthy", 369], ["@waff48", 351], ["@jrubinblogger", 348], ["@shelbywhite", 339], ["@hardball", 316], ["@ebonymag", 297], ["@gurmeetsingh", 294], ["@goprincess", 288], ["@joemuscardelli", 283], ["@cschweitz", 281], ["@roddmartin", 278], ["@mcuban", 277], ["@bretbaier", 276], ["@sistertoldjah", 275], ["@foxnews", 272], ["@andreamsaul", 258], ["@chrishelman", 252], ["@jenstatsky", 252], ["@phaedraparks", 240], ["@boonepickens", 240], ["@producermatthew", 237], ["@ppact", 228], ["@kerstinshamberg", 227], ["@wsj", 225], ["@keep", 225], ["@tylerkingkade", 217], ["@bucksexton", 214], ["@seanhannity", 211], ["@huffpostcollege", 208], ["@msignorile", 207], ["@sportsnation", 204], ["@bbcworld", 204], ["@thisweekabc", 199], ["@ryanwesleysmith", 199], ["@blitznbeans", 198], ["@lizzwinstead", 194], ["@poniewozik", 194], ["@tcrabtree83", 193], ["@kesgardner", 190], ["@grauface", 185], ["@kim", 179], ["@arrghpaine", 174], ["@jordansekulow", 172], ["@allitrippy", 172], ["@eclectablog", 171], ["@itsgabrielleu", 171], ["@keahukahuanui", 168], ["@refinery29", 166], ["@shondarhimes", 165], ["@grrr", 163], ["@kakukowski", 163], ["@globalgrind", 158], ["@resisttyranny", 157], ["@jilliandeltoro", 152], ["@moshekasher", 150], ["@gabedelahaye", 148], ["@simonhelberg", 148], ["@allisonkilkenny", 148], ["@antderosa", 147], ["@jesus", 146], ["@aterkel", 146], ["@greggybennett", 145]], [["#debates", 158824], ["#leadfromwithin", 5325], ["#debate", 4331], ["#debate2012", 3861], ["#tcot", 3657], ["#romney", 3468], ["#obama", 3161], ["#hofstradebate", 2369], ["#cantafford4more", 2325], ["#current2012", 1371], ["#bindersfullofwomen", 1218], ["#p2", 1141], ["#romneyryan2012", 1109], ["#obama2012", 983], ["#cnndebate", 871], ["#election2012", 695], ["#teaparty", 563], ["#fastandfurious", 512], ["#hofdebate", 463], ["#gop", 439], ["#teamobama", 417], ["#immigration", 372], ["#realromney", 354], ["#mockthevote", 325], ["#townhalldebate", 309], ["#shitstorm2012", 302], ["#atfgunwalking", 292], ["#mittromney", 291], ["#libya", 287], ["#cnn", 277], ["#binderfullofwomen", 277], ["#theblaze2012", 275], ["#fb", 259], ["#debates2012", 248], ["#candy", 247], ["#lnyhbt", 241], ["#presidentialdebate", 237], ["#nbcpolitics", 233], ["#obamawinning", 223], ["#wiright", 219], ["#msnbc2012", 203], ["#fail", 200], ["#debate2", 199], ["#mittmath", 196], ["#youtubepolitics", 196], ["#romney2012", 195], ["#strong", 191], ["#cspan2012", 188], ["#election", 188], ["#mitt", 187], ["#benghazi", 180], ["#g442", 177], ["#tlot", 176], ["#getempotus", 172], ["#potus", 169], ["#takeyourtopoffalready", 145], ["#binders", 145], ["#women", 141], ["#teambarack", 141], ["#shevotes", 133], ["#mittlies", 120], ["#nobama", 119], ["#bigbird", 119], ["#ajstream", 118], ["#changethedebate", 111], ["#ndaa", 108], ["#dreamact", 108], ["#vote", 108], ["#sensata", 106], ["#politics", 104], ["#candycrowley", 103], ["#hofstradebates", 103], ["#china", 102], ["#romneywinning", 99], ["#obamacare", 98], ["#latism", 97], ["#youngcons", 96], ["#bindersofwomen", 94], ["#pdslive", 93], ["#foxnews", 92], ["#msnbc", 92], ["#sunlive", 91], ["#getglue", 90], ["#romneyryan", 87], ["#twib2012", 87], ["#truth", 86], ["#mittens", 86], ["#bindergate", 86], ["#sketchydeal", 84], ["#decision2012", 84], ["#news", 84], ["#boom", 83], ["#rnc", 83], ["#dreamers", 83], ["#imhereivote", 82], ["#factcheck", 77], ["#mitt2012", 76], ["#jobs", 76], ["#cnndebates", 76], ["#malarkey", 75]], [["Romney", 63869], ["Obama", 43669]]]
[ { "name": "Live Better", "url": "https://www.free404.com/", "desc": "Try my best" } ]
"20090130\n6月1日的地铁站\n我们在轨道上停下来\n修理故障的推进器\n时间下午三点,太阳在我左手边\n一些锈掉的螺丝和一只灰色的鸟\n同时摘下它们的帽子\n我们掏出怀表\n互相为对方拍照\n\n“等我老了我将无法记得这些”\n\n我把一颗螺丝又吞了回去。\n\n小王子站在我们的工具箱上\n抬起头,要我们为他画一个同伴\n时间仿佛过了很久——\n一只绵羊咬着青草\n从漆黑的箱子走出\n\n你将赶赴下一个目的地\n我们挥手,告别潮湿的月球\n我独自回到双脚下沉的沙地\n你变成水星,看见\n我眼中的秘密"
{ "sound": [ "f19_sound", "tent19", "dejj-2014", "gs_sound" ], "lighting": [ "fcf19", "pars-and-stars", "griz-sc2016", "ds" ] }
{"rustc":10338930772102699202,"features":"[\"use_std\"]","target":11741121607457043684,"profile":3026933032369683551,"path":16742373799306618080,"deps":[["cfg-if v0.1.2",16447096217455487652]],"local":[{"Precalculated":"0.3.2"}],"rustflags":[],"edition":"Edition2015"}
{ "date_blocked": null, "citation": { "state_cite_three": null, "federal_cite_one": "154 U.S. 225", "federal_cite_two": null, "specialty_cite_one": null, "federal_cite_three": null, "lexis_cite": null, "document_uris": [ "/api/rest/v2/document/93942/" ], "scotus_early_cite": null, "case_name": "United States v. Illinois Central R. Co.", "westlaw_cite": null, "state_cite_one": null, "neutral_cite": null, "state_cite_regional": null, "state_cite_two": null, "docket_number": "331", "id": 78323, "resource_uri": "/api/rest/v2/citation/78323/" }, "id": 93942, "blocked": false, "judges": "Field", "court": "/api/rest/v2/jurisdiction/scotus/", "date_filed": "1894-05-26", "download_url": null, "source": "LR", "local_path": null, "html_lawbox": "<div>\n<center><b>154 U.S. 225 (1894)</b></center>\n<center><h1>UNITED STATES<br>\nv.<br>\nILLINOIS CENTRAL RAILROAD COMPANY.</h1></center>\n<center>No. 331.</center>\n<center><p><b>Supreme Court of United States.</b></p></center>\n<center>Argued March 29, 30, 1894.</center>\n<center>Decided May 26, 1894.</center>\nAPPEAL FROM THE CIRCUIT COURT OF THE UNITED STATES FOR THE NORTHERN DISTRICT OF ILLINOIS.\n<p><span class=\"star-pagination\">*227</span> <i>Mr. Solicitor General</i> for appellants.</p>\n<p><span class=\"star-pagination\">*233</span> <i>Mr. Benjamin F. Ayer</i> for the Illinois Central Railroad Company, appellee.</p>\n<p><i>Mr. John S. Miller</i> for the City of Chicago, appellee.</p>\n<p><span class=\"star-pagination\">*232</span> MR. JUSTICE FIELD delivered the opinion of the court.</p>\n<p>This is an appeal on the part of the United States from a decree of the Circuit Court sustaining a demurrer to an information or bill in equity, in which they were complainants and the Illinois Central and other railroad companies were defendants. The information charges that encroachments are made or threatened upon property of the United States, and the object of the information, so far as contended on the present appeal, is to prevent their continuance in the future, as to one particular parcel of property and to preserve it open to the uses for which it was dedicated by the United States. That property consists of land situated on the shore of Lake Michigan, being part of fractional section ten in Chicago, lying between Lake Michigan on the east and block twelve of the plat of Fort Dearborn addition to Chicago on the west.</p>\n<p>The several parties named as defendants appeared to the information, and the Illinois Central Railroad Company and the Michigan Central Railroad Company demurred to it on the ground that it does not state such a case as entitles the United States to the relief prayed for, or show any right of interference on their part, either in law or in equity, respecting the matters referred to, or allege any violation, contemplated or threatened, of any right, legal or equitable, of the United States.</p>\n<p>Upon the hearing of the several cases known and spoken of together as the <i>Lake Front case,</i> before the Circuit Court of the United States at Chicago on the 23d of February, 1888, this demurrer was argued, and was sustained, \"except as to that part of the information which alleges, in substance, that the Illinois Central Railroad Company claims the absolute ownership of, and threatens to take possession of, use and occupy the outer harbor of Chicago,\" the opinion of the court <span class=\"star-pagination\">*234</span> being \"that the general government, upon the showing made by it, has no title to any of the streets or grounds described in said information, and has no standing in court, except so far as it seeks to protect the said harbor against obstructions that would impair the public right of navigation, or interfere with any plan devised by the United States for the development or improvement of the outer harbor.\" 33 Fed. Rep. 730. Afterwards, on the 23d of August, 1890, the attorney of the United States was granted leave to amend the information by striking out whatever related to the outer harbor and the encroachments alleged to have been made, or threatened in the navigable waters of the lake; and, at the same time, an order was entered by the district judge sustaining the demurrer to the information as amended, and directing that it be dismissed, \"without prejudice to the United States, however, to hereafter institute any appropriate action or proceedings for the purpose of enforcing any rights they may have in the navigable waters of the lake or outer harbor of Chicago;\" and thereupon an appeal was prayed and allowed to the Supreme Court.</p>\n<p>From the decree of the Circuit Court in the <i>Lake Front case,</i> rendered in February, 1888, appeals were taken to the Supreme Court of the United States by the Illinois Central Railroad Company and the city of Chicago, and they were argued and decided at its October term, 1892. <i>Illinois Central Railroad</i> v. <i>Illinois,</i> 146 U.S. 387. The United States did not appear and participate in the argument on the appeal. As they were never a party to those suits in the court below and never appealed from the decree, they were dropped as a party in the designation of the title of the case. The questions involving the title and right of the parties embraced in the cases, considered under the general designation of the <i>Illinois Central Railroad Company</i> v. <i>State of Illinois,</i> to the navigable waters of the harbor of Chicago and in the Lake Front property, and the encroachments on the harbor by the railroad company, and the validity of the act of April 16, 1869, granting submerged lands in the harbor, were fully considered and settled as between the State and the city of <span class=\"star-pagination\">*235</span> Chicago, on the one part, and the Illinois Central Railroad Company on the other.</p>\n<p>The appeal now before the court is the one taken by the United States from the decree of the Circuit Court rendered on the 23d of August, 1890, sustaining the demurrer to the information. The amendment allowed to the information consisted in striking out that part to which the demurrer was not sustained, and was made in order that the demurrer might go to the entire information. The only contention now urged by the Solicitor General, on behalf of the appellants, is that the information is good to the extent that it seeks to restrain the appellees from diverting the public ground designated as such, on the plat of the Fort Dearborn addition to the city of Chicago from the supposed public casement to which it was dedicated. The Solicitor General states that on this branch of the case the information proceeds upon the theory that the United States, being the owners of the land in question, and having dedicated it to a public purpose, are entitled to enjoin its diversion from that public purpose to private uses. It will, therefore, be unnecessary for the disposition of the appeal to consider any other position originally taken by the United States in the information.</p>\n<p>As early as 1804 a military post was established by the United States south of Chicago River, upon the southwest fractional quarter of section ten, and was subsequently occupied by troops until its sale many years afterwards. In 1819 Congress passed an act authorizing the sale by the Secretary of War, under the direction of the President, of such military sites belonging to the United States as may have been found or had become useless for military purposes. And the Secretary of War was authorized, on the payment of the consideration agreed upon into the Treasury of the United States, to execute and deliver all needful instruments conveying the same in fee. And the act declared that the jurisdiction which had been specially ceded to the United States for military purposes, by a State, over such site or sites should thereafter cease. Act of March 3, 1819, c. 88, 3 Stat. 520. Subsequently, in 1824, upon the request of the Secretary of War, the southwest <span class=\"star-pagination\">*236</span> quarter of this fractional section ten, containing about fifty-seven acres, and on which Fort Dearborn was situated, was reserved from sale for military purposes by the Commissioner of the General Land Office. The land thus reserved continued to be used for military purposes until 1837. In that year, under the direction of the Secretary of War, it was laid off by his authority into blocks, lots, streets, alleys, and public ground, as an addition to the municipality of Chicago, and called the \"Fort Dearborn addition to Chicago,\" and in June, 1839, a plat thereof was made and acknowledged by his agent and attorney and recorded in the recorder's office of the county of Cook. On that plat a part of the ground situated between Lake Michigan on the east and block twelve on the west is designated as \"public ground forever to remain vacant of buildings.\" [146 U.S. 392, Map A.] It bears also a further declaration in these words, viz.: \"The public ground between Randolph and Madison Streets and fronting upon Lake Michigan is not to be occupied with buildings of any description.\" Subsequently, and for some years, several lots designated and shown on the plat were reserved from sale and remained in the military occupation of the government, but eventually, in 1845, or soon afterwards, all of them were sold and conveyed by the United States to divers persons \"by and according to said plat and with reference to the same.\"</p>\n<p>The statute of Illinois of February 27, 1833, then in force for the making and recording of town plats, (Rev. Stat. of Ill. \u00a7 833, p. 599,) provided that every donation or grant to the public, marked or noted as such on the plat, should be deemed in law a sufficient conveyance to vest the fee simple title, and that \"the land intended to be for streets, alleys, ways, commons, or other public uses, in any town or city, or addition thereto, shall be held in the corporate name thereof in trust to and for the uses and purposes set forth and expressed or intended.\" The plat in such cases had all the force of an express grant and operated to convey all the title and interest of the United States in the property for the uses and purposes intended. <i>Zinc Company</i> v. <i>La Salle,</i> 117 Illinois, 411, 414, 415; <i>Chicago</i> v. <i>Rumsey,</i> 87 Illinois, 348; <i>Gebhardt</i> v. <span class=\"star-pagination\">*237</span> <i>Reeves,</i> 75 Illinois, 301; <i>Canal Trustees</i> v. <i>Havens,</i> 11 Illinois, 554.</p>\n<p>It is stated in the information that the United States never parted with the title to the streets, alleys, and public grounds designated and marked on the plat, and that they still own the same in fee simple \"with the rights and privileges, riparian and otherwise, pertaining to such ownership, subject to the use and enjoyment of the same by the public.\"</p>\n<p>But we do not think this position is tenable. A title to some of the streets may have continued in the government so long as the title to any of the adjoining lots remained with it, but not afterwards without disregard of the statutory regulations of the State and its provisions for the transfer of the title. When a resort is made by individuals or the government to the mode provided by the statute of a State where real property is situated, for the transfer of its title, the effect and conditions prescribed by the statute will apply, and such operation given to the instrument of conveyance as is there designated. The language of the statute is clear, \"that the land intended for streets, alleys, ways, commons, or other public uses in any town or city or addition thereto shall be held in the corporate name thereof, in trust to and for the uses and purposes set forth and expressed or intended.\"</p>\n<p>The interest in and control of the United States over the streets, alleys, and commons ceased with the record of the plat and the sale of the adjoining lots. Their proprietary interest passed, in the lots sold, to the respective vendees, subject to the jurisdiction of the local government, and the control over the streets, alleys, and grounds passed by express designation of the state law to the corporate authorities of the city.</p>\n<p>In 1854, the validity of the survey and plat made of Fort Dearborn reservation was recognized by Congress in an act for the relief of one John Baptiste Beaubien, Act of August 11, 1854, c. 172, 10 Stat. 805, by which the Commissioner of the General Land Office was authorized to issue a patent or patents to Beaubien for certain lots designated and numbered on the survey and plat of the Fort Dearborn addition to Chicago, <span class=\"star-pagination\">*238</span> made under the order of the Secretary of War. And it is averred, as already stated, in the information that all the lots were sold and conveyed by the United States to divers persons \"by and according to the said plat and with reference to the same.\"</p>\n<p>It was the intention of the government to have a plat made conformably to the provisions of the statute, and it is plain, from its inspection, that all the essential requisites were followed. Nor is any reason suggested why a different effect should be given to the plat and its record in this case from that of similar plats made and recorded by other land proprietors. And if, as we have already said, the government, charged with the duty of disposing of a tract of public land within a State, chooses to proceed under the provisions of a particular statute of that State, it is clear that the same legal effect should be given to its proceeding as in case of an individual proprietor. The effect of the recording of the plat in this case was therefore to vest in the city of Chicago the legal title to the streets, alleys, and public ground in Fort Dearborn addition, and after its execution and record and sale of the abutting property the United States retained no interest in them, legal or equitable. That interest was as completely extinguished as if made by an unconditional conveyance in the ordinary form.</p>\n<p>Again, the sale of the lots was, in law, an effectual dedication of the streets and public grounds for municipal uses, and, as observed by counsel, the purchasers of the lots acquired a special interest in the streets and public grounds on which their lots abutted, and the United States could make no disposition of them after the sale inconsistent with the use to which they had been dedicated.</p>\n<p>The only parties interested in the public use for which the ground was dedicated are the owners of lots abutting on the ground dedicated, and the public in general. The owners of abutting lots may be presumed to have purchased in part consideration of the enhanced value of the property from the dedication, and it may be conceded they have a right to invoke, through the proper public authorities, the protection <span class=\"star-pagination\">*239</span> of the property in the use for which it was dedicated. The only party interested, outside of abutting owners, is the general public, and the enforcement of any rights which such public may have is vested only in the parties clothed with the execution of such trust, who are in this case the corporate authorities of the city, as a subordinate agency of the State, and not the United States.</p>\n<p>The United States possess no jurisdiction to control or regulate, within a State, the execution of trusts or uses created for the benefit of the public, or of particular communities or bodies therein. The jurisdiction in such cases is with the State or its subordinate agencies. The case of <i>New Orleans</i> v. <i>The United States,</i> 10 Pet. 662, furnishes an illustration of this doctrine. In that case the United States filed a bill in the District Court for an injunction to restrain the city of New Orleans from selling a portion of the public quay, or levee, lying on the bank of the Mississippi River in front of the city, or of doing any other act which would invade the rightful dominion of the United States over the land or their possession of it. The United States acquired title to the land by the French treaty of 1803. By it Louisiana was ceded to the United States, and it was shown that the land had been appropriated to public uses ever since the occupation of the province by France. It was contended that the title to the land, as well as the domain over it during the French and Spanish governments, were vested in the sovereign, and that the United States by the treaty of cession of the province of Louisiana had succeeded to the previous rights of France and Spain. The land and buildings thereon had been used by both governments for various public purposes. The United States had erected a building on it for a custom-house, in which, also, their courts were held.</p>\n<p>It was argued on behalf of the city that the sovereignty of France and Spain over the property, before the cession, existed solely for the purpose of enforcing the uses to which it was appropriated, and that this right and obligation vested in the State of Louisiana, and did not continue in the United States after the State was formed. It was therefore contended that <span class=\"star-pagination\">*240</span> the United States could neither take the property, nor dispose of it or enforce the public use to which it had been appropriated. A decree was rendered in the District Court in favor of the United States, and an injunction granted as prayed, but on appeal to the Supreme Court it was reversed, and it was held that the bill could not be maintained by the United States because they had no interest in the property. Upon the question whether any interest in the property passed to the United States under the treaty of cession, the court said, speaking through Mr. Justice McLean:</p>\n<p>\"In the second article of the treaty, `all public lots and squares, vacant lands, and all public buildings, fortifications, barracks, and other edifices, which are not private property,' were ceded. And it is contended, as the language of this article clearly includes the ground in controversy, whether it be considered a public square or vacant land, the entire right of the sovereign of Spain passed to the United States.</p>\n<p>\"The government of the United States, as was well observed in the argument, is one of limited powers. It can exercise authority over no subjects, except those which have been delegated to it. Congress cannot, by legislation, enlarge the Federal jurisdiction, nor can it be enlarged under the treaty-making power.</p>\n<p>\"If the common in contest, under the Spanish crown, formed a part of the public domain or the crown lands, and the king had power to alienate it, as other lands, there can be no doubt that it passed under the treaty to the United States, and they have a right to dispose of it the same as other public lands. But if the King of Spain held the land in trust for the use of the city, or only possessed a limited jurisdiction over it, principally, if not exclusively, for police purposes, was this right passed to the United States under the treaty?</p>\n<p>\"That this common, having been dedicated to the public use, was withdrawn from commerce, and from the power of the king rightfully to alien it has already been shown; and also, that he had a limited power over it for certain purposes. Can the Federal government exercise this power? If it can, this court has the power to interpose an injunction or interdict <span class=\"star-pagination\">*241</span> to the sale of any part of the common by the city if they shall think that the facts authorize such an interposition.</p>\n<p>\"It is insisted that the Federal government may exercise this authority under the power to regulate commerce.</p>\n<p>\"It is very clear that, as the treaty cannot give this power to the Federal government, we must look for it in the Constitution, and that the same power must authorize a similar exercise of jurisdiction over every other quay in the United States. A statement of the case is a sufficient refutation of the argument.</p>\n<p>\"Special provision is made in the Constitution for the cession of jurisdiction from the States over places where the Federal government shall establish forts or other military works. And it is only in these places, or in the Territories of the United States, where it can exercise a general jurisdiction.</p>\n<p>\"The State of Louisiana was admitted into the Union on the same footing as the original States. Her rights of sovereignty are the same, and, by consequence, no jurisdiction of the Federal government, either for purposes of police or otherwise, can be exercised over this public ground, which is not common to the United States. It belongs to the local authority to enforce the trust and prevent what they shall deem a violation of it by the city authorities.</p>\n<p>\"All powers which properly appertain to sovereignty, which have not been delegated to the Federal government, belong to the States and the people.\"</p>\n<p>The decree of the District Court was accordingly ordered to be reversed and annulled.</p>\n<p>This doctrine of the Supreme Court in the New Orleans case is decisive of the question pending before us in the present case and must control the decision.</p>\n<p>It was also held in <i>Illinois Central Railroad</i> v. <i>Illinois,</i> that the ownership in fee of the streets, alleys, ways, commons, and other public ground on the east front of the city bordering upon Lake Michigan, in fractional section ten, was a good title, the reason assigned being that by the statute of Illinois the making, acknowledging, and recording <span class=\"star-pagination\">*242</span> of plats operated to vest the title in the city in trust for the public uses to which the grounds were applicable. 146 U.S. 387, 462.</p>\n<p>It follows from these views that the United States have no just claim to maintain their contention to control or interfere with any portion of the public ground designated in the plat of the Fort Dearborn reservation. The decree dismissing the information will therefore be</p>\n<p><i>Affirmed.</i></p>\n<p>MR. JUSTICE BREWER, with whom concurred MR. JUSTICE BROWN, dissenting.</p>\n<p>I am unable to concur in the views expressed by the court in this case. I agree that the United States have no governmental interest or control over the premises in question; that as a sovereign they have no right to maintain this suit; that by the act of dedication they parted with the title, and that, in accordance with the statute of the State in respect to dedication, the fee passed to the city of Chicago, to \"be held in the corporate name thereof, in trust to and for the uses and purposes set forth and expressed or intended.\" I agree that the only rights which the United States have are those which any other owner of real estate would have under a like dedication; but I think the law is that he who grants property to a trustee, to be held in trust for a specific purpose, retains such an interest as gives him a right to invoke the interposition of a court of equity to prevent the use of that property for any other purpose. Can it be that, if the government, believing that the Congressional Library has become too large for convenient use in this city, donates half of it to the city of Chicago, to be kept and maintained as a public library, that city can, after accepting the donation for the purposes named, give away the books to the various lawyers for their private libraries, and the government be powerless to restrain such disposition? Do the donors of libraries or the grantors of real estate in trust for specific purposes, though parting with the title, lose all right to invoke the aid of a court of equity to <span class=\"star-pagination\">*243</span> compel the use of their donations and grants for the purposes expressed in the gift or deed? I approve the opinion of the Supreme Court of Iowa, in the case of <i>Warren</i> v. <i>The Mayor of Lyons City,</i> 22 Iowa, 351, 355, 357. In that case the plaintiffs had years before platted certain land as a site for a city, and on the plat filed by them there was a dedication of a piece of ground as a \"public square.\" After the city had been built up on that site the authorities, for the purposes of gain, and under the pretended authority of an act of the legislature, attempted to subdivide the public square into lots and to lease them to individuals for private uses. A bill was filed by the dedicators to restrain such diversion of the use, and a decree in their favor was affirmed by the Supreme Court. I quote from the opinion:</p>\n<p>\"Nothing can be clearer than that if a grant is made for a specific, limited, and defined purpose, the subject of the grant cannot be used for another, and that the grantor retains still such an interest therein as entitles him in a court of equity to insist upon the execution of the trust as originally declared and accepted. <i>Williams</i> v. <i>First Presbyterian Society,</i> 1 Ohio St. 478; <i>Barclay</i> v. <i>Howell's Lessee,</i> 6 Pet. 498; <i>Webb</i> v. <i>Moler,</i> 8 Ohio, 548; <i>Brown</i> v. <i>Manning,</i> 6 Ohio, 298.\"</p>\n<p>And again, after picturing the injustice which in many cases would result by permitting such a diversion, the court adds:</p>\n<p>\"Such a doctrine would enable the State at pleasure to trifle with the rights of individuals, and we can scarcely conceive of a doctrine which would more effectually check every disposition to give for public or charitable purposes. No, it must be, that if the right vested in the city for a particular purpose the legislature cannot vest it for another; that, when the dedicator declared his purpose by the plat, the land cannot be sold or used for another and different one; that while the corporation took the premises as trustee, it took them with the obligations attached as well as the rights conferred; that while the legislature might give the control and management of these squares and parks to the several municipal corporations, it cannot authorize their sale and use for a purpose foreign to the object of the grant.</p>\n<p><span class=\"star-pagination\">*244</span> \"Without quoting, we cite the following cases: <i>Trustees of Watertown</i> v. <i>Cowen,</i> 4 Paige, 510; 2 Stra. 1004; <i>Commonwealth</i> v. <i>Alberger,</i> 1 Whart. 469; <i>Pomeroy</i> v. <i>Mills,</i> 3 Vermont, 279; <i>Abbott</i> v. <i>Same,</i> 3 Vermont, 521; <i>Adams</i> v. <i>S. &amp; W.R.R. Co.,</i> 11 Barb. 414; <i>Fletcher</i> v. <i>Peck,</i> 6 Cranch, 87; <i>Godfrey</i> v. <i>City of Alton,</i> 12 Illinois, 29; Sedgwick's Constitutional and Statute Law, 343, 344; <i>Haight</i> v. <i>City of Keokuk,</i> 4 Iowa, 199; <i>Grant</i> v. <i>City of Davenport,</i> 18 Iowa, 179; <i>Le Clercq</i> v. <i>Trustees of Gallipolis,</i> 7 Ohio, 217; <i>Common Council of Indianapolis</i> v. <i>Cross,</i> 7 Indiana, 9; <i>Rowans, Executor,</i> v. <i>Portland,</i> 8 B. Mon. 232; <i>Augusta</i> v. <i>Perkins,</i> 3 B. Mon. 437.\"</p>\n<p>I do not care to add more, but for these reasons withhold my assent to the opinion.</p>\n<p>I am authorized to say that MR. JUSTICE BROWN concurs in this dissent.</p>\n<p>The CHIEF JUSTICE, having been of counsel in the court below, took no part in the consideration and decision of this case on appeal.</p>\n</div>", "time_retrieved": "2010-04-28T09:12:49", "nature_of_suit": "", "plain_text": "", "html_with_citations": "<div>\n<center><b><span class=\"citation no-link\"><span class=\"volume\">154</span> <span class=\"reporter\">U.S.</span> <span class=\"page\">225</span></span> (1894)</b></center>\n<center><h1>UNITED STATES<br>\nv.<br>\nILLINOIS CENTRAL RAILROAD COMPANY.</h1></center>\n<center>No. 331.</center>\n<center><p><b>Supreme Court of United States.</b></p></center>\n<center>Argued March 29, 30, 1894.</center>\n<center>Decided May 26, 1894.</center>\nAPPEAL FROM THE CIRCUIT COURT OF THE UNITED STATES FOR THE NORTHERN DISTRICT OF ILLINOIS.\n<p><span class=\"star-pagination\">*227</span> <i>Mr. Solicitor General</i> for appellants.</p>\n<p><span class=\"star-pagination\">*233</span> <i>Mr. Benjamin F. Ayer</i> for the Illinois Central Railroad Company, appellee.</p>\n<p><i>Mr. John S. Miller</i> for the City of Chicago, appellee.</p>\n<p><span class=\"star-pagination\">*232</span> MR. JUSTICE FIELD delivered the opinion of the court.</p>\n<p>This is an appeal on the part of the United States from a decree of the Circuit Court sustaining a demurrer to an information or bill in equity, in which they were complainants and the Illinois Central and other railroad companies were defendants. The information charges that encroachments are made or threatened upon property of the United States, and the object of the information, so far as contended on the present appeal, is to prevent their continuance in the future, as to one particular parcel of property and to preserve it open to the uses for which it was dedicated by the United States. That property consists of land situated on the shore of Lake Michigan, being part of fractional section ten in Chicago, lying between Lake Michigan on the east and block twelve of the plat of Fort Dearborn addition to Chicago on the west.</p>\n<p>The several parties named as defendants appeared to the information, and the Illinois Central Railroad Company and the Michigan Central Railroad Company demurred to it on the ground that it does not state such a case as entitles the United States to the relief prayed for, or show any right of interference on their part, either in law or in equity, respecting the matters referred to, or allege any violation, contemplated or threatened, of any right, legal or equitable, of the United States.</p>\n<p>Upon the hearing of the several cases known and spoken of together as the <i>Lake Front case,</i> before the Circuit Court of the United States at Chicago on the 23d of February, 1888, this demurrer was argued, and was sustained, \"except as to that part of the information which alleges, in substance, that the Illinois Central Railroad Company claims the absolute ownership of, and threatens to take possession of, use and occupy the outer harbor of Chicago,\" the opinion of the court <span class=\"star-pagination\">*234</span> being \"that the general government, upon the showing made by it, has no title to any of the streets or grounds described in said information, and has no standing in court, except so far as it seeks to protect the said harbor against obstructions that would impair the public right of navigation, or interfere with any plan devised by the United States for the development or improvement of the outer harbor.\" 33 Fed. Rep. 730. Afterwards, on the 23d of August, 1890, the attorney of the United States was granted leave to amend the information by striking out whatever related to the outer harbor and the encroachments alleged to have been made, or threatened in the navigable waters of the lake; and, at the same time, an order was entered by the district judge sustaining the demurrer to the information as amended, and directing that it be dismissed, \"without prejudice to the United States, however, to hereafter institute any appropriate action or proceedings for the purpose of enforcing any rights they may have in the navigable waters of the lake or outer harbor of Chicago;\" and thereupon an appeal was prayed and allowed to the Supreme Court.</p>\n<p>From the decree of the Circuit Court in the <i>Lake Front case,</i> rendered in February, 1888, appeals were taken to the Supreme Court of the United States by the Illinois Central Railroad Company and the city of Chicago, and they were argued and decided at its October term, 1892. <i>Illinois Central Railroad</i> v. <i>Illinois,</i> <span class=\"citation\" data-id=\"93449\"><a href=\"/opinion/93449/illinois-central-r-co-v-illinois/\"><span class=\"volume\">146</span> <span class=\"reporter\">U.S.</span> <span class=\"page\">387</span></a></span>. The United States did not appear and participate in the argument on the appeal. As they were never a party to those suits in the court below and never appealed from the decree, they were dropped as a party in the designation of the title of the case. The questions involving the title and right of the parties embraced in the cases, considered under the general designation of the <i>Illinois Central Railroad Company</i> v. <i>State of Illinois,</i> to the navigable waters of the harbor of Chicago and in the Lake Front property, and the encroachments on the harbor by the railroad company, and the validity of the act of April 16, 1869, granting submerged lands in the harbor, were fully considered and settled as between the State and the city of <span class=\"star-pagination\">*235</span> Chicago, on the one part, and the Illinois Central Railroad Company on the other.</p>\n<p>The appeal now before the court is the one taken by the United States from the decree of the Circuit Court rendered on the 23d of August, 1890, sustaining the demurrer to the information. The amendment allowed to the information consisted in striking out that part to which the demurrer was not sustained, and was made in order that the demurrer might go to the entire information. The only contention now urged by the Solicitor General, on behalf of the appellants, is that the information is good to the extent that it seeks to restrain the appellees from diverting the public ground designated as such, on the plat of the Fort Dearborn addition to the city of Chicago from the supposed public casement to which it was dedicated. The Solicitor General states that on this branch of the case the information proceeds upon the theory that the United States, being the owners of the land in question, and having dedicated it to a public purpose, are entitled to enjoin its diversion from that public purpose to private uses. It will, therefore, be unnecessary for the disposition of the appeal to consider any other position originally taken by the United States in the information.</p>\n<p>As early as 1804 a military post was established by the United States south of Chicago River, upon the southwest fractional quarter of section ten, and was subsequently occupied by troops until its sale many years afterwards. In 1819 Congress passed an act authorizing the sale by the Secretary of War, under the direction of the President, of such military sites belonging to the United States as may have been found or had become useless for military purposes. And the Secretary of War was authorized, on the payment of the consideration agreed upon into the Treasury of the United States, to execute and deliver all needful instruments conveying the same in fee. And the act declared that the jurisdiction which had been specially ceded to the United States for military purposes, by a State, over such site or sites should thereafter cease. Act of March 3, 1819, c. 88, 3 Stat. 520. Subsequently, in 1824, upon the request of the Secretary of War, the southwest <span class=\"star-pagination\">*236</span> quarter of this fractional section ten, containing about fifty-seven acres, and on which Fort Dearborn was situated, was reserved from sale for military purposes by the Commissioner of the General Land Office. The land thus reserved continued to be used for military purposes until 1837. In that year, under the direction of the Secretary of War, it was laid off by his authority into blocks, lots, streets, alleys, and public ground, as an addition to the municipality of Chicago, and called the \"Fort Dearborn addition to Chicago,\" and in June, 1839, a plat thereof was made and acknowledged by his agent and attorney and recorded in the recorder's office of the county of Cook. On that plat a part of the ground situated between Lake Michigan on the east and block twelve on the west is designated as \"public ground forever to remain vacant of buildings.\" [146 U.S. 392, Map A.] It bears also a further declaration in these words, viz.: \"The public ground between Randolph and Madison Streets and fronting upon Lake Michigan is not to be occupied with buildings of any description.\" Subsequently, and for some years, several lots designated and shown on the plat were reserved from sale and remained in the military occupation of the government, but eventually, in 1845, or soon afterwards, all of them were sold and conveyed by the United States to divers persons \"by and according to said plat and with reference to the same.\"</p>\n<p>The statute of Illinois of February 27, 1833, then in force for the making and recording of town plats, (Rev. Stat. of Ill. \u00a7 833, p. 599,) provided that every donation or grant to the public, marked or noted as such on the plat, should be deemed in law a sufficient conveyance to vest the fee simple title, and that \"the land intended to be for streets, alleys, ways, commons, or other public uses, in any town or city, or addition thereto, shall be held in the corporate name thereof in trust to and for the uses and purposes set forth and expressed or intended.\" The plat in such cases had all the force of an express grant and operated to convey all the title and interest of the United States in the property for the uses and purposes intended. <i>Zinc Company</i> v. <i>La Salle,</i> 117 Illinois, 411, 414, 415; <i>Chicago</i> v. <i>Rumsey,</i> 87 Illinois, 348; <i>Gebhardt</i> v. <span class=\"star-pagination\">*237</span> <i>Reeves,</i> 75 Illinois, 301; <i>Canal Trustees</i> v. <i>Havens,</i> 11 Illinois, 554.</p>\n<p>It is stated in the information that the United States never parted with the title to the streets, alleys, and public grounds designated and marked on the plat, and that they still own the same in fee simple \"with the rights and privileges, riparian and otherwise, pertaining to such ownership, subject to the use and enjoyment of the same by the public.\"</p>\n<p>But we do not think this position is tenable. A title to some of the streets may have continued in the government so long as the title to any of the adjoining lots remained with it, but not afterwards without disregard of the statutory regulations of the State and its provisions for the transfer of the title. When a resort is made by individuals or the government to the mode provided by the statute of a State where real property is situated, for the transfer of its title, the effect and conditions prescribed by the statute will apply, and such operation given to the instrument of conveyance as is there designated. The language of the statute is clear, \"that the land intended for streets, alleys, ways, commons, or other public uses in any town or city or addition thereto shall be held in the corporate name thereof, in trust to and for the uses and purposes set forth and expressed or intended.\"</p>\n<p>The interest in and control of the United States over the streets, alleys, and commons ceased with the record of the plat and the sale of the adjoining lots. Their proprietary interest passed, in the lots sold, to the respective vendees, subject to the jurisdiction of the local government, and the control over the streets, alleys, and grounds passed by express designation of the state law to the corporate authorities of the city.</p>\n<p>In 1854, the validity of the survey and plat made of Fort Dearborn reservation was recognized by Congress in an act for the relief of one John Baptiste Beaubien, Act of August 11, 1854, c. 172, 10 Stat. 805, by which the Commissioner of the General Land Office was authorized to issue a patent or patents to Beaubien for certain lots designated and numbered on the survey and plat of the Fort Dearborn addition to Chicago, <span class=\"star-pagination\">*238</span> made under the order of the Secretary of War. And it is averred, as already stated, in the information that all the lots were sold and conveyed by the United States to divers persons \"by and according to the said plat and with reference to the same.\"</p>\n<p>It was the intention of the government to have a plat made conformably to the provisions of the statute, and it is plain, from its inspection, that all the essential requisites were followed. Nor is any reason suggested why a different effect should be given to the plat and its record in this case from that of similar plats made and recorded by other land proprietors. And if, as we have already said, the government, charged with the duty of disposing of a tract of public land within a State, chooses to proceed under the provisions of a particular statute of that State, it is clear that the same legal effect should be given to its proceeding as in case of an individual proprietor. The effect of the recording of the plat in this case was therefore to vest in the city of Chicago the legal title to the streets, alleys, and public ground in Fort Dearborn addition, and after its execution and record and sale of the abutting property the United States retained no interest in them, legal or equitable. That interest was as completely extinguished as if made by an unconditional conveyance in the ordinary form.</p>\n<p>Again, the sale of the lots was, in law, an effectual dedication of the streets and public grounds for municipal uses, and, as observed by counsel, the purchasers of the lots acquired a special interest in the streets and public grounds on which their lots abutted, and the United States could make no disposition of them after the sale inconsistent with the use to which they had been dedicated.</p>\n<p>The only parties interested in the public use for which the ground was dedicated are the owners of lots abutting on the ground dedicated, and the public in general. The owners of abutting lots may be presumed to have purchased in part consideration of the enhanced value of the property from the dedication, and it may be conceded they have a right to invoke, through the proper public authorities, the protection <span class=\"star-pagination\">*239</span> of the property in the use for which it was dedicated. The only party interested, outside of abutting owners, is the general public, and the enforcement of any rights which such public may have is vested only in the parties clothed with the execution of such trust, who are in this case the corporate authorities of the city, as a subordinate agency of the State, and not the United States.</p>\n<p>The United States possess no jurisdiction to control or regulate, within a State, the execution of trusts or uses created for the benefit of the public, or of particular communities or bodies therein. The jurisdiction in such cases is with the State or its subordinate agencies. The case of <i>New Orleans</i> v. <i>The United States,</i> <span class=\"citation\" data-id=\"86005\"><a href=\"/opinion/86005/new-orleans-v-united-states/\"><span class=\"volume\">10</span> <span class=\"reporter\">Pet.</span> <span class=\"page\">662</span></a></span>, furnishes an illustration of this doctrine. In that case the United States filed a bill in the District Court for an injunction to restrain the city of New Orleans from selling a portion of the public quay, or levee, lying on the bank of the Mississippi River in front of the city, or of doing any other act which would invade the rightful dominion of the United States over the land or their possession of it. The United States acquired title to the land by the French treaty of 1803. By it Louisiana was ceded to the United States, and it was shown that the land had been appropriated to public uses ever since the occupation of the province by France. It was contended that the title to the land, as well as the domain over it during the French and Spanish governments, were vested in the sovereign, and that the United States by the treaty of cession of the province of Louisiana had succeeded to the previous rights of France and Spain. The land and buildings thereon had been used by both governments for various public purposes. The United States had erected a building on it for a custom-house, in which, also, their courts were held.</p>\n<p>It was argued on behalf of the city that the sovereignty of France and Spain over the property, before the cession, existed solely for the purpose of enforcing the uses to which it was appropriated, and that this right and obligation vested in the State of Louisiana, and did not continue in the United States after the State was formed. It was therefore contended that <span class=\"star-pagination\">*240</span> the United States could neither take the property, nor dispose of it or enforce the public use to which it had been appropriated. A decree was rendered in the District Court in favor of the United States, and an injunction granted as prayed, but on appeal to the Supreme Court it was reversed, and it was held that the bill could not be maintained by the United States because they had no interest in the property. Upon the question whether any interest in the property passed to the United States under the treaty of cession, the court said, speaking through Mr. Justice McLean:</p>\n<p>\"In the second article of the treaty, `all public lots and squares, vacant lands, and all public buildings, fortifications, barracks, and other edifices, which are not private property,' were ceded. And it is contended, as the language of this article clearly includes the ground in controversy, whether it be considered a public square or vacant land, the entire right of the sovereign of Spain passed to the United States.</p>\n<p>\"The government of the United States, as was well observed in the argument, is one of limited powers. It can exercise authority over no subjects, except those which have been delegated to it. Congress cannot, by legislation, enlarge the Federal jurisdiction, nor can it be enlarged under the treaty-making power.</p>\n<p>\"If the common in contest, under the Spanish crown, formed a part of the public domain or the crown lands, and the king had power to alienate it, as other lands, there can be no doubt that it passed under the treaty to the United States, and they have a right to dispose of it the same as other public lands. But if the King of Spain held the land in trust for the use of the city, or only possessed a limited jurisdiction over it, principally, if not exclusively, for police purposes, was this right passed to the United States under the treaty?</p>\n<p>\"That this common, having been dedicated to the public use, was withdrawn from commerce, and from the power of the king rightfully to alien it has already been shown; and also, that he had a limited power over it for certain purposes. Can the Federal government exercise this power? If it can, this court has the power to interpose an injunction or interdict <span class=\"star-pagination\">*241</span> to the sale of any part of the common by the city if they shall think that the facts authorize such an interposition.</p>\n<p>\"It is insisted that the Federal government may exercise this authority under the power to regulate commerce.</p>\n<p>\"It is very clear that, as the treaty cannot give this power to the Federal government, we must look for it in the Constitution, and that the same power must authorize a similar exercise of jurisdiction over every other quay in the United States. A statement of the case is a sufficient refutation of the argument.</p>\n<p>\"Special provision is made in the Constitution for the cession of jurisdiction from the States over places where the Federal government shall establish forts or other military works. And it is only in these places, or in the Territories of the United States, where it can exercise a general jurisdiction.</p>\n<p>\"The State of Louisiana was admitted into the Union on the same footing as the original States. Her rights of sovereignty are the same, and, by consequence, no jurisdiction of the Federal government, either for purposes of police or otherwise, can be exercised over this public ground, which is not common to the United States. It belongs to the local authority to enforce the trust and prevent what they shall deem a violation of it by the city authorities.</p>\n<p>\"All powers which properly appertain to sovereignty, which have not been delegated to the Federal government, belong to the States and the people.\"</p>\n<p>The decree of the District Court was accordingly ordered to be reversed and annulled.</p>\n<p>This doctrine of the Supreme Court in the New Orleans case is decisive of the question pending before us in the present case and must control the decision.</p>\n<p>It was also held in <i>Illinois Central Railroad</i> v. <i>Illinois,</i> that the ownership in fee of the streets, alleys, ways, commons, and other public ground on the east front of the city bordering upon Lake Michigan, in fractional section ten, was a good title, the reason assigned being that by the statute of Illinois the making, acknowledging, and recording <span class=\"star-pagination\">*242</span> of plats operated to vest the title in the city in trust for the public uses to which the grounds were applicable. <span class=\"citation\" data-id=\"93449\"><a href=\"/opinion/93449/illinois-central-r-co-v-illinois/\"><span class=\"volume\">146</span> <span class=\"reporter\">U.S.</span> <span class=\"page\">387</span></a></span>, 462.</p>\n<p>It follows from these views that the United States have no just claim to maintain their contention to control or interfere with any portion of the public ground designated in the plat of the Fort Dearborn reservation. The decree dismissing the information will therefore be</p>\n<p><i>Affirmed.</i></p>\n<p>MR. JUSTICE BREWER, with whom concurred MR. JUSTICE BROWN, dissenting.</p>\n<p>I am unable to concur in the views expressed by the court in this case. I agree that the United States have no governmental interest or control over the premises in question; that as a sovereign they have no right to maintain this suit; that by the act of dedication they parted with the title, and that, in accordance with the statute of the State in respect to dedication, the fee passed to the city of Chicago, to \"be held in the corporate name thereof, in trust to and for the uses and purposes set forth and expressed or intended.\" I agree that the only rights which the United States have are those which any other owner of real estate would have under a like dedication; but I think the law is that he who grants property to a trustee, to be held in trust for a specific purpose, retains such an interest as gives him a right to invoke the interposition of a court of equity to prevent the use of that property for any other purpose. Can it be that, if the government, believing that the Congressional Library has become too large for convenient use in this city, donates half of it to the city of Chicago, to be kept and maintained as a public library, that city can, after accepting the donation for the purposes named, give away the books to the various lawyers for their private libraries, and the government be powerless to restrain such disposition? Do the donors of libraries or the grantors of real estate in trust for specific purposes, though parting with the title, lose all right to invoke the aid of a court of equity to <span class=\"star-pagination\">*243</span> compel the use of their donations and grants for the purposes expressed in the gift or deed? I approve the opinion of the Supreme Court of Iowa, in the case of <i>Warren</i> v. <i>The Mayor of Lyons City,</i> 22 Iowa, 351, 355, 357. In that case the plaintiffs had years before platted certain land as a site for a city, and on the plat filed by them there was a dedication of a piece of ground as a \"public square.\" After the city had been built up on that site the authorities, for the purposes of gain, and under the pretended authority of an act of the legislature, attempted to subdivide the public square into lots and to lease them to individuals for private uses. A bill was filed by the dedicators to restrain such diversion of the use, and a decree in their favor was affirmed by the Supreme Court. I quote from the opinion:</p>\n<p>\"Nothing can be clearer than that if a grant is made for a specific, limited, and defined purpose, the subject of the grant cannot be used for another, and that the grantor retains still such an interest therein as entitles him in a court of equity to insist upon the execution of the trust as originally declared and accepted. <i>Williams</i> v. <i>First Presbyterian Society,</i> 1 Ohio St. 478; <i>Barclay</i> v. <i>Howell's Lessee,</i> 6 Pet. 498; <i>Webb</i> v. <i>Moler,</i> 8 Ohio, 548; <i>Brown</i> v. <i>Manning,</i> 6 Ohio, 298.\"</p>\n<p>And again, after picturing the injustice which in many cases would result by permitting such a diversion, the court adds:</p>\n<p>\"Such a doctrine would enable the State at pleasure to trifle with the rights of individuals, and we can scarcely conceive of a doctrine which would more effectually check every disposition to give for public or charitable purposes. No, it must be, that if the right vested in the city for a particular purpose the legislature cannot vest it for another; that, when the dedicator declared his purpose by the plat, the land cannot be sold or used for another and different one; that while the corporation took the premises as trustee, it took them with the obligations attached as well as the rights conferred; that while the legislature might give the control and management of these squares and parks to the several municipal corporations, it cannot authorize their sale and use for a purpose foreign to the object of the grant.</p>\n<p><span class=\"star-pagination\">*244</span> \"Without quoting, we cite the following cases: <i>Trustees of Watertown</i> v. <i>Cowen,</i> 4 Paige, 510; 2 Stra. 1004; <i>Commonwealth</i> v. <i>Alberger,</i> 1 Whart. 469; <i>Pomeroy</i> v. <i>Mills,</i> 3 Vermont, 279; <i>Abbott</i> v. <i>Same,</i> 3 Vermont, 521; <i>Adams</i> v. <i>S. &amp; W.R.R. Co.,</i> 11 Barb. 414; <i>Fletcher</i> v. <i>Peck,</i> 6 Cranch, 87; <i>Godfrey</i> v. <i>City of Alton,</i> 12 Illinois, 29; Sedgwick's Constitutional and Statute Law, 343, 344; <i>Haight</i> v. <i>City of Keokuk,</i> 4 Iowa, 199; <i>Grant</i> v. <i>City of Davenport,</i> 18 Iowa, 179; <i>Le Clercq</i> v. <i>Trustees of Gallipolis,</i> 7 Ohio, 217; <i>Common Council of Indianapolis</i> v. <i>Cross,</i> 7 Indiana, 9; <i>Rowans, Executor,</i> v. <i>Portland,</i> 8 B. Mon. 232; <i>Augusta</i> v. <i>Perkins,</i> 3 B. Mon. 437.\"</p>\n<p>I do not care to add more, but for these reasons withhold my assent to the opinion.</p>\n<p>I am authorized to say that MR. JUSTICE BROWN concurs in this dissent.</p>\n<p>The CHIEF JUSTICE, having been of counsel in the court below, took no part in the consideration and decision of this case on appeal.</p>\n</div>", "sha1": "2fd5e3a744962b54d27f91caf3f168df1c8beb06", "date_modified": "2014-12-21T01:32:01.480458", "precedential_status": "Published", "absolute_url": "/opinion/93942/united-states-v-illinois-central-r-co/", "citation_count": 3, "supreme_court_db_id": null, "extracted_by_ocr": false, "docket": "/api/rest/v2/docket/1256059/", "html": "<p class=\"case_cite\">154 U.S. 225</p>\n <p class=\"case_cite\">14 S.Ct. 1015</p>\n <p class=\"case_cite\">38 L.Ed. 971</p>\n <p class=\"parties\">UNITED STATES<br>v.<br>ILLINOIS CENT. R. CO. et al.</p>\n <p class=\"docket\">No. 331.</p>\n <p class=\"date\">May 26, 1894.</p>\n <div class=\"prelims\">\n <p class=\"indent\">[Statement of Case from pages 225-227 intentionally omitted]</p>\n <p class=\"indent\">Sol. Gen. Maxwell, for the United States.</p>\n <p class=\"indent\">[Argument of Counsel from pages 227-233 intentionally omitted]</p>\n <p class=\"indent\">B. F. Ayers, for Railroad Cos.</p>\n <p class=\"indent\">John S. Miller, for city of Chicago.</p>\n <p class=\"indent\">Mr. Justice FIELD delivered the opinion of the court.</p>\n </div>\n <div class=\"num\" id=\"p1\">\n <span class=\"num\">1</span>\n <p class=\"indent\">This is an appeal on the part of the United States from a decree of the circuit court sustaining a demurrer to an information or bill in equity, in which they were complainants, and the Illinois Central and other railroad companies were defendants. The information charges that encroachments are made or threatened upon property of the United States; and the object of the information, so far as contended on the present appeal, is to prevent their continuance in the future, as to one particular parcel of property, and to preserve it open to the uses for which it was dedicated by the United States. That property consists of land situated on the shore of Lake Michigan, being part of fractional section 10 in Chicago, lying between Lake Michigan, on the east, and block 12 of the plat of Ft. Dearborn addition to Chicago, on the west.</p>\n </div>\n <div class=\"num\" id=\"p2\">\n <span class=\"num\">2</span>\n <p class=\"indent\">The several parties named as defendants appeared to the information, and the Illinois Central Railroad Company and the Michigan Central Railroad Company demurred to it on the ground that it does not state such a case as entitles the United States to the relief prayed, or show any right of interference on their part, either in law or in equity, respecting the matters referred to, or allege any violation, contemplated or threatened, of any right, legal or equitable, of the United States.</p>\n </div>\n <div class=\"num\" id=\"p3\">\n <span class=\"num\">3</span>\n <p class=\"indent\">Upon the hearing of the several cases known and spoken of together as the Lake-Front Case before the circuit court of the United States at Chicago on the 23d of February, 1888, this demurrer was argued, and was sustained, 'except as to that part of the information which alleges, in substance, that the Illinois Central Railroad Company claims the absolute ownership of, and threatens to take possession of, use, and occupy, the outer harbor of Chicago;' the opinion of the court being 'that the general government, upon the showing made by it, has no title to any of the streets or grounds described in said information, and has no standing in court, except so far as it seeks to protect the said harbor against obstructions that would impair the public right of navigation, or interfere with any plan devised by the United States for the development or improvement of the outer harbor.' 33 Fed. 730. Afterwards, on the 23d of August, 1890, the attorney of the United States was granted leave to amend the information by striking out whatever related to the outer harbor, and the encroachments alleged to have been made or threatened in the navigable waters of the lake; and at the same time an order was entered by the district judge sustaining the demurrer to the information, as amended, and directing that it be dismissed, 'without prejudice to the United States, however, to hereafter institute any appropriate action or proceedings for the purpose of enforcing any rights they may have in the navigable waters of the lake or outer harbor of Chicago,' and thereupon an appeal was prayed and allowed to the supreme court.</p>\n </div>\n <div class=\"num\" id=\"p4\">\n <span class=\"num\">4</span>\n <p class=\"indent\">From the decree of the circuit court in the Lake-Front Case, rendered in February, 1888, appeals were taken to the supreme court of the United States by the Illinois Central Railroad Company and the city of Chicago, and they were argued and decided at its October term, 1892. 146 U. S. 387, 13 Sup. Ct. 110. The United States did not appear and participate in the argument on the appeal. As they were never a party to those suits in the court below, and never appealed from the decree, they were dropped as a party in the designation of the title of the case. The questions involving the title and right of the parties embraced in the cases, considered under the general designation of the Illinois Cent. R. Co. v. Illinois, to the navigable waters of the harbor of Chicago, and in the lake front property, and the encroachments on the harbor by the railroad company, and the validity of the act of April 16, 1869, granting submerged lands in the harbor, were fully considered and settled, as between the state and the city of Chicago, on the one part, and the Illinois Central Railroad Company, on the other.</p>\n </div>\n <div class=\"num\" id=\"p5\">\n <span class=\"num\">5</span>\n <p class=\"indent\">The appeal now before the court is the one taken by the United States from the decree of the circuit court rendered on the 23d of August, 1890, sustaining the demurrer to the information. The amendment allowed to the information consisted in striking out that part to which the demurrer was not sustained, and was made in order that the demurrer might go to the entire information. The only contention now urged by the solicitor general on behalf of the appellants is that the information is good to the extent that it seeks to restrain the appellees from diverting the public ground, designated as such, on the plat of the Ft. Dearborn addition to the city of Chicago, from the supposed public easement to which it was dedicated. The solicitor general states that, on this branch of the case, the information proceeds upon the theory that the United States, being the owners of the land in question, and having dedicated it to a public purpose, are entitled to enjoin its diversion from that public purpose to private uses. It will therefore be unnecessary, for the disposition of the appeal, to consider any other position originally taken by the United States in the information.</p>\n </div>\n <div class=\"num\" id=\"p6\">\n <span class=\"num\">6</span>\n <p class=\"indent\">As early as 1804 a military post was established by the United States south of Chicago river, upon the southwest fractional quarter of section 10, and was subsequently occupied by troops until its sale, many years afterwards. In 1819, congress passed an act authorizing the sale by the secretary of war, under the direction of the president, of such military sites belonging to the United States as may have been found, or had become, useless for military purposes; and the secretary of war was authorized, on the payment of the consideration agreed upon into the treasury of the United States, to execute and deliver all needful instruments conveying the same in fee. And the act declared that the jurisdiction which had been specially ceded to the United States for military purposes, by a state, over such site or sites, should thereafter cease. 3 Stat. 520. Subsequently, in 1824, upon the request of the secretary of war, the southwest quarter of this fractional section 10, containing about 57 acres, and on which Ft. Dearborn was situated, was reserved from sale, for military purposes, by the commissioner of the general land office. The land thus reserved continued to be used for military purposes until 1837. In that year, under the direction of the secretary of war, it was laid off, by his authority, into blocks, lots, streets, alleys, and public ground, as an addition to the municipality of Chicago, and called the 'Fort Dearborn Addition to Chicago;' and in June, 1839, a plat thereof was made and acknowledged by his agent and attorney, and recorded in the recorder's office of the county of Cook. On that plat a part of the ground situated between Lake Michigan, on the east, and block 12, on the west, is designated as 'Public ground, forever to remain vacant of buildings.' It bears also a further declaration, in these words, viz. 'The public ground between Randolph and Madison streets, and fronting upon Lake Michigan, is not to be occupied with buildings of any description.' Subsequently, and for some years, several lots designated and shown on the plat were reserved from sale, and remained in the military occupation of the government; but eventually, in 1845, or soon afterwards, all of them were sold and conveyed by the United States to divers persons, 'by and according to said plat, and with reference to the same.'</p>\n </div>\n <div class=\"num\" id=\"p7\">\n <span class=\"num\">7</span>\n <p class=\"indent\">The statute of Illinois of February 27, 1833, then in force, for the making and recording of town plats (Rev. St. Ill. 1833, p. 599), provided that every donation or grant to the public, marked or noted as such on the plat, should be deemed in law a sufficient conveyance to vest the fee-simple title, and that 'the land intended to be for streets, alleys, ways, commons, or other public uses, in any town or city, or addition thereto, shall be held in the corporate name thereof in trust to and for the uses and purposes set forth and expressed or intended.' The plat, in such cases, had all the force of an express grant, and operated to convey all the title and interest of the United States in the property, for the uses and purposes intended. Zinc Co. v. City of La Salle, 117 Ill. 411, 414, 415, 2 N. E. 406, and 8 N. E. 81; City of Chicago v. Rumsey, 87 Ill 348; Gebhardt v. Reeves, 75 Ill. 301; Canal Trustees v. Haven, 11 Ill. 554.</p>\n </div>\n <div class=\"num\" id=\"p8\">\n <span class=\"num\">8</span>\n <p class=\"indent\">It is stated in the information that the United States never parted with the title to the streets, alleys, and public grounds designated and marked on the plat, and that they still own the same in fee simple, 'with the rights and privileges, riparian and otherwise, pertaining to such ownership, subject to the use and enjoyment of the same by the public.'</p>\n </div>\n <div class=\"num\" id=\"p9\">\n <span class=\"num\">9</span>\n <p class=\"indent\">But we do not think this position is tenable. A title to some of the streets may have continued in the government so long as the title to any of the adjoining lots remained with it, but not afterwards, without disregard of the statutory regulations of the state, and its provisions for the transfer of the title. When a resort is made by individuals or the government to the mode provided by the statute of a state where real property is situated, for the transfer of its title, the effect and conditions prescribed by the statute will apply, and such operation given to the instrument of conveyance as is there designated. The language of the statute is clear,&#8212;'that the land intended for streets, alleys, ways, commons, or other public uses in any town or city or addition thereto shall be held in the corporate name thereof, in trust to and for the uses and purposes set forth and expressed or intended.'</p>\n </div>\n <div class=\"num\" id=\"p10\">\n <span class=\"num\">10</span>\n <p class=\"indent\">The interest in and control of the United States over the streets, alleys, and commons ceased with the record of the plat, and the sale of the adjoining lots. Their proprietary interest passed, in the lots sold, to the respective vendees, subject to the jurisdiction of the local government; and the control over the streets, alleys, and grounds passed, by express designation of the state law, to the corporate authorities of the city.</p>\n </div>\n <div class=\"num\" id=\"p11\">\n <span class=\"num\">11</span>\n <p class=\"indent\">In 1854 the validity of the survey and plat made of Ft. Dearborn reservation was recognized by congress in an act for the relief of one John Baptiste Beaubien (10 Stat. c. 172, p. 805), by which the commissioner of the general land office was authorized to issue a patent or patents to Beaubien for certain lots designated and numbered on the survey and plat of the Ft. Dearborn addition to Chicago, made under the order of the secretary of war; and it is averred, as already stated, in the information, that all the lots were sold and conveyed by the United States to divers persons 'by and according to the said plat, and with reference to the same.'</p>\n </div>\n <div class=\"num\" id=\"p12\">\n <span class=\"num\">12</span>\n <p class=\"indent\">It was the intention of the government to have a plat made conformably to the provisions of the statute, and it is plain, from its inspection, that all the essential requisites were followed. Nor is any reason suggested why a different effect should be given to the plat and its record, in this case, from that of similar plats made and recorded by other land proprietors. And if, as we have already said, the government, charged with the duty of disposing of a tract of public land within a state, chooses to proceed under the provisions of a particular statute of that state, it is clear that the same legal effect should be given to its proceeding as in case of an individual proprietor. The effect of the recording of the plat in this case was therefore to vest in the city of Chicago the legal title to the streets, alleys, and public ground in Ft. Dearborn addition; and after its execution and record, and sale of the abutting property, the United States retained no interest in them, legal or equitable. That interest was as completely extinguished as if made by an unconditional conveyance in the ordinary form.</p>\n </div>\n <div class=\"num\" id=\"p13\">\n <span class=\"num\">13</span>\n <p class=\"indent\">Again, the sale of the lots was in law an effectual dedication of the streets and public grounds for municipal uses; and, as observed by counsel, the purchasers of the lots acquired a special interest in the streets and public grounds on which their lots abutted, and the United States could make no disposition of them after the sale inconsistent with the use to which they had been dedicated.</p>\n </div>\n <div class=\"num\" id=\"p14\">\n <span class=\"num\">14</span>\n <p class=\"indent\">The only parties interested in the public use for which the ground was dedicated are the owners of lots abutting on the ground dedicated, and the public in general. The owners of abutting lots may be presumed to have purchased in part consideration of the enhanced value of the property from the dedication; and it may be conceded they have a right to invoke, through the proper public authorities, the protection of the property in the use for which it was dedicated. The only party interested, outside of abutting owners, is the general public; and the enforcement of any rights which such public may have is vested only in the parties clothed with the execution of such trust, who are in this case the corporate authorities of the city, as a subordinate agency of the state, and not the United States.</p>\n </div>\n <div class=\"num\" id=\"p15\">\n <span class=\"num\">15</span>\n <p class=\"indent\">The United States possess no jurisdiction to control or regulate, within a state, the execution of trusts or uses created for the benefit of the public, or of particular communities or bodies therein. The jurisdiction in such cases is with the state, or its subordinate agencies. The case of New Orleans v. U. S., 10 Pet. 662, furnishes an illustration of this doctrine. In that case the United States filed a bill in the district court for an injunction to restrain the city of New Orleans from selling a portion of the public quay or levee lying on the bank of the Mississippi river, in front of the city, or of doing any other act which would invade the rightful dominion of the United States over the land, or their possession of it. The United States acquired title to the land by the French treaty of 1803. By it, Louisiana was ceded to the United States, and it was shown that the land had been appropriated to public uses ever since the occupation of the province by France. It was contended that the title to the land, as well as the domain over it, during the French and Spanish governments, were vested in the sovereign, and that the United States, by the treaty of cession of the province of Louisiana, had succeeded to the previous rights of France and Spain. The land and buildings thereon had been used by both governments for various public purposes. The United States had erected a building on it for a customhouse, in which, also, their courts were held.</p>\n </div>\n <div class=\"num\" id=\"p16\">\n <span class=\"num\">16</span>\n <p class=\"indent\">It was argued on behalf of the city that the sovereignty of France and Spain over the property before the cession existed solely for the purpose of enforcing the uses to which it was appropriated, and that this right and obligation vested in the state of Louisiana, and did not continue in the United States after the state was formed. It was therefore contended that the United States could neither take the property, nor dispose of it, or enforce the public use to which it had been appropriated. A decree was rendered in the district court in favor of the United States, and an injunction granted as prayed; but on appeal to the supreme court it was reversed, and it was held that the bill could not be maintained by the United States, because they had no interest in the property. Upon the question whether any interest in the property passed to the United States under the treaty of cession, the court said, speaking through Mr. Justice McLean:</p>\n </div>\n <div class=\"num\" id=\"p17\">\n <span class=\"num\">17</span>\n <p class=\"indent\">'In the second article of the treaty, 'all public lots and squares, vacant lands, and all public buildings, fortifications, barracks, and other edifices, which are not private property,' were ceded; and it is contended, as the language of this article clearly includes the ground in controversy, whether it be considered a public square or vacant land, the entire right of the sovereign of Spain passed to the United States.</p>\n </div>\n <div class=\"num\" id=\"p18\">\n <span class=\"num\">18</span>\n <p class=\"indent\">'The government of the United States, as was well observed in the argument, is one of limited powers. It can exercise authority over no subjects, except those which have been delegated to it. Congress cannot by legislation enlarge the federal jurisdiction, nor can it be enlarged under the treaty-making power.</p>\n </div>\n <div class=\"num\" id=\"p19\">\n <span class=\"num\">19</span>\n <p class=\"indent\">'If the common in contest, under the Spanish crown, formed a part of the public domain, or the crown lands, and the king had power to alien it, as other lands, there can be no doubt that it passed under the treaty to the United States, and they have a right to dispose of it the same as other public lands. But if the king of Spain held the land in trust for the use of the city, or only possessed a limited jurisdiction over it,&#8212;principally, if not exclusively, for police purposes,&#8212;was this right passed to the United States under the treaty?</p>\n </div>\n <div class=\"num\" id=\"p20\">\n <span class=\"num\">20</span>\n <p class=\"indent\">'That this common, having been dedicated to the public use, was withdrawn from commerce, and from the power of the king rightfully to alien it, has already been shown, and also, that he had a limited power over it, for certain purposes. Can the federal government exercise this power? If it can, this court has the power to interpose an injunction or interdict to the sale of any part of the common by the city, if they shall think that the facts authorize such an interposition.</p>\n </div>\n <div class=\"num\" id=\"p21\">\n <span class=\"num\">21</span>\n <p class=\"indent\">'It is insisted that the federal government may exercise this authority under the power to regulate commerce.</p>\n </div>\n <div class=\"num\" id=\"p22\">\n <span class=\"num\">22</span>\n <p class=\"indent\">'It is very clear that, as the treaty cannot give this power to the federal government, we must look for it in the constitution, and that the same power must authorize a similar exercise of jurisdiction over every other quay in the United States. A statement of the case is a sufficient refutation of the argument.</p>\n </div>\n <div class=\"num\" id=\"p23\">\n <span class=\"num\">23</span>\n <p class=\"indent\">'Special provision is made in the constitution for the cession of jurisdiction from the states over places where the federal government shall establish forts or other military works, and it is only in these places, or in the territories of the United States, where it can exercise a general jurisdiction.</p>\n </div>\n <div class=\"num\" id=\"p24\">\n <span class=\"num\">24</span>\n <p class=\"indent\">'The state of Louisiana was admitted into the Union on the same footing as the original states. Her rights of sovereignty are the same, and, by consequence, no jurisdiction of the federal government, either for purposes of police or otherwise, can be exercised over this public ground, which is not common to the United States. It belongs to the local authority to enforce the trust, and prevent what they shall deem a violation of it by the city authorities.</p>\n </div>\n <div class=\"num\" id=\"p25\">\n <span class=\"num\">25</span>\n <p class=\"indent\">'All powers which properly appertain to sovereignty, which have not been delegated to the federal government, belong to the states and the people.'</p>\n </div>\n <div class=\"num\" id=\"p26\">\n <span class=\"num\">26</span>\n <p class=\"indent\">The decree of the district court was accordingly ordered to be reversed and annulled.</p>\n </div>\n <div class=\"num\" id=\"p27\">\n <span class=\"num\">27</span>\n <p class=\"indent\">This doctrine of the supreme court in the New Orleans Case is decisive of the question pending before us in the present case, and must control the decision.</p>\n </div>\n <div class=\"num\" id=\"p28\">\n <span class=\"num\">28</span>\n <p class=\"indent\">It was also held in the Lake-Front Case that the ownership in fee of the streets, alleys, ways, commons, and other public ground on the east front of the city bordering upon Lake Michigan, in fractional section 10, was a good title; the reason assigned being that by the statute of Illinois the making, acknowledging, and recording of plats operated to vest the title in the city in trust for the public uses to which the grounds were applicable. 146 U. S. 387-462, 13 Sup. Ct. 110.</p>\n </div>\n <div class=\"num\" id=\"p29\">\n <span class=\"num\">29</span>\n <p class=\"indent\">It follows from these views that the United States have no just claim to maintain their contention to control or interfere with any portion of the public ground designated in the plat of the Ft. Dearborn reservation. The decree dismissing the information will therefore be affirmed, and it is so ordered.</p>\n </div>\n <div class=\"num\" id=\"p30\">\n <span class=\"num\">30</span>\n <p class=\"indent\">Mr. Chief Justice FULLER, having been of counsel in the court below, took no part in the consideration and decision of this case on appeal.</p>\n </div>\n <div class=\"num\" id=\"p31\">\n <span class=\"num\">31</span>\n <p class=\"indent\">Mr. Justice BREWER, dissenting.</p>\n </div>\n <div class=\"num\" id=\"p32\">\n <span class=\"num\">32</span>\n <p class=\"indent\">I am unable to concur in the views expressed by the court in this case. I agree that the United States have no governmental interest or control over the premises in question; that as a sovereign they have no right to maintain this suit; that by the act of dedication they parted with the title; and that, in accordance with the statute of the state in respect to dedication, the fee passed to the city of Chicago, to 'be held in the corporate name thereof, in trust to and for the uses and purposes set forth and expressed or intended.' I agree that the only rights which the United States have are those which any other owner of real estate would have under a like dedication; but I think the law is that he who grants property to a trustee, to be held in trust for a specific purpose, retains such an interest as gives him a right to invoke the interposition of a court of equity to prevent the use of that property for any other purpose. Can it be that if the government, believing that the congressional library has become too large for convenient use in this city, donates half of it to the city of Chicago, to be kept and maintained as a public library, that city can, after accepting the donation for the purposes named, give away the books to the various lawyers for their private libraries, and the government be powerless to restrain such disposition? Do the donors of libraries, or the grantors of real estate in trust for specific purposes, though parting with the title, lose all right to invoke the aid of a court of equity to compel the use of their donations and grants for the purposes expressed in the gift or deed? I approve the opinion of the supreme court of Iowa in the case of Warren v. Mayor of Lyons City, 22 Iowa, 351, 355, 357. In that case the plaintiffs had, years before, platted certain land as a site for a city, and on the plat filed by them there was a dedication of a piece of ground as a 'public square.' After the city had been built up on that site, the authorities, for the purposes of gain, and under the pretended authority of an act of the legislature, attempted to subdivide the public square into lots, and to lease them to individuals for private uses. A bill was filed by the dedicators to restrain such diversion of the use, and a decree in their favor was affirmed by the supreme court. I quote from the opinion:</p>\n </div>\n <div class=\"num\" id=\"p33\">\n <span class=\"num\">33</span>\n <p class=\"indent\">'Nothing can be clearer than that if a grant is made for a specific, limited, and defined purpose, the subject of the grant cannot be used for another, and that the grantor retains still such an interest therein as entitles him, in a court of equity, to insist upon the execution of the trust as originally declared and accepted. Williams v. Society, 1 Ohio St. 478; Barclay v. Howell, 6 Pet. 499; Webb v. Moler, 8 Ohio, 548; Brown v. Manning, 6 Ohio, 298.'</p>\n </div>\n <div class=\"num\" id=\"p34\">\n <span class=\"num\">34</span>\n <p class=\"indent\">And again, after picturing the injustice which in many cases would result by permitting such a diversion, the court adds:</p>\n </div>\n <div class=\"num\" id=\"p35\">\n <span class=\"num\">35</span>\n <p class=\"indent\">'Such a doctrine would enable the state, at pleasure, to trifle with the rights of individuals; and we can scarcely conceive of a doctrine which would more effectually check every disposition to give for public or charitable purposes. No; it must be that, if the right vested in the city for a particular purpose, the legislature cannot vest it for another; that, when the dedicator declared his purpose by the plat, the land cannot be sold or used for another and different one; that, while the corporation took the premises as trustee, it took them with the obligations attached, as well as the rights conferred; that, while the legislature might give the control and management of these squares and parks to the several municipal corporations, it cannot authorize their sale and use for a purpose foreign to the object of the grant.</p>\n </div>\n <div class=\"num\" id=\"p36\">\n <span class=\"num\">36</span>\n <p class=\"indent\">'Without quoting, we cite the following cases: Trustees of Watertown v. Cowen, 4 Paige, 510; Lade v. Shepherd, 2 Stra. 1004; Com. v. Alberger, 1 Whart. 469; Pomeroy v. Mills, 3 Vt. 279; Abbott v. Same, Id. 521; Adams v. Railroad Co., 11 Barb. 414; Fletcher v. Peck, 6 Cranch, 87; Godfrey v. City of Alton, 12 Ill. 29; Sedg. St. &amp; Const. Law, 343, 344; Haight v. City of Keokuk, 4 Iowa, 199; Grant v. City of Davenport, 18 Id. 179; Le Clercq v. Trustees of Gallipolis, 7 Ohio, 217; Common Council v. Cross, 7 Ind. 9; Rowan's Ex'rs, v. Town of Portland, 8 B. Mon. 232; Trustees of Augusta v. Perkins, 3 B. Mon. 437.'</p>\n </div>\n <div class=\"num\" id=\"p37\">\n <span class=\"num\">37</span>\n <p class=\"indent\">I do not care to add more, but for these reasons withhold my assent to the opinion.</p>\n </div>\n <div class=\"num\" id=\"p38\">\n <span class=\"num\">38</span>\n <p class=\"indent\">I am authorized to say that Mr. Justice BROWN concurs in this dissent.</p>\n </div>\n ", "resource_uri": "/api/rest/v2/document/93942/" }
["f82ef73c7a0a9ec646d14882d6eddbe756b54030","794c518ca9953297c939110fef310032a6ef4054"]
[ "http://2.bp.blogspot.com/IPEL5FxLf4J6hwEyCFuAlEsj99ECgsw6l7E_K8My6eI9aB8A9eOf2lOd4RuzZIi8uops6i9MvJxgaWCamf35m-Y-okn2cpLGFCnvS2eVCTiM_aaeHZ3bXCGHF-RyuhjxnTx4IQ=s0?title=000_1491337816.png" ]
{"textgrid.poem.27691": {"metadata": {"author": {"name": "Logau, Friedrich von", "birth": "N.A.", "death": "N.A."}, "title": "6.", "genre": "verse", "period": "N.A.", "pub_year": 1630, "urn": "N.A.", "language": ["de:0.99"], "booktitle": "N.A."}, "text": null, "poem": {"stanza.1": {"line.1": {"text": "Duppler, nicht ein eintzler Mund,", "tokens": ["Dupp\u00b7ler", ",", "nicht", "ein", "eintz\u00b7ler", "Mund", ","], "token_info": ["word", "punct", "word", "word", "word", "word", "punct"], "pos": ["NE", "$,", "PTKNEG", "ART", "ADJA", "NN", "$,"], "meter": "+-+-+-+", "measure": "trochaic.tetra"}, "line.2": {"text": "Gibt der Warheit ihren Grund.", "tokens": ["Gibt", "der", "War\u00b7heit", "ih\u00b7ren", "Grund", "."], "token_info": ["word", "word", "word", "word", "word", "punct"], "pos": ["VVFIN", "ART", "NN", "PPOSAT", "NN", "$."], "meter": "+-+-+-+", "measure": "trochaic.tetra"}, "line.3": {"text": "Drum kan der nicht gelten viel,", "tokens": ["Drum", "kan", "der", "nicht", "gel\u00b7ten", "viel", ","], "token_info": ["word", "word", "word", "word", "word", "word", "punct"], "pos": ["PAV", "VMFIN", "ART", "PTKNEG", "VVFIN", "ADV", "$,"], "meter": "-+--+-+", "measure": "iambic.tri.relaxed"}, "line.4": {"text": "Der sich selbst nur loben wil.", "tokens": ["Der", "sich", "selbst", "nur", "lo\u00b7ben", "wil", "."], "token_info": ["word", "word", "word", "word", "word", "word", "punct"], "pos": ["ART", "PRF", "ADV", "ADV", "VVINF", "VMFIN", "$."], "meter": "+-+-+-+", "measure": "trochaic.tetra"}}, "stanza.2": {"line.1": {"text": "Duppler, nicht ein eintzler Mund,", "tokens": ["Dupp\u00b7ler", ",", "nicht", "ein", "eintz\u00b7ler", "Mund", ","], "token_info": ["word", "punct", "word", "word", "word", "word", "punct"], "pos": ["NE", "$,", "PTKNEG", "ART", "ADJA", "NN", "$,"], "meter": "+-+-+-+", "measure": "trochaic.tetra"}, "line.2": {"text": "Gibt der Warheit ihren Grund.", "tokens": ["Gibt", "der", "War\u00b7heit", "ih\u00b7ren", "Grund", "."], "token_info": ["word", "word", "word", "word", "word", "punct"], "pos": ["VVFIN", "ART", "NN", "PPOSAT", "NN", "$."], "meter": "+-+-+-+", "measure": "trochaic.tetra"}, "line.3": {"text": "Drum kan der nicht gelten viel,", "tokens": ["Drum", "kan", "der", "nicht", "gel\u00b7ten", "viel", ","], "token_info": ["word", "word", "word", "word", "word", "word", "punct"], "pos": ["PAV", "VMFIN", "ART", "PTKNEG", "VVFIN", "ADV", "$,"], "meter": "-+--+-+", "measure": "iambic.tri.relaxed"}, "line.4": {"text": "Der sich selbst nur loben wil.", "tokens": ["Der", "sich", "selbst", "nur", "lo\u00b7ben", "wil", "."], "token_info": ["word", "word", "word", "word", "word", "word", "punct"], "pos": ["ART", "PRF", "ADV", "ADV", "VVINF", "VMFIN", "$."], "meter": "+-+-+-+", "measure": "trochaic.tetra"}}}}}
[ "http://2.bp.blogspot.com/-EhBprVLAOmk/VsyTVy67C7I/AAAAAAAFkl0/m2PA3NNIwCs/s0-Ic42/000.png", "http://2.bp.blogspot.com/-7lWsjIXHxMY/VsyTVgAAqQI/AAAAAAAFkl0/nowca0b9U3g/s0-Ic42/001.png", "http://2.bp.blogspot.com/-1TJ-QYrsPK4/VsyTVzH4GxI/AAAAAAAFkl0/wt27EoshI1M/s0-Ic42/002.png", "http://2.bp.blogspot.com/-ccTy3w9qnl8/VsyTWKUlyjI/AAAAAAAFkl0/g8VJV70idus/s0-Ic42/003.png", "http://2.bp.blogspot.com/-KMtwyz_pwDM/VsyTWfrq-3I/AAAAAAAFkl0/xVVZij1qGjU/s0-Ic42/004.png", "http://2.bp.blogspot.com/-uh-qNZJSIIY/VsyTaE1NTGI/AAAAAAAFkl0/ms02rB4MRmc/s0-Ic42/005.png", "http://2.bp.blogspot.com/-H6fePsxA2yc/VsyTaCXe2nI/AAAAAAAFkl0/k5nITOOZpCI/s0-Ic42/006.png", "http://2.bp.blogspot.com/-h79bvX-0gEw/VsyTaOCjM_I/AAAAAAAFkl0/CysQ2vD1OwU/s0-Ic42/007.png", "http://2.bp.blogspot.com/-D_7lDsqOLF8/VsyTaRFxkRI/AAAAAAAFkl0/GRPrUQyVC5Q/s0-Ic42/008.png", "http://2.bp.blogspot.com/-h4g1pFSJyXI/VsyTaZf2IBI/AAAAAAAFkl0/FMyzqChHg6s/s0-Ic42/009.png", "http://2.bp.blogspot.com/-5pi5jff6OAg/VsyTaqSfiVI/AAAAAAAFkl0/9KUgy8C6a_8/s0-Ic42/010.png", "http://2.bp.blogspot.com/-_f2NXkyms40/VsyTap8zr1I/AAAAAAAFkl0/6PSBHvgBwAc/s0-Ic42/011.png", "http://2.bp.blogspot.com/-bQKPfcunhz8/VsyTayGQVaI/AAAAAAAFkl0/Zb4QgoYmcFs/s0-Ic42/012.png", "http://2.bp.blogspot.com/-IfDQZ-ce8Po/VsyTbMz8CzI/AAAAAAAFkl0/WRGvrLqBRig/s0-Ic42/013.png", "http://2.bp.blogspot.com/-y-FKhb8HHBo/VsyTbIxGo-I/AAAAAAAFkl0/c2x-8HcS8uw/s0-Ic42/014.png", "http://2.bp.blogspot.com/-k_4blHsx-ao/VsyTbT_HutI/AAAAAAAFkl0/1odeu4ke9Cw/s0-Ic42/015.png", "http://2.bp.blogspot.com/--NJZZAtqYq8/VsyTbT-HQcI/AAAAAAAFkl0/0EPADFIeEmU/s0-Ic42/016.png", "http://2.bp.blogspot.com/-HstqcEuk5Ic/VsyTblVZrYI/AAAAAAAFkl0/klLRfBEFHsU/s0-Ic42/017.png", "http://2.bp.blogspot.com/-qLOW8ELPG7M/VsyTbp_6yqI/AAAAAAAFkl0/as_2UkrmN1k/s0-Ic42/018.png", "http://2.bp.blogspot.com/-niFoZr1yMfs/VsyTb9N-pOI/AAAAAAAFkl0/UPG8dhXoLC4/s0-Ic42/019.png", "http://2.bp.blogspot.com/-XnN8zpW66Ss/VsyTbwoF2GI/AAAAAAAFkl0/B5ZXAsYVQBM/s0-Ic42/020.png" ]
{ "skeleton": { "hash": "ElXcEo9/EUKD606+NFmbybZIFdU", "spine": "2.0.22", "width": 523.94, "height": 286.83, "images": "/Users/wangsiyu/Desktop/ /单词游戏/第一关/学习测试界面动画/3颗星星" }, "bones": [ { "name": "root" }, { "name": "bone", "parent": "root", "x": -139.76, "y": -28 }, { "name": "bone2", "parent": "root", "x": -135.96, "y": -78.84 }, { "name": "bone3", "parent": "root", "x": -0.62, "y": 160.29 }, { "name": "bone4", "parent": "root", "x": 0.87, "y": -94.62 }, { "name": "bone5", "parent": "root", "x": 280.01, "y": 139.72 }, { "name": "bone6", "parent": "root", "x": 134.25, "y": -86.62 } ], "slots": [ { "name": "star_gray_public", "bone": "bone4", "attachment": "star_gray_public" }, { "name": "star_gray_public2", "bone": "bone6", "attachment": "star_gray_public" }, { "name": "star_gray_public3", "bone": "bone2", "attachment": "star_gray_public" }, { "name": "star_yellow_public", "bone": "bone", "attachment": "star_yellow_public" }, { "name": "star_yellow_public2", "bone": "bone3", "attachment": "star_yellow_public" }, { "name": "star_yellow_public3", "bone": "bone5", "attachment": "star_yellow_public" } ], "skins": { "default": { "star_gray_public": { "star_gray_public": { "x": -0.87, "y": 94.62, "width": 109, "height": 106 } }, "star_gray_public2": { "star_gray_public": { "x": -1.41, "y": 61.07, "width": 109, "height": 106 } }, "star_gray_public3": { "star_gray_public": { "x": -1.96, "y": 53.86, "width": 109, "height": 106 } }, "star_yellow_public": { "star_yellow_public": { "x": 0.47, "y": 5.03, "width": 106, "height": 102 } }, "star_yellow_public2": { "star_yellow_public": { "x": -0.87, "y": -3, "width": 106, "height": 102 } }, "star_yellow_public3": { "star_yellow_public": { "x": -1.48, "y": 13.81, "width": 106, "height": 102 } } } }, "animations": { "animation_1_star": { "slots": { "star_yellow_public2": { "color": [ { "time": 0, "color": "ffffff00" } ] }, "star_yellow_public3": { "color": [ { "time": 0, "color": "ffffff00" } ] } }, "bones": { "bone": { "translate": [ { "time": 0, "x": -148.89, "y": 174.99 }, { "time": 0.1666, "x": 0, "y": 0 }, { "time": 0.2333, "x": 12.01, "y": -12.01 }, { "time": 0.3333, "x": -8, "y": 8 }, { "time": 0.4333, "x": 0, "y": 0 } ], "scale": [ { "time": 0, "x": 1.3, "y": 1.3 }, { "time": 0.1666, "x": 1, "y": 1 }, { "time": 0.2333, "x": 0.8, "y": 0.8 }, { "time": 0.3333, "x": 1, "y": 1, "curve": "stepped" }, { "time": 0.4333, "x": 1, "y": 1 } ] }, "bone2": { "translate": [ { "time": 0.1666, "x": 0, "y": 0 }, { "time": 0.2333, "x": 11.44, "y": -1.91 }, { "time": 0.3333, "x": -8.16, "y": 7.5 }, { "time": 0.4333, "x": 0, "y": 0 } ], "scale": [ { "time": 0.1666, "x": 1, "y": 1 }, { "time": 0.2333, "x": 0.8, "y": 0.8 }, { "time": 0.3333, "x": 1, "y": 1, "curve": "stepped" }, { "time": 0.4333, "x": 1, "y": 1 } ] } } }, "animation_2_star": { "slots": { "star_yellow_public2": { "color": [ { "time": 0, "color": "ffffff00", "curve": "stepped" }, { "time": 0.2333, "color": "ffffff00" }, { "time": 0.2666, "color": "ffffffff" } ] }, "star_yellow_public3": { "color": [ { "time": 0, "color": "ffffff00" } ] } }, "bones": { "bone2": { "translate": [ { "time": 0.1666, "x": 0, "y": 0 }, { "time": 0.2333, "x": 11.44, "y": -1.91 }, { "time": 0.3333, "x": -8.16, "y": 7.5 }, { "time": 0.4333, "x": 0, "y": 0 } ], "scale": [ { "time": 0.1666, "x": 1, "y": 1 }, { "time": 0.2333, "x": 0.8, "y": 0.8 }, { "time": 0.3333, "x": 1.05, "y": 1 }, { "time": 0.4333, "x": 1, "y": 1 } ] }, "bone": { "translate": [ { "time": 0, "x": -148.89, "y": 174.99 }, { "time": 0.1666, "x": 0, "y": 0 }, { "time": 0.2333, "x": 12.01, "y": -12.01 }, { "time": 0.3333, "x": -8, "y": 8 }, { "time": 0.4333, "x": 0, "y": 0 } ], "scale": [ { "time": 0, "x": 1.3, "y": 1.3 }, { "time": 0.1666, "x": 1, "y": 1 }, { "time": 0.2333, "x": 0.8, "y": 0.8 }, { "time": 0.3333, "x": 1.05, "y": 1.05 }, { "time": 0.4333, "x": 1, "y": 1 } ] }, "bone3": { "translate": [ { "time": 0.2666, "x": 0.62, "y": 79.53 }, { "time": 0.4333, "x": 0.62, "y": -155.46 }, { "time": 0.5, "x": 0.62, "y": -174.83 }, { "time": 0.6, "x": 0.62, "y": -145.65 }, { "time": 0.7, "x": 0.62, "y": -155.46 } ], "scale": [ { "time": 0.2666, "x": 1.3, "y": 1.3 }, { "time": 0.4333, "x": 1, "y": 1 }, { "time": 0.5, "x": 0.8, "y": 0.8 }, { "time": 0.6, "x": 1.05, "y": 1.05 }, { "time": 0.7, "x": 1, "y": 1 } ] }, "bone4": { "translate": [ { "time": 0.4333, "x": 0, "y": 0, "curve": "stepped" }, { "time": 0.5, "x": 0, "y": 0 }, { "time": 0.6, "x": 0, "y": 4.52 }, { "time": 0.7, "x": 0, "y": 0 } ], "scale": [ { "time": 0.4333, "x": 1, "y": 1 }, { "time": 0.5, "x": 0.8, "y": 0.8 }, { "time": 0.6, "x": 1.05, "y": 1.05 }, { "time": 0.7, "x": 1, "y": 1 } ] } } }, "animation_3_star": { "slots": { "star_yellow_public2": { "color": [ { "time": 0, "color": "ffffff00", "curve": "stepped" }, { "time": 0.2333, "color": "ffffff00" }, { "time": 0.2666, "color": "ffffffff" } ] }, "star_yellow_public3": { "color": [ { "time": 0, "color": "ffffff00", "curve": "stepped" }, { "time": 0.5, "color": "ffffff00" }, { "time": 0.5333, "color": "ffffffff" } ] } }, "bones": { "bone": { "translate": [ { "time": 0, "x": -148.89, "y": 174.99 }, { "time": 0.1666, "x": 0, "y": 0 }, { "time": 0.2333, "x": 12.01, "y": -12.01 }, { "time": 0.3333, "x": -8, "y": 8 }, { "time": 0.4333, "x": 0, "y": 0 } ], "scale": [ { "time": 0, "x": 1.3, "y": 1.3 }, { "time": 0.1666, "x": 1, "y": 1 }, { "time": 0.2333, "x": 0.8, "y": 0.8 }, { "time": 0.3333, "x": 1.05, "y": 1.05 }, { "time": 0.4333, "x": 1, "y": 1 } ] }, "bone2": { "translate": [ { "time": 0.1666, "x": 0, "y": 0 }, { "time": 0.2333, "x": 11.44, "y": -1.91 }, { "time": 0.3333, "x": -8.16, "y": 7.5 }, { "time": 0.4333, "x": 0, "y": 0 } ], "scale": [ { "time": 0.1666, "x": 1, "y": 1 }, { "time": 0.2333, "x": 0.8, "y": 0.8 }, { "time": 0.3333, "x": 1.05, "y": 1 }, { "time": 0.4333, "x": 1, "y": 1 } ] }, "bone3": { "translate": [ { "time": 0.2666, "x": 0.62, "y": 79.53 }, { "time": 0.4333, "x": 0.62, "y": -155.46 }, { "time": 0.5, "x": 0.62, "y": -174.83 }, { "time": 0.6, "x": 0.62, "y": -145.65 }, { "time": 0.7, "x": 0.62, "y": -155.46 } ], "scale": [ { "time": 0.2666, "x": 1.3, "y": 1.3 }, { "time": 0.4333, "x": 1, "y": 1 }, { "time": 0.5, "x": 0.8, "y": 0.8 }, { "time": 0.6, "x": 1.05, "y": 1.05 }, { "time": 0.7, "x": 1, "y": 1 } ] }, "bone4": { "translate": [ { "time": 0.4333, "x": 0, "y": 0, "curve": "stepped" }, { "time": 0.5, "x": 0, "y": 0 }, { "time": 0.6, "x": 0, "y": 4.52 }, { "time": 0.7, "x": 0, "y": 0 } ], "scale": [ { "time": 0.4333, "x": 1, "y": 1 }, { "time": 0.5, "x": 0.8, "y": 0.8 }, { "time": 0.6, "x": 1.05, "y": 1.05 }, { "time": 0.7, "x": 1, "y": 1 } ] }, "bone5": { "translate": [ { "time": 0.5333, "x": 0, "y": 0 }, { "time": 0.7, "x": -147.69, "y": -176.86 }, { "time": 0.7666, "x": -158.36, "y": -187.53 }, { "time": 0.8666, "x": -140.07, "y": -170 }, { "time": 0.9666, "x": -147.69, "y": -176.86 } ], "scale": [ { "time": 0.5333, "x": 1.3, "y": 1.3 }, { "time": 0.7, "x": 1, "y": 1 }, { "time": 0.7666, "x": 0.8, "y": 0.8 }, { "time": 0.8666, "x": 1.05, "y": 1.05 }, { "time": 0.9666, "x": 1, "y": 1 } ] }, "bone6": { "translate": [ { "time": 0.5333, "x": -1.12, "y": 0.49, "curve": "stepped" }, { "time": 0.7, "x": -1.12, "y": 0.49 }, { "time": 0.7666, "x": -11.61, "y": -0.2 }, { "time": 0.8666, "x": 7.41, "y": 4.47 }, { "time": 0.9666, "x": -1.12, "y": 0.49 } ], "scale": [ { "time": 0.5333, "x": 1, "y": 1, "curve": "stepped" }, { "time": 0.7, "x": 1, "y": 1 }, { "time": 0.7666, "x": 0.8, "y": 0.8 }, { "time": 0.8666, "x": 1.05, "y": 1.05 }, { "time": 0.9666, "x": 1, "y": 1 } ] } } }, "animation_no_star": { "slots": { "star_yellow_public": { "color": [ { "time": 0, "color": "ffffff00" } ] }, "star_yellow_public2": { "color": [ { "time": 0, "color": "ffffff00" } ] }, "star_yellow_public3": { "color": [ { "time": 0, "color": "ffffff00" } ] } } } } }
{"Buffalo": {"1966 American Football League Championship Game": "The 1966 American Football League Championship Game was the seventh AFL championship game, played at War Memorial Stadium in Buffalo, New York, on January 1, 1967.\nIt matched the Western Division champion Kansas City Chiefs (11\u20132\u20131) and the Eastern Division champion Buffalo Bills (9\u20134\u20131) to decide the American Football League (AFL) champion for the 1966 season.\nThe host Bills entered as two-time defending champions, but the visiting Chiefs were three-point favorites, mainly because of their explosive and innovative offense led by head coach Hank Stram."}}
{ "name": "sencha-couch", "description": "Sencha Couch", "fetch_uri": "https://github.com/??" }
{"first_name":"Victor","last_name":"Christiansenn","permalink":"victor-christiansenn","crunchbase_url":"http://www.crunchbase.com/person/victor-christiansenn","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":"Wed Dec 02 14:55:56 UTC 2009","updated_at":"Wed Dec 02 19:43:49 UTC 2009","overview":null,"image":null,"degrees":[],"relationships":[{"is_past":false,"title":"CEO","firm":{"name":"SecPoint","permalink":"secpoint","type_of_entity":"company","image":{"available_sizes":[[[150,45],"assets/images/resized/0006/8332/68332v2-max-150x150.jpg"],[[250,76],"assets/images/resized/0006/8332/68332v2-max-250x250.jpg"],[[450,136],"assets/images/resized/0006/8332/68332v2-max-450x450.jpg"]],"attribution":null}}}],"investments":[],"milestones":[],"video_embeds":[],"external_links":[],"web_presences":[]}
{"title":"SuicideGirls.14.09.19.Chimera.Sweet.Enough.XXX.iMAGESET-OHRLY","uid":11060977,"size":54577176,"categoryP":"porn","categoryS":"other","magnet":"?xt=urn:btih:f6f40548e6651293858e55f6d4a1145654c4d069&amp;dn=SuicideGirls.14.09.19.Chimera.Sweet.Enough.XXX.iMAGESET-OHRLY&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":"DrarbgXXX","files":48,"time":1411170154,"description":" &lt;a href=&quot;https://rarbg.com&quot; rel=&quot;nofollow&quot; target=&quot;_NEW&quot;&gt;https://rarbg.com&lt;/a&gt;\n\nSuicideGirls.com_14.09.19.Chimera.Sweet.Enough.XXX.iMAGESET-OHRLY\n","torrent":{"xt":"urn:btih:f6f40548e6651293858e55f6d4a1145654c4d069","amp;dn":"SuicideGirls.14.09.19.Chimera.Sweet.Enough.XXX.iMAGESET-OHRLY","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":"f6f40548e6651293858e55f6d4a1145654c4d069","infoHashBuffer":{"type":"Buffer","data":[246,244,5,72,230,101,18,147,133,142,85,246,212,161,20,86,84,196,208,105]},"announce":[],"urlList":[]}}
{ "source" : "http:\/\/www.spanishdict.com\/conjugate\/zorrear", "word" : "zorrear", "infinitivo" : "zorrear", "gerundio" : [ "zorreando" ], "participio" : [ "zorreado" ], "tenses" : { "3" : [ [ "zorreo" ], [ "zorreas" ], [ "zorrea" ], [ "zorreamos" ], [ "zorreáis" ], [ "zorrean" ] ], "4" : [ [ "zorreé" ], [ "zorreaste" ], [ "zorreó" ], [ "zorreamos" ], [ "zorreasteis" ], [ "zorrearon" ] ], "5" : [ [ "zorreaba" ], [ "zorreabas" ], [ "zorreaba" ], [ "zorreábamos" ], [ "zorreabais" ], [ "zorreaban" ] ], "6" : [ [ "zorrearía" ], [ "zorrearías" ], [ "zorrearía" ], [ "zorrearíamos" ], [ "zorrearíais" ], [ "zorrearían" ] ], "7" : [ [ "zorrearé" ], [ "zorrearás" ], [ "zorreará" ], [ "zorrearemos" ], [ "zorrearéis" ], [ "zorrearán" ] ], "8" : [ [ "zorree" ], [ "zorrees" ], [ "zorree" ], [ "zorreemos" ], [ "zorreéis" ], [ "zorreen" ] ], "9" : [ [ "zorreara" ], [ "zorrearas" ], [ "zorreara" ], [ "zorreáramos" ], [ "zorrearais" ], [ "zorrearan" ] ], "10" : [ [ "zorrease" ], [ "zorreases" ], [ "zorrease" ], [ "zorreásemos" ], [ "zorreaseis" ], [ "zorreasen" ] ], "11" : [ [ "zorreare" ], [ "zorreares" ], [ "zorreare" ], [ "zorreáremos" ], [ "zorreareis" ], [ "zorrearen" ] ], "12" : { "1" : [ "zorrea" ], "2" : [ "zorree" ], "3" : [ "zorreemos" ], "4" : [ "zorread" ], "5" : [ "zorreen" ] } } }
{"artist": "Phil Keaggy", "timestamp": "2011-08-11 19:45:52.857357", "similars": [["TRANREH128F14AE5E5", 0.95370200000000005], ["TRTSEYO128EF35CBD9", 0.90814499999999998], ["TRVIYPS128EF35CBBA", 0.90814499999999998], ["TRGHZJQ128F14AE5E4", 0.86333099999999996], ["TRHHTWL128F42729A2", 0.79500700000000002], ["TRZXMVR128F92EF0EF", 0.68563499999999999], ["TRHCKYG128F42AD3A3", 0.68349700000000002], ["TRNHFKT12903CDDACB", 0.65821200000000002], ["TRORFCK128EF35BFED", 0.65143399999999996], ["TRMRKMJ12903CA82F3", 0.64272099999999999], ["TRRNEWU128F9345A2D", 0.60392400000000002], ["TRLWYIX128F930F772", 0.58774700000000002], ["TRFKGHH128F9309128", 0.58431599999999995], ["TRYKCPF128F14728B1", 0.52374600000000004], ["TRUHHQD128F14728A4", 0.51136099999999995], ["TRIQNHR128EF344304", 0.48449599999999998], ["TRTEVKA128F931F854", 0.460814], ["TRTDAZM128F425A471", 0.32076300000000002], ["TRAJPZD128F1495151", 0.28848499999999999], ["TRTFBHN128F4252F0F", 0.28848499999999999], ["TRFQDOT128F14B0707", 0.28617100000000001], ["TRATNXE128F1495158", 0.26202199999999998], ["TRBGDZW128F932FB96", 0.0163266], ["TRDJHLR12903CB300B", 0.016207699999999998], ["TRJCPPD128F14AE2CD", 0.016118], ["TRKMXEF12903CB3007", 0.016110300000000001], ["TRTCBZQ128F14ADDC7", 0.016008000000000001], ["TRYCZJM128F4241498", 0.0158015], ["TRLDZZR128F427D78D", 0.0157815], ["TRNQHPZ128F4287ACC", 0.015774799999999999], ["TRSCDNB128F4287ACD", 0.015774799999999999], ["TRSJRBP128F14ADCC5", 0.015756300000000001], ["TRYDRNN128F92FE51A", 0.015416300000000001], ["TRNUKJF128F425B82C", 0.015089999999999999], ["TRLJUEA128F932D14D", 0.0150124], ["TRGEZJH128F932D150", 0.015011099999999999], ["TRNZTDJ12903CE70B2", 0.014966], ["TRABJHF128F423A7D7", 0.0149341], ["TRCAXJU128F9314184", 0.0148591], ["TRCCFFV128F4269E72", 0.0146581], ["TRWRNBD128F42BC7FA", 0.0145851], ["TRTRWAF128F423A805", 0.014445899999999999], ["TRKVTMB128F4241497", 0.0143626], ["TRHVRDO12903CE7084", 0.0143444], ["TRKGLIL12903CE70AF", 0.0143444], ["TRDTUHT128EF34BB54", 0.014330499999999999], ["TREFKLD128E0785615", 0.014278900000000001], ["TRQKRUA128E0785612", 0.0142466], ["TRHCJDS128F429913E", 0.014190899999999999], ["TRGSEXK128F428B5FE", 0.013968700000000001], ["TRTCWDY128F9338118", 0.0136997], ["TROSFEG128F92FE51E", 0.0136975], ["TREPSLF128F4285629", 0.0136889], ["TRSDVMN128F932D6FD", 0.0136867], ["TRPRWUR128F4293D45", 0.0135972], ["TRDSVFM128F4280BBF", 0.013544499999999999], ["TRQFKHJ128F9322282", 0.013343300000000001], ["TRBWSSV128F4243038", 0.013339800000000001], ["TRHNFUC128F1497A7E", 0.0132909], ["TRIIRNZ128F92EABBF", 0.0132858], ["TRKIAJQ128F42ACEEF", 0.0132728], ["TRGMKDB128F423117A", 0.0130612], ["TRVDXAI128F146CC1B", 0.012993299999999999], ["TRULTZE128F1495429", 0.012974899999999999], ["TRVHCJT128F427FEFD", 0.0127422], ["TRYOGAY12903CB2DB1", 0.012693599999999999], ["TRSHLOE128F428224E", 0.012685200000000001], ["TRSLSER128F42A6205", 0.012659699999999999], ["TRGOSLN128F14A2CF1", 0.012655700000000001], ["TRHQLQL128F14A2CED", 0.0126555], ["TRNEEUU128F933A49A", 0.0126544], ["TROEVUJ128F933A497", 0.0126544], ["TRMPPJJ128F9302EAF", 0.0126543], ["TRGUINW128F92FA6A1", 0.012654200000000001], ["TROUDJT128E078524F", 0.0126541], ["TRQRRBU128F92EF0DA", 0.012654], ["TRCYYGK128F4255706", 0.0126537], ["TRPECEU128F930762C", 0.0126535], ["TRFEIZY128E07853CC", 0.012653299999999999], ["TRMQIOL128EF34E25B", 0.012653299999999999], ["TRIOJAI128F92EC4F0", 0.012653299999999999]], "tags": [], "track_id": "TRLGOKF128F4231D81", "title": "Our Daily Bread (Album Version)"}
{"uuid": "f5772d96-ab88-48e4-9360-2182f4a9df8c", "befores": [{"name": "ipv6_address", "status": "passed", "start": 1630873446181, "stop": 1630873446181}], "start": 1630873446181, "stop": 1630873446666}
{"type": "Feature", "id": 23947129, "geometry": {"type": "MultiPolygon", "coordinates": [[[[-73.126572, 46.046391], [-73.126572, 46.048431], [-73.129494, 46.048431], [-73.129494, 46.046391], [-73.126572, 46.046391]]]]}, "properties": {"woe:id": 23947129, "woe:parent_id": 1539, "woe:name": "J3R 1A2", "woe:placetype": 11, "woe:placetype_name": "Zip", "woe:lang": "FRE", "iso:country": "CA", "meta:provider": ["geoplanet:7.3.1", "geoplanet:7.3.2", "geoplanet:7.4.0", "geoplanet:7.4.1", "geoplanet:7.5.1", "geoplanet:7.5.2", "geoplanet:7.6.0", "geoplanet:7.8.1", "geoplanet:7.9.0", "geoplanet:7.10.0", "geoplanet:8.0.0", "woeplanet:8.0.0"], "meta:indexed": "2020-08-20T20:39:42.249049", "meta:updated": "2020-10-14T11:27:18.509682", "woe:hierarchy": {"continent": 24865672, "country": 23424775, "town": 0, "planet": 1, "county": 29375092, "suburb": 0, "state": 2344924, "region": 0, "localadmin": 0}, "woe:timezone_id": 56043679, "woe:hash": "f25vzytv97jq", "geom:min_latitude": 46.046391, "woe:centroid": [-73.128029, 46.047409], "geom:latitude": 46.047409, "woe:max_longitude": -73.126572, "geom:max_longitude": -73.126572, "geom:centroid": [-73.128029, 46.047409], "geom:max_latitude": 46.048431, "woe:bbox": [-73.129494, 46.046391, -73.126572, 46.048431], "geom:bbox": [-73.129494, 46.046391, -73.126572, 46.048431], "woe:min_latitude": 46.046391, "woe:min_longitude": -73.129494, "geom:longitude": -73.128029, "geom:hash": "f25vzytv97jq", "woe:latitude": 46.047409, "geom:min_longitude": -73.129494, "woe:longitude": -73.128029, "woe:max_latitude": 46.048431, "woe:repo": "woeplanet-zip-ca-j", "geom:area": 51280.63168215752, "woe:scale": 22}}
{ "Player": { "FirstName": "Roman", "LastName": "Bednář", "CommonName": null, "Height": "190", "DateOfBirth": { "Year": "1983", "Month": "3", "Day": "26" }, "PreferredFoot": "Right", "ClubId": "109", "LeagueId": "13", "NationId": "12", "Rating": "68", "Attribute1": "53", "Attribute2": "66", "Attribute3": "54", "Attribute4": "64", "Attribute5": "52", "Attribute6": "74", "Rare": "0", "ItemType": "PlayerA" } }
{"Duluth": {"Chester Terrace (Duluth, Minnesota)": "Chester Terrace is a rowhouse in Duluth, Minnesota listed on the National Register of Historic Places. The building was designed by Oliver G. Traphagen and Francis W. Fitzpatrick. It is built in the Richardsonian Romanesque style, using brick and brownstone, and the design features towers, turrets, gables, and finials."}}
["1ed6787c42229a09fb69daec8b211c1cb1d395a6","521f4894fca4cb8c7ea0046503e7014c75e28446"]
{"author":"htorres","questions":[{"type":"quiz","question":"quick energy for animals","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbohydrate","correct":true},{"answer":"Lipids","correct":false},{"answer":"Proteins","correct":false},{"answer":"Nucleic ACids","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/b17360f1-1bdc-4f3e-a7da-89e39ffc58db_opt","imageMetadata":{"id":"b17360f1-1bdc-4f3e-a7da-89e39ffc58db","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"made up of carbon, nitrogen, hydrogen, oxygen and phosphorus","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbohydrates","correct":false},{"answer":"Lipids","correct":false},{"answer":"Proteins","correct":false},{"answer":"N.A.","correct":true}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/0d4cb296-6ed5-487e-a7e6-636385c9c1ea_opt","imageMetadata":{"id":"0d4cb296-6ed5-487e-a7e6-636385c9c1ea","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"helps transport oxygen in blood - hemoglobin","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbohydrates","correct":false},{"answer":"Lipids","correct":false},{"answer":"Proteins","correct":true},{"answer":"Nucleic Acid","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/ee91ae42-936e-4ae5-ac3c-8135e2417fe2_opt","imageMetadata":{"id":"ee91ae42-936e-4ae5-ac3c-8135e2417fe2","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Monomer = amino acids","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbohydrates","correct":false},{"answer":"Lipids","correct":false},{"answer":"Proteins","correct":true},{"answer":"N.A.","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/bc0ad4d1-8e5f-4c66-9e07-87fbbffb898b_opt","imageMetadata":{"id":"bc0ad4d1-8e5f-4c66-9e07-87fbbffb898b","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Serves as structural support in plant cells","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbs","correct":true},{"answer":"Lipids","correct":false},{"answer":"Proteins","correct":false},{"answer":"N.A.","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/eee1e61c-6417-40a8-881d-7adad972012e_opt","imageMetadata":{"id":"eee1e61c-6417-40a8-881d-7adad972012e","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"bone and muscle formation","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbs","correct":false},{"answer":"Lipids","correct":false},{"answer":"Protein","correct":true},{"answer":"N.A","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/66666f1b-68b6-48e4-9878-d0aad1439f63_opt","imageMetadata":{"id":"66666f1b-68b6-48e4-9878-d0aad1439f63","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Long term energy storage","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbs","correct":false},{"answer":"Lipids","correct":true},{"answer":"Proteins","correct":false},{"answer":"N.A","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/b4fb6106-2377-4d84-ba7d-c40752008fdf_opt","imageMetadata":{"id":"b4fb6106-2377-4d84-ba7d-c40752008fdf","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Non-polar molecule","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"C","correct":false},{"answer":"L","correct":true},{"answer":"P","correct":false},{"answer":"N.A","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/182df7a3-cd6f-4839-aac3-b4fc4b8df154_opt","imageMetadata":{"id":"182df7a3-cd6f-4839-aac3-b4fc4b8df154","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"These help to carry out chemical reactions (enzymes)","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbs","correct":false},{"answer":"Lipids","correct":false},{"answer":"Proteins","correct":true},{"answer":"N.A","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/1cd6a048-21fc-4729-ba9b-b1f0444313ff_opt","imageMetadata":{"id":"1cd6a048-21fc-4729-ba9b-b1f0444313ff","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"What type of carbohydrate is this?","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Monosaccharide","correct":true},{"answer":"Disaccharide","correct":false},{"answer":"Polysaccharide","correct":false},{"answer":"Trisaccharide","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/b1d494e6-9c4a-4810-8d3d-71679a34e0e5","imageMetadata":{"id":"b1d494e6-9c4a-4810-8d3d-71679a34e0e5","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"found in hair, hooves, and nails&nbsp;","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"C","correct":false},{"answer":"L","correct":false},{"answer":"P","correct":true},{"answer":"N.A","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/9a8b5525-5932-42da-a7e1-43c81a247571_opt","imageMetadata":{"id":"9a8b5525-5932-42da-a7e1-43c81a247571","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"stores information in the form of a code","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbohydrates","correct":false},{"answer":"Lipids","correct":false},{"answer":"Proteins","correct":false},{"answer":"Nucleic Acids","correct":true}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/77bf5f71-7b81-4c36-a3f7-98a0a1b6af2d_opt","imageMetadata":{"id":"77bf5f71-7b81-4c36-a3f7-98a0a1b6af2d","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"function includes insulation&nbsp;","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"C","correct":false},{"answer":"L","correct":true},{"answer":"P","correct":false},{"answer":"N.A","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/2f7bea0f-0e9e-4b5c-b438-c04a31112908_opt","imageMetadata":{"id":"2f7bea0f-0e9e-4b5c-b438-c04a31112908","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Which polymer's monomer is shown?","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbohydrates","correct":false},{"answer":"Lipids","correct":false},{"answer":"Proteins","correct":false},{"answer":"Nucleic Acids","correct":true}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/bb0e89de-80c8-4bbe-9694-798165b3fb74","imageMetadata":{"id":"bb0e89de-80c8-4bbe-9694-798165b3fb74","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"All organic compounds contain","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbon","correct":true},{"answer":"Hydrogen","correct":false},{"answer":"Oxygen","correct":false},{"answer":"Nitrogen","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/24cd088c-a1ba-4c85-9364-c45eb41ae58d_opt","imageMetadata":{"id":"24cd088c-a1ba-4c85-9364-c45eb41ae58d","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"These two molecules store energy","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Protein and Lipids","correct":false},{"answer":"Carbohydrate and Lipid","correct":true},{"answer":"Nucleic Acid and Protein","correct":false},{"answer":"Protein and Carbohydrate","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/a5b336af-a953-4c63-baaf-c2c933f53a01_opt","imageMetadata":{"id":"a5b336af-a953-4c63-baaf-c2c933f53a01","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Tuna and other seafood is high in this biomolecule","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbohydrate","correct":false},{"answer":"Lipid","correct":false},{"answer":"Protein","correct":true},{"answer":"Nucleic Acid","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/3c0a46c2-7b54-4b2c-a1f6-925a3fbc49a7_opt","imageMetadata":{"id":"3c0a46c2-7b54-4b2c-a1f6-925a3fbc49a7","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"DNA is an example of","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carb","correct":false},{"answer":"Lipids","correct":false},{"answer":"Protein","correct":false},{"answer":"Nucleic Acid","correct":true}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/ef840575-925d-41c1-bf6e-3075342d15a7_opt","imageMetadata":{"id":"ef840575-925d-41c1-bf6e-3075342d15a7","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"This is a monomer of","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carb","correct":false},{"answer":"Lipid","correct":false},{"answer":"Protein","correct":true},{"answer":"Nucleic Acid","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/edb8f8b2-04ad-4286-b1da-bac9a0c524a7","imageMetadata":{"id":"edb8f8b2-04ad-4286-b1da-bac9a0c524a7","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"These two contain Nitrogen","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"C and L","correct":false},{"answer":"L and P","correct":false},{"answer":"P and N.A","correct":true},{"answer":"N.A and C","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/a8bd1741-1395-4ec4-91d9-f18762d5ea20_opt","imageMetadata":{"id":"a8bd1741-1395-4ec4-91d9-f18762d5ea20","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"All of the following are correct about Carbon, except:","time":20000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"can form chains of almost unlimited length","correct":false},{"answer":"Can form single, double and triple bonds","correct":false},{"answer":"Can bond only with other Carbons","correct":true},{"answer":"Can form both small and large compunds","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/6b7a6846-4e67-468a-80dd-ca7b74ba8f5c_opt","imageMetadata":{"id":"6b7a6846-4e67-468a-80dd-ca7b74ba8f5c","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"This is the monomer of","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbohydrates","correct":false},{"answer":"Lipids","correct":true},{"answer":"Proteins","correct":false},{"answer":"Nucleic Acids","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/426127b2-d880-4a55-b5b6-667e3d4dfe2b","imageMetadata":{"id":"426127b2-d880-4a55-b5b6-667e3d4dfe2b","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"The term \"saturated\" when describing lipid molecueles refers to what type of atom","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"C","correct":false},{"answer":"P","correct":false},{"answer":"N","correct":false},{"answer":"H","correct":true}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/786a655c-f500-4da0-b8b2-127744ec1a1c_opt","imageMetadata":{"id":"786a655c-f500-4da0-b8b2-127744ec1a1c","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"These macromolecules can be found in the cell membrane","time":10000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Carbs and Lipids","correct":false},{"answer":"Lipids and Nucleic Acids.","correct":false},{"answer":"Lipids and Proteins","correct":true},{"answer":"Proteins and Nucleic Acids.","correct":false}],"image":"http://s3-eu-west-1.amazonaws.com/lecturequizuploads/1ec67a85-720b-45b3-8bb9-f1b794a19d97_opt","imageMetadata":{"id":"1ec67a85-720b-45b3-8bb9-f1b794a19d97","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0}],"answerMap":[4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4],"uuid":"18f4d59b-61b3-4d8f-82a7-5fef578758c1"}
{"brief":"Reajah","long":"Meaning: \"Reajah\", the name of three Israelites. Usage: Reaia, Reaiah. Source: from \"H7200\" and \"H3050\"; \"Jah has seen\"; "}
{"links":{"self":"https://petition.parliament.uk/petitions.json?page=48\u0026state=open","first":"https://petition.parliament.uk/petitions.json?state=open","last":"https://petition.parliament.uk/petitions.json?page=51\u0026state=open","next":"https://petition.parliament.uk/petitions.json?page=49\u0026state=open","prev":"https://petition.parliament.uk/petitions.json?page=47\u0026state=open"},"data":[{"type":"petition","id":173426,"links":{"self":"https://petition.parliament.uk/petitions/173426.json"},"attributes":{"action":"Change the law so neighbours can't play loud music at anytime not just after 11","background":"In todays world people don't just work 9 till 5 and require sleep at various hrs of the day. Police have no powers to intervene before 11pm or after 7am. People have been forced to move and made ill from being forced to put up with music played unacceptably loud within flats.","additional_details":"","state":"open","signature_count":8,"created_at":"2016-11-21T21:48:14.970Z","updated_at":"2017-01-31T23:11:57.154Z","open_at":"2016-11-29T19:08:41.815Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-24T19:21:32.931Z","response_threshold_reached_at":null,"creator_name":"John Kernohan","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":173335,"links":{"self":"https://petition.parliament.uk/petitions/173335.json"},"attributes":{"action":"Please, Contract BAE to develop a Harrier III.","background":"The Harrier was the ONLY V/STOL jet IN THE WORLD. Instead of capitalising on a technological monopoly, the British Government sold the country out and our industry out to the Americans. Now we buy their exorbitant £100+ Million a piece F-35 STOVL jet with a program cost of $1.5 Trillion. Shameful.","additional_details":"The cost to develop a Harrier III from the Harrier II, I am absolutely certain, would have been a fraction of the disastrous, bug ridden JSF program. The Unit cost too, I am certain, would have been been fractional. It's a matter of national pride too. What do we have left that we can be proud of? Concorde? Harrier? The world wanted these things. But no. Scrap it and buy American or EU... 'REDUCE F-35 ORDER AND REINVEST THE REMAINING *Billions* INTO A SYMBOL OF NATIONAL PRIDE: The Harrier III'.","state":"open","signature_count":8,"created_at":"2016-11-21T11:25:16.879Z","updated_at":"2017-01-31T22:30:48.798Z","open_at":"2016-12-20T12:35:11.543Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-21T11:37:28.892Z","response_threshold_reached_at":null,"creator_name":"Ephraim Amin","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":173306,"links":{"self":"https://petition.parliament.uk/petitions/173306.json"},"attributes":{"action":"Start to pay off the UK's Debt.","background":"We are all told as young people not to spend money which you don't have, so why should the UK government do it. It's not only getting bigger, but is effecting our NHS which should be run like the US government, to fix this tax the rich more, the poor shouldn't have to pay for the rich and vice versa","additional_details":"","state":"open","signature_count":8,"created_at":"2016-11-20T23:05:39.258Z","updated_at":"2017-01-24T10:05:52.966Z","open_at":"2016-11-25T13:02:32.820Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-20T23:18:25.541Z","response_threshold_reached_at":null,"creator_name":"James Myatt","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":173030,"links":{"self":"https://petition.parliament.uk/petitions/173030.json"},"attributes":{"action":"Cease/cut aid to Sierra Leone until the government amend protest laws.","background":"Cease/cut aid to Sierra Leone until the government amend protest laws....","additional_details":"The Government of Sierra Leone cracks down heavily on peaceful protests. It has become illegal to protest the injustices in the country without a police clearance. This is contrary to democracy and free speech. We, the people, hardly ever get the police clearance to voice our concerns. When we do, our voices are highly censored. We face hot water canons, live ammunition and police batons if we dare to protest without a police clearance. \r\nThe UK Government gives a significant amount of aid to the Sierra Leonean government on the basis of it practicing democratic principles. Denying us the right to protest is undemocratic in every aspect. Cutting aid funds until they revisit those provisions that suppress free speech will force them into a civil dialogue with the people they ought to serve.","state":"open","signature_count":8,"created_at":"2016-11-18T18:57:51.765Z","updated_at":"2016-11-24T21:49:38.132Z","open_at":"2016-11-24T16:59:31.594Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-18T23:28:46.378Z","response_threshold_reached_at":null,"creator_name":"Bahiyya Hawanatu Kamara","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":172969,"links":{"self":"https://petition.parliament.uk/petitions/172969.json"},"attributes":{"action":"Change the rules give children detained by police at school access to legal aid","background":"Call for change to access legal aid so children can get justice against the actions of the police working in co-ordination with local authorities to secretly wrongfully detain innocent children at school, revoking their rights \u0026 right to their parents and misusing their data without any wrongdoing.","additional_details":"In the light of police action to pre-plan with local authorities to detain an innocent 12 old child at school, the consequences of the event and negative impact to the child’s future education and misuse of data which may affect the child’s future, the system needs to change. Currently there is no protection for innocent children, due to the unfair system the public authorities’ access public money to engage legal experts to defend their actions. Children’s rights matter, legal aid is required.","state":"open","signature_count":8,"created_at":"2016-11-18T11:11:12.671Z","updated_at":"2017-01-31T22:52:57.174Z","open_at":"2016-11-21T17:34:15.125Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-20T11:38:02.585Z","response_threshold_reached_at":null,"creator_name":"Katrina Osman","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":172929,"links":{"self":"https://petition.parliament.uk/petitions/172929.json"},"attributes":{"action":"Regulate \u0026 cap the rent prices in London (RRR)","background":"It's time for the government to take responsibility and stop ignoring their broken system. They should regulate and cap rent prices for rooms at the maximum of £550pcm. We want Responsibility, Regulation and Results (RRR).","additional_details":"Amongst all of the city wonders London is known for its extremely high living costs - not to mention the extortionate prices private landlords are charging tenants. \r\n\r\nDue to inflation and low wages some Londoners are forced to work more than one job solely to pay the rent. \r\n A lot of these landlords are illegally renting rooms and do not declare the income they are receiving from tenants and are charging tenants anything from £500-£850 for box rooms that can only fit a bed- this need to change!","state":"open","signature_count":8,"created_at":"2016-11-17T22:39:16.426Z","updated_at":"2016-11-29T23:06:33.898Z","open_at":"2016-11-23T11:52:38.000Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-17T23:06:46.834Z","response_threshold_reached_at":null,"creator_name":"Uhuru Lambert","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":172826,"links":{"self":"https://petition.parliament.uk/petitions/172826.json"},"attributes":{"action":"Make Business Studies, Life Skills and Politics mandatory at Secondary School.","background":"In school there is no direct focus on skills that children need to truly succeed in life. Business Studies is taken an optional subject when really we should be teaching our children how to be entrepreneurial, this would help children gain essential critical thinking skills to help them grow.","additional_details":"There is so much opportunity that is potentially being wasted by not equipping children with the skills and knowledge to get on in life. Children should have a knowledge of politics, business, how to get a mortgage. Children should know who the Prime Minister of this country is and how laws are made. If we want our country to be set up for success we should invest in our children as they will invest in the country themselves.","state":"open","signature_count":8,"created_at":"2016-11-17T11:57:41.015Z","updated_at":"2017-01-07T15:20:35.926Z","open_at":"2016-11-21T21:29:15.952Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-17T15:29:55.369Z","response_threshold_reached_at":null,"creator_name":"Daniel Smith","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":172713,"links":{"self":"https://petition.parliament.uk/petitions/172713.json"},"attributes":{"action":"Stop stereotyping teenagers by making national citizen service compulsory","background":"We are a group of teenagers who feel like we are stereotyped frequently, such as being followed in shops, being stopped and searched in groups, seen as criminals and thugs, this makes us feel on edge and ashamed to be called a teenager. We feel our aim will make society a better place, aged 16-18.","additional_details":"Our research found that often terms used to describe teenagers were \"hoodies, louts, heartless, evil, frightening, scum, monsters, inhumane and threatening.\" ","state":"open","signature_count":8,"created_at":"2016-11-16T12:51:28.239Z","updated_at":"2016-12-07T13:35:25.592Z","open_at":"2016-12-05T18:37:29.997Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-30T12:36:32.072Z","response_threshold_reached_at":null,"creator_name":"Josh Penney, George Bevan","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":172468,"links":{"self":"https://petition.parliament.uk/petitions/172468.json"},"attributes":{"action":"Total life Ban if caught using hand held mobile phone","background":"If caught using a hand held mobile phone for talking or texting you should be given a total life time ban from driving.","additional_details":"","state":"open","signature_count":8,"created_at":"2016-11-14T12:25:55.031Z","updated_at":"2017-01-11T00:19:18.866Z","open_at":"2016-11-21T15:21:37.344Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-14T23:24:25.116Z","response_threshold_reached_at":null,"creator_name":"David Small","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":172282,"links":{"self":"https://petition.parliament.uk/petitions/172282.json"},"attributes":{"action":"Repeal the Health and Social Care Bill.","background":"This bill has signed the death knell for the NHS as we knew it. It has allowed private companies to cherry pick via tender the most lucrative parts of the system. This can not be allowed to continue. The NHS should be there for all. ","additional_details":"","state":"open","signature_count":8,"created_at":"2016-11-12T09:50:56.578Z","updated_at":"2016-11-25T20:16:52.842Z","open_at":"2016-11-17T17:16:44.103Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-13T09:21:38.275Z","response_threshold_reached_at":null,"creator_name":"David Baptist ","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":171675,"links":{"self":"https://petition.parliament.uk/petitions/171675.json"},"attributes":{"action":"The prohibition of vehicle drivers smoking whilst driving","background":"Drivers concentration must be affected by smoking whilst driving.Observation over many years show drivers smoking are often using one hand to control the vehicle- lighting up and extinguishing the cigarette must further affects drivers concentration ","additional_details":"","state":"open","signature_count":8,"created_at":"2016-11-07T19:21:52.786Z","updated_at":"2017-01-30T23:43:21.061Z","open_at":"2016-11-16T14:58:02.777Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-13T22:30:40.265Z","response_threshold_reached_at":null,"creator_name":"Dr Albert Rooms","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":171623,"links":{"self":"https://petition.parliament.uk/petitions/171623.json"},"attributes":{"action":"Government should not allow pilots to work on Christmas day","background":"This is a petition to bring to attention pilots who fly thousands of miles away from their families on the most precious day of the year for many people! \r\n\r\nHelp me petition government to put a ban to flying on Christmas day!","additional_details":"I am surrounded by pilots, many of whom complain about working in Christmas day. The banks shut, so why shouldn't pilots have a \"pilot day\"? \r\n\r\nI call on government to help pilots and their families spend their day together. \r\n\r\nIf pilots are being forced to fly on Christmas day, their families should be rewarded with free flights and accommodation to enable the families to be together. \r\n\r\nPlease call on government to make this a possibility!","state":"open","signature_count":8,"created_at":"2016-11-07T05:04:03.050Z","updated_at":"2016-12-20T22:35:24.998Z","open_at":"2016-11-17T16:57:23.109Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-07T12:00:18.429Z","response_threshold_reached_at":null,"creator_name":"Chris Tutton ","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":171005,"links":{"self":"https://petition.parliament.uk/petitions/171005.json"},"attributes":{"action":"I would like the Government to reinstate Child Support Agency!","background":"We need a government run Child Support Agency as the so called Child Maintenance Service is not meeting the correct criteria. Causing a high level of financial suffering for the parent who is raising the child/children. The absent parent is not being forced to supply correct financial information.","additional_details":"","state":"open","signature_count":8,"created_at":"2016-11-02T14:55:05.261Z","updated_at":"2017-01-25T17:49:22.155Z","open_at":"2016-11-03T17:52:33.049Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-02T18:43:11.868Z","response_threshold_reached_at":null,"creator_name":"Lara-Louise Whelan ","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":170894,"links":{"self":"https://petition.parliament.uk/petitions/170894.json"},"attributes":{"action":"Small business should not pay employer's NI for employees of state pension age","background":"Employees or Self-Employed of state pension age do not pay NI contributions so why should Employers? I spoke to David Cameron about this and he was intending to look into it but this did not happen due to the EU referendum result","additional_details":"","state":"open","signature_count":8,"created_at":"2016-11-01T13:31:15.474Z","updated_at":"2016-12-15T12:12:51.726Z","open_at":"2016-12-15T12:12:51.725Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-12-07T10:28:38.357Z","response_threshold_reached_at":null,"creator_name":"Jennifer Goldsmith","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":170818,"links":{"self":"https://petition.parliament.uk/petitions/170818.json"},"attributes":{"action":"Make a legal requirement for new Vehicles to have automatic emergency braking","background":"To help prevent accidents and deaths on the road by making it a legal requirement for new cars, vans and trucks to have automatic emergency braking systems ","additional_details":"","state":"open","signature_count":8,"created_at":"2016-10-31T20:32:15.039Z","updated_at":"2016-11-04T16:17:03.807Z","open_at":"2016-11-04T16:17:03.806Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-01T13:29:15.942Z","response_threshold_reached_at":null,"creator_name":"Dean Woodhouse ","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":170585,"links":{"self":"https://petition.parliament.uk/petitions/170585.json"},"attributes":{"action":"Hold a referendum on Oxfordshire's membership of the European Union","background":"In the 2016 EU Referendum Oxfordshire voted to stay in the EU 70% to 30% but now risk being dragged out of the EU like Scotland and having a vote on the membership is in no way subverting democracy ","additional_details":"Oxford is a city who's economy is reliant on the EU and dragging them out would be completely undemocratic ","state":"open","signature_count":8,"created_at":"2016-10-29T01:04:02.705Z","updated_at":"2017-02-01T13:19:02.254Z","open_at":"2016-11-09T14:32:05.016Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-07T01:20:59.685Z","response_threshold_reached_at":null,"creator_name":"Toby Webb ","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":170542,"links":{"self":"https://petition.parliament.uk/petitions/170542.json"},"attributes":{"action":"Negotiate a bespoke reciprocal visa agreement between the UK and the EU","background":"Now the UK voted to leave the EU we will lose the freedom of movement right. This will cease once we leave and will mean we have to apply for a visa to go to the EU on holiday as we are third country nationals. The EU has plans to introduce a £50 holiday visa for citizens of third countries.","additional_details":"This £50 charge is quite expensive for a holiday visa and will deter people going abroad. The only option could be a reciprocal visa agreement between the UK and the EU/EEA. This could mean that UK citizens can travel to the EU, for 180 days, for free. This however, is only possible if we allow all EU nationals coming to the UK the same agreements. We could also include reciprocal emergency healthcare in this visa agreement. This will make it easier for full single market access.","state":"open","signature_count":8,"created_at":"2016-10-28T17:31:48.341Z","updated_at":"2016-11-12T10:07:08.786Z","open_at":"2016-11-01T18:56:45.761Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-28T17:52:06.708Z","response_threshold_reached_at":null,"creator_name":"Andrew McSpain","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":170033,"links":{"self":"https://petition.parliament.uk/petitions/170033.json"},"attributes":{"action":"Put 5 pence on national Insurance contributions to fund our N.H.S.","background":"Everyone can afford 5pence to save our N.HS dont sit there do something\r\n","additional_details":"","state":"open","signature_count":8,"created_at":"2016-10-21T19:03:40.954Z","updated_at":"2016-10-28T05:12:13.729Z","open_at":"2016-10-26T11:06:21.848Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-22T06:52:02.359Z","response_threshold_reached_at":null,"creator_name":"mrs carole watts","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":169994,"links":{"self":"https://petition.parliament.uk/petitions/169994.json"},"attributes":{"action":"All councils and H/A should offer any new build properties to existing tenants","background":"all councils and associations should offer new build properties to existing tenants who have lived in older properties for over 10 years and are up to date with the rent accounts in order for them to be able to upgrade and older properties offered to new tenants ","additional_details":"Social housing tenants are stuck now if you want to move it's pretty much a no go unless you have exceptional circumstances you could do mutual exchange but if you are in a older house there's little Chance as most want new builds if councils were to offer new builds to existing long term tenants it would mean that if they wanted to upgrade or move area the choice is there new tenants to be offered the older properties ","state":"open","signature_count":8,"created_at":"2016-10-21T11:19:13.074Z","updated_at":"2016-10-27T23:42:45.616Z","open_at":"2016-10-27T09:18:15.903Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-21T16:00:20.658Z","response_threshold_reached_at":null,"creator_name":"Tracy Nealon ","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":169983,"links":{"self":"https://petition.parliament.uk/petitions/169983.json"},"attributes":{"action":"Make all retail and commercial premises prominently display their street numbers","background":"Most shops and commercial premises fail to display their street numbers at all, making it very difficult to find them by address. This adds to high street congestion, pollution and potential for accidents by distracted drivers. Prominently displaying their street number should be a legal requirement","additional_details":"","state":"open","signature_count":8,"created_at":"2016-10-21T08:09:05.856Z","updated_at":"2017-01-30T14:59:13.295Z","open_at":"2016-10-27T08:56:09.720Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-22T15:40:46.821Z","response_threshold_reached_at":null,"creator_name":"Paul Sydney Woodman","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":169917,"links":{"self":"https://petition.parliament.uk/petitions/169917.json"},"attributes":{"action":"Dedicate more funds to the development of the city of Birmingham.","background":"Too much of the British economy is centered around London. To counter this I suggest dedicating funds to the improvement and expansion of the city of Birmingham as it already has a substantial population, and has the potential to become a new economic and financial hub, strengthening the economy.","additional_details":"The city of San Francisco in the U.S is a major tourist attraction and financial hub, yet it is smaller than Birmingham. If the government was too attract more buisnesses to the area, build more attractions and increase the amount of tall buildings to make it appear more of a global city, then I believe we would see a similar effect. Expanding the airport to fly directly to more cities would also bolster this effect. This would generate far more revenue and give Britain a substantial 2nd city.","state":"open","signature_count":8,"created_at":"2016-10-20T12:30:22.750Z","updated_at":"2016-11-08T15:38:19.848Z","open_at":"2016-10-26T12:20:38.296Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-20T13:14:26.046Z","response_threshold_reached_at":null,"creator_name":"Matt Gaston","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":169888,"links":{"self":"https://petition.parliament.uk/petitions/169888.json"},"attributes":{"action":"Add an extra voting option to the next election of \"Electoral Reform!\"","background":"Every year I vote for an less popular party as a type of \"rebel\" vote. This is the only way I feel heard. Now is the time to allow the public to express their concerns about the way OUR government is elected! Brexit has given us a new opportunity to concentrate on The UK! Let us be heard! ","additional_details":"http://www.electoral-reform.org.uk/","state":"open","signature_count":8,"created_at":"2016-10-20T09:10:15.936Z","updated_at":"2017-02-04T13:49:56.672Z","open_at":"2016-10-25T16:26:21.149Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-20T23:25:56.736Z","response_threshold_reached_at":null,"creator_name":"Gemma Banks","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":169719,"links":{"self":"https://petition.parliament.uk/petitions/169719.json"},"attributes":{"action":"Require manufacturers \u0026 suppliers to label reduction in size/volume of a product","background":"Since the economic downturn in 2009, manufacturers \u0026 suppliers of food \u0026 other consumer goods such as washing liquids have been reducing the size or volume of products whilst maintaining the same selling price or increasing it. This results in the consumer paying more money for less goods.","additional_details":"Often the reductions are so subtle, that a consumer is unaware that anything has changed. This practice is misleading \u0026 unfair \u0026 it is time that manufacturers \u0026 suppliers are required to clearly mark a reduction in size or volume. This practice has made the weekly shop much more expensive \u0026 by labelling the reduction in size, consumers will be better informed to look at alternative products that may offer better value for money. See examples in this Daily Mail article: https://goo.gl/0aUpQF","state":"open","signature_count":8,"created_at":"2016-10-18T13:02:58.726Z","updated_at":"2017-01-07T15:20:25.878Z","open_at":"2016-10-25T16:32:10.651Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-21T15:23:44.268Z","response_threshold_reached_at":null,"creator_name":"Amir Boroumand","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":169665,"links":{"self":"https://petition.parliament.uk/petitions/169665.json"},"attributes":{"action":"Introduce a TV License Discount for Full Time Students","background":"This petition calls on the government to take advantage of the TV license freeze ending in March 2017 to introduce a reduced rate TV license for full time students living in single occupancy rooms. By introducing a reduced rate, more students would consider buying a license.","additional_details":"Unlike a typical home where only one license is needed, students staying in halls of residence are required to purchase an individual license for their room. For example, if a hall has 8 rooms on it, each student is currently required to purchase their own license for just one room at full cost. This is a large amount of money and it is unfair to charge students so much more despite them being on limited budgets. By introducing a reduced rate for single rooms, more students would pay the fee.","state":"open","signature_count":8,"created_at":"2016-10-17T20:02:03.894Z","updated_at":"2016-10-24T16:39:57.221Z","open_at":"2016-10-24T16:39:57.220Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-17T20:17:53.248Z","response_threshold_reached_at":null,"creator_name":"David Birch","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":169564,"links":{"self":"https://petition.parliament.uk/petitions/169564.json"},"attributes":{"action":"let Pubs And clubs to sell THC Infused Drinks as a safer alternative to Alcohol","background":"Amend the misuse of Drugs act and Psychoactive Substance Bill To allow Pubs And clubs to sell THC Infused Drinks as a safer alternative to Alcohol.\r\nI Believe this will reduce the level of drink related crime and is well known to be much less physically harmful than alcohol","additional_details":"","state":"open","signature_count":8,"created_at":"2016-10-16T18:48:17.199Z","updated_at":"2017-01-30T15:33:38.849Z","open_at":"2016-12-02T19:10:31.520Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-11-29T16:12:34.466Z","response_threshold_reached_at":null,"creator_name":"Oliver Wilson","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":169244,"links":{"self":"https://petition.parliament.uk/petitions/169244.json"},"attributes":{"action":"Allow heating in education to be on in all colder months through more funding","background":"I myself am a student of 16 with asthma. Throught my whole time in education I , along with all my peers , have suffered through the lack of heating. Simply wrapping up warm doesn't work, as breathing in cold air causes illnesses , leading to absents. Please help change this. ","additional_details":"","state":"open","signature_count":8,"created_at":"2016-10-13T06:22:54.927Z","updated_at":"2017-01-30T23:43:22.129Z","open_at":"2016-10-14T17:20:18.166Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-13T07:09:34.499Z","response_threshold_reached_at":null,"creator_name":"Alexandra Cheney ","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":169094,"links":{"self":"https://petition.parliament.uk/petitions/169094.json"},"attributes":{"action":"Introduce a plan of anti-ransomware measures","background":"Ransomware computer viruses target more and more ordinary UK citizens and organizations. Viruses like described here: http://myspybot.com/odin-virus/ cause huge damages. Millions flow away into cyber criminals' pockets. We want to know what is being done to protect us.","additional_details":"Plenty of things an be done:\r\n\r\n - Government can strengthen cryptocurrencies related laws. For example, make Bitcoin exchange companies keep records of their users. \r\n\r\n- Government can cooperate with security professionals to develop decryption tools.\r\n\r\n- Government can introduce stronger online data protection policies. Organizations should create backups of their data.\r\n\r\n- Government can raise awareness that we should stop paying to hackers. Make paying immoral and maybe illegal.\r\n\r\n","state":"open","signature_count":8,"created_at":"2016-10-11T16:20:05.530Z","updated_at":"2016-11-30T17:03:47.603Z","open_at":"2016-10-14T15:05:46.536Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-11T16:58:10.040Z","response_threshold_reached_at":null,"creator_name":"Madeline Dickson","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":168878,"links":{"self":"https://petition.parliament.uk/petitions/168878.json"},"attributes":{"action":"Outlaw sale of electronics with firmware reflashing code that can be reflashed","background":"For security, require electronic devices with \"reflashable\" or other alterable firmware to have the section of code that performs the reflashing, and one that correctly downloads the current reflashable firmware contents, stored in Read Only Memory that is electronically impossible to alter.","additional_details":"Cyber attacks against hardware have begun to take the form of reflashing attacks which modify the firmware of the targeted device.\r\n\r\nIf the device's capability to be reflashed can itself be removed or tampered with by reflashing, attack code can make itself undetectable and impossible to remove, requiring the entire electronic device to be thrown away.\r\n\r\nThe proposal would obstruct this form of attack as fixed unchangable code would exist allow reflashing and reporting of flash memory contents.","state":"open","signature_count":8,"created_at":"2016-10-09T17:13:51.786Z","updated_at":"2016-10-17T14:16:15.270Z","open_at":"2016-10-14T16:52:37.506Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-10T00:10:34.103Z","response_threshold_reached_at":null,"creator_name":"Mark Green","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":168806,"links":{"self":"https://petition.parliament.uk/petitions/168806.json"},"attributes":{"action":"Stop live music venues being closed by house buyers who chose to live there.","background":"Fewer venues are open for musicians to play in because of home owners who complain AFTER buying. The venue is then closed. Buyers should sign an acknowledgment of the venue as part of the buying process.","additional_details":"Musicians have few places left to play. This will be to the detriment of our potentially rich live music future and will effect tourism and local culture. When all music venues are gone, the same people who complained about noise will bemoan it's loss. ","state":"open","signature_count":8,"created_at":"2016-10-08T13:09:32.609Z","updated_at":"2016-10-14T17:02:38.073Z","open_at":"2016-10-14T17:02:38.072Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-10T11:14:42.880Z","response_threshold_reached_at":null,"creator_name":"Claire Brewer","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":168705,"links":{"self":"https://petition.parliament.uk/petitions/168705.json"},"attributes":{"action":"Ban weapons using nanotechnology before they are able to be produced","background":"Nanotechnology could be reality in the next few years and, while there are many benefits of this, the potential of nanotech weapons is too great a threat to humanity to be allowed, these weapons must be banned before they can be produced to prevent the devistation that could arise from their use","additional_details":"","state":"open","signature_count":8,"created_at":"2016-10-06T23:04:27.101Z","updated_at":"2017-01-18T18:28:09.484Z","open_at":"2016-10-13T18:19:28.276Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-07T20:33:20.297Z","response_threshold_reached_at":null,"creator_name":"Rhys-Lee Prescott","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":168670,"links":{"self":"https://petition.parliament.uk/petitions/168670.json"},"attributes":{"action":"Make it compulsory for schools to set up sports teams for both genders.","background":"\"Rugby is for boys,\" \"Netball is for girls.\" \r\nGender inequality in sport exists in schools, clubs and at the elite level.\r\nAll pupils should be encouraged to take part in any sport. How hard is it to set up a rugby team for boys and a rugby team for girls? \r\nYou can make a change!","additional_details":"","state":"open","signature_count":8,"created_at":"2016-10-06T15:44:36.373Z","updated_at":"2017-01-30T10:01:53.196Z","open_at":"2016-10-10T14:56:08.091Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-06T16:06:37.279Z","response_threshold_reached_at":null,"creator_name":"Dara Wilson","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":168119,"links":{"self":"https://petition.parliament.uk/petitions/168119.json"},"attributes":{"action":"All cyclists to have a basic third party insurance cover.","background":"There are more and more people using bicycles these days and accidents happen. So what happens when a cyclist hits you or your vehicle and the blame is no them? Nothing because they are an uninsured vehicle, It's time for change. ","additional_details":"","state":"open","signature_count":8,"created_at":"2016-09-29T16:18:40.296Z","updated_at":"2017-01-23T10:17:04.613Z","open_at":"2016-10-03T16:21:00.238Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-09-29T17:06:00.651Z","response_threshold_reached_at":null,"creator_name":"Robert Wood","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":167273,"links":{"self":"https://petition.parliament.uk/petitions/167273.json"},"attributes":{"action":"Close or take drastic measures to improve the 111 nhs service.","background":"The NHS 111 service continually provide incorrect information and put people's lives at risk and put extra strain on the hospitals, doctors and the ambulance service. They also don't listen to what the problem is , they read a computer screen.","additional_details":"","state":"open","signature_count":8,"created_at":"2016-09-16T16:25:34.864Z","updated_at":"2016-10-22T09:43:07.942Z","open_at":"2016-09-19T14:23:58.111Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-09-16T20:01:07.768Z","response_threshold_reached_at":null,"creator_name":"Alfred james webster","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":167247,"links":{"self":"https://petition.parliament.uk/petitions/167247.json"},"attributes":{"action":"Require by law Landlords/Ladies to change mattresses between different tenants.","background":"Hi. I'm just another student in the London renting market. Yep, that open sewer of real estate. Thanks to not being provided a new mattress when I moved in to a property, I have had both fleas and bedbugs. I am asking that the government require new mattresses for new tenants.","additional_details":"When I moved into a property two years ago my mattress had been left in the shed for a \"few\" days whilst work was done on my room. Instead of receiving a new mattress I got the old one from the previous tenant, plus some new friends - fleas! \r\nThis year, I moved into a property and discovered the old mattress was infested with bed bugs! Thanks previous tenant! \r\nWhilst it may be expensive to replace mattresses, no tenant should have to live through bug infestations.","state":"open","signature_count":8,"created_at":"2016-09-16T09:02:14.073Z","updated_at":"2016-09-16T16:39:47.209Z","open_at":"2016-09-16T16:39:47.208Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-09-16T09:25:13.181Z","response_threshold_reached_at":null,"creator_name":"James Newman","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":167004,"links":{"self":"https://petition.parliament.uk/petitions/167004.json"},"attributes":{"action":"Standardise ID requirements for all public and quasi-public bodies","background":"At present any public authority (or quasi public authority such as a utility company or railway) can randomly select what ID requirements are needed from members of the public to interact with them. Surely this could be standardised for all such institutions through very simple legislation.","additional_details":"For instance some PAs (eg the Bank of England if you want to exchange old bank notes) will accept a driver's licence as proof over address, others (eg my local authority issuing a parking permit) will only accept a utility bill less than 3 months old and not if it is copied from an on-line bill. NB this is NOT a request for introduction of compulsory ID cards.","state":"open","signature_count":8,"created_at":"2016-09-13T16:24:30.624Z","updated_at":"2017-01-31T01:13:50.474Z","open_at":"2016-10-10T10:32:48.878Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-05T05:49:34.243Z","response_threshold_reached_at":null,"creator_name":"Tim Price","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":166473,"links":{"self":"https://petition.parliament.uk/petitions/166473.json"},"attributes":{"action":"Ban group interviews for all job applicants in the UK","background":"In the harsh times we live in, employment and specifically, unemployment is one of the most painful things a person can face.\r\nThe indignity of group interviews where people are made to beg around a table for jobs, is unfair.\r\nWe need to empower jobseekers, not crush them and ban group interviews.","additional_details":"Group interviews are by many seen as a lazy recruitment practise, to root out 'unworthy' candidates quickly.\r\nIn many cases, I find group interviews to be discriminatory and unfair to certain demographics.\r\nPaid employment is and should be for everyone.\r\nOne of the major flaws with group interviews is that introverted personality types are left out in the cold. \r\nWe need to introduce a fairer system that forces employers to evenly and fairly judge ALL potential job candidates.","state":"open","signature_count":8,"created_at":"2016-09-06T21:20:31.688Z","updated_at":"2016-12-13T12:03:14.328Z","open_at":"2016-09-08T16:38:03.135Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-09-06T21:49:28.329Z","response_threshold_reached_at":null,"creator_name":"Andrew Stinton","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":166192,"links":{"self":"https://petition.parliament.uk/petitions/166192.json"},"attributes":{"action":"To ban electronic cigarettes in all public places in England.","background":"They have not been around long enough for scientist to say whether electronic cigarettes cause harm to individuals. Young people are using them as a fashion accessory, not to give up smoking. ","additional_details":"There are a couple of young people in my office at work, who compares the different flavors they have tried and how much they like them. This is not encouraging them to give up.\r\n\r\nThere is nothing worse than seeing someone smoking them in a public place, the substance coming out of them is absolutely disgusting.","state":"open","signature_count":8,"created_at":"2016-09-02T18:08:15.725Z","updated_at":"2016-11-04T08:56:14.779Z","open_at":"2016-09-09T15:29:21.738Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-09-08T18:06:20.774Z","response_threshold_reached_at":null,"creator_name":"Christine Crangle","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":166136,"links":{"self":"https://petition.parliament.uk/petitions/166136.json"},"attributes":{"action":"Remove from doctors working within the NHS the right to strike.","background":"I am a patient with two incurable deteriorating brain conditions. I have waited for six months for three appointments all of which are likely to be cancelled. I have followed the negotiations closely and have very reluctantly come to the conclusion that the BMA are being highly irresponsible.","additional_details":"Three reasons:\r\n1) In May of this year the BMA representative described the new contract as a deal \"All sides can sign up to\" and that \"Doctors can be confident in this new contract\". They now say the contract is so bad there have to be massive damaging strikes.\r\n2)There has been a large drop in support for the BMA's militant stance. Of the 54,000 members only a minority 21540 voted to reject the new contract. This is down from 98% at the start of the dispute. A responsible union would re-ballot its members.\r\n3) The BMA have consistently refused to take action such as legal action which would not damage patients and would win their dispute. ","state":"open","signature_count":8,"created_at":"2016-09-02T06:47:17.365Z","updated_at":"2016-10-09T21:29:10.624Z","open_at":"2016-09-08T13:28:58.118Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-09-04T19:06:18.501Z","response_threshold_reached_at":null,"creator_name":"David Stuart Johnston","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":166069,"links":{"self":"https://petition.parliament.uk/petitions/166069.json"},"attributes":{"action":"Allow workers to continue to sacrifice their salaries in exchange for safer cars","background":"The Daily Mail have reported today that \"The Treasury’s proposed rules could come into force next April and would effectively kill off tax benefits worth thousands of pounds a year for company car drivers. Under the plans, workers would be taxed . . .\"\r\n\r\n\r\n","additional_details":"Salary sacrifice schemes are the only way some people would ever be able to drive a nice car - you see far fewer \"old bangers\" on the road nowadays. These schemes must be hugely beneficial to car manufacturers and all associated industries.","state":"open","signature_count":8,"created_at":"2016-09-01T10:30:19.384Z","updated_at":"2016-09-19T22:06:24.463Z","open_at":"2016-09-05T18:11:18.711Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-09-05T11:39:43.473Z","response_threshold_reached_at":null,"creator_name":"Sandra Isitt","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":165937,"links":{"self":"https://petition.parliament.uk/petitions/165937.json"},"attributes":{"action":"Anti Flash Hoods to be Mandatory Under SOLAS Regs","background":"Ammend SOLAS Regulations to make the issue of Anti Flash Hoods a mandatory requirement as part of ships fire fighting equipment","additional_details":"","state":"open","signature_count":8,"created_at":"2016-08-30T09:50:35.372Z","updated_at":"2017-02-04T02:36:28.933Z","open_at":"2016-09-01T13:54:16.780Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-08-31T14:00:23.133Z","response_threshold_reached_at":null,"creator_name":"Robert George Ide","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":165904,"links":{"self":"https://petition.parliament.uk/petitions/165904.json"},"attributes":{"action":"Ask this Government to consider issuing a medal to all serving armed forces.","background":"I consider anyone serving their country for security and safety reasons should be acknowledged by means of a medal of service for their dedication and support to make this a safer and better World for us all to live and work in as a show of appreciation.","additional_details":"","state":"open","signature_count":8,"created_at":"2016-08-29T15:54:23.496Z","updated_at":"2017-01-31T20:21:47.798Z","open_at":"2016-09-27T11:03:30.068Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-09-26T01:15:03.616Z","response_threshold_reached_at":null,"creator_name":"Herbert Crossman","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":165820,"links":{"self":"https://petition.parliament.uk/petitions/165820.json"},"attributes":{"action":"An annual National Sports Day to grow participation in sport \u0026 physical activity","background":"One day a year should be designated a National Sports Day (#sportsday). Saturday 27th August 2016 saw the #IAmTeamGB campaign hold free events around the country to encourage people to participate in sport and physical activity. This should become a government supported annual national event.","additional_details":"In December 2015 Tracey Crouch MP Minister for Sport, Tourism and Heritage launched 'Sporting Future: A New Strategy for an Active Nation', encouraging sport and physical activity as a national priority. Shortly after, Jennie Price Chief Executive, Sport England launched the new 2016-2021 strategy 'Sport England: Towards An Active Nation'.\r\n\r\nWe need an annual National Sports Day to bring these strategies to life and to capitalise on Team GB \u0026 Paralympics GB's potential to inspire the nation.","state":"open","signature_count":8,"created_at":"2016-08-27T20:06:47.796Z","updated_at":"2017-01-31T20:20:27.253Z","open_at":"2016-08-30T12:00:49.498Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-08-27T20:50:10.745Z","response_threshold_reached_at":null,"creator_name":"Nigel Collier","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":165660,"links":{"self":"https://petition.parliament.uk/petitions/165660.json"},"attributes":{"action":"Ban all HGVs from the third lane of all motorways","background":"Motorway expansion was meant to increase traffic flow but, with lorries using lanes 1 2 and 3, traffic bunches up causing congestion ","additional_details":"","state":"open","signature_count":8,"created_at":"2016-08-25T05:50:20.706Z","updated_at":"2016-12-20T09:44:15.000Z","open_at":"2016-08-25T14:16:15.785Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-08-25T11:37:06.558Z","response_threshold_reached_at":null,"creator_name":"Darren Berry","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":165243,"links":{"self":"https://petition.parliament.uk/petitions/165243.json"},"attributes":{"action":"Make ALL schools teach kids the dangers of the railway.","background":"We all know that the railway is a dangerous place, however people still do not understand this and are running across the tracks at stations, laying on the tracks or even playing chicken at level crossings.\r\n\r\nLast year 332 people died after trespassing onto the railway tracks in the UK. \r\n","additional_details":"Now kids think it's right to play on the railway and ignore all the safety rules displayed around the tracks. \r\n\r\nIf schools teach kids that it's dangerous to play on or around the railway then the figures might go down and there will be less deaths.","state":"open","signature_count":8,"created_at":"2016-08-19T14:32:45.983Z","updated_at":"2016-08-25T20:41:11.804Z","open_at":"2016-08-25T16:24:02.704Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-08-20T15:35:10.599Z","response_threshold_reached_at":null,"creator_name":"Matthew Wright","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":164913,"links":{"self":"https://petition.parliament.uk/petitions/164913.json"},"attributes":{"action":"make it mandatory to show on ALL products:\r\n- manufacturer\r\n- origin","background":"Please make it mandatory for all products sold in the UK to display\r\n- manufacturer name\r\n- country of origin\r\nthis should apply to products sold under supermarkets' name as well.\r\nfor example \r\nfridge from electronic shop chain named Sandstorm does not show manufacturer and its country of origin!","additional_details":"","state":"open","signature_count":8,"created_at":"2016-08-15T10:37:10.555Z","updated_at":"2017-01-07T15:20:15.845Z","open_at":"2016-10-25T16:43:18.876Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-10-21T10:26:43.048Z","response_threshold_reached_at":null,"creator_name":"Piotr Malek","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":164843,"links":{"self":"https://petition.parliament.uk/petitions/164843.json"},"attributes":{"action":"An NHS research investment donation app for mobile phones and computers.","background":"Well I have ulcerative colitis and every time I go to hospital I notice there are a lot of people who would like to be able to do more and feel as if they can do nothing at least with a app people can send money to invest in research in areas where they would like to see improvements in research. ","additional_details":"I don't feel evidence is something needed in this case. Good people invest in good things and this is one of them.","state":"open","signature_count":8,"created_at":"2016-08-14T09:50:24.135Z","updated_at":"2016-10-28T04:58:50.295Z","open_at":"2016-08-17T09:05:21.317Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-08-16T17:26:22.779Z","response_threshold_reached_at":null,"creator_name":"Dean Parry","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":164708,"links":{"self":"https://petition.parliament.uk/petitions/164708.json"},"attributes":{"action":"Address the rise in incidences of dangerous driving on UK roads.","background":"There is a lack of deterrent for dangerous drivers on UK roads. Speeding, illegal manoeuvring and blatant disregard for the Highway Code seem to have become common-place. The UK needs to rethink it's reliance on speed cameras, speed humps, etc. and begin enforcing speed and dangerous driving laws. ","additional_details":"","state":"open","signature_count":8,"created_at":"2016-08-12T12:43:39.764Z","updated_at":"2017-01-11T00:19:04.387Z","open_at":"2016-08-15T15:35:31.224Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-08-12T13:42:05.809Z","response_threshold_reached_at":null,"creator_name":"A G Burke","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":164653,"links":{"self":"https://petition.parliament.uk/petitions/164653.json"},"attributes":{"action":"Make all drivers carrying passengers for reward take the DVSA Practical \u0026 CPC","background":"At present it is optional if licensing authorities make new hackney/ph drivers take a dvsa test. I call for all drivers present and new of any licensing borough to ensure all drivers complete a dvsa practical, hazard perception \u0026 cpc. All other professional drivers have to and only equal they do to.","additional_details":"Road safety is becoming harder to tackle across the UK, if we lead the way in Europe on how to maintain road safety by ensuring all drivers who drive for hire \u0026 reward take the steps as bus \u0026 lorry drivers have then we are one step closer to ensuring safety of passengers in any Taxi/PH vehicle \u0026 other road users for social, domestic, pleasure, commercial \u0026 business use too. Where the public are concerned this is vital for road safety and passenger reassurance that drivers are trained correctly.","state":"open","signature_count":8,"created_at":"2016-08-11T18:24:35.218Z","updated_at":"2016-11-30T18:19:42.589Z","open_at":"2016-08-16T12:07:26.760Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-08-13T12:09:41.789Z","response_threshold_reached_at":null,"creator_name":"Jamal Thornton","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":164587,"links":{"self":"https://petition.parliament.uk/petitions/164587.json"},"attributes":{"action":"Add safeguards to §111A (Enterprise \u0026 Regulatory Reform Act 2013) for employees.","background":"The current laws regarding 'Settlement Agreements' or 'Without Prejudice Conversations' or 'Protected Conversations' or 'Off the record Conversations' are shockingly lacking in safeguards for the employee.\r\n\r\nThey can be sprung upon an employee as a way of getting rid of them without red tape.","additional_details":"They are being used currently by employers as a way to place 'no other options decisions' on the employee and there is not enough safeguarding process to resolve relationship issues through other steps first. Much like you can't go to tribunal without a certificate from ACAS, employers should not be allowed to have these types of conversation without all possible other avenues exhausted first.\r\n\r\nI'm not suggesting that the option shouldn't be there, it should just be limited to the final ones.","state":"open","signature_count":8,"created_at":"2016-08-10T23:05:43.931Z","updated_at":"2016-08-12T19:19:22.655Z","open_at":"2016-08-12T16:22:31.823Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-08-12T11:57:24.979Z","response_threshold_reached_at":null,"creator_name":"Daniel Roy Rowe","rejection":null,"government_response":null,"debate":null}},{"type":"petition","id":164560,"links":{"self":"https://petition.parliament.uk/petitions/164560.json"},"attributes":{"action":"Automate all trains so there are no longer drivers or manual door openers.","background":"It is ludicrous in 2016 that huge swathes of the country should be held to ransom by union action over something as silly as who controls the doors - personnel are paid far too much to press a button and move a lever. The technology has existed since the 70s to automate all of this.","additional_details":"In 2016 Train Drivers hold the country to ransom whenever they want a pay bump, or even more favourable conditions. The average transport for London driver earns £55k, in the south, the average is £39k. No part of their job requires a human. It's time for progress, guarantee these people jobs until retirement, hire no new drivers - and slowly automate away the skill gap so that the current drivers don't suffer, but that no drivers can come along to make the rest of the country suffer.","state":"open","signature_count":8,"created_at":"2016-08-10T17:38:39.929Z","updated_at":"2017-01-29T21:55:57.142Z","open_at":"2016-08-17T16:27:34.705Z","closed_at":null,"government_response_at":null,"scheduled_debate_date":null,"debate_threshold_reached_at":null,"rejected_at":null,"debate_outcome_at":null,"moderation_threshold_reached_at":"2016-08-17T11:42:08.453Z","response_threshold_reached_at":null,"creator_name":"David Gladwin","rejection":null,"government_response":null,"debate":null}}]}
{ "name": "form-comprobantes", "private": true, "dependencies": { "materialize": "^0.98.0" }, "devDependencies": { "chai": "^3.5.0", "mocha": "^3.2.0" }, "overrides": { "jquery": { "main": "dist/jquery.min.js" }, "materialize": { "main": [ "sass/materialize.scss", "bin/materialize.js", "fonts/roboto/Roboto-Bold.eot", "fonts/roboto/Roboto-Bold.ttf", "fonts/roboto/Roboto-Bold.woff", "fonts/roboto/Roboto-Bold.woff2", "fonts/roboto/Roboto-Light.eot", "fonts/roboto/Roboto-Light.ttf", "fonts/roboto/Roboto-Light.woff", "fonts/roboto/Roboto-Light.woff2", "fonts/roboto/Roboto-Medium.eot", "fonts/roboto/Roboto-Medium.ttf", "fonts/roboto/Roboto-Medium.woff", "fonts/roboto/Roboto-Medium.woff2", "fonts/roboto/Roboto-Regular.eot", "fonts/roboto/Roboto-Regular.ttf", "fonts/roboto/Roboto-Regular.woff", "fonts/roboto/Roboto-Regular.woff2", "fonts/roboto/Roboto-Thin.eot", "fonts/roboto/Roboto-Thin.ttf", "fonts/roboto/Roboto-Thin.woff", "fonts/roboto/Roboto-Thin.woff2" ] } } }
{"default":{"timelineData":[{"time":"1593388800","formattedTime":"Jun 29, 2020","formattedAxisTime":"Jun 29, 2020","value":[72,100,7,79,79],"hasData":[true,true,true,true,true],"formattedValue":["72","100","7","79","79"]}],"averages":[72,100,7,79,79]}}
{ "code": 0, "msg": "success", "data": { "row_count": "206", "page_count": 18, "list": [ { "id": "1473", "name": "MacyMccoy撞色冰丝外套 黑\/白2色", "price": "399", "price_0": "280", "price_1": "280", "price_2": "280", "price_3": "310", "original_price": "", "pic_url": "https:\/\/demiboutique.com\/addons\/zjhj_mall\/core\/web\/uploads\/image\/4c\/4c1499e24b5bbd32328ae40c28e89c58.jpg", "num": null, "virtual_sales": "0", "unit": "现货48小时,预定5-7天", "price_unit": "" }, { "id": "1472", "name": "MacyMccoy针织连衣裙 黑\/灰2色", "price": "360", "price_0": "260", "price_1": "260", "price_2": "260", "price_3": "290", "original_price": "", "pic_url": "https:\/\/demiboutique.com\/addons\/zjhj_mall\/core\/web\/uploads\/image\/dd\/dd04a98f16cefef511ed4947c3d3e856.jpg", "num": null, "virtual_sales": "0", "unit": "现货48小时,预定5-7天", "price_unit": "" }, { "id": "1471", "name": "MacyMccoy小短裤衬衫", "price": "320", "price_0": "230", "price_1": "230", "price_2": "230", "price_3": "260", "original_price": "", "pic_url": "https:\/\/demiboutique.com\/addons\/zjhj_mall\/core\/web\/uploads\/image\/10\/10a5676670bf73844158ea8efdf026ff.jpg", "num": null, "virtual_sales": "0", "unit": "现货48小时,预定5-7天", "price_unit": "" }, { "id": "1470", "name": "MacyMccoy开衩阔脚裤", "price": "399", "price_0": "280", "price_1": "280", "price_2": "280", "price_3": "310", "original_price": "", "pic_url": "https:\/\/demiboutique.com\/addons\/zjhj_mall\/core\/web\/uploads\/image\/df\/df2224eb5130625fc1e1ae4726fc4c09.jpg", "num": null, "virtual_sales": "0", "unit": "现货48小时,预定5-7天", "price_unit": "" }, { "id": "1469", "name": "MacyMccoy系带娃娃衬衫", "price": "399", "price_0": "280", "price_1": "280", "price_2": "280", "price_3": "310", "original_price": "", "pic_url": "https:\/\/demiboutique.com\/addons\/zjhj_mall\/core\/web\/uploads\/image\/f2\/f27194b2b77e6c670cc1ec66d1836d3a.jpg", "num": null, "virtual_sales": "0", "unit": "现货48小时,预定5-7天", "price_unit": "" }, { "id": "1468", "name": "MacyMccoy人鱼钻扣衬衫 蓝\/黑2色", "price": "399", "price_0": "280", "price_1": "280", "price_2": "280", "price_3": "310", "original_price": "", "pic_url": "https:\/\/demiboutique.com\/addons\/zjhj_mall\/core\/web\/uploads\/image\/0f\/0fcb22f37413d4d710e7596c2c4c5f7c.jpg", "num": null, "virtual_sales": "0", "unit": "现货48小时,预定5-7天", "price_unit": "" }, { "id": "1467", "name": "MacyMccoy破洞牛仔小脚裤", "price": "360", "price_0": "260", "price_1": "260", "price_2": "260", "price_3": "290", "original_price": "", "pic_url": "https:\/\/demiboutique.com\/addons\/zjhj_mall\/core\/web\/uploads\/image\/b9\/b9fe7726e3affdf3a6d1e976ea4c3ce6.jpg", "num": null, "virtual_sales": "0", "unit": "现货48小时,预定5-7天", "price_unit": "" }, { "id": "1466", "name": "MacyMccoy牛仔裙裤", "price": "299", "price_0": "210", "price_1": "210", "price_2": "210", "price_3": "230", "original_price": "", "pic_url": "https:\/\/demiboutique.com\/addons\/zjhj_mall\/core\/web\/uploads\/image\/21\/21ff38f4d84f7458a581c3d9747d9b45.jpg", "num": null, "virtual_sales": "0", "unit": "现货48小时,预定5-7天", "price_unit": "" }, { "id": "1465", "name": "MacyMccoy白色阔脚裤", "price": "399", "price_0": "280", "price_1": "280", "price_2": "280", "price_3": "310", "original_price": "", "pic_url": "https:\/\/demiboutique.com\/addons\/zjhj_mall\/core\/web\/uploads\/image\/1f\/1f25ef8aa317fc95f140cbec080b18e3.jpg", "num": null, "virtual_sales": "0", "unit": "现货48小时,预定5-7天", "price_unit": "" }, { "id": "1464", "name": "MacyMccoy 3M反光闪电打底裤 黑\/灰2色", "price": "299", "price_0": "210", "price_1": "210", "price_2": "210", "price_3": "230", "original_price": "", "pic_url": "https:\/\/demiboutique.com\/addons\/zjhj_mall\/core\/web\/uploads\/image\/27\/27e2d2b712f25b40e80798d029fcd10a.jpg", "num": null, "virtual_sales": "0", "unit": "现货48小时,预定5-7天", "price_unit": "" }, { "id": "1463", "name": "MacyMccoy3M反光闪电tee 黑\/白\/绿3色", "price": "299", "price_0": "210", "price_1": "210", "price_2": "210", "price_3": "230", "original_price": "", "pic_url": "https:\/\/demiboutique.com\/addons\/zjhj_mall\/core\/web\/uploads\/image\/49\/49567a3c219db66efa851a1386eb77f6.jpg", "num": null, "virtual_sales": "0", "unit": "现货48小时,预定5-7天", "price_unit": "" }, { "id": "1430", "name": "MacyMccoy皱褶系带半裙", "price": "399", "price_0": "280", "price_1": "280", "price_2": "280", "price_3": "320", "original_price": "", "pic_url": "https:\/\/demiboutique.com\/addons\/zjhj_mall\/core\/web\/uploads\/image\/7e\/7e5f8064c39ddb5746590c42bf636df0.jpg", "num": null, "virtual_sales": "0", "unit": "现货48小时,预定5-7天", "price_unit": "" } ], "cat": { "id": "21", "name": "MacyMccoy", "big_pic_url": "https:\/\/demiboutique.com\/addons\/zjhj_mall\/core\/web\/uploads\/image\/b0\/b06352efe28b28026398db5a83950841.jpg" }, "level": -1 } }
[ "http://2.bp.blogspot.com/-dJG4JyCT2Kk/Vta60NoYffI/AAAAAAAF-5w/_Aoxf7Hrar0/s0-Ic42/000.jpg", "http://2.bp.blogspot.com/-WAsb0-sTZL8/Vta60EqZ2qI/AAAAAAAF-5w/Tx8A09u3lj8/s0-Ic42/001.jpg", "http://2.bp.blogspot.com/-sX5UQr7GaaA/Vta60dtxQVI/AAAAAAAF-5w/MOfKokaOJlg/s0-Ic42/002.jpg", "http://2.bp.blogspot.com/-DhV0l8qpJrc/Vta60u6Ib2I/AAAAAAAF-5w/kdBfC_5jMjY/s0-Ic42/003.jpg", "http://2.bp.blogspot.com/-ZRC0Lwvv0Rw/Vta60gEwvuI/AAAAAAAF-5w/C6I845LGd3o/s0-Ic42/004.jpg", "http://2.bp.blogspot.com/-NROgJ9hUJ3g/Vta60tFrkXI/AAAAAAAF-5w/aTXWJ9WxGao/s0-Ic42/005.jpg", "http://2.bp.blogspot.com/-ZTlVS5oaiQg/Vta604qYV-I/AAAAAAAF-5w/zMgW-objJVk/s0-Ic42/006.jpg", "http://2.bp.blogspot.com/-LS4oEg8_Ea8/Vta60375wXI/AAAAAAAF-5w/l0t7JKd7LmE/s0-Ic42/007.jpg", "http://2.bp.blogspot.com/-Wf4VEXIwtRg/Vta61IbZj-I/AAAAAAAF-5w/yxeFL9B-oAQ/s0-Ic42/008.jpg", "http://2.bp.blogspot.com/-oRSMGZxCZEo/Vta61JGAtQI/AAAAAAAF-5w/iCytZflKlQE/s0-Ic42/009.jpg", "http://2.bp.blogspot.com/-di8R1z1xkMA/Vta61UQXcbI/AAAAAAAF-5w/-beD2f51kQk/s0-Ic42/010.jpg", "http://2.bp.blogspot.com/-FJ5_U0WyISk/Vta61VT7MGI/AAAAAAAF-5w/ps_ARtBEHWo/s0-Ic42/011.jpg", "http://2.bp.blogspot.com/-BWb2GV47m4Y/Vta61tLsd3I/AAAAAAAF-5w/TX0nHhhUPgs/s0-Ic42/012.jpg", "http://2.bp.blogspot.com/-R0xY9M8ZIBo/Vta61k3-ZOI/AAAAAAAF-5w/YNxKAwMAXsc/s0-Ic42/013.jpg", "http://2.bp.blogspot.com/-yt5-BPq-oUw/Vta61y1cZsI/AAAAAAAF-5w/N1K0ewriyNA/s0-Ic42/014.jpg", "http://2.bp.blogspot.com/-ZH294C6XCPA/Vta619r1IRI/AAAAAAAF-5w/oSxEJNgg9vk/s0-Ic42/015.jpg", "http://2.bp.blogspot.com/-qDAUlPMBpv0/Vta61_0w4II/AAAAAAAF-5w/zBDcPsQamuM/s0-Ic42/016.jpg", "http://2.bp.blogspot.com/-f7oqVNklq5c/Vta62BUOL-I/AAAAAAAF-5w/S585M8L68LA/s0-Ic42/017.jpg", "http://2.bp.blogspot.com/-q0EjEvtaBuk/Vta62emQB5I/AAAAAAAF-5w/1T8VSjDDRbw/s0-Ic42/018.jpg", "http://2.bp.blogspot.com/-eV0WBp8uBLo/Vta62enku0I/AAAAAAAF-5w/K0aSxZ9f6HY/s0-Ic42/019.jpg", "http://2.bp.blogspot.com/-YBK3V3iaUFE/Vta62dQR01I/AAAAAAAF-5w/oz4pb81_liM/s0-Ic42/020.jpg", "http://2.bp.blogspot.com/-nzdqqf-wCYg/Vta62sYBe3I/AAAAAAAF-5w/GEQzRO-Qz8o/s0-Ic42/021.jpg", "http://2.bp.blogspot.com/-ydqOq0qPfGU/Vta62snY9GI/AAAAAAAF-5w/QQ_LI5o6o6M/s0-Ic42/022.jpg", "http://2.bp.blogspot.com/-GJplEqCA28E/Vta623ofavI/AAAAAAAF-5w/5bymGyPWtgo/s0-Ic42/023.jpg", "http://2.bp.blogspot.com/-pc8fGWdAv80/Vta62z6cTiI/AAAAAAAF-5w/RrxWiOV3mLQ/s0-Ic42/024.jpg", "http://2.bp.blogspot.com/-ZjOf4DwdUWE/Vta63K6FuCI/AAAAAAAF-5w/F-V278TACT4/s0-Ic42/025.jpg", "http://2.bp.blogspot.com/-H1Au-q_dTkU/Vta63DNXIWI/AAAAAAAF-5w/G3vvBwXeRFo/s0-Ic42/026.jpg", "http://2.bp.blogspot.com/-QzqIgfmn488/Vta63L-7vvI/AAAAAAAF-5w/cMyc-MaXvWU/s0-Ic42/027.jpg", "http://2.bp.blogspot.com/-tSyeQ4ABcok/Vta63SgkIDI/AAAAAAAF-5w/TTvKTobHc64/s0-Ic42/028.jpg", "http://2.bp.blogspot.com/-qEyapxL1qCQ/Vta63gN_bhI/AAAAAAAF-5w/VOnqweTCUYk/s0-Ic42/029.jpg", "http://2.bp.blogspot.com/-YQXvShN5WW0/Vta63nkhQaI/AAAAAAAF-5w/s2ar5RBExUo/s0-Ic42/030.jpg", "http://2.bp.blogspot.com/-jJgHFCe6uF8/Vta636hl35I/AAAAAAAF-5w/dAu2FY5X0AQ/s0-Ic42/031.jpg", "http://2.bp.blogspot.com/-02glCgNplTk/Vta631S3XzI/AAAAAAAF-5w/JD05k43tGJM/s0-Ic42/032.jpg", "http://2.bp.blogspot.com/-AEM5yPFn8xA/Vta63z5RQfI/AAAAAAAF-5w/NpjqldaMZLM/s0-Ic42/033.jpg", "http://2.bp.blogspot.com/-IDK70jquUXc/Vta64DU5CzI/AAAAAAAF-5w/-6eLlIbv8g8/s0-Ic42/034.jpg", "http://2.bp.blogspot.com/-671L-2JoEXY/Vta64BaOS_I/AAAAAAAF-5w/Vh-IEVga4Ws/s0-Ic42/035.jpg", "http://2.bp.blogspot.com/-exQICka3Y_o/Vta64VDCM_I/AAAAAAAF-5w/7vr45eo6Des/s0-Ic42/036.jpg", "http://2.bp.blogspot.com/-hiGhDxlE5cc/Vta64YTh0rI/AAAAAAAF-5w/rJW1sbTrBM4/s0-Ic42/037.jpg", "http://2.bp.blogspot.com/-RcPM27jByvQ/Vta64lftG4I/AAAAAAAF-5w/d7TDdopD3Zo/s0-Ic42/038.jpg", "http://2.bp.blogspot.com/-i64qYp6Bdu8/Vta64oY_J4I/AAAAAAAF-5w/pY8yctgKuU0/s0-Ic42/039.jpg", "http://2.bp.blogspot.com/-VoeLOfT5psg/Vta64_eZeiI/AAAAAAAF-5w/inKySSPcnAs/s0-Ic42/040.jpg", "http://2.bp.blogspot.com/-26vQX_1osrc/Vta65NEtnfI/AAAAAAAF-5w/5D-SnN8TJbM/s0-Ic42/041.jpg", "http://2.bp.blogspot.com/-mjuNWbX9m0w/Vta65CCfdfI/AAAAAAAF-5w/ICXko_MwzTE/s0-Ic42/042.jpg", "http://2.bp.blogspot.com/-RrIayAtc9eg/Vta65B8r4bI/AAAAAAAF-5w/pevjP4gS0ec/s0-Ic42/043.jpg", "http://2.bp.blogspot.com/-0GmChEALv6o/Vta65SW1siI/AAAAAAAF-5w/0h90tJPwYeY/s0-Ic42/044.jpg", "http://2.bp.blogspot.com/-6gZ3lCGVckk/Vta65rAmuQI/AAAAAAAF-5w/eV_ByEgdw0I/s0-Ic42/045.jpg", "http://2.bp.blogspot.com/-yh4cS_qAc1g/Vta65raoj_I/AAAAAAAF-5w/DTPBdZcifC0/s0-Ic42/046.jpg", "http://2.bp.blogspot.com/-qr03_AwYJnI/Vta65pVSoyI/AAAAAAAF-5w/6cicDBqpkGk/s0-Ic42/047.jpg", "http://2.bp.blogspot.com/-hxbfnsHhLPI/Vta654CZuhI/AAAAAAAF-5w/q6srdAR0bvA/s0-Ic42/048.jpg", "http://2.bp.blogspot.com/-u1RolCz7ogI/Vta66dDL9UI/AAAAAAAF-5w/CJ4LowRT0pU/s0-Ic42/049.jpg", "http://2.bp.blogspot.com/-00SXou0YbBs/Vta66dY8twI/AAAAAAAF-5w/s22dIs9LoVA/s0-Ic42/050.jpg", "http://2.bp.blogspot.com/-hXhBtNW4bsw/Vta66VaBjNI/AAAAAAAF-5w/u62hjkJ12X0/s0-Ic42/051.jpg", "http://2.bp.blogspot.com/-dzIWmeZVa5o/Vta66qo_7TI/AAAAAAAF-5w/NVbOOsob760/s0-Ic42/052.jpg", "http://2.bp.blogspot.com/-TeuYyMhWelE/Vta663UBbvI/AAAAAAAF-5w/G2F04f_iukw/s0-Ic42/053.jpg", "http://2.bp.blogspot.com/-PLmpPkJ6d08/Vta66-JT0AI/AAAAAAAF-5w/hoj8FiwALlU/s0-Ic42/054.jpg", "http://2.bp.blogspot.com/-CwBEILW8F0A/Vta665bsCoI/AAAAAAAF-5w/h7u-V1_Tl98/s0-Ic42/055.jpg", "http://2.bp.blogspot.com/-vYC66m7BLiI/Vta67DPNkTI/AAAAAAAF-5w/HzoKEIaz8uQ/s0-Ic42/056.jpg", "http://2.bp.blogspot.com/-Vr38UHfuemU/Vta67NNH6EI/AAAAAAAF-5w/ULODxzAIOjs/s0-Ic42/057.jpg", "http://2.bp.blogspot.com/-teGTDW3iqiU/Vta67ePx7fI/AAAAAAAF-5w/aDqRQjfiXjs/s0-Ic42/058.jpg" ]
{"author":"lakenmoody___170000","questions":[{"type":"quiz","question":"What is Justin's birthday","time":30000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"January 1","correct":false},{"answer":"February 1","correct":true},{"answer":"January 31","correct":false},{"answer":"February 21","correct":false}],"image":"https://media.kahoot.it/b90188ed-ed5f-455d-b8d7-f9c4d8c50d91","imageMetadata":{"id":"b90188ed-ed5f-455d-b8d7-f9c4d8c50d91","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"Who is Damon to Justin","time":30000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Brother","correct":false},{"answer":"Nobody","correct":false},{"answer":"Boyfreind","correct":false},{"answer":"Bestfriend","correct":true}],"image":"https://media.kahoot.it/43ab8a6a-7c3d-451d-a764-10bb9ba431bb_opt","imageMetadata":{"id":"43ab8a6a-7c3d-451d-a764-10bb9ba431bb","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"How many fans does he have musical.ly","time":30000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"2.70 M","correct":true},{"answer":"2.80 M","correct":true},{"answer":"2.60 M","correct":false},{"answer":"2.90 M","correct":false}],"image":"https://media.kahoot.it/68b6fb3d-0b3c-41b9-a2c6-ab1b1d5b8b59_opt","imageMetadata":{"id":"68b6fb3d-0b3c-41b9-a2c6-ab1b1d5b8b59","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"How many brothers does Justin have","time":30000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"One","correct":false},{"answer":"Two","correct":true},{"answer":"Three","correct":false},{"answer":"None","correct":false}],"image":"https://media.kahoot.it/26b4829a-0412-4fc7-9cdd-2fe68a58a8ff_opt","imageMetadata":{"id":"26b4829a-0412-4fc7-9cdd-2fe68a58a8ff","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"What is Justin's striper name","time":30000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Drew Daddy","correct":false},{"answer":"Big booty Blake","correct":false},{"answer":"Booty Blake","correct":true},{"answer":"None of the Above","correct":false}],"image":"https://media.kahoot.it/f75b84aa-c8b7-4525-a692-2885f16b33f0","imageMetadata":{"id":"f75b84aa-c8b7-4525-a692-2885f16b33f0","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"What was the ship name for Justin and Reagan","time":30000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Jeagan","correct":false},{"answer":"Rustin","correct":false},{"answer":"Jaegan","correct":true},{"answer":"I don't know","correct":false}],"image":"https://media.kahoot.it/101f69e5-7edc-48a0-8b40-cbaea39c12c2_opt","imageMetadata":{"id":"101f69e5-7edc-48a0-8b40-cbaea39c12c2","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"what kind of animals does Justin have","time":30000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"a dog","correct":false},{"answer":"a fish","correct":false},{"answer":"a cat","correct":true},{"answer":"He doesn't have any pets","correct":false}],"image":"https://media.kahoot.it/7aaa8d1b-9780-4b71-95c5-0346deff783a_opt","imageMetadata":{"id":"7aaa8d1b-9780-4b71-95c5-0346deff783a","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0},{"type":"quiz","question":"How hot is Justin","time":30000,"points":true,"pointsMultiplier":1,"choices":[{"answer":"Hot","correct":true},{"answer":"Smoking hot","correct":true},{"answer":"Very Hot","correct":true},{"answer":"Makes the sun look like a freezer","correct":true}],"image":"https://media.kahoot.it/47838a86-3745-48f2-9496-ed094574fa4b_opt","imageMetadata":{"id":"47838a86-3745-48f2-9496-ed094574fa4b","resources":""},"resources":"","video":{"id":"","startTime":0,"endTime":0,"service":"youtube","fullUrl":""},"questionFormat":0}],"answerMap":[4,4,4,4,4,4,4,4],"uuid":"b38eeeb6-53aa-40c4-87c5-f15115a84ff9"}
[ {"src": ["https://i.ebayimg.com/images/g/xrIAAOSwXRpbSNpz/s-l500.jpg", "https://i.ebayimg.com/images/g/urQAAOSwxblbSNqg/s-l500.jpg", "https://i.ebayimg.com/images/g/kNsAAOSwhMFbSNqo/s-l500.jpg", "https://i.ebayimg.com/images/g/BxIAAOSw5GZbSNqv/s-l500.jpg", "https://i.ebayimg.com/images/g/OWAAAOSw-htbSNqz/s-l500.jpg", "https://i.ebayimg.com/images/g/EU0AAOSwYF9bSNq5/s-l500.jpg", "https://i.ebayimg.com/images/g/j84AAOSwYUdbSNrB/s-l500.jpg", "https://i.ebayimg.com/images/g/1WMAAOSwO4NbSNrF/s-l500.jpg", "https://i.ebayimg.com/images/g/qOMAAOSw9CVbSNrJ/s-l500.jpg", "https://i.ebayimg.com/images/g/mL4AAOSwm6lbSNro/s-l500.jpg", "https://i.ebayimg.com/images/g/1lIAAOSwe7JbSNrt/s-l500.jpg", "https://i.ebayimg.com/images/g/a8QAAOSwqYBbSNrR/s-l500.jpg", "https://i.ebayimg.com/images/g/3ZwAAOSwL~BbSNrW/s-l500.jpg", "https://i.ebayimg.com/images/g/N74AAOSwUY5bSNsN/s-l500.jpg", "https://i.ebayimg.com/images/g/FxoAAOSwXqZbSNsT/s-l500.jpg", "https://i.ebayimg.com/images/g/O5oAAOSw6iFbSNsY/s-l500.jpg", "https://i.ebayimg.com/images/g/HFIAAOSwdZNbSNsd/s-l500.jpg", "https://i.ebayimg.com/images/g/7LAAAOSwXoJbSNrM/s-l500.jpg", "https://i.ebayimg.com/images/g/oIEAAOSw9TVbSNre/s-l500.jpg", "https://i.ebayimg.com/images/g/7Z8AAOSwcjRbSNra/s-l500.jpg", "https://i.ebayimg.com/images/g/95cAAOSwhOpbSNtM/s-l500.jpg", "https://i.ebayimg.com/images/g/FcQAAOSw2FVbSNtX/s-l500.jpg", "https://i.ebayimg.com/images/g/qEQAAOSwRkxbSNri/s-l500.jpg", "https://i.ebayimg.com/images/g/niIAAOSw~TNbSNt2/s-l500.jpg", "https://i.ebayimg.com/images/g/xrIAAOSwXRpbSNpz/s-l500.jpg", "https://i.ebayimg.com/images/g/urQAAOSwxblbSNqg/s-l500.jpg", "https://i.ebayimg.com/images/g/kNsAAOSwhMFbSNqo/s-l500.jpg", "https://i.ebayimg.com/images/g/BxIAAOSw5GZbSNqv/s-l500.jpg", "https://i.ebayimg.com/images/g/OWAAAOSw-htbSNqz/s-l500.jpg", "https://i.ebayimg.com/images/g/EU0AAOSwYF9bSNq5/s-l500.jpg", "https://i.ebayimg.com/images/g/j84AAOSwYUdbSNrB/s-l500.jpg", "https://i.ebayimg.com/images/g/1WMAAOSwO4NbSNrF/s-l500.jpg", "https://i.ebayimg.com/images/g/qOMAAOSw9CVbSNrJ/s-l500.jpg", "https://i.ebayimg.com/images/g/mL4AAOSwm6lbSNro/s-l500.jpg", "https://i.ebayimg.com/images/g/1lIAAOSwe7JbSNrt/s-l500.jpg", "https://i.ebayimg.com/images/g/a8QAAOSwqYBbSNrR/s-l500.jpg", "https://i.ebayimg.com/images/g/3ZwAAOSwL~BbSNrW/s-l500.jpg", "https://i.ebayimg.com/images/g/N74AAOSwUY5bSNsN/s-l500.jpg", "https://i.ebayimg.com/images/g/FxoAAOSwXqZbSNsT/s-l500.jpg", "https://i.ebayimg.com/images/g/O5oAAOSw6iFbSNsY/s-l500.jpg", "https://i.ebayimg.com/images/g/HFIAAOSwdZNbSNsd/s-l500.jpg", "https://i.ebayimg.com/images/g/7LAAAOSwXoJbSNrM/s-l500.jpg", "https://i.ebayimg.com/images/g/oIEAAOSw9TVbSNre/s-l500.jpg", "https://i.ebayimg.com/images/g/7Z8AAOSwcjRbSNra/s-l500.jpg", "https://i.ebayimg.com/images/g/95cAAOSwhOpbSNtM/s-l500.jpg", "https://i.ebayimg.com/images/g/FcQAAOSw2FVbSNtX/s-l500.jpg", "https://i.ebayimg.com/images/g/qEQAAOSwRkxbSNri/s-l500.jpg", "https://i.ebayimg.com/images/g/niIAAOSw~TNbSNt2/s-l500.jpg"], "mileage": "67549", "description": "", "title": "1969 Porsche 912 Outlaw", "total_results": "9", "price": "49500.00", "page_count": 1.0, "brand": "Porsche", "href": "https://www.ebay.com/itm/1969-Porsche-912-Outlaw/292724635719?hash=item4427bf7847:g:xrIAAOSwXRpbSNpz&vxp=mtr", "reference_id": "292724635719", "year": "1969", "model": "912", "specs": {"Trim": "Outlaw", "Warranty": "Vehicle does NOT have an existing warranty", "Mileage": "67,549", "Exterior Color": "Slate Gray", "Transmission": "Manual", "Make": "Porsche", "Drive Side": "Left-hand drive", "Number of Cylinders": "6", "Body Type": "Coupe", "For Sale By": "Dealer", "Interior Color": "Gray", "Fuel Type": "Gasoline", "VIN (Vehicle Identification Number)": "11111111111111111", "Year": "1969", "Model": "912", "Engine": "2.4 Aircooled carbureted", "Drive Type": "RWD", "Vehicle Title": "Clear"}, "kilometers": 108686.341}, {"src": ["https://i.ebayimg.com/images/g/DCgAAOSwvuhbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/zGoAAOSwAnlbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/CL8AAOSwSDxbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/ezMAAOSwJFhbmBa0/s-l500.jpg", "https://i.ebayimg.com/images/g/8vcAAOSwHWJbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/Rn0AAOSwowtbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/JP0AAOSwfNVbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/STMAAOSwu25bmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/WCoAAOSwXk9bmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/v90AAOSwXIhbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/8AoAAOSw6VhbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/TIYAAOSwmN1bmBay/s-l500.jpg", "https://i.ebayimg.com/images/g/DCgAAOSwvuhbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/zGoAAOSwAnlbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/CL8AAOSwSDxbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/ezMAAOSwJFhbmBa0/s-l500.jpg", "https://i.ebayimg.com/images/g/8vcAAOSwHWJbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/Rn0AAOSwowtbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/JP0AAOSwfNVbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/STMAAOSwu25bmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/WCoAAOSwXk9bmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/v90AAOSwXIhbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/8AoAAOSw6VhbmBaz/s-l500.jpg", "https://i.ebayimg.com/images/g/TIYAAOSwmN1bmBay/s-l500.jpg"], "mileage": "98425", "description": "", "title": "1966 Porsche 912 Porsche 912", "total_results": "9", "price": "38500.00", "page_count": 1.0, "brand": "Porsche", "href": "https://www.ebay.com/itm/Porsche-912-Porsche-912/163252683729?hash=item26029e43d1:g:DCgAAOSwvuhbmBaz&vxp=mtr", "reference_id": "163252683729", "year": "1966", "model": "912", "specs": {"Trim": "Porsche 912", "Number of Doors": "2", "Mileage": "98,425", "Drivetrain": "Rear Wheel Drive", "Exterior Color": "Red", "Transmission": "Manual", "Make": "Porsche", "Number of Cylinders": "4", "Body Type": "Coupe", "For Sale By": "Dealer", "Interior Color": "Black", "VIN (Vehicle Identification Number)": "453507", "Year": "1966", "Sub Model": "Porsche 912", "Model": "912", "Condition": "Used", "Vehicle Title": "Clear"}, "kilometers": 158365.825}, {"src": ["https://i.ebayimg.com/images/g/DBYAAOSwW4ZbmXt6/s-l500.jpg", "https://i.ebayimg.com/images/g/XacAAOSwiZZbmXuJ/s-l500.jpg", "https://i.ebayimg.com/images/g/4B0AAOSwyCZbmXuj/s-l500.jpg", "https://i.ebayimg.com/images/g/wCUAAOSwKsZbmXu~/s-l500.jpg", "https://i.ebayimg.com/images/g/5~0AAOSwFvZbmXvb/s-l500.jpg", "https://i.ebayimg.com/images/g/J4AAAOSwt7NbmXvp/s-l500.jpg", "https://i.ebayimg.com/images/g/JbsAAOSwbAJbmXv2/s-l500.jpg", "https://i.ebayimg.com/images/g/lgEAAOSwJjpbmXwH/s-l500.jpg", "https://i.ebayimg.com/images/g/mX8AAOSwamhbmXwW/s-l500.jpg", "https://i.ebayimg.com/images/g/JREAAOSw5WVbmXwm/s-l500.jpg", "https://i.ebayimg.com/images/g/SyEAAOSw4idbmXwx/s-l500.jpg", "https://i.ebayimg.com/images/g/VOgAAOSwZZlbmXw-/s-l500.jpg", "https://i.ebayimg.com/images/g/--kAAOSwGXlbmXxY/s-l500.jpg", "https://i.ebayimg.com/images/g/epoAAOSwQ~hbmXxl/s-l500.jpg", "https://i.ebayimg.com/images/g/DBYAAOSwW4ZbmXt6/s-l500.jpg", "https://i.ebayimg.com/images/g/XacAAOSwiZZbmXuJ/s-l500.jpg", "https://i.ebayimg.com/images/g/4B0AAOSwyCZbmXuj/s-l500.jpg", "https://i.ebayimg.com/images/g/wCUAAOSwKsZbmXu~/s-l500.jpg", "https://i.ebayimg.com/images/g/5~0AAOSwFvZbmXvb/s-l500.jpg", "https://i.ebayimg.com/images/g/J4AAAOSwt7NbmXvp/s-l500.jpg", "https://i.ebayimg.com/images/g/JbsAAOSwbAJbmXv2/s-l500.jpg", "https://i.ebayimg.com/images/g/lgEAAOSwJjpbmXwH/s-l500.jpg", "https://i.ebayimg.com/images/g/mX8AAOSwamhbmXwW/s-l500.jpg", "https://i.ebayimg.com/images/g/JREAAOSw5WVbmXwm/s-l500.jpg", "https://i.ebayimg.com/images/g/SyEAAOSw4idbmXwx/s-l500.jpg", "https://i.ebayimg.com/images/g/VOgAAOSwZZlbmXw-/s-l500.jpg", "https://i.ebayimg.com/images/g/--kAAOSwGXlbmXxY/s-l500.jpg", "https://i.ebayimg.com/images/g/epoAAOSwQ~hbmXxl/s-l500.jpg"], "mileage": "97509", "description": "", "title": "1965 Porsche 912", "total_results": "9", "price": "49000.00", "page_count": 1.0, "brand": "Porsche", "href": "https://www.ebay.com/itm/1965-Porsche-912/123367193646?hash=item1cb941fc2e:g:DBYAAOSwW4ZbmXt6&vxp=mtr", "reference_id": "123367193646", "year": "1965", "model": "912", "specs": {"Mileage": "97,509", "Exterior Color": "Black", "Make": "Porsche", "For Sale By": "Private Seller", "Interior Color": "Red", "VIN (Vehicle Identification Number)": "455514", "Year": "1965", "Model": "912", "Condition": "Used", "Vehicle Title": "Clear"}, "kilometers": 156891.981}, {"src": ["https://i.ebayimg.com/images/g/C0kAAOSwVLRae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/6V8AAOSw-RFae5-h/s-l500.jpg", "https://i.ebayimg.com/images/g/Zg0AAOSwrKFae5-h/s-l500.jpg", "https://i.ebayimg.com/images/g/FQkAAOSwotVae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/DPMAAOSwjt5ae5-l/s-l500.jpg", "https://i.ebayimg.com/images/g/qN8AAOSw5utae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/9C4AAOSwYSxae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/SfwAAOSwf15ae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/L-IAAOSw7p5ae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/C0sAAOSwVLRae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/dDcAAOSww85ae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/x3QAAOSwjIVae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/C0kAAOSwVLRae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/6V8AAOSw-RFae5-h/s-l500.jpg", "https://i.ebayimg.com/images/g/Zg0AAOSwrKFae5-h/s-l500.jpg", "https://i.ebayimg.com/images/g/FQkAAOSwotVae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/DPMAAOSwjt5ae5-l/s-l500.jpg", "https://i.ebayimg.com/images/g/qN8AAOSw5utae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/9C4AAOSwYSxae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/SfwAAOSwf15ae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/L-IAAOSw7p5ae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/C0sAAOSwVLRae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/dDcAAOSww85ae5-i/s-l500.jpg", "https://i.ebayimg.com/images/g/x3QAAOSwjIVae5-i/s-l500.jpg"], "mileage": "0", "description": "", "title": "1969 Porsche 912 --", "total_results": "9", "price": "47995.00", "page_count": 1.0, "brand": "Porsche", "href": "https://www.ebay.com/itm/912/162892032204?hash=item25ed1f28cc:g:C0kAAOSwVLRae5-i&vxp=mtr", "reference_id": "162892032204", "year": "1969", "model": "912", "specs": {"Warranty": "Vehicle does NOT have an existing warranty", "Trim": "--", "Mileage": "0", "Exterior Color": "Tan", "Transmission": "Manual", "Make": "Porsche", "Body Type": "Coupe", "Interior Color": "Black", "For Sale By": "Dealer", "Drive Type": "--", "Fuel Type": "Gasoline", "VIN (Vehicle Identification Number)": "GCCTPA748", "Year": "1969", "Power Options": "--", "Model": "912", "Engine": "1.6 L Type 616/39 B4", "Options": "--", "Condition": "Used", "Vehicle Title": "Clear"}, "kilometers": 0.0}, {"src": ["https://i.ebayimg.com/images/g/o8AAAOSwwVBbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/GxYAAOSw4WFbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/bNMAAOSw~p1bkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/7WsAAOSwHn9bkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/c4YAAOSw3JRbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/mo0AAOSwSzNbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/AQ8AAOSwUKhbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/4qIAAOSwISNbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/qhkAAOSw0INbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/OPgAAOSwRUdbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/XTMAAOSwMPxbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/o8AAAOSwwVBbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/GxYAAOSw4WFbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/bNMAAOSw~p1bkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/7WsAAOSwHn9bkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/c4YAAOSw3JRbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/mo0AAOSwSzNbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/AQ8AAOSwUKhbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/4qIAAOSwISNbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/qhkAAOSw0INbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/OPgAAOSwRUdbkzq8/s-l500.jpg", "https://i.ebayimg.com/images/g/XTMAAOSwMPxbkzq8/s-l500.jpg"], "mileage": "52227", "description": "", "title": "1968 Porsche 912 --", "total_results": "9", "price": "35000.00", "page_count": 1.0, "brand": "Porsche", "href": "https://www.ebay.com/itm/912/283148014269?hash=item41ecefd2bd:g:o8AAAOSwwVBbkzq8&vxp=mtr", "reference_id": "283148014269", "year": "1968", "model": "912", "specs": {"Warranty": "Unspecified", "Trim": "--", "Mileage": "52,227", "Exterior Color": "--", "Transmission": "Manual", "Make": "Porsche", "Body Type": "--", "Interior Color": "--", "For Sale By": "Dealer", "Drive Type": "--", "Fuel Type": "Gasoline", "VIN (Vehicle Identification Number)": "12870067", "Year": "1968", "Power Options": "--", "Model": "912", "Engine": "--", "Options": "--", "Condition": "Used", "Vehicle Title": "Clear"}, "kilometers": 84033.243}, {"src": ["https://i.ebayimg.com/images/g/4dcAAOSwCAlbjTaz/s-l500.jpg", "https://i.ebayimg.com/images/g/dcAAAOSwdklbjTbH/s-l500.jpg", "https://i.ebayimg.com/images/g/o0MAAOSwky1bjTbR/s-l500.jpg", "https://i.ebayimg.com/images/g/g0QAAOSwyCZbjTbf/s-l500.jpg", "https://i.ebayimg.com/images/g/mQoAAOSwON5bjTbn/s-l500.jpg", "https://i.ebayimg.com/images/g/g3oAAOSwoyVbjTcD/s-l500.jpg", "https://i.ebayimg.com/images/g/dmEAAOSwRhVbjTcS/s-l500.jpg", "https://i.ebayimg.com/images/g/h-QAAOSwsspbjTcd/s-l500.jpg", "https://i.ebayimg.com/images/g/8jgAAOSwWBpbjTcq/s-l500.jpg", "https://i.ebayimg.com/images/g/g6kAAOSwyCZbjTc4/s-l500.jpg", "https://i.ebayimg.com/images/g/xWUAAOSwpZlbjTdB/s-l500.jpg", "https://i.ebayimg.com/images/g/FMkAAOSwcMZbjTdz/s-l500.jpg", "https://i.ebayimg.com/images/g/Q2EAAOSwHn9bjTeD/s-l500.jpg", "https://i.ebayimg.com/images/g/iZ4AAOSw01JbjTe6/s-l500.jpg", "https://i.ebayimg.com/images/g/P3MAAOSwEeVbjTfQ/s-l500.jpg", "https://i.ebayimg.com/images/g/SJ0AAOSwLEVbjTft/s-l500.jpg", "https://i.ebayimg.com/images/g/NkcAAOSwfOJbjTf2/s-l500.jpg", "https://i.ebayimg.com/images/g/eQ8AAOSwgq9bjTgH/s-l500.jpg", "https://i.ebayimg.com/images/g/kGYAAOSwDjFbjTgQ/s-l500.jpg", "https://i.ebayimg.com/images/g/dp4AAOSwVAZbjThM/s-l500.jpg", "https://i.ebayimg.com/images/g/maoAAOSwJFhbjThy/s-l500.jpg", "https://i.ebayimg.com/images/g/BBoAAOSwFWdbjTiV/s-l500.jpg", "https://i.ebayimg.com/images/g/oOoAAOSwY8BbjTjN/s-l500.jpg", "https://i.ebayimg.com/images/g/P~UAAOSwantbjTio/s-l500.jpg", "https://i.ebayimg.com/images/g/4dcAAOSwCAlbjTaz/s-l500.jpg", "https://i.ebayimg.com/images/g/dcAAAOSwdklbjTbH/s-l500.jpg", "https://i.ebayimg.com/images/g/o0MAAOSwky1bjTbR/s-l500.jpg", "https://i.ebayimg.com/images/g/g0QAAOSwyCZbjTbf/s-l500.jpg", "https://i.ebayimg.com/images/g/mQoAAOSwON5bjTbn/s-l500.jpg", "https://i.ebayimg.com/images/g/g3oAAOSwoyVbjTcD/s-l500.jpg", "https://i.ebayimg.com/images/g/dmEAAOSwRhVbjTcS/s-l500.jpg", "https://i.ebayimg.com/images/g/h-QAAOSwsspbjTcd/s-l500.jpg", "https://i.ebayimg.com/images/g/8jgAAOSwWBpbjTcq/s-l500.jpg", "https://i.ebayimg.com/images/g/g6kAAOSwyCZbjTc4/s-l500.jpg", "https://i.ebayimg.com/images/g/xWUAAOSwpZlbjTdB/s-l500.jpg", "https://i.ebayimg.com/images/g/FMkAAOSwcMZbjTdz/s-l500.jpg", "https://i.ebayimg.com/images/g/Q2EAAOSwHn9bjTeD/s-l500.jpg", "https://i.ebayimg.com/images/g/iZ4AAOSw01JbjTe6/s-l500.jpg", "https://i.ebayimg.com/images/g/P3MAAOSwEeVbjTfQ/s-l500.jpg", "https://i.ebayimg.com/images/g/SJ0AAOSwLEVbjTft/s-l500.jpg", "https://i.ebayimg.com/images/g/NkcAAOSwfOJbjTf2/s-l500.jpg", "https://i.ebayimg.com/images/g/eQ8AAOSwgq9bjTgH/s-l500.jpg", "https://i.ebayimg.com/images/g/kGYAAOSwDjFbjTgQ/s-l500.jpg", "https://i.ebayimg.com/images/g/dp4AAOSwVAZbjThM/s-l500.jpg", "https://i.ebayimg.com/images/g/maoAAOSwJFhbjThy/s-l500.jpg", "https://i.ebayimg.com/images/g/BBoAAOSwFWdbjTiV/s-l500.jpg", "https://i.ebayimg.com/images/g/oOoAAOSwY8BbjTjN/s-l500.jpg", "https://i.ebayimg.com/images/g/P~UAAOSwantbjTio/s-l500.jpg"], "mileage": "85179", "description": "", "title": "1965 Porsche 912", "total_results": "9", "price": "52650.00", "page_count": 1.0, "brand": "Porsche", "href": "https://www.ebay.com/itm/1965-Porsche-912/332790782364?hash=item4d7be0599c:g:4dcAAOSwCAlbjTaz&vxp=mtr", "reference_id": "332790782364", "year": "1965", "model": "912", "specs": {"Warranty": "Vehicle does NOT have an existing warranty", "Mileage": "85,179", "Exterior Color": "Red", "Transmission": "Manual", "Make": "Porsche", "Drive Side": "Left-hand drive", "Number of Cylinders": "4", "Body Type": "Coupe", "For Sale By": "Private Seller", "Interior Color": "Black", "Fuel Type": "Gasoline", "VIN (Vehicle Identification Number)": "350735", "Year": "1965", "Model": "912", "Drive Type": "RWD", "Condition": "Used", "Vehicle Title": "Clear"}, "kilometers": 137053.011}, {"src": ["https://i.ebayimg.com/images/g/ePYAAOSwBzpblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/n~YAAOSweWZblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/aAUAAOSwkHJblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/onUAAOSwKqlblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/9jMAAOSwcoFblsf8/s-l500.jpg", "https://i.ebayimg.com/images/g/eMIAAOSwiIRblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/hcQAAOSwDYBblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/3aMAAOSwUb5blsf7/s-l500.jpg", "https://i.ebayimg.com/images/g/DssAAOSwZZlblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/CdAAAOSwJFhblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/g88AAOSwzyBblsf7/s-l500.jpg", "https://i.ebayimg.com/images/g/B38AAOSw64tblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/-78AAOSw9i9blsf4/s-l500.jpg", "https://i.ebayimg.com/images/g/0uoAAOSwvGdblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/w98AAOSwf2pblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/-LYAAOSwKF5blsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/lrIAAOSwKsZblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/CU0AAOSwxn1blsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/MIIAAOSwoaNblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/yqUAAOSwckBblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/h6IAAOSwfLpblsf9/s-l500.jpg", "https://i.ebayimg.com/images/g/rMUAAOSwiVFblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/AbQAAOSwuIRblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/N~wAAOSwpFhblsf8/s-l500.jpg", "https://i.ebayimg.com/images/g/ePYAAOSwBzpblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/n~YAAOSweWZblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/aAUAAOSwkHJblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/onUAAOSwKqlblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/9jMAAOSwcoFblsf8/s-l500.jpg", "https://i.ebayimg.com/images/g/eMIAAOSwiIRblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/hcQAAOSwDYBblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/3aMAAOSwUb5blsf7/s-l500.jpg", "https://i.ebayimg.com/images/g/DssAAOSwZZlblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/CdAAAOSwJFhblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/g88AAOSwzyBblsf7/s-l500.jpg", "https://i.ebayimg.com/images/g/B38AAOSw64tblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/-78AAOSw9i9blsf4/s-l500.jpg", "https://i.ebayimg.com/images/g/0uoAAOSwvGdblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/w98AAOSwf2pblsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/-LYAAOSwKF5blsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/lrIAAOSwKsZblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/CU0AAOSwxn1blsf5/s-l500.jpg", "https://i.ebayimg.com/images/g/MIIAAOSwoaNblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/yqUAAOSwckBblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/h6IAAOSwfLpblsf9/s-l500.jpg", "https://i.ebayimg.com/images/g/rMUAAOSwiVFblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/AbQAAOSwuIRblsf6/s-l500.jpg", "https://i.ebayimg.com/images/g/N~wAAOSwpFhblsf8/s-l500.jpg"], "mileage": "69000", "description": "", "title": "1968 Porsche 912", "total_results": "9", "price": "47500.00", "page_count": 1.0, "brand": "Porsche", "href": "https://www.ebay.com/itm/1968-Porsche-912/183426531825?hash=item2ab512c1f1:g:ePYAAOSwBzpblsf6&vxp=mtr", "reference_id": "183426531825", "year": "1968", "model": "912", "specs": {"Engine": "1.6L", "Warranty": "Vehicle does NOT have an existing warranty", "Mileage": "69,000", "Disability Equipped": "No", "Exterior Color": "Red", "Transmission": "Manual", "Make": "Porsche", "Drive Side": "Left-hand drive", "Number of Cylinders": "4", "Body Type": "Targa", "For Sale By": "Dealer", "Interior Color": "black", "Fuel Type": "Gasoline", "VIN (Vehicle Identification Number)": "12871179", "Year": "1968", "Sub Model": "Soft Window Targa", "Model": "912", "Drive Type": "RWD", "Condition": "Used", "Vehicle Title": "Clear"}, "kilometers": 111021.0}, {"src": ["https://i.ebayimg.com/images/g/ai0AAOSwsbBbROEm/s-l500.jpg", "https://i.ebayimg.com/images/g/jNYAAOSwyf1bROEp/s-l500.jpg", "https://i.ebayimg.com/images/g/9lwAAOSwPRxbROEr/s-l500.jpg", "https://i.ebayimg.com/images/g/RlAAAOSwU5RbROEs/s-l500.jpg", "https://i.ebayimg.com/images/g/coQAAOSwAspbROEu/s-l500.jpg", "https://i.ebayimg.com/images/g/E5gAAOSwAzZbROEv/s-l500.jpg", "https://i.ebayimg.com/images/g/-ucAAOSwp7tbROEx/s-l500.jpg", "https://i.ebayimg.com/images/g/8AsAAOSwfm1bROEy/s-l500.jpg", "https://i.ebayimg.com/images/g/9oEAAOSwPRxbROEz/s-l500.jpg", "https://i.ebayimg.com/images/g/BM0AAOSw64xbROE1/s-l500.jpg", "https://i.ebayimg.com/images/g/E7MAAOSwAzZbROE2/s-l500.jpg", "https://i.ebayimg.com/images/g/0wkAAOSw1rBbROE5/s-l500.jpg", "https://i.ebayimg.com/images/g/XDYAAOSwuVZbROE6/s-l500.jpg", "https://i.ebayimg.com/images/g/Ge8AAOSwVEdbROE8/s-l500.jpg", "https://i.ebayimg.com/images/g/erIAAOSwIrVbROE9/s-l500.jpg", "https://i.ebayimg.com/images/g/au8AAOSwzFBbROE-/s-l500.jpg", "https://i.ebayimg.com/images/g/-00AAOSwVpRbROE~/s-l500.jpg", "https://i.ebayimg.com/images/g/3xcAAOSwSdFbROFF/s-l500.jpg", "https://i.ebayimg.com/images/g/wyAAAOSwBmpbROFG/s-l500.jpg", "https://i.ebayimg.com/images/g/HiUAAOSwLYRbROFH/s-l500.jpg", "https://i.ebayimg.com/images/g/R9sAAOSwZb5bROFJ/s-l500.jpg", "https://i.ebayimg.com/images/g/SPoAAOSwgw9bROFK/s-l500.jpg", "https://i.ebayimg.com/images/g/-nkAAOSwCCtbROFM/s-l500.jpg", "https://i.ebayimg.com/images/g/CBMAAOSwN6NbROFN/s-l500.jpg", "https://i.ebayimg.com/images/g/ai0AAOSwsbBbROEm/s-l500.jpg", "https://i.ebayimg.com/images/g/jNYAAOSwyf1bROEp/s-l500.jpg", "https://i.ebayimg.com/images/g/9lwAAOSwPRxbROEr/s-l500.jpg", "https://i.ebayimg.com/images/g/RlAAAOSwU5RbROEs/s-l500.jpg", "https://i.ebayimg.com/images/g/coQAAOSwAspbROEu/s-l500.jpg", "https://i.ebayimg.com/images/g/E5gAAOSwAzZbROEv/s-l500.jpg", "https://i.ebayimg.com/images/g/-ucAAOSwp7tbROEx/s-l500.jpg", "https://i.ebayimg.com/images/g/8AsAAOSwfm1bROEy/s-l500.jpg", "https://i.ebayimg.com/images/g/9oEAAOSwPRxbROEz/s-l500.jpg", "https://i.ebayimg.com/images/g/BM0AAOSw64xbROE1/s-l500.jpg", "https://i.ebayimg.com/images/g/E7MAAOSwAzZbROE2/s-l500.jpg", "https://i.ebayimg.com/images/g/0wkAAOSw1rBbROE5/s-l500.jpg", "https://i.ebayimg.com/images/g/XDYAAOSwuVZbROE6/s-l500.jpg", "https://i.ebayimg.com/images/g/Ge8AAOSwVEdbROE8/s-l500.jpg", "https://i.ebayimg.com/images/g/erIAAOSwIrVbROE9/s-l500.jpg", "https://i.ebayimg.com/images/g/au8AAOSwzFBbROE-/s-l500.jpg", "https://i.ebayimg.com/images/g/-00AAOSwVpRbROE~/s-l500.jpg", "https://i.ebayimg.com/images/g/3xcAAOSwSdFbROFF/s-l500.jpg", "https://i.ebayimg.com/images/g/wyAAAOSwBmpbROFG/s-l500.jpg", "https://i.ebayimg.com/images/g/HiUAAOSwLYRbROFH/s-l500.jpg", "https://i.ebayimg.com/images/g/R9sAAOSwZb5bROFJ/s-l500.jpg", "https://i.ebayimg.com/images/g/SPoAAOSwgw9bROFK/s-l500.jpg", "https://i.ebayimg.com/images/g/-nkAAOSwCCtbROFM/s-l500.jpg", "https://i.ebayimg.com/images/g/CBMAAOSwN6NbROFN/s-l500.jpg"], "mileage": "67570", "description": "", "title": "1969 Porsche 912 912 Coupe", "total_results": "9", "price": "42995.00", "page_count": 1.0, "brand": "Porsche", "href": "https://www.ebay.com/itm/1969-Porsche-912-912-Coupe/401591784826?hash=item5d80bc557a:g:ai0AAOSwsbBbROEm&vxp=mtr", "reference_id": "401591784826", "year": "1969", "model": "912", "specs": {"Warranty": "Vehicle does NOT have an existing warranty", "Trim": "912 Coupe", "Number of Doors": "2 Doors", "Mileage": "67,570", "Exterior Color": "Red", "Manufacturer Exterior Color": "Polo Red", "Transmission": "Manual", "Make": "Porsche", "Number of Cylinders": "4", "Body Type": "Coupe", "Manufacturer Interior Color": "Black", "For Sale By": "Dealer", "Interior Color": "Black", "Fuel Type": "Gasoline", "VIN (Vehicle Identification Number)": "129000167", "Year": "1969", "Model": "912", "Engine": "1600 cc", "Drive Type": "RWD", "Condition": "Used", "Vehicle Title": "Clear"}, "kilometers": 108720.13}, {"src": ["https://i.ebayimg.com/images/g/ClgAAOSwtLxbfP1C/s-l500.jpg", "https://i.ebayimg.com/images/g/cFAAAOSwt~5bfP1D/s-l500.jpg", "https://i.ebayimg.com/images/g/TjoAAOSw8W1bfP1G/s-l500.jpg", "https://i.ebayimg.com/images/g/AEIAAOSwGUhbfP1I/s-l500.jpg", "https://i.ebayimg.com/images/g/VqQAAOSwmSVbfP1J/s-l500.jpg", "https://i.ebayimg.com/images/g/YMEAAOSwP65bfP1O/s-l500.jpg", "https://i.ebayimg.com/images/g/SiIAAOSwnnlbfP1Q/s-l500.jpg", "https://i.ebayimg.com/images/g/P10AAOSw5WVbfP1S/s-l500.jpg", "https://i.ebayimg.com/images/g/IK0AAOSw7fhbfP1T/s-l500.jpg", "https://i.ebayimg.com/images/g/Us8AAOSwQFZbfP1U/s-l500.jpg", "https://i.ebayimg.com/images/g/~TQAAOSwOUJbfP1W/s-l500.jpg", "https://i.ebayimg.com/images/g/3XMAAOSw2iFbfP1Y/s-l500.jpg", "https://i.ebayimg.com/images/g/ClgAAOSwtLxbfP1C/s-l500.jpg", "https://i.ebayimg.com/images/g/cFAAAOSwt~5bfP1D/s-l500.jpg", "https://i.ebayimg.com/images/g/TjoAAOSw8W1bfP1G/s-l500.jpg", "https://i.ebayimg.com/images/g/AEIAAOSwGUhbfP1I/s-l500.jpg", "https://i.ebayimg.com/images/g/VqQAAOSwmSVbfP1J/s-l500.jpg", "https://i.ebayimg.com/images/g/YMEAAOSwP65bfP1O/s-l500.jpg", "https://i.ebayimg.com/images/g/SiIAAOSwnnlbfP1Q/s-l500.jpg", "https://i.ebayimg.com/images/g/P10AAOSw5WVbfP1S/s-l500.jpg", "https://i.ebayimg.com/images/g/IK0AAOSw7fhbfP1T/s-l500.jpg", "https://i.ebayimg.com/images/g/Us8AAOSwQFZbfP1U/s-l500.jpg", "https://i.ebayimg.com/images/g/~TQAAOSwOUJbfP1W/s-l500.jpg", "https://i.ebayimg.com/images/g/3XMAAOSw2iFbfP1Y/s-l500.jpg"], "mileage": "0", "description": "", "title": "1968 Porsche 912", "total_results": "9", "price": "39500.00", "page_count": 1.0, "brand": "Porsche", "href": "https://www.ebay.com/itm/Porsche-912/273421144654?hash=item3fa92b924e:g:ClgAAOSwtLxbfP1C&vxp=mtr", "reference_id": "273421144654", "year": "1968", "model": "912", "specs": {"Warranty": "Vehicle does NOT have an existing warranty", "Manufacturer Exterior Color": "Black", "Mileage": "0", "Exterior Color": "Black", "Make": "Porsche", "Manufacturer Interior Color": "Black", "For Sale By": "Dealer", "Interior Color": "Black", "VIN (Vehicle Identification Number)": "21787", "Year": "1968", "Model": "912", "Condition": "Used", "Vehicle Title": "Clear"}, "kilometers": 0.0} ]
{"name":"Propertiesinmumbai.com","permalink":"propertiesinmumbai-com","crunchbase_url":"http://www.crunchbase.com/company/propertiesinmumbai-com","homepage_url":"http://www.propertiesinmumbai.com","blog_url":"http://propertiesinmumbai.over-blog.com","blog_feed_url":"http://propertiesinmumbai.over-blog.com/rss-articles.xml","twitter_username":"rgrealspace","category_code":"consulting","number_of_employees":20,"founded_year":2004,"founded_month":9,"founded_day":20,"deadpooled_year":null,"deadpooled_month":null,"deadpooled_day":null,"deadpooled_url":null,"tag_list":"real-estate, mumbai, projects","alias_list":null,"email_address":"rgrealspace@gmail.com","phone_number":"9920521682","description":"Real Estate Projects in Mumbai","created_at":"Wed Dec 08 05:32:02 UTC 2010","updated_at":"Wed Dec 08 10:05:18 UTC 2010","overview":"<p>Propertiesinmumbai.com is completely dedicated to Mumbai real estate and Mumbai property solutions. Helps in buying, selling, leasing commercial/residential/retail properties in Mumbai. Invest in the best Mumbai locations to enable growth of your investments in terms of capital appreciation and get the best rental annuity income too.</p>","image":{"available_sizes":[[[150,105],"assets/images/resized/0011/3314/113314v2-max-150x150.jpg"],[[190,134],"assets/images/resized/0011/3314/113314v2-max-250x250.jpg"],[[190,134],"assets/images/resized/0011/3314/113314v2-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":[{"external_url":"http://www.realspacerealty.com","title":"Real Estate Consultants Mumbai"}]}
{"type": "Feature", "id": 1199873, "geometry": {"type": "MultiPolygon", "coordinates": [[[[123.334137, 10.32403], [123.334137, 10.34221], [123.315659, 10.34221], [123.315659, 10.32403], [123.334137, 10.32403]]]]}, "properties": {"woe:id": 1199873, "woe:parent_id": 2346700, "woe:name": "Tabon", "woe:placetype": 7, "woe:placetype_name": "Town", "woe:lang": "ENG", "iso:country": "PH", "meta:provider": ["geoplanet:7.6.0", "geoplanet:7.8.1", "geoplanet:7.9.0", "geoplanet:7.10.0", "geoplanet:8.0.0", "woeplanet:8.0.0"], "meta:indexed": "2020-08-21T07:06:42.085786", "meta:updated": "2020-10-14T12:07:03.179029", "woe:adjacent": [1199817, 1198882], "woe:hierarchy": {"continent": 24865671, "country": 23424934, "town": 0, "planet": 1, "county": 2346700, "suburb": 0, "state": 23424721, "region": 0, "localadmin": 0}, "woe:timezone_id": 28350843, "woe:hash": "w9zdy346y3hv", "geom:min_latitude": 10.32403, "woe:centroid": [123.324898, 10.33312], "geom:latitude": 10.33312, "woe:max_longitude": 123.334137, "geom:max_longitude": 123.334137, "geom:centroid": [123.324898, 10.33312], "geom:max_latitude": 10.34221, "woe:bbox": [123.315659, 10.32403, 123.334137, 10.34221], "geom:bbox": [123.315659, 10.32403, 123.334137, 10.34221], "woe:min_latitude": 10.32403, "woe:min_longitude": 123.315659, "geom:longitude": 123.324898, "geom:hash": "w9zdy346y3hv", "woe:latitude": 10.33312, "geom:min_longitude": 123.315659, "woe:longitude": 123.324898, "woe:max_latitude": 10.34221, "woe:repo": "woeplanet-town-ph", "geom:area": 4069676.7730665207, "woe:scale": 16}}
{"first_name":"Rene Karsten","last_name":"Kunkel","permalink":"ren-karsten-kunkel","crunchbase_url":"http://www.crunchbase.com/person/ren-karsten-kunkel","homepage_url":"http://graph.me","birthplace":"Munich","twitter_username":"graph_me","blog_url":"http://blog.graph.me","blog_feed_url":"","affiliation_name":"graph.me","born_year":1981,"born_month":5,"born_day":4,"tag_list":"","alias_list":null,"created_at":"Thu Apr 22 13:52:38 UTC 2010","updated_at":"Sat Jan 14 09:49:52 UTC 2012","overview":null,"image":null,"degrees":[],"relationships":[{"is_past":false,"title":"CEO","firm":{"name":"graph.me","permalink":"graph-me","type_of_entity":"company","image":{"available_sizes":[[[122,150],"assets/images/resized/0008/4591/84591v5-max-150x150.jpg"],[[200,245],"assets/images/resized/0008/4591/84591v5-max-250x250.jpg"],[[200,245],"assets/images/resized/0008/4591/84591v5-max-450x450.jpg"]],"attribution":null}}}],"investments":[],"milestones":[],"video_embeds":[],"external_links":[],"web_presences":[]}
["2e5f823c5fdbaf64568d3b736f192e106c9fe79c","c5b521d8bd7de648c9a50645e01b7abbbdf5a48f"]
{"project": "fe372daf01f75276c7e5228e6e000024", "_rev": "2-d65879a67f8994b485bd7a6f92279192", "_id": "63b138ecc59c0b2254989f754236d6a2", "type": "bookmark", "_attachments": {"bookmark": {"digest": "md5-GscT44J/ltJwi6n7j3X/vw==", "data": "eyJpbWFnZXMtc2VsZWN0aW9uIjo3LCJub3RlcyI6W3siaGVpZ2h0IjoiMTEwLjVweCIsImlkIjowLCJsZWZ0IjoiNjU0cHgiLCJ0ZXh0IjoiUGVyZmVjdCBtYXRjaCB0byBleHBlcmltZW50YWwgZGF0YSB3b3VsZCBiZSBhdCB0aGUgb3JpZ2luLiBXZSBjYW4gZWl0aGVyIG1hdGNoIHRoZSByYWRpdXMgb3IgdGhlIGhlaWdodCwgYnV0IG5vdCBib3RoLiIsInRpdGxlIjpmYWxzZSwidG9wIjoiNTU4LjVweCIsIndpZHRoIjoiMzE0LjVweCJ9XSwib3Blbi1pbWFnZXMtc2VsZWN0aW9uIjpbeyJjdXJyZW50X2ZyYW1lIjpmYWxzZSwiaGVpZ2h0IjoxMzMsImluZGV4Ijo1MSwicmVseCI6MCwicmVseSI6MC4wNzY1NzY1NzY1NzY1NzY1NywidXJpIjoiZmlsZTovL2xvY2FsaG9zdC9ob21lL3NseWNhdC9zcmMvc2x5Y2F0LWRhdGEvVEFJUy93b3JrZGlyLjUyL3N0cmVzc196el8wMDAwMDEucG5nIiwid2lkdGgiOjIwMH0seyJjdXJyZW50X2ZyYW1lIjpmYWxzZSwiaGVpZ2h0IjoxMzMsImluZGV4Ijo2MywicmVseCI6MC4xODcwNDI4NDIyMTUyNTYwMiwicmVseSI6MC43MzI3MzI3MzI3MzI3MzI4LCJ1cmkiOiJmaWxlOi8vbG9jYWxob3N0L2hvbWUvc2x5Y2F0L3NyYy9zbHljYXQtZGF0YS9UQUlTL3dvcmtkaXIuNjQvc3RyZXNzX3p6XzAwMDAwMS5wbmciLCJ3aWR0aCI6MjAwfSx7ImN1cnJlbnRfZnJhbWUiOmZhbHNlLCJoZWlnaHQiOjEzMywiaW5kZXgiOjU5LCJyZWx4IjowLjEyNjk1OTI0NzY0ODkwMjgyLCJyZWx5IjowLjUxMDUxMDUxMDUxMDUxMDYsInVyaSI6ImZpbGU6Ly9sb2NhbGhvc3QvaG9tZS9zbHljYXQvc3JjL3NseWNhdC1kYXRhL1RBSVMvd29ya2Rpci42MC9zdHJlc3NfenpfMDAwMDAxLnBuZyIsIndpZHRoIjoyMDB9LHsiY3VycmVudF9mcmFtZSI6ZmFsc2UsImhlaWdodCI6MTMzLCJpbmRleCI6NTUsInJlbHgiOjAuMDcyNjIyNzc5NTE5MzMxMjQsInJlbHkiOjAuMjgyMjgyMjgyMjgyMjgyMywidXJpIjoiZmlsZTovL2xvY2FsaG9zdC9ob21lL3NseWNhdC9zcmMvc2x5Y2F0LWRhdGEvVEFJUy93b3JrZGlyLjU2L3N0cmVzc196el8wMDAwMDEucG5nIiwid2lkdGgiOjIwMH0seyJjdXJyZW50X2ZyYW1lIjpmYWxzZSwiaGVpZ2h0IjoxMzMsImluZGV4IjoyNTIsInJlbHgiOjAuNzY4MDI1MDc4MzY5OTA2LCJyZWx5IjowLjAzNjAzNjAzNjAzNjAzNjAzNiwidXJpIjoiZmlsZTovL2xvY2FsaG9zdC9ob21lL3NseWNhdC9zcmMvc2x5Y2F0LWRhdGEvVEFJUy93b3JrZGlyLjI1My9zdHJlc3NfenpfMDAwMDAxLnBuZyIsIndpZHRoIjoyMDB9LHsiY3VycmVudF9mcmFtZSI6ZmFsc2UsImhlaWdodCI6MTMzLCJpbmRleCI6MjQ4LCJyZWx4IjowLjgwNDU5NzcwMTE0OTQyNTMsInJlbHkiOjAuMjU1MjU1MjU1MjU1MjU1MywidXJpIjoiZmlsZTovL2xvY2FsaG9zdC9ob21lL3NseWNhdC9zcmMvc2x5Y2F0LWRhdGEvVEFJUy93b3JrZGlyLjI0OS9zdHJlc3NfenpfMDAwMDAxLnBuZyIsIndpZHRoIjoyMDB9LHsiY3VycmVudF9mcmFtZSI6ZmFsc2UsImhlaWdodCI6MTMzLCJpbmRleCI6MjQ0LCJyZWx4IjowLjgyMjM2MTU0NjQ5OTQ3NzYsInJlbHkiOjAuNDgzNDgzNDgzNDgzNDgzNDcsInVyaSI6ImZpbGU6Ly9sb2NhbGhvc3QvaG9tZS9zbHljYXQvc3JjL3NseWNhdC1kYXRhL1RBSVMvd29ya2Rpci4yNDUvc3RyZXNzX3p6XzAwMDAwMS5wbmciLCJ3aWR0aCI6MjAwfSx7ImN1cnJlbnRfZnJhbWUiOnRydWUsImhlaWdodCI6MTMzLCJpbmRleCI6MjQwLCJyZWx4IjowLjg1Njg0NDMwNTEyMDE2NzIsInJlbHkiOjAuNzA0MjA0MjA0MjA0MjA0MiwidXJpIjoiZmlsZTovL2xvY2FsaG9zdC9ob21lL3NseWNhdC9zcmMvc2x5Y2F0LWRhdGEvVEFJUy93b3JrZGlyLjI0MS9zdHJlc3NfenpfMDAwMDAxLnBuZyIsIndpZHRoIjoyMDB9XSwic2ltdWxhdGlvbi1zZWxlY3Rpb24iOlsyNDAsMjQ0LDI0OCwyNTJdLCJ2YXJpYWJsZS1zZWxlY3Rpb24iOiIxIiwieC1zZWxlY3Rpb24iOiIxIiwieS1zZWxlY3Rpb24iOiIyIn0=", "revpos": 2, "content_type": "application/json"}}}
{"feedstocks": ["descriptastorus"]}
{ "first_traded_price": 1.4e3, "highest_price": 1420.0, "isin": "IRO1PLKK0001", "last_traded_price": 1410.0, "lowest_price": 1313.0, "trade_volume": 3693234.0, "unix_time": 1436832000 }
{"user": {"description": "Writer, photographer, all-purpose artist, extreme overthinker and intensely self-indulgent partier, lover of life, hater of fools", "following": false, "profile_image_url": "http://pbs.twimg.com/profile_images/248626878/IMG_0167-1_normal.jpg", "verified": false, "listed_count": 32, "location": "Los Angeles", "default_profile_image": false, "profile_sidebar_fill_color": "E5507E", "time_zone": "Pacific Time (US & Canada)", "id": 16902654, "is_translation_enabled": false, "protected": false, "name": "Mia Gabrielle ", "profile_image_url_https": "https://pbs.twimg.com/profile_images/248626878/IMG_0167-1_normal.jpg", "profile_sidebar_border_color": "CC3366", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/5273805/IMG_0397.JPG", "geo_enabled": false, "default_profile": false, "profile_background_image_url_https": "https://pbs.twimg.com/profile_background_images/5273805/IMG_0397.JPG", "lang": "en", "is_translator": false, "friends_count": 265, "follow_request_sent": false, "url": null, "profile_link_color": "B40B43", "statuses_count": 21583, "favourites_count": 5508, "entities": {"description": {"urls": []}}, "profile_use_background_image": true, "created_at": "Wed Oct 22 08:56:04 +0000 2008", "profile_background_color": "FF6699", "profile_background_tile": false, "profile_text_color": "362720", "notifications": false, "utc_offset": -25200, "screen_name": "Snowblood_G", "contributors_enabled": false, "id_str": "16902654", "followers_count": 951}, "in_reply_to_status_id_str": null, "favorite_count": 0, "retweet_count": 0, "in_reply_to_user_id": null, "id": 100109709255778304, "truncated": false, "in_reply_to_screen_name": null, "coordinates": null, "geo": null, "in_reply_to_status_id": null, "source": "<a href=\"http://ubersocial.com\" rel=\"nofollow\">UberSocial for BlackBerry</a>", "entities": {"urls": [], "hashtags": [], "symbols": [], "user_mentions": [{"screen_name": "iAmOshun", "indices": [3, 12], "id": 17361115, "id_str": "17361115", "name": "Madame God Siren"}]}, "retweeted": false, "favorited": false, "created_at": "Sun Aug 07 07:43:09 +0000 2011", "id_str": "100109709255778304", "place": null, "in_reply_to_user_id_str": null, "lang": "en", "contributors": null, "text": "RT @iAmOshun \"Truth is like the sun. You can shut it out for a time, but it ain't goin' away.\", Elvis Presley"}
{ "car_frame": "9048f38f7c15b7da3d5eab2b421c84a1.jpg", "center of plate": [ 209, 365 ], "color": "ТЕМНО-СЕРЫЙ", "model": "KIA RIO" }
["a287b09dd1d059654dfa8355a5cdb54ef71b7979"]
[{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.536045","street":{"id":963630,"name":"On or near Nina Mackay Close"},"longitude":"0.006282"},"context":"","outcome_status":null,"persistent_id":"","id":48834504,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.538897","street":{"id":963745,"name":"On or near Edward Temme Avenue"},"longitude":"0.013560"},"context":"","outcome_status":null,"persistent_id":"","id":48833909,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.535051","street":{"id":963621,"name":"On or near Skiers Street"},"longitude":"0.003903"},"context":"","outcome_status":null,"persistent_id":"","id":48834525,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.538229","street":{"id":963627,"name":"On or near Paul Street"},"longitude":"0.004749"},"context":"","outcome_status":null,"persistent_id":"","id":48834518,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.540358","street":{"id":963730,"name":"On or near Hay Close"},"longitude":"0.010164"},"context":"","outcome_status":null,"persistent_id":"","id":48833951,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.532082","street":{"id":963707,"name":"On or near Ranelagh Road"},"longitude":"0.009770"},"context":"","outcome_status":null,"persistent_id":"","id":48833952,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.532248","street":{"id":963717,"name":"On or near Meath Road"},"longitude":"0.010585"},"context":"","outcome_status":null,"persistent_id":"","id":48833945,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.535100","street":{"id":963631,"name":"On or near New Plaistow Road"},"longitude":"0.008923"},"context":"","outcome_status":null,"persistent_id":"","id":48833959,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.535905","street":{"id":963608,"name":"On or near Parking Area"},"longitude":"0.007603"},"context":"","outcome_status":null,"persistent_id":"","id":48833969,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.535905","street":{"id":963608,"name":"On or near Parking Area"},"longitude":"0.007603"},"context":"","outcome_status":null,"persistent_id":"","id":48834480,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.534027","street":{"id":963715,"name":"On or near Moorey Close"},"longitude":"0.010188"},"context":"","outcome_status":null,"persistent_id":"","id":48833947,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.532248","street":{"id":963717,"name":"On or near Meath Road"},"longitude":"0.010585"},"context":"","outcome_status":null,"persistent_id":"","id":48833944,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.537591","street":{"id":963666,"name":"On or near Sports\/recreation Area"},"longitude":"0.007374"},"context":"","outcome_status":null,"persistent_id":"","id":48834482,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.534027","street":{"id":963715,"name":"On or near Moorey Close"},"longitude":"0.010188"},"context":"","outcome_status":null,"persistent_id":"","id":48833948,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.538153","street":{"id":963743,"name":"On or near Evesham Road"},"longitude":"0.010759"},"context":"","outcome_status":null,"persistent_id":"","id":48833949,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.536430","street":{"id":963651,"name":"On or near Church Street North"},"longitude":"0.007958"},"context":"","outcome_status":null,"persistent_id":"","id":48834483,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.535202","street":{"id":963749,"name":"On or near Cridland Street"},"longitude":"0.011912"},"context":"","outcome_status":null,"persistent_id":"","id":48833941,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.535202","street":{"id":963749,"name":"On or near Cridland Street"},"longitude":"0.011912"},"context":"","outcome_status":null,"persistent_id":"","id":48833940,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.535202","street":{"id":963749,"name":"On or near Cridland Street"},"longitude":"0.011912"},"context":"","outcome_status":null,"persistent_id":"","id":48833939,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.537760","street":{"id":963714,"name":"On or near Morton Road"},"longitude":"0.011145"},"context":"","outcome_status":null,"persistent_id":"","id":48833942,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.532324","street":{"id":963732,"name":"On or near Harcourt Road"},"longitude":"0.011396"},"context":"","outcome_status":null,"persistent_id":"","id":48833936,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.535202","street":{"id":963749,"name":"On or near Cridland Street"},"longitude":"0.011912"},"context":"","outcome_status":null,"persistent_id":"","id":48833928,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.533090","street":{"id":963718,"name":"On or near Maud Road"},"longitude":"0.016548"},"context":"","outcome_status":null,"persistent_id":"","id":48833871,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.539193","street":{"id":963620,"name":"On or near Tennyson Road"},"longitude":"0.007805"},"context":"","outcome_status":null,"persistent_id":"","id":48834484,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.536127","street":{"id":963712,"name":"On or near Park Road"},"longitude":"0.017735"},"context":"","outcome_status":null,"persistent_id":"","id":48833863,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.538565","street":{"id":963665,"name":"On or near Sports\/recreation Area"},"longitude":"0.006177"},"context":"","outcome_status":null,"persistent_id":"","id":48834491,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.538565","street":{"id":963665,"name":"On or near Sports\/recreation Area"},"longitude":"0.006177"},"context":"","outcome_status":null,"persistent_id":"","id":48834492,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.536127","street":{"id":963712,"name":"On or near Park Road"},"longitude":"0.017735"},"context":"","outcome_status":null,"persistent_id":"","id":48833862,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.536127","street":{"id":963712,"name":"On or near Park Road"},"longitude":"0.017735"},"context":"","outcome_status":null,"persistent_id":"","id":48833844,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.538565","street":{"id":963665,"name":"On or near Sports\/recreation Area"},"longitude":"0.006177"},"context":"","outcome_status":null,"persistent_id":"","id":48834493,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.534146","street":{"id":963700,"name":"On or near Stratford Road"},"longitude":"0.016335"},"context":"","outcome_status":null,"persistent_id":"","id":48833887,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.536127","street":{"id":963712,"name":"On or near Park Road"},"longitude":"0.017735"},"context":"","outcome_status":null,"persistent_id":"","id":48833843,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.538565","street":{"id":963665,"name":"On or near Sports\/recreation Area"},"longitude":"0.006177"},"context":"","outcome_status":null,"persistent_id":"","id":48834494,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.535306","street":{"id":963740,"name":"On or near Geere Road"},"longitude":"0.014224"},"context":"","outcome_status":null,"persistent_id":"","id":48833898,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.536281","street":{"id":963650,"name":"On or near Dell Close"},"longitude":"0.002457"},"context":"","outcome_status":null,"persistent_id":"","id":48834550,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.539449","street":{"id":963748,"name":"On or near Devenay Road"},"longitude":"0.011753"},"context":"","outcome_status":null,"persistent_id":"","id":48833946,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.536114","street":{"id":963644,"name":"On or near Hotham Street"},"longitude":"0.003286"},"context":"","outcome_status":null,"persistent_id":"","id":48834537,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.535351","street":{"id":963661,"name":"On or near Asland Road"},"longitude":"0.002661"},"context":"","outcome_status":null,"persistent_id":"","id":48834536,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.534457","street":{"id":963632,"name":"On or near Mortham Street"},"longitude":"0.003963"},"context":"","outcome_status":null,"persistent_id":"","id":48834534,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.533027","street":{"id":963660,"name":"On or near Bakers Row"},"longitude":"0.004492"},"context":"","outcome_status":null,"persistent_id":"","id":48834527,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.538565","street":{"id":963665,"name":"On or near Sports\/recreation Area"},"longitude":"0.006177"},"context":"","outcome_status":null,"persistent_id":"","id":48834495,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.531349","street":{"id":963790,"name":"On or near Wakelin Road"},"longitude":"0.005874"},"context":"","outcome_status":null,"persistent_id":"","id":48834496,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.536045","street":{"id":963630,"name":"On or near Nina Mackay Close"},"longitude":"0.006282"},"context":"","outcome_status":null,"persistent_id":"","id":48834498,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.535051","street":{"id":963621,"name":"On or near Skiers Street"},"longitude":"0.003903"},"context":"","outcome_status":null,"persistent_id":"","id":48834526,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.533881","street":{"id":963664,"name":"On or near Abbey Road"},"longitude":"0.005553"},"context":"","outcome_status":null,"persistent_id":"","id":48834502,"location_subtype":"","month":"2016-05"},{"category":"anti-social-behaviour","location_type":"Force","location":{"latitude":"51.533881","street":{"id":963664,"name":"On or near Abbey Road"},"longitude":"0.005553"},"context":"","outcome_status":null,"persistent_id":"","id":48834503,"location_subtype":"","month":"2016-05"},{"category":"bicycle-theft","location_type":"Force","location":{"latitude":"51.531989","street":{"id":963793,"name":"On or near Napier Road"},"longitude":"0.008901"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"93f34d9d81656ec43fa4473332da0c5ee3dfb4d675c465844462c504b028fc49","id":48858991,"location_subtype":"","month":"2016-05"},{"category":"burglary","location_type":"Force","location":{"latitude":"51.538897","street":{"id":963745,"name":"On or near Edward Temme Avenue"},"longitude":"0.013560"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-05"},"persistent_id":"8c8a4b3e964d9328132ae806996bf5eefbb3a62db5991798c746fed4d5ddd6c5","id":48846076,"location_subtype":"","month":"2016-05"},{"category":"burglary","location_type":"Force","location":{"latitude":"51.535357","street":{"id":963618,"name":"On or near Turley Close"},"longitude":"0.007060"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-08"},"persistent_id":"1ca09111e7c9aa0c81d2931aa8d0ba89dc8a7db6c9a967f3d97efd6e5cbb0305","id":48883848,"location_subtype":"","month":"2016-05"},{"category":"burglary","location_type":"Force","location":{"latitude":"51.529621","street":{"id":963788,"name":"On or near Tom Nolan Close"},"longitude":"0.006461"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-11"},"persistent_id":"6961385c20c4c5b268b53fbab6b85921ec7a6eecbd1758bb21954764743b43e6","id":48885376,"location_subtype":"","month":"2016-05"},{"category":"burglary","location_type":"Force","location":{"latitude":"51.539193","street":{"id":963620,"name":"On or near Tennyson Road"},"longitude":"0.007805"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"f9af3372c855b2f4533b5a14964db26ac2c0df2152ac23ca6abba978e2a531f3","id":48885702,"location_subtype":"","month":"2016-05"},{"category":"burglary","location_type":"Force","location":{"latitude":"51.538188","street":{"id":963642,"name":"On or near Hurry Close"},"longitude":"0.009261"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"faacd2b95547f5c2655f0d50b7fb7c7db16814c0e0f3a98388cb361cf7938fee","id":48844455,"location_subtype":"","month":"2016-05"},{"category":"burglary","location_type":"Force","location":{"latitude":"51.532603","street":{"id":963752,"name":"On or near Bull Road"},"longitude":"0.013470"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-06"},"persistent_id":"c6fa6eac29646a5cfa5770379850251b10e611d96950eb3b23fae67fc17ed186","id":48848322,"location_subtype":"","month":"2016-05"},{"category":"burglary","location_type":"Force","location":{"latitude":"51.532052","street":{"id":963736,"name":"On or near Greenwood Road"},"longitude":"0.016762"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-08"},"persistent_id":"0c016d8e3124ba882fe890c8a8a161f742c68da9389f83d09f4e993f2f88361d","id":48864601,"location_subtype":"","month":"2016-05"},{"category":"burglary","location_type":"Force","location":{"latitude":"51.538897","street":{"id":963745,"name":"On or near Edward Temme Avenue"},"longitude":"0.013560"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"75d803d0d5d6ed0ece01667a3b7f772d4564547dc066e53e531c39c92085a30d","id":48871392,"location_subtype":"","month":"2016-05"},{"category":"criminal-damage-arson","location_type":"Force","location":{"latitude":"51.534790","street":{"id":963757,"name":"On or near Ada Gardens"},"longitude":"0.012889"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"59ac49638497a8ae8c676cdbca37a71641d3daac15088ecb67cc1bc5f493690e","id":48874117,"location_subtype":"","month":"2016-05"},{"category":"criminal-damage-arson","location_type":"Force","location":{"latitude":"51.537896","street":{"id":963756,"name":"On or near Amity Road"},"longitude":"0.012680"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"18855f5068ba6e69fa214242f3a4b90d69a431c7b18143b2285019deaf3e1479","id":48895166,"location_subtype":"","month":"2016-05"},{"category":"criminal-damage-arson","location_type":"Force","location":{"latitude":"51.535905","street":{"id":963608,"name":"On or near Parking Area"},"longitude":"0.007603"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"24666ade4ec7070a245acfebf331acd944dc758f92e0245051c35fc043b7fe13","id":48858982,"location_subtype":"","month":"2016-05"},{"category":"criminal-damage-arson","location_type":"Force","location":{"latitude":"51.535100","street":{"id":963631,"name":"On or near New Plaistow Road"},"longitude":"0.008923"},"context":"","outcome_status":{"category":"Defendant found not guilty","date":"2016-08"},"persistent_id":"07bb565cb18b3a80e01d60087aecb2cec2b8d9d2973eeff14228281148218cb2","id":48879923,"location_subtype":"","month":"2016-05"},{"category":"criminal-damage-arson","location_type":"Force","location":{"latitude":"51.532603","street":{"id":963752,"name":"On or near Bull Road"},"longitude":"0.013470"},"context":"","outcome_status":{"category":"Offender given suspended prison sentence","date":"2017-01"},"persistent_id":"5e0530dd1e15934d659fab126c4504445d6ef68b405c6e772bbdc4bd66d927ea","id":48884817,"location_subtype":"","month":"2016-05"},{"category":"criminal-damage-arson","location_type":"Force","location":{"latitude":"51.533148","street":{"id":963633,"name":"On or near Mitre Road"},"longitude":"0.006876"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"2982103ba34af25f2da14d07354db56500a5970cb916ca1bcfa80bec6e4ee107","id":48854353,"location_subtype":"","month":"2016-05"},{"category":"drugs","location_type":"Force","location":{"latitude":"51.535202","street":{"id":963749,"name":"On or near Cridland Street"},"longitude":"0.011912"},"context":"","outcome_status":{"category":"Offender given penalty notice","date":"2016-05"},"persistent_id":"f125b5abb085e9eb16d786ae3f170436404e5092d81b6150fa2712c003fa9835","id":48874436,"location_subtype":"","month":"2016-05"},{"category":"drugs","location_type":"Force","location":{"latitude":"51.536045","street":{"id":963630,"name":"On or near Nina Mackay Close"},"longitude":"0.006282"},"context":"","outcome_status":{"category":"Offender given penalty notice","date":"2016-05"},"persistent_id":"f1d4ba89b7de1b25716e366b255449858f324d23d9a2faf2903f71eb656b33d8","id":48891884,"location_subtype":"","month":"2016-05"},{"category":"drugs","location_type":"Force","location":{"latitude":"51.535351","street":{"id":963661,"name":"On or near Asland Road"},"longitude":"0.002661"},"context":"","outcome_status":{"category":"Court case unable to proceed","date":"2016-10"},"persistent_id":"0e1c8a6b71cbe3c388cdae488a003579cf6e68efbcf644feea2e622852847162","id":48874656,"location_subtype":"","month":"2016-05"},{"category":"drugs","location_type":"Force","location":{"latitude":"51.540168","street":{"id":963731,"name":"On or near Hartland Road"},"longitude":"0.012319"},"context":"","outcome_status":{"category":"Offender sent to prison","date":"2016-05"},"persistent_id":"a2e397b5698f48b0c159ab6473bf77fc65fab748d1eb13b8fbb8c2dcf6738f4e","id":48887728,"location_subtype":"","month":"2016-05"},{"category":"drugs","location_type":"Force","location":{"latitude":"51.536893","street":{"id":963708,"name":"On or near Portway"},"longitude":"0.020292"},"context":"","outcome_status":{"category":"Offender given penalty notice","date":"2016-05"},"persistent_id":"ef3bc2d144617dd532d852d0caf46895350b333e94f033a35e60e51f83b6cc63","id":48851405,"location_subtype":"","month":"2016-05"},{"category":"drugs","location_type":"Force","location":{"latitude":"51.537225","street":{"id":963659,"name":"On or near Barnby Street"},"longitude":"0.005642"},"context":"","outcome_status":{"category":"Offender given penalty notice","date":"2016-05"},"persistent_id":"1cdf87504d4d9b38716a1dd9801877ab051bee72d3b38a63d7dd4f203e293f04","id":48872734,"location_subtype":"","month":"2016-05"},{"category":"drugs","location_type":"Force","location":{"latitude":"51.538229","street":{"id":963627,"name":"On or near Paul Street"},"longitude":"0.004749"},"context":"","outcome_status":{"category":"Offender given penalty notice","date":"2016-05"},"persistent_id":"77294287f08cb9a1969e7e84b49eadbd76cbebc69ed788d0a82dc91f2aa603f9","id":48876026,"location_subtype":"","month":"2016-05"},{"category":"drugs","location_type":"Force","location":{"latitude":"51.537225","street":{"id":963659,"name":"On or near Barnby Street"},"longitude":"0.005642"},"context":"","outcome_status":{"category":"Offender given a drugs possession warning","date":"2016-05"},"persistent_id":"7a5a6584725b5c35b1b4fa1fc7dfd44210a85c488479fc3ae883369613817367","id":48881198,"location_subtype":"","month":"2016-05"},{"category":"drugs","location_type":"Force","location":{"latitude":"51.536652","street":{"id":963646,"name":"On or near Elmgreen Close"},"longitude":"0.007592"},"context":"","outcome_status":{"category":"Offender given penalty notice","date":"2016-06"},"persistent_id":"0348162b8febb9672b5ac7778076eb3be173480f8ebad79d4a115fc16476af49","id":48874254,"location_subtype":"","month":"2016-05"},{"category":"drugs","location_type":"Force","location":{"latitude":"51.537110","street":{"id":963709,"name":"On or near Portway"},"longitude":"0.013928"},"context":"","outcome_status":{"category":"Offender given penalty notice","date":"2016-06"},"persistent_id":"929fd3146264ecba73ec171ab2b48e0eda54082a93e0029425bab349a45deef1","id":48870095,"location_subtype":"","month":"2016-05"},{"category":"drugs","location_type":"Force","location":{"latitude":"51.533148","street":{"id":963633,"name":"On or near Mitre Road"},"longitude":"0.006876"},"context":"","outcome_status":{"category":"Offender given penalty notice","date":"2016-05"},"persistent_id":"fe92f6fd5d5d2cabe223b19214f245491f8de774ef3aa8499c522b5991d89e26","id":48884239,"location_subtype":"","month":"2016-05"},{"category":"drugs","location_type":"Force","location":{"latitude":"51.538229","street":{"id":963627,"name":"On or near Paul Street"},"longitude":"0.004749"},"context":"","outcome_status":{"category":"Offender given penalty notice","date":"2016-06"},"persistent_id":"2da751018999498381ddd4362ec622d8584e12884141a04ca7cd382d15de3a70","id":48875382,"location_subtype":"","month":"2016-05"},{"category":"other-theft","location_type":"Force","location":{"latitude":"51.539063","street":{"id":963737,"name":"On or near Govier Close"},"longitude":"0.010150"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"7b2881bb1fcf0a2345b1f4e9fce5916b20bcc72a8282588a72efc7c87f5e5df4","id":48880389,"location_subtype":"","month":"2016-05"},{"category":"other-theft","location_type":"Force","location":{"latitude":"51.532926","street":{"id":963710,"name":"On or near Plaistow Road"},"longitude":"0.014580"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2017-12"},"persistent_id":"f1ea7338b43c27df07c1ca8e840f0782354501ee2dfb20be64bbfa0f9d1706f8","id":48859979,"location_subtype":"","month":"2016-05"},{"category":"other-theft","location_type":"Force","location":{"latitude":"51.532699","street":{"id":963719,"name":"On or near Maud Gardens"},"longitude":"0.015767"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"7165fa056b95b7d4f67abb8a155cefc2169113f6f585633ce1d4702ed8bd389f","id":48844856,"location_subtype":"","month":"2016-05"},{"category":"other-theft","location_type":"Force","location":{"latitude":"51.532926","street":{"id":963710,"name":"On or near Plaistow Road"},"longitude":"0.014580"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"9fec1c30230d9be365d57aff088170ccb6c4fcfa3845e3b43a7bf889ce759ff2","id":48847207,"location_subtype":"","month":"2016-05"},{"category":"other-theft","location_type":"Force","location":{"latitude":"51.532926","street":{"id":963710,"name":"On or near Plaistow Road"},"longitude":"0.014580"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"dcb2c55ee2fd2a9a521d1ee88fe7ecad5ecaabc3a2a0afdb6a80504852f9cdc7","id":48848350,"location_subtype":"","month":"2016-05"},{"category":"other-theft","location_type":"Force","location":{"latitude":"51.535357","street":{"id":963618,"name":"On or near Turley Close"},"longitude":"0.007060"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"6d29356e462a74b629e7193252410c40ae214b2f475c744db2d90f32675e8562","id":48866523,"location_subtype":"","month":"2016-05"},{"category":"other-theft","location_type":"Force","location":{"latitude":"51.532926","street":{"id":963710,"name":"On or near Plaistow Road"},"longitude":"0.014580"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"0c21198370fc9200a91b9678880495a707241e8e77ffabd8a2e28f7d91295b3e","id":48872120,"location_subtype":"","month":"2016-05"},{"category":"other-theft","location_type":"Force","location":{"latitude":"51.536261","street":{"id":963703,"name":"On or near St Lucia Drive"},"longitude":"0.010964"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"93b94985064e9c6f149fd4f2706ab2be5e200956e4657a831b67e45da49632ec","id":48892633,"location_subtype":"","month":"2016-05"},{"category":"public-order","location_type":"Force","location":{"latitude":"51.536261","street":{"id":963703,"name":"On or near St Lucia Drive"},"longitude":"0.010964"},"context":"","outcome_status":{"category":"Offender sent to prison","date":"2016-09"},"persistent_id":"b340fbc33c2d5015162633d088491ebb1c9c4d7791a858770e199b268cc1a0b7","id":48879905,"location_subtype":"","month":"2016-05"},{"category":"public-order","location_type":"Force","location":{"latitude":"51.540358","street":{"id":963730,"name":"On or near Hay Close"},"longitude":"0.010164"},"context":"","outcome_status":{"category":"Defendant found not guilty","date":"2017-09"},"persistent_id":"f6b3df6eb43ec4954e62859d566ba76c6541ea9abc085d3b1dda1a2044785b18","id":48844194,"location_subtype":"","month":"2016-05"},{"category":"public-order","location_type":"Force","location":{"latitude":"51.541449","street":{"id":963735,"name":"On or near Ham Park Road"},"longitude":"0.018865"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"a5db66c0cd75e0531a345c708cf740aeee4885571cdb9bbc721ce3096c6243c6","id":48887906,"location_subtype":"","month":"2016-05"},{"category":"robbery","location_type":"Force","location":{"latitude":"51.532082","street":{"id":963707,"name":"On or near Ranelagh Road"},"longitude":"0.009770"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"b7b98a4b90df9bba5240b909d5e1af91bbfbf5cd09994c9e81c7dac5488d444f","id":48889429,"location_subtype":"","month":"2016-05"},{"category":"robbery","location_type":"Force","location":{"latitude":"51.534187","street":{"id":963725,"name":"On or near Ladywell Street"},"longitude":"0.012891"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"bdc21490c70ae3fd979d4ec676224b2748e45ba327ef65f1397e09611bd518b6","id":48884090,"location_subtype":"","month":"2016-05"},{"category":"theft-from-the-person","location_type":"Force","location":{"latitude":"51.535557","street":{"id":963692,"name":"On or near West Road"},"longitude":"0.016354"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-05"},"persistent_id":"c975d0e951d307f495f7b7a52df4f462cbaa70fa59d7fd6216dc55cacd7acc94","id":48879930,"location_subtype":"","month":"2016-05"},{"category":"theft-from-the-person","location_type":"Force","location":{"latitude":"51.538229","street":{"id":963627,"name":"On or near Paul Street"},"longitude":"0.004749"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-08"},"persistent_id":"b6da2a8a40dc84f93da2a145621651d39dd8e712373701d1082621fc823bf91f","id":48893841,"location_subtype":"","month":"2016-05"},{"category":"theft-from-the-person","location_type":"Force","location":{"latitude":"51.532926","street":{"id":963710,"name":"On or near Plaistow Road"},"longitude":"0.014580"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"09274dbb3f9d45ee8c9922f2f17d7aef9a15b5563a01b43f468919849e9ac699","id":48847764,"location_subtype":"","month":"2016-05"},{"category":"vehicle-crime","location_type":"Force","location":{"latitude":"51.535202","street":{"id":963749,"name":"On or near Cridland Street"},"longitude":"0.011912"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"3e7f4a80ea42cb8e4e08605c74fd08837c0aba16e719df2efa4a98cd9d2651b4","id":48869106,"location_subtype":"","month":"2016-05"},{"category":"vehicle-crime","location_type":"Force","location":{"latitude":"51.534744","street":{"id":963726,"name":"On or near John Street"},"longitude":"0.011892"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"ba6a9b8dee598b52c78e5ad026cb507365db9659aba9808c1f38ff1b5cd2f4eb","id":48861890,"location_subtype":"","month":"2016-05"},{"category":"vehicle-crime","location_type":"Force","location":{"latitude":"51.533090","street":{"id":963718,"name":"On or near Maud Road"},"longitude":"0.016548"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"d9ff41e1fa12b16771a09cc3729ece40a0b339817a03a60edfaced9bdf06823c","id":48870455,"location_subtype":"","month":"2016-05"},{"category":"vehicle-crime","location_type":"Force","location":{"latitude":"51.536657","street":{"id":963623,"name":"On or near Savoy Close"},"longitude":"0.005199"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"a73ad6344076f9537f86f47ab558c9266aaa9069410dbff89ba1de9888ef9064","id":48893235,"location_subtype":"","month":"2016-05"},{"category":"vehicle-crime","location_type":"Force","location":{"latitude":"51.539735","street":{"id":963704,"name":"On or near Skelley Road"},"longitude":"0.012415"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-05"},"persistent_id":"a9c44610e89380b764ddbc5dfb012019220b102b62a502b39198d0e31c0f9c76","id":48866284,"location_subtype":"","month":"2016-05"},{"category":"vehicle-crime","location_type":"Force","location":{"latitude":"51.541449","street":{"id":963735,"name":"On or near Ham Park Road"},"longitude":"0.018865"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-05"},"persistent_id":"e9e5c34b9d09589eb405f665f9a76ff67014bce773d5075d7113bc0173f76de7","id":48866734,"location_subtype":"","month":"2016-05"},{"category":"vehicle-crime","location_type":"Force","location":{"latitude":"51.536045","street":{"id":963630,"name":"On or near Nina Mackay Close"},"longitude":"0.006282"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"cfd7e3aa127587b0a4803189f567f9c806df30639d35f204329f2aa810c1152b","id":48874232,"location_subtype":"","month":"2016-05"},{"category":"vehicle-crime","location_type":"Force","location":{"latitude":"51.535973","street":{"id":963624,"name":"On or near Sandal Street"},"longitude":"0.005212"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"d59d6736592ce71b15c8490dc2e2ae2d144d509f170039b1ae7e1ffdcd15691c","id":48861714,"location_subtype":"","month":"2016-05"},{"category":"vehicle-crime","location_type":"Force","location":{"latitude":"51.537896","street":{"id":963756,"name":"On or near Amity Road"},"longitude":"0.012680"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"86d05025667f615a9abb507f23ca57e45cf040568a9a6b660c2f3efab9c9ed50","id":48866482,"location_subtype":"","month":"2016-05"},{"category":"vehicle-crime","location_type":"Force","location":{"latitude":"51.532926","street":{"id":963710,"name":"On or near Plaistow Road"},"longitude":"0.014580"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"d24b4597ba9c82f144e8f821486345e30925d3333a18838e8b6f0d0ace8e30d3","id":48866575,"location_subtype":"","month":"2016-05"},{"category":"vehicle-crime","location_type":"Force","location":{"latitude":"51.536145","street":{"id":963652,"name":"On or near Church Street"},"longitude":"0.008868"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"d1598861a0037198818b2b627975973d356f817d0c51c862b482b12b15272201","id":48866354,"location_subtype":"","month":"2016-05"},{"category":"vehicle-crime","location_type":"Force","location":{"latitude":"51.533656","street":{"id":963706,"name":"On or near Redriffe Road"},"longitude":"0.015535"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"f2592c71e86043fd6ba9cc946738ef23a83accddb3f64c121eae2e83adf50071","id":48892551,"location_subtype":"","month":"2016-05"},{"category":"vehicle-crime","location_type":"Force","location":{"latitude":"51.531393","street":{"id":963795,"name":"On or near Eve Road"},"longitude":"0.008024"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"4b4e659e87d7b4c6b51a9d8cf120e513ac621c9098608759c9b1160933355e74","id":48868156,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.535905","street":{"id":963608,"name":"On or near Parking Area"},"longitude":"0.007603"},"context":"","outcome_status":{"category":"Offender sent to prison","date":"2016-05"},"persistent_id":"ad670dfe9f69ddb83dd1cf5cc02c8acc0a74ce08eacabb38c74940c23e56b58d","id":48863529,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.533656","street":{"id":963706,"name":"On or near Redriffe Road"},"longitude":"0.015535"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2017-07"},"persistent_id":"a049ce95fbfb2ebcb361e9d8c22753e2eaf1cbcf3b6d735a5f3a4b4d5c6ac7cf","id":48883514,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.540358","street":{"id":963730,"name":"On or near Hay Close"},"longitude":"0.010164"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"f39a58d14eeb89c8605fcdac92bae682218df2948a42f84563b372f0ea5f8511","id":48844901,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.534187","street":{"id":963725,"name":"On or near Ladywell Street"},"longitude":"0.012891"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2017-02"},"persistent_id":"b3d7c6048bb8b4a1c575d463242a40f1d23dbcecfeb1fecb4370db8ec962063a","id":48845249,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.533656","street":{"id":963706,"name":"On or near Redriffe Road"},"longitude":"0.015535"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"f2b293b7827af6a4f6ebcb5f1ff93124b131637ba2cc182fa923a151a13ad154","id":48857530,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.540358","street":{"id":963730,"name":"On or near Hay Close"},"longitude":"0.010164"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"e77fb33c716b906c0729b73287b2f2323f1e1871151660a2300e8f117429a06d","id":48863266,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.532926","street":{"id":963710,"name":"On or near Plaistow Road"},"longitude":"0.014580"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-10"},"persistent_id":"395609c8ca7e14726d502b0c721d49b1b3df31862245948a14a76326d59a0746","id":48913631,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.536375","street":{"id":963739,"name":"On or near Gift Lane"},"longitude":"0.010132"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"2e9c0297fc7fbd1245edd1e026b17eb0aa22158a8d9140c65f1776ac5dfecd04","id":48881593,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.535973","street":{"id":963624,"name":"On or near Sandal Street"},"longitude":"0.005212"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-09"},"persistent_id":"b6faafcd9a4171baefd2ff33bc8afe001b8a2fc09e251b65551b519184078b1e","id":48881445,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.534187","street":{"id":963725,"name":"On or near Ladywell Street"},"longitude":"0.012891"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"cacb57b65e6b483200c222d7aea6a25dd44c238bed628cb9bdc843c2a74259d4","id":48843909,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.540358","street":{"id":963730,"name":"On or near Hay Close"},"longitude":"0.010164"},"context":"","outcome_status":{"category":"Court result unavailable","date":"2016-11"},"persistent_id":"f39a58d14eeb89c8605fcdac92bae682218df2948a42f84563b372f0ea5f8511","id":48844902,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.532699","street":{"id":963719,"name":"On or near Maud Gardens"},"longitude":"0.015767"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-06"},"persistent_id":"974e92382bb4ff5c2d13cd7067cbeef7aea13428b0364d132a1d7682d629724e","id":48846813,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.541449","street":{"id":963735,"name":"On or near Ham Park Road"},"longitude":"0.018865"},"context":"","outcome_status":{"category":"Court result unavailable","date":"2017-01"},"persistent_id":"831de6882df82bf7942e1945a9bec1e37534d4b2804909f42523d1f2364a7622","id":48850904,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.534821","street":{"id":963649,"name":"On or near Eastbourne Road"},"longitude":"0.007368"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-09"},"persistent_id":"11e99f9629d6da6c1f155f0349d556772fc2e65d94805ff8525d8cf3385e2db8","id":48859741,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.533656","street":{"id":963706,"name":"On or near Redriffe Road"},"longitude":"0.015535"},"context":"","outcome_status":{"category":"Offender given a caution","date":"2016-05"},"persistent_id":"5d1341df393bc0654dc4f3afe6c012d92769a7f0e0de6ee105a1d75693d7d9e5","id":48859609,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.538858","street":{"id":963697,"name":"On or near Vicarage Lane"},"longitude":"0.010559"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-10"},"persistent_id":"e6aee191767551155e00bdc3aaf323b43fa380be7b655b59cca62bb618a7f264","id":48859608,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.531916","street":{"id":963785,"name":"On or near Morley Road"},"longitude":"0.013685"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-08"},"persistent_id":"ffb338966c67c851304933f1f1a550fd13ae28fdd3af627b21f8271f332a7fc9","id":48860861,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.531989","street":{"id":963793,"name":"On or near Napier Road"},"longitude":"0.008901"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"6b4a16f354dde3718a82aaa81b092bef5f719cf77442237f4c20e835bc4775c8","id":48863357,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.540358","street":{"id":963730,"name":"On or near Hay Close"},"longitude":"0.010164"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"b66f4d7618a8ee3b0fee4d53adbac80ee8c708c9649b432916f8044a217b485c","id":48864037,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.540358","street":{"id":963730,"name":"On or near Hay Close"},"longitude":"0.010164"},"context":"","outcome_status":{"category":"Offender given a caution","date":"2016-05"},"persistent_id":"b66f4d7618a8ee3b0fee4d53adbac80ee8c708c9649b432916f8044a217b485c","id":48864038,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.538229","street":{"id":963627,"name":"On or near Paul Street"},"longitude":"0.004749"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-06"},"persistent_id":"b151ab90fc2b4e8dad0bb2bfbe3ac934bb666fe1250f9ac4b5edaccc3f3bb56c","id":48868013,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.537946","street":{"id":963716,"name":"On or near Meeson Road"},"longitude":"0.011860"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"a9af9d2ce7365566caa73ac042f17c25472a8e500208d259438fa8e782f94b3e","id":48870094,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.536882","street":{"id":963813,"name":"On or near Mcewan Way"},"longitude":"0.002022"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-06"},"persistent_id":"422e052db866a36af3299e779fe142ea1b2b7165809e0f70d669039ef829c394","id":48870055,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.534457","street":{"id":963632,"name":"On or near Mortham Street"},"longitude":"0.003963"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"6b8db70a4eb05f1dba0ae5894f1ef2588cd2ff6469c393097848c57a54877f7a","id":48872957,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.537225","street":{"id":963659,"name":"On or near Barnby Street"},"longitude":"0.005642"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-06"},"persistent_id":"17132cd713398b88d8a3b9defed99a327da0c0d31d4c08b09335a372cddb7006","id":48874781,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.537032","street":{"id":963634,"name":"On or near Marriott Road"},"longitude":"0.003788"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"11dd4750960924cf5a8fd76e78de107fb56911b73024af2065452e4d4894df31","id":48875733,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.536127","street":{"id":963712,"name":"On or near Park Road"},"longitude":"0.017735"},"context":"","outcome_status":{"category":"Court result unavailable","date":"2016-12"},"persistent_id":"d654d1cb4e02d13ded9ca8abb2f4151e1c3e5254646d899ac76777a1f8b92be4","id":48877930,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.532699","street":{"id":963719,"name":"On or near Maud Gardens"},"longitude":"0.015767"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"0156e8bd5899c0940d670ca4f947c557a41fe180d8bb4f3bbee8d24d84d59da4","id":48879431,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.531866","street":{"id":963791,"name":"On or near Richardson Road"},"longitude":"0.005608"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"9314be09705d35f9c0ca20efc7dcd4a04fdddb42b6d2ef3ace72874ce5d27fa4","id":48880117,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.531866","street":{"id":963791,"name":"On or near Richardson Road"},"longitude":"0.005608"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"9314be09705d35f9c0ca20efc7dcd4a04fdddb42b6d2ef3ace72874ce5d27fa4","id":48880118,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.531866","street":{"id":963791,"name":"On or near Richardson Road"},"longitude":"0.005608"},"context":"","outcome_status":{"category":"Offender given a caution","date":"2016-07"},"persistent_id":"9314be09705d35f9c0ca20efc7dcd4a04fdddb42b6d2ef3ace72874ce5d27fa4","id":48880119,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.538229","street":{"id":963627,"name":"On or near Paul Street"},"longitude":"0.004749"},"context":"","outcome_status":{"category":"Status update unavailable","date":"2016-09"},"persistent_id":"4baa80798b794163712738dcaf7a43de32fe3438fe18fcf869d468099d219a4e","id":48882184,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.538229","street":{"id":963627,"name":"On or near Paul Street"},"longitude":"0.004749"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"4baa80798b794163712738dcaf7a43de32fe3438fe18fcf869d468099d219a4e","id":48882185,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.538188","street":{"id":963642,"name":"On or near Hurry Close"},"longitude":"0.009261"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-06"},"persistent_id":"25ee6c61d467b021143a9d0b5981890f7e441949ef709fb8a750d16528749d97","id":48882786,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.531916","street":{"id":963785,"name":"On or near Morley Road"},"longitude":"0.013685"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-06"},"persistent_id":"eea607ee77de89d1fd8968f387199c3eab1021308bf814b3fcad72939c4305f0","id":48885099,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.533656","street":{"id":963706,"name":"On or near Redriffe Road"},"longitude":"0.015535"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-10"},"persistent_id":"0ff19842d28e393f85473f05cb2182a67ea3325980ef4012a49ceaaf68ad6a1f","id":48887816,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.535202","street":{"id":963749,"name":"On or near Cridland Street"},"longitude":"0.011912"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"c590f1e2d98862a9c4380d2fb9fb3026ad2d5a0a38623119fc7f54e794ba4b53","id":48895167,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.535202","street":{"id":963749,"name":"On or near Cridland Street"},"longitude":"0.011912"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-05"},"persistent_id":"ae15644c8c58621c49353a7a988bf56934a2704b8e1c0e62f52e3bdfc178093e","id":48908967,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.540358","street":{"id":963730,"name":"On or near Hay Close"},"longitude":"0.010164"},"context":"","outcome_status":{"category":"Court result unavailable","date":"2016-11"},"persistent_id":"6433db0ecd3323bbce643acc795edaacc021b76a3af8713e8111a14f1b1d5967","id":48897595,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.532699","street":{"id":963719,"name":"On or near Maud Gardens"},"longitude":"0.015767"},"context":"","outcome_status":{"category":"Offender given a caution","date":"2016-05"},"persistent_id":"808d15cc41177de674ef319378782b8627a86ef138d3375e553bd15b268ad9bd","id":48854382,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.532324","street":{"id":963732,"name":"On or near Harcourt Road"},"longitude":"0.011396"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-05"},"persistent_id":"857620688d39b074dacf2ee5cee658f8acb66dfabf0b840f38a96dfb681ffdcd","id":48868036,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.534821","street":{"id":963649,"name":"On or near Eastbourne Road"},"longitude":"0.007368"},"context":"","outcome_status":{"category":"Court result unavailable","date":"2017-04"},"persistent_id":"4932899286a1f2f7034f58844c2cf48d2ddd87b687bf94db96b1c560c4c21a42","id":48864811,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.534790","street":{"id":963757,"name":"On or near Ada Gardens"},"longitude":"0.012889"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"6242643ebf550abf627fcdf56eca7cd8cff49d2c66aecdbfc8c2eb8212e761dd","id":48844478,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.533027","street":{"id":963660,"name":"On or near Bakers Row"},"longitude":"0.004492"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"56b2ade001be51e1ad43f6896d4506397c62b60df7b219f69bf555ab91e4cb0b","id":48880419,"location_subtype":"","month":"2016-05"},{"category":"violent-crime","location_type":"Force","location":{"latitude":"51.537225","street":{"id":963659,"name":"On or near Barnby Street"},"longitude":"0.005642"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2017-04"},"persistent_id":"3c25ca179046ebed6fc66d0f25250853231785bb5414644ff7bea6c9ce1b9315","id":48883390,"location_subtype":"","month":"2016-05"},{"category":"other-crime","location_type":"Force","location":{"latitude":"51.533708","street":{"id":963702,"name":"On or near Stephen's Road"},"longitude":"0.009900"},"context":"","outcome_status":{"category":"Defendant found not guilty","date":"2016-11"},"persistent_id":"c66164d35ff0d1eb1d542ad0ac28026a08acd2680d67d17730fd7cf2cacb5dc3","id":48893274,"location_subtype":"","month":"2016-05"},{"category":"other-crime","location_type":"Force","location":{"latitude":"51.536430","street":{"id":963651,"name":"On or near Church Street North"},"longitude":"0.007958"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-07"},"persistent_id":"e5b9cc5172bf8d299d8dc0433fe2379047bbdbd6d6905c69a007022284db0326","id":48884821,"location_subtype":"","month":"2016-05"},{"category":"other-crime","location_type":"Force","location":{"latitude":"51.534187","street":{"id":963725,"name":"On or near Ladywell Street"},"longitude":"0.012891"},"context":"","outcome_status":{"category":"Investigation complete; no suspect identified","date":"2016-08"},"persistent_id":"0457519dbe6b8468f1396594d0c28d8cb21d377aae9eba530174054777691b86","id":48867670,"location_subtype":"","month":"2016-05"}]
[[["woman", 3860], ["won", 2825], ["president", 2708], ["think", 2594], ["tonight's", 2463], ["candy", 1762], ["crowley", 1717], ["you're", 1681], ["right", 1677], ["libya", 1625], ["would", 1597], ["binder", 1514], ["great", 1506], ["mexican", 1479], ["black", 1459], ["say", 1417], ["gay", 1389], ["tonight", 1382], ["poor", 1377], ["student", 1367], ["dog", 1363], ["unless", 1360], ["presidency", 1355], ["video", 1070], ["full", 1066], ["like", 1001], ["doesn't", 901], ["one", 868], ["fact", 826], ["actually", 796], ["main", 749], ["job", 742], ["stop", 736], ["presidential", 703], ["listen", 691], ["takeaway", 662], ["don't", 660], ["watch", 659], ["time", 613], ["get", 569], ["people", 564], ["question", 535], ["voter", 515], ["cnn\u2019s", 479], ["news", 479], ["second", 436], ["moderator", 413], ["tweet", 407], ["candidate", 403], ["check", 398], ["vote", 397], ["gun", 390], ["poll", 390], ["wrong", 388], ["twitter", 354], ["fox", 330], ["said", 322], ["word", 318], ["benghazi", 293], ["group", 285], ["big", 283], ["new", 275], ["focus", 273], ["know", 267], ["it's", 258], ["need", 256], ["didn't", 247], ["want", 243], ["year", 242], ["oil", 241], ["answer", 234], ["going", 227], ["really", 225], ["undecided", 222], ["attack", 215], ["can't", 214], ["luntz", 201], ["good", 191], ["haven't", 189], ["climate", 184], ["guy", 182], ["back", 182], ["number", 175], ["gas", 175], ["long", 175], ["change", 172], ["viral", 164], ["permit", 162], ["love", 158], ["make", 158], ["former", 155], ["minute", 155], ["medium", 155], ["text", 155], ["last", 154], ["million", 152], ["tax", 150], ["photo", 147], ["cnn", 147], ["ecosystem", 146]], [["@huffingtonpost", 2722], ["@chrisrockoz", 2528], ["@mittromney", 685], ["@reince", 605], ["@abc", 399], ["@barackobama", 379], ["@romneyresponse", 353], ["@chrisdelia", 317], ["@crowleycnn", 294], ["@onionpolitics", 269], ["@karlrove", 236], ["@romneysbinder", 223], ["@cnn", 212], ["@cenkuygur", 186], ["@gov", 168], ["@yahoonews", 163], ["@dickmorristweet", 160], ["@kerstinshamberg", 148], ["@kim", 146], ["@bbcworld", 143], ["@romneybinders", 138], ["@shelbywhite", 131], ["@jesseinoh", 129], ["@itswillyferrell", 129], ["@gurmeetsingh", 121], ["@newsninja2012", 117], ["@darthvader", 110], ["@gop", 108], ["@jordansekulow", 107], ["@michaelskolnik", 100], ["@upworthy", 98], ["@reuterspolitics", 97], ["@mcuban", 97], ["@kmichelle", 96], ["@grrr", 96], ["@andreamsaul", 90], ["@producermatthew", 89], ["@krmullins1964", 84], ["@mikedrucker", 80], ["@teamromney", 79], ["@cbsnews", 75], ["@annmcelhinney", 75], ["@arrghpaine", 75], ["@rncresearch", 73], ["@benhowe", 73], ["@incognito912", 67], ["@marieclaire", 64], ["@bernardgoldberg", 60], ["@indecision", 60], ["@ebonymag", 60], ["@toddbarry", 59], ["@kakukowski", 58], ["@gretawire", 58], ["@sistertoldjah", 58], ["@huffpostpol", 57], ["@andrewhclark", 57], ["@hofstrau", 54], ["@yahooticket", 54], ["@middleamericams", 52], ["@nydailynews", 51], ["@antderosa", 51], ["@bearoosky", 51], ["@tyleroakley", 51], ["@yerdua", 49], ["@huffpostmedia", 49], ["@waff48", 48], ["@cschweitz", 48], ["@jrubinblogger", 48], ["@occupywallst", 48], ["@msnbc", 45], ["@goprincess", 45], ["@angelikuh", 45], ["@ggitcho", 43], ["@cracked", 42], ["@megynkelly", 41], ["@bucksexton", 40], ["@politicoroger", 39], ["@littleslav", 38], ["@willmckinley", 38], ["@agnte", 37], ["@ajstream", 36], ["@justin", 36], ["@danabrams", 34], ["@chucktodd", 31], ["@joeheim", 31], ["@erik", 31], ["@annasekulow", 31], ["@bbcbreaking", 30], ["@kesgardner", 30], ["@fnc", 30], ["@glen", 30], ["@ppact", 30], ["@bad", 29], ["@sportsnation", 29], ["@robdelaney", 28], ["@keahukahuanui", 28], ["@jilliandeltoro", 28], ["@seanhannity", 28], ["@hardball", 28], ["@candilissa", 27]], [["#debates", 23668], ["#leadfromwithin", 1321], ["#debate", 1094], ["#tcot", 1014], ["#debate2012", 590], ["#romney", 563], ["#obama", 556], ["#romneyryan2012", 507], ["#bindersfullofwomen", 496], ["#hofstradebate", 464], ["#p2", 286], ["#cantafford4more", 253], ["#current2012", 196], ["#obama2012", 166], ["#election2012", 164], ["#teamobama", 156], ["#binderfullofwomen", 145], ["#fastandfurious", 135], ["#cnndebate", 134], ["#gop", 130], ["#atfgunwalking", 119], ["#election", 100], ["#tlot", 71], ["#cnn", 69], ["#hofdebate", 67], ["#hofstradebates", 58], ["#libya", 54], ["#teaparty", 53], ["#mittromney", 48], ["#binders", 48], ["#weed", 46], ["#stonersafterdark", 45], ["#bindersofwomen", 44], ["#wiright", 37], ["#mitt", 37], ["#binder", 35], ["#lnyhbt", 34], ["#obamawinning", 34], ["#ryan", 33], ["#immigration", 32], ["#news", 31], ["#birthorder", 31], ["#benghazi", 30], ["#fb", 29], ["#tpp", 28], ["#presidentialdebate", 26], ["#potus", 25], ["#teambarack", 25], ["#fail", 25], ["#msnbc2012", 24], ["#vote", 23], ["#romneyryan", 23], ["#msnbc", 23], ["#cspan2012", 22], ["#shitstorm2012", 22], ["#energy", 21], ["#realromney", 21], ["#mockthevote", 21], ["#getglue", 21], ["#strong", 21], ["#war", 20], ["#rnc", 20], ["#politics", 20], ["#forward", 20], ["#shevotes", 20], ["#women", 19], ["#ablc", 19], ["#ajstream", 19], ["#debates2012", 19], ["#bindergate", 19], ["#tfy", 19], ["#townhalldebate", 19], ["#romney2012", 18], ["#barackobama", 18], ["#votolatino", 18], ["#changethedebate", 18], ["#youtubepolitics", 17], ["#foxnews", 17], ["#livebinders", 17], ["#obamacare", 16], ["#spinroom", 16], ["#candycrowley", 15], ["#occupy", 15], ["#sensata", 15], ["#factsmatter", 15], ["#mitt2012", 15], ["#malarkey", 15], ["#waronwomen", 14], ["#ctl", 14], ["#politicalpickuplines", 14], ["#candy", 14], ["#mittens", 14], ["#decision2012", 13], ["#romenyryan2012", 13], ["#dems", 13], ["#rs", 13], ["#president", 13], ["#nra", 13], ["#wiunion", 13], ["#failingagenda", 13]], [["Romney", 11233], ["Obama", 6633]]]
[ {"value": 7665017, "isPrime": true}, {"value": 7665023, "isPrime": true}, {"value": 7665061, "isPrime": true}, {"value": 7665071, "isPrime": true}, {"value": 7665083, "isPrime": true}, {"value": 7665101, "isPrime": true}, {"value": 7665107, "isPrime": true}, {"value": 7665127, "isPrime": true}, {"value": 7665131, "isPrime": true}, {"value": 7665143, "isPrime": true}, {"value": 7665149, "isPrime": true}, {"value": 7665167, "isPrime": true}, {"value": 7665191, "isPrime": true}, {"value": 7665197, "isPrime": true}, {"value": 7665239, "isPrime": true}, {"value": 7665247, "isPrime": true}, {"value": 7665257, "isPrime": true}, {"value": 7665271, "isPrime": true}, {"value": 7665311, "isPrime": true}, {"value": 7665313, "isPrime": true}, {"value": 7665347, "isPrime": true}, {"value": 7665353, "isPrime": true}, {"value": 7665389, "isPrime": true}, {"value": 7665397, "isPrime": true}, {"value": 7665407, "isPrime": true}, {"value": 7665431, "isPrime": true}, {"value": 7665439, "isPrime": true}, {"value": 7665451, "isPrime": true}, {"value": 7665461, "isPrime": true}, {"value": 7665491, "isPrime": true}, {"value": 7665503, "isPrime": true}, {"value": 7665517, "isPrime": true}, {"value": 7665527, "isPrime": true}, {"value": 7665533, "isPrime": true}, {"value": 7665547, "isPrime": true}, {"value": 7665557, "isPrime": true}, {"value": 7665571, "isPrime": true}, {"value": 7665583, "isPrime": true}, {"value": 7665613, "isPrime": true}, {"value": 7665641, "isPrime": true}, {"value": 7665667, "isPrime": true}, {"value": 7665703, "isPrime": true}, {"value": 7665731, "isPrime": true}, {"value": 7665733, "isPrime": true}, {"value": 7665737, "isPrime": true}, {"value": 7665743, "isPrime": true}, {"value": 7665751, "isPrime": true}, {"value": 7665769, "isPrime": true}, {"value": 7665781, "isPrime": true}, {"value": 7665787, "isPrime": true}, {"value": 7665821, "isPrime": true}, {"value": 7665829, "isPrime": true}, {"value": 7665851, "isPrime": true}, {"value": 7665859, "isPrime": true}, {"value": 7665863, "isPrime": true}, {"value": 7665881, "isPrime": true}, {"value": 7665899, "isPrime": true}, {"value": 7665907, "isPrime": true}, {"value": 7665913, "isPrime": true}, {"value": 7665953, "isPrime": true}, {"value": 7665967, "isPrime": true}, {"value": 7665979, "isPrime": true} ]
{ "actions": [ { "acted_at": "1979-01-22", "committee": "House Committee on the Judiciary", "references": [], "status": "REFERRED", "text": "Referred to House Committee on the Judiciary.", "type": "referral" } ], "amendments": [], "bill_id": "hr1173-96", "bill_type": "hr", "committees": [ { "activity": [ "referral", "in committee" ], "committee": "House Judiciary", "committee_id": "HSJU" } ], "congress": "96", "cosponsors": [ { "district": "40", "name": "Badham, Robert E.", "sponsored_at": "1979-01-03", "state": "CA", "thomas_id": "00039", "title": "Rep", "withdrawn_at": null }, { "district": "10", "name": "Bafalis, L. A. (Skip)", "sponsored_at": "1979-01-03", "state": "FL", "thomas_id": "00042", "title": "Rep", "withdrawn_at": null }, { "district": "1", "name": "Bauman, Robert E.", "sponsored_at": "1979-01-03", "state": "MD", "thomas_id": "00067", "title": "Rep", "withdrawn_at": null }, { "district": "4", "name": "Bevill, Tom", "sponsored_at": "1979-01-03", "state": "AL", "thomas_id": "00084", "title": "Rep", "withdrawn_at": null }, { "district": "2", "name": "Bowen, David R.", "sponsored_at": "1979-01-03", "state": "MS", "thomas_id": "00115", "title": "Rep", "withdrawn_at": null }, { "district": "43", "name": "Burgener, Clair W.", "sponsored_at": "1979-01-03", "state": "CA", "thomas_id": "00147", "title": "Rep", "withdrawn_at": null }, { "district": "1", "name": "Carney, William", "sponsored_at": "1979-01-03", "state": "NY", "thomas_id": "00178", "title": "Rep", "withdrawn_at": null }, { "district": "2", "name": "Cleveland, James C.", "sponsored_at": "1979-01-03", "state": "NH", "thomas_id": "00206", "title": "Rep", "withdrawn_at": null }, { "district": "3", "name": "Collins, James M.", "sponsored_at": "1979-01-03", "state": "TX", "thomas_id": "00221", "title": "Rep", "withdrawn_at": null }, { "district": "15", "name": "Corcoran, Tom", "sponsored_at": "1979-01-03", "state": "IL", "thomas_id": "00233", "title": "Rep", "withdrawn_at": null }, { "district": "22", "name": "Crane, Daniel B.", "sponsored_at": "1979-01-03", "state": "IL", "thomas_id": "00248", "title": "Rep", "withdrawn_at": null }, { "district": "4", "name": "Daniel, Robert W., Jr.", "sponsored_at": "1979-01-03", "state": "VA", "thomas_id": "00260", "title": "Rep", "withdrawn_at": null }, { "district": "5", "name": "Daniel, W. C. (Dan)", "sponsored_at": "1979-01-03", "state": "VA", "thomas_id": "00261", "title": "Rep", "withdrawn_at": null }, { "district": "39", "name": "Dannemeyer, William E.", "sponsored_at": "1979-01-03", "state": "CA", "thomas_id": "00264", "title": "Rep", "withdrawn_at": null }, { "district": "12", "name": "Devine, Samuel L.", "sponsored_at": "1979-01-03", "state": "OH", "thomas_id": "00292", "title": "Rep", "withdrawn_at": null }, { "district": "27", "name": "Dornan, Robert K.", "sponsored_at": "1979-01-03", "state": "CA", "thomas_id": "00310", "title": "Rep", "withdrawn_at": null }, { "district": null, "name": "Evans, Melvin H.", "sponsored_at": "1979-01-03", "state": "VI", "thomas_id": "00362", "title": "Rep", "withdrawn_at": null }, { "district": "11", "name": "Flood, Daniel J.", "sponsored_at": "1979-01-03", "state": "PA", "thomas_id": "00391", "title": "Rep", "withdrawn_at": null }, { "district": "4", "name": "Holt, Marjorie S.", "sponsored_at": "1979-01-03", "state": "MD", "thomas_id": "00555", "title": "Rep", "withdrawn_at": null }, { "district": "5", "name": "Huckaby, Thomas J. (Jerry)", "sponsored_at": "1979-01-03", "state": "LA", "thomas_id": "00569", "title": "Rep", "withdrawn_at": null }, { "district": "6", "name": "Hyde, Henry J.", "sponsored_at": "1979-01-03", "state": "IL", "thomas_id": "00580", "title": "Rep", "withdrawn_at": null }, { "district": "8", "name": "Kindness, Thomas N.", "sponsored_at": "1979-01-03", "state": "OH", "thomas_id": "00633", "title": "Rep", "withdrawn_at": null }, { "district": "19", "name": "Lagomarsino, Robert J.", "sponsored_at": "1979-01-03", "state": "CA", "thomas_id": "00658", "title": "Rep", "withdrawn_at": null }, { "district": "4", "name": "Leach, Claude (Buddy), Jr.", "sponsored_at": "1979-01-03", "state": "LA", "thomas_id": "00671", "title": "Rep", "withdrawn_at": null }, { "district": "1", "name": "Livingston, Bob", "sponsored_at": "1979-01-03", "state": "LA", "thomas_id": "00696", "title": "Rep", "withdrawn_at": null }, { "district": "5", "name": "Lott, Trent", "sponsored_at": "1979-01-03", "state": "MS", "thomas_id": "00707", "title": "Rep", "withdrawn_at": null }, { "district": "34", "name": "Lungren, Daniel E.", "sponsored_at": "1979-01-03", "state": "CA", "thomas_id": "00717", "title": "Rep", "withdrawn_at": null }, { "district": "7", "name": "McDonald, Lawrence P.", "sponsored_at": "1979-01-03", "state": "GA", "thomas_id": "00767", "title": "Rep", "withdrawn_at": null }, { "district": "10", "name": "Miller, Clarence E.", "sponsored_at": "1979-01-03", "state": "OH", "thomas_id": "00806", "title": "Rep", "withdrawn_at": null }, { "district": "3", "name": "Montgomery, G. V. (Sonny)", "sponsored_at": "1979-01-03", "state": "MS", "thomas_id": "00827", "title": "Rep", "withdrawn_at": null }, { "district": "22", "name": "Murphy, Austin J.", "sponsored_at": "1979-01-03", "state": "PA", "thomas_id": "00841", "title": "Rep", "withdrawn_at": null }, { "district": "17", "name": "Murphy, John M.", "sponsored_at": "1979-01-03", "state": "NY", "thomas_id": "00842", "title": "Rep", "withdrawn_at": null }, { "district": "22", "name": "Paul, Ron", "sponsored_at": "1979-01-03", "state": "TX", "thomas_id": "00900", "title": "Rep", "withdrawn_at": null }, { "district": "7", "name": "Perkins, Carl Dewey", "sponsored_at": "1979-01-03", "state": "KY", "thomas_id": "00908", "title": "Rep", "withdrawn_at": null }, { "district": "7", "name": "Robinson, J. Kenneth", "sponsored_at": "1979-01-03", "state": "VA", "thomas_id": "00970", "title": "Rep", "withdrawn_at": null }, { "district": "26", "name": "Rousselot, John H.", "sponsored_at": "1979-01-03", "state": "CA", "thomas_id": "00992", "title": "Rep", "withdrawn_at": null }, { "district": "4", "name": "Rudd, Eldon D.", "sponsored_at": "1979-01-03", "state": "AZ", "thomas_id": "01000", "title": "Rep", "withdrawn_at": null }, { "district": "29", "name": "Solomon, Gerald B. H.", "sponsored_at": "1979-01-03", "state": "NY", "thomas_id": "01088", "title": "Rep", "withdrawn_at": null }, { "district": "1", "name": "Symms, Steven D.", "sponsored_at": "1979-01-03", "state": "ID", "thomas_id": "01132", "title": "Rep", "withdrawn_at": null }, { "district": "3", "name": "Treen, David C.", "sponsored_at": "1979-01-03", "state": "LA", "thomas_id": "01168", "title": "Rep", "withdrawn_at": null }, { "district": "16", "name": "Walker, Robert S.", "sponsored_at": "1979-01-03", "state": "PA", "thomas_id": "01196", "title": "Rep", "withdrawn_at": null }, { "district": "2", "name": "Whitehurst, G. William", "sponsored_at": "1979-01-03", "state": "VA", "thomas_id": "01221", "title": "Rep", "withdrawn_at": null }, { "district": "15", "name": "Wylie, Chalmers P.", "sponsored_at": "1979-01-03", "state": "OH", "thomas_id": "01249", "title": "Rep", "withdrawn_at": null }, { "district": "6", "name": "Yatron, Gus", "sponsored_at": "1979-01-03", "state": "PA", "thomas_id": "01253", "title": "Rep", "withdrawn_at": null }, { "district": "98", "name": "Young, Don", "sponsored_at": "1979-01-03", "state": "AK", "thomas_id": "01256", "title": "Rep", "withdrawn_at": null } ], "enacted_as": null, "history": { "awaiting_signature": false, "enacted": false, "vetoed": false }, "introduced_at": "1979-01-22", "number": "1173", "official_title": "A bill to limit the jurisdiction of the Supreme Court of the United States and of the district courts to enter any judgment, decree, or order, denying or restricting, as unconstitutional, voluntary prayer in any public school.", "popular_title": null, "related_bills": [ { "bill_id": "hr466-96", "reason": "identical" } ], "short_title": null, "sponsor": { "district": "17", "name": "Ashbrook, John M.", "state": "OH", "thomas_id": "00031", "title": "Rep", "type": "person" }, "status": "REFERRED", "status_at": "1979-01-22", "subjects": [ "Courts and Civil Procedure", "District courts", "Education", "Jurisdiction", "Law", "Religion and Clergy", "Religion in the public schools", "Supreme Court" ], "subjects_top_term": "Religion in the public schools", "summary": { "as": "Introduced", "date": "1979-01-22", "text": "Removes the jurisdiction of the Supreme Court of the United States and the Federal district courts over any case arising out of any State statute, ordinance, rule or regulation, which relates to voluntary prayers in public schools and public buildings." }, "titles": [ { "as": "introduced", "title": "A bill to limit the jurisdiction of the Supreme Court of the United States and of the district courts to enter any judgment, decree, or order, denying or restricting, as unconstitutional, voluntary prayer in any public school.", "type": "official" } ], "updated_at": "2013-02-02T18:43:15-05:00" }
{ "name": "pvcm", "version": "0.0.0", "scripts": { "ng": "ng", "start": "ng serve", "build": "ng build", "build:stats": "ng build --stats-json", "analyze": "webpack-bundle-analyzer dist/pvcm/stats.json", "watch": "ng build --watch --configuration development", "test": "ng test" }, "private": true, "dependencies": { "@angular/animations": "^14.2.0", "@angular/cdk": "^14.1.0", "@angular/common": "^14.2.0", "@angular/compiler": "^14.2.0", "@angular/core": "^14.2.0", "@angular/forms": "^14.2.0", "@angular/localize": "^14.2.0", "@angular/platform-browser": "^14.2.0", "@angular/platform-browser-dynamic": "^14.2.0", "@angular/router": "^14.2.0", "@kolkov/angular-editor": "^3.0.0-beta.0", "@mdi/font": "^6.6.96", "@ng-bootstrap/ng-bootstrap": "^13.0.0-beta.1", "@ngrx/effects": "^14.3.0", "@ngrx/store": "^14.3.0", "@ngrx/store-devtools": "^14.3.0", "@ngx-translate/core": "^14.0.0", "@ngx-translate/http-loader": "^7.0.0", "@popperjs/core": "^2.10.2", "@sweetalert2/ngx-sweetalert2": "^11.0.0", "@types/jquery": "^3.5.14", "@types/select2": "^4.0.55", "angular-animations": "^0.11.0", "angular-datatables": "^13.0.1", "angular-split": "^14.1.0", "bootstrap": "^5.1.3", "datatables.net": "^1.11.3", "datatables.net-bs4": "^1.11.3", "datatables.net-buttons": "^2.1.1", "datatables.net-buttons-dt": "^2.1.1", "date-fns": "^2.29.2", "jquery": "^3.6.0", "ng-drag-drop": "^5.0.0", "ngx-tinymce": "^14.1.1", "ngx-toastr": "^14.2.2", "rxjs": "~7.5.0", "select2": "^4.0.13", "sweetalert2": "^11.4.24", "tslib": "^2.3.0", "zone.js": "~0.11.4" }, "devDependencies": { "@angular-devkit/build-angular": "^14.2.1", "@angular/cli": "^14.2.1", "@angular/compiler-cli": "^14.2.0", "@types/datatables.net": "^1.10.21", "@types/datatables.net-buttons": "^1.4.7", "@types/jasmine": "~3.10.0", "@types/node": "^12.11.1", "jasmine-core": "~4.0.0", "karma": "~6.3.0", "karma-chrome-launcher": "~3.1.0", "karma-coverage": "~2.1.0", "karma-jasmine": "~4.0.0", "karma-jasmine-html-reporter": "~1.7.0", "ng-packagr": "^14.1.0", "typescript": "~4.7.4", "webpack-bundle-analyzer": "^4.5.0" } }
{"remainingRequest":"D:\\study\\vue\\hwparent\\node_modules\\vue-loader\\lib\\index.js??vue-loader-options!D:\\study\\vue\\hwparent\\app\\js\\public\\header.vue?vue&type=script&lang=js&","dependencies":[{"path":"D:\\study\\vue\\hwparent\\app\\js\\public\\header.vue","mtime":1544699620000},{"path":"D:\\study\\vue\\hwparent\\node_modules\\babel-loader\\lib\\index.js","mtime":1530808242000},{"path":"D:\\study\\vue\\hwparent\\node_modules\\cache-loader\\dist\\cjs.js","mtime":1545727267695},{"path":"D:\\study\\vue\\hwparent\\node_modules\\vue-loader\\lib\\index.js","mtime":499162500000}],"contextDependencies":[],"result":["//\n//\n//\n//\n//\n//\n//\n//\n//\n//\n//\n//\n//\n//\n//\n//\n//\n\n",{"version":3,"sources":[],"names":[],"mappings":"","file":"header.vue","sourceRoot":"app\\js\\public","sourcesContent":[]}]}
{"type": "Feature", "id": 12876665, "geometry": {"type": "MultiPolygon", "coordinates": [[[[25.8962, 46.6007], [25.8962, 46.726601], [25.758101, 46.726601], [25.758101, 46.6007], [25.8962, 46.6007]]]]}, "properties": {"woe:id": 12876665, "woe:parent_id": 2346634, "woe:name": "5412500", "woe:placetype": 11, "woe:placetype_name": "Zip", "woe:lang": "RUM", "iso:country": "RO", "meta:provider": ["geoplanet:7.3.1", "geoplanet:7.3.2", "geoplanet:7.4.0", "geoplanet:7.4.1", "geoplanet:7.5.1", "geoplanet:7.5.2", "geoplanet:7.6.0", "geoplanet:7.8.1", "geoplanet:7.9.0", "geoplanet:7.10.0", "geoplanet:8.0.0", "woeplanet:8.0.0"], "meta:indexed": "2020-08-20T20:26:21.568617", "meta:updated": "2020-10-14T11:51:08.864830", "woe:adjacent": [12876726, 12876676, 12879997, 12876666, 12880042, 12876634], "woe:hierarchy": {"continent": 24865675, "country": 23424933, "town": 0, "planet": 1, "county": 0, "suburb": 0, "state": 2346634, "region": 0, "localadmin": 0}, "woe:timezone_id": 28350892, "woe:hash": "u8637wyg2pnb", "geom:min_latitude": 46.6007, "woe:centroid": [25.82715, 46.663651], "geom:latitude": 46.663651, "woe:max_longitude": 25.8962, "geom:max_longitude": 25.8962, "geom:centroid": [25.82715, 46.663651], "geom:max_latitude": 46.726601, "woe:bbox": [25.758101, 46.6007, 25.8962, 46.726601], "geom:bbox": [25.758101, 46.6007, 25.8962, 46.726601], "woe:min_latitude": 46.6007, "woe:min_longitude": 25.758101, "geom:longitude": 25.82715, "geom:hash": "u8637wyg2pnb", "woe:latitude": 46.663651, "geom:min_longitude": 25.758101, "woe:longitude": 25.82715, "woe:max_latitude": 46.726601, "woe:repo": "woeplanet-zip-ro", "geom:area": 147920254.2388153, "woe:scale": 22}}
{"name":"Prolexic Technologies","permalink":"prolexic","crunchbase_url":"http://www.crunchbase.com/company/prolexic","homepage_url":"http://www.prolexic.com/","blog_url":"","blog_feed_url":"","twitter_username":"prolexic","category_code":"software","number_of_employees":null,"founded_year":2003,"founded_month":null,"founded_day":null,"deadpooled_year":null,"deadpooled_month":null,"deadpooled_day":null,"deadpooled_url":null,"tag_list":"","alias_list":"","email_address":"sales@prolexic.com","phone_number":"(954) 620-6002","description":"","created_at":"Thu May 22 15:56:43 UTC 2008","updated_at":"Sat Mar 17 10:40:58 UTC 2012","overview":"<p>Prolexic is the world’s largest, most trusted Distributed Denial of Service (DDoS) mitigation provider. Able to absorb the largest and most complex attacks ever launched, Prolexic restores mission critical Internet facing infrastructures for global enterprises and government agencies within minutes. Ten of the world’s largest banks and the leading companies in e-Commerce, SaaS, payment processing, travel/hospitality, gaming and other at-risk industries rely on Prolexic to protect their businesses. Founded in 2003 as the world’s first “in the cloud” DDoS mitigation platform, Prolexic is headquartered in Hollywood, Florida and has scrubbing centers located in the Americas, Europe and Asia. For more information, visit www.prolexic.com. </p>","image":{"available_sizes":[[[150,36],"assets/images/resized/0012/8177/128177v3-max-150x150.jpg"],[[250,60],"assets/images/resized/0012/8177/128177v3-max-250x250.jpg"],[[450,108],"assets/images/resized/0012/8177/128177v3-max-450x450.jpg"]],"attribution":null},"products":[],"relationships":[{"is_past":false,"title":"CEO","person":{"first_name":"Scott","last_name":"Hammack","permalink":"scott-hammack","image":null}},{"is_past":false,"title":"COO","person":{"first_name":"Gus","last_name":"Cunningham","permalink":"gus-cunningham","image":null}},{"is_past":false,"title":"CTO","person":{"first_name":"Paul","last_name":"Sop","permalink":"paul-sop","image":null}},{"is_past":true,"title":"CEO","person":{"first_name":"Roger","last_name":"Stone","permalink":"roger-stone-2","image":null}}],"competitions":[],"providerships":[],"total_money_raised":"$21.9M","funding_rounds":[{"round_code":"unattributed","source_url":"http://www.prolexic.com/index.php/news/prolexic-news/prolexic-technologies-closes-13-9-million-in-growth-funding-led-by-kennet-partners/","source_description":"Prolexic Technologies closes $13.9 million in growth funding, led by Kennet Partners ","raised_amount":13900000,"raised_currency_code":"USD","funded_year":2011,"funded_month":3,"funded_day":28,"investments":[{"company":null,"financial_org":{"name":"Kennet Partners","permalink":"kennet-venture-partners","image":{"available_sizes":[[[150,50],"assets/images/resized/0002/1973/21973v4-max-150x150.png"],[[180,60],"assets/images/resized/0002/1973/21973v4-max-250x250.png"],[[180,60],"assets/images/resized/0002/1973/21973v4-max-450x450.png"]],"attribution":null}},"person":null}]},{"round_code":"b","source_url":"http://www.prolexic.com/company/news-events/prolexic-secures-us8-million-series-b-funding-led-by-camden-partners/index.html","source_description":"Prolexic Secures US$8 Million Series B Funding Led by Camden Partners ","raised_amount":8000000,"raised_currency_code":"USD","funded_year":2012,"funded_month":2,"funded_day":8,"investments":[{"company":null,"financial_org":{"name":"Camden Partners","permalink":"camden-partners","image":{"available_sizes":[[[142,150],"assets/images/resized/0003/4688/34688v1-max-150x150.jpg"],[[190,200],"assets/images/resized/0003/4688/34688v1-max-250x250.jpg"],[[190,200],"assets/images/resized/0003/4688/34688v1-max-450x450.jpg"]],"attribution":null}},"person":null}]}],"investments":[],"acquisition":null,"acquisitions":[],"offices":[{"description":"","address1":"","address2":"","zip_code":"","city":"Hollywood","state_code":"FL","country_code":"USA","latitude":null,"longitude":null}],"milestones":[],"ipo":null,"video_embeds":[],"screenshots":[],"external_links":[]}
{ "uuid": "18f8e0aa-15b9-4ceb-a5b2-7cabe9fa8f61", "name": "Default Suite", "start": 1583393060238, "stop": 1583393395129, "children": [ "86f54e07-c165-46b9-bf47-eae290fbc812" ] }
{ "id": 114580, "rating": 1048, "attempts": 1213, "fen": "2r3k1/4Rpp1/1p1p1n1p/1N1P4/2P5/P6P/4QPPK/2q5 w - - 3 30", "color": "black", "initialPly": 59, "gameId": "m29wcrJ9", "lines": { "c1f4": { "g2g3": { "f4d6": { "e7b7": "win" } } } }, "vote": 29, "enabled": true }
{"id": "35988750", "header": "Hà Nội: Một vụ nổ lớn trên phố Kim Mã khiến 3 người bị thương nặng", "datetime": "2020-08-10T15:31:33.000+07:00", "summary": "Sáng nay (10/8), vào lúc 9h30, tại số nhà 531 đường Kim Mã (phường Phúc Khánh, Ba Đình, Hà Nội) đã diễn ra một vụ nổ lớn.", "content": "Theo ghi nhận nguồn tin từ các hộ dân xung quanh, tiếng nổ phát ra từ ngôi nhà số 531 rất lớn, cảm nhận rõ. Kéo theo tiếng động lớn là âm thanh các vách kính vỡ kéo xuống mặt đường. Vào thời điểm xảy ra vụ việc, tấm kính vỡ đã rơi trúng một xe taxi đang di chuyển tại con phố này. Tài xế không bị thương và trên xe không có hành khách.Tuy nhiên, vụ nổ trên cũng khiến 3 người trong căn nhà 531 bị bỏng nặng. Vụ nổ cũng khiến giao thông tại phố Kim Mã tắc nghẽn.Ngay khi có thông tin, lực lượng chức năng đã có mặt để xử lý vụ việc. Đặc biệt, thu dọn các mảnh vỡ để đảm bảo an toàn giao thông. Trao đổi nhanh với Báo Gia đình và Xã hội, đại diện Công an phường Phúc Khánh cho biết, nguyên nhân của vụ việc là do nổ bình gas tại số nhà 531 dẫn đến mặt kính trước tòa nhà sập đổ ra đường.Liên hệ với Bệnh viện Giao thông Vận tải, đại diện Khoa Cấp cứu thông tin: \"Sáng nay, chúng tôi đã tiếp nhận 3 bệnh nhân liên quan đến vụ nổ bình gas trên phố Kim Mã. Trong đó, có 1 bệnh nhân tiên lượng nặng phải chuyển gấp sang Viện Bỏng Trung ương. 2 bệnh nhân còn lại được gia đình yêu cầu chuyển sang điều trị tại đây\".Ngôi nhà số 531 nằm tại tuyến phố trung tâm, ngày thường có các quán xôi, trà đá vỉa hè bán ngay cạnh. Tuy nhiên, do ảnh hưởng từ dịch COVID-19, các quán này tạm đóng nên giảm nguy cơ về thương vong. ", "topic": "Pháp luật", "tag": ["Vụ Nổ Lớn", "Kim Mã", "Đường Kim Mã", "Phúc Khánh", "Phố Kim Mã", "Bình gas", "Bị thương nặng", "Số nhà", "Ngôi nhà số", "Taxi", "Vụ nổ", "Tiếng nổ", "Ba Đình", "Vách kính", "Công an phường Phúc Khánh", "Trúng", "Tấm kính", "Kéo xuống", "Tiếng động", "Mảnh vỡ"], "link": "http://giadinh.net.vn/xa-hoi/ha-noi-mot-vu-no-lon-tren-pho-kim-ma-khien-3-nguoi-bi-thuong-nang-20200810142623898.htm"}
{"18":{"dur":7,"text":">> The main facts and figures on this topic\n-- an important topic for us, I think -- are"},"26":{"dur":4,"text":"all in the paper, and I am not going to run\nthrough the paper in order, as it were. I"},"31":{"dur":4,"text":"want to focus on the implications of it for\nus as we go forward. It links very much back"},"35":{"dur":4,"text":"to the earlier discussion about how we make\nall this practical and concrete and get on"},"40":{"dur":5,"text":"with doing it.\nThere is of course the welcome confirmation"},"45":{"dur":7,"text":"that another year of headline preservation\nof the health spend, in real terms, is there,"},"52":{"dur":4,"text":"unlike most of the rest of the public sector,\nand there are some very graphic charts that"},"57":{"dur":5,"text":"we all saw about that. The big news in this,\nas David mentioned earlier, is the creation"},"62":{"dur":12,"text":"of the integration transformation fund of\nnearly \u00a34 billion that is being put together."},"75":{"dur":6,"text":"There is \u00a31.7 billion of that which is already\nin the system, where health is in one form"},"81":{"dur":5,"text":"or another supporting the social care system\nin its various activities. However, there"},"87":{"dur":5,"text":"is an additional \u00a32.1 billion -- a little\nbit next year and then a lot of '15\/'16 -- which"},"93":{"dur":5,"text":"needs to be found from existing sources through\nsavings to make that fund a reality. And it"},"98":{"dur":6,"text":"is that which will concentrate our minds,\nI think, as we go forward."},"104":{"dur":6,"text":"We talked about clarity in a large part of\nthe rest of the agenda. The details of exactly"},"111":{"dur":3,"text":"how this fund is going to work, what the basis\nof it is going to be, which section it is"},"115":{"dur":4,"text":"all going to be organised under is still very\nmuch being worked through, in detail, between"},"119":{"dur":8,"text":"the two departments concerned: NHS England\nand the Local Government Association. Contrary"},"128":{"dur":4,"text":"to the simplistic assumption in this paper,\nwhich was right at the time we wrote it but"},"132":{"dur":4,"text":"seems now to be not quite as clear, it is\nnot a foregone conclusion that the money will"},"137":{"dur":5,"text":"simply go straight across and be held by the\nlocal authority. It is much more open than"},"143":{"dur":3,"text":"that. The one clear thing is that it will\nbe pooled money which needs to be managed"},"146":{"dur":6,"text":"within the local health economy by the CCGs,\nthe local authorities concerned and, indeed,"},"153":{"dur":4,"text":"the Health and Wellbeing Board as the unit\nthat brings all that together."},"158":{"dur":4,"text":"There is now, I think, a shared determination\nthat the routing of the funding should be"},"162":{"dur":4,"text":"through the CCGs. That is not an administrative\nmatter, that is quite an important part of"},"167":{"dur":4,"text":"making sure the ownership of this and the\nability to influence the way in which the"},"171":{"dur":11,"text":"money is spent and the outcomes reflects the\nlocus of the CCG as the local representation"},"183":{"dur":5,"text":"of clinical leadership in the health service.\nThat is important. I would say, though, that"},"188":{"dur":5,"text":"until we get complete crystal clarity on how\nthe mechanism of this is going to go, the"},"193":{"dur":4,"text":"precise answer to how the accountabilities\nget exercised in all of this, who exactly"},"198":{"dur":5,"text":"is responsible for what, what the line of\nsight is through the system will remain to"},"203":{"dur":5,"text":"be clarified.\nWhatever the legal niceties, the one thing"},"208":{"dur":5,"text":"we do know is that there are two salient questions\nthat we need to address with some urgency."},"214":{"dur":5,"text":"The first of those is: what are we going to\ndo with a fund of \u00a33.8 billion which will"},"219":{"dur":5,"text":"really make a difference in local health economies?\nHow are we going to get this integration concept"},"224":{"dur":5,"text":"moving for the maximum benefit for patients\nand, dare I say it, also for the maximum efficiency"},"229":{"dur":4,"text":"for the taxpayer; both of those go hand in\nhand. It is a really serious piece of work"},"234":{"dur":6,"text":"to make concrete what we have been thinking\nand talking about for many months, if not"},"241":{"dur":2,"text":"years.\nSome of that thinking is represented in the"},"243":{"dur":4,"text":"conditions that you can see listed in the\ndocument in front of you, which are things"},"248":{"dur":5,"text":"that, together, the CCGs and the local authorities\nwill have to work their way through. However,"},"253":{"dur":5,"text":"these will be a deeply local set of approaches\nto it that reflect the local circumstances."},"259":{"dur":3,"text":"There is not a one-size-fits-all approach.\nThat is one of the questions that needs to"},"262":{"dur":3,"text":"be answered, and it is the one frankly that\nmost people are perhaps most focused on at"},"266":{"dur":2,"text":"the moment.\nEqually important, if not more important,"},"269":{"dur":3,"text":"though, is that you cannot spend money that\nyou do not have. There is a rather thornier"},"273":{"dur":5,"text":"question that we need to address, which is,\nhow do we generate savings of \u00a32 billion"},"278":{"dur":5,"text":"on top of all the savings we already have\nto generate on an annual basis to keep going."},"283":{"dur":6,"text":"How do we generate that in a way which sustains\nhealthcare and does not cause unintended consequences"},"290":{"dur":3,"text":"of a significant nature. So you will be aware\nof the kind of efficiency level in the system"},"294":{"dur":5,"text":"at the moment, the ask on the system is about\n4% to 5% if you add together the provider"},"299":{"dur":5,"text":"and the commissioner ask at the moment. That\ntrips up to at least 6% to 7% when you put"},"304":{"dur":3,"text":"an additional ask of \u00a32 billion into the\nsystem and, as David has already said, that"},"308":{"dur":4,"text":"is a non-trivial ask; it is not just a small\nadjustment to the percentage savings that"},"312":{"dur":5,"text":"need to be done. That takes us into a whole\ndifferent category of the stretch that is"},"317":{"dur":12,"text":"required.\nThe most obvious conclusion is that you cannot"},"329":{"dur":3,"text":"achieve that through business as usual; you\ncannot do that by salami-slicing; you cannot"},"333":{"dur":7,"text":"do that through incremental gains of one sort\nor another. If you want to invest cash, you"},"340":{"dur":4,"text":"have to generate it and that means effectively\ndisinvesting in other activities of one sort"},"345":{"dur":5,"text":"or another. In the discussion that we have,\nwe cannot pretend we can just generate the"},"350":{"dur":8,"text":"money without making changes. So we are going\nto have to find some clear"},"359":{"dur":5,"text":"strategies for shifting activities, shifting\nresource to create that capacity. Equally"},"365":{"dur":3,"text":"important, having shifted the activity, we\nhave to find a way of taking out the cost"},"368":{"dur":3,"text":"from where it is currently being incurred,\nand there are complexities in that that we"},"372":{"dur":3,"text":"are all familiar with.\nThe second thing that is obvious is that if"},"375":{"dur":4,"text":"we start planning for that when we get to\n'15\/'16, it will be too late to do that because"},"379":{"dur":5,"text":"you cannot do that sort of change on a short-term\nbasis. We have to start planning now if we"},"385":{"dur":4,"text":"are going to free that up for '15\/'16.\nOf course, there is a strong link to the Call"},"389":{"dur":4,"text":"to Action that we talked about earlier. This\nis one of the means by which all of that gets"},"393":{"dur":5,"text":"made concrete. We talked about the Call to\nAction as being a five- to ten-year challenge,"},"398":{"dur":5,"text":"possibly longer than that, in its vision.\nThis brings it very much to a 90-week challenge,"},"403":{"dur":3,"text":"and I think we just have to square up to that\nquite quickly and work out how we are going"},"406":{"dur":4,"text":"to make a reality of that.\nWhat are we going to do about it? To make"},"411":{"dur":4,"text":"sure that every health economy is well prepared\nfor that challenge, we are about to launch"},"415":{"dur":6,"text":"a process of accelerated planning, where CCG\nteams, area teams and other local partners"},"421":{"dur":4,"text":"in health and social care can work together\nto produce strategic plans that address all"},"426":{"dur":6,"text":"of that for the next five years but, crucially,\nsome two-year operating plans: a bit of a"},"432":{"dur":5,"text":"novelty for all of us. These two-year operating\nplans will make very concrete, what are the"},"438":{"dur":5,"text":"steps we are going to do in '14\/'15 and '15\/'16\nto make it real in that short timeframe that"},"443":{"dur":4,"text":"we have? They need to be deeply practical\nplans, and they need to show in some detail"},"448":{"dur":4,"text":"how the various parties to that, wherever\nthey sit in the local health economy, are"},"452":{"dur":3,"text":"going to contribute to it.\nOne of the things we can do to help with that"},"456":{"dur":5,"text":"process is to give some clarity about funding\nfor individual organisations for that two-year"},"462":{"dur":5,"text":"period, because you frankly cannot do two-year\noperating plans without clarity of resource."},"467":{"dur":4,"text":"One of the benefits of the '15\/'16 spending\nreview being there already -- and we know"},"471":{"dur":4,"text":"already about '14\/'15 -- is that we will know\nby the time we get deeply into that planning"},"476":{"dur":4,"text":"process how much money we have, and we can\nmake allocations, subject to the Board agreeing"},"481":{"dur":4,"text":"that when we come to make the formal decisions,\non a two-year basis, to give people the clarity"},"486":{"dur":3,"text":"to plan by.\nWe are going to put in place a programme of"},"489":{"dur":4,"text":"support to commissioners to do this planning,\nbecause it is very clear that this goes beyond"},"494":{"dur":4,"text":"what most health organisations have been able\nto do in the past. We will all be aware from"},"498":{"dur":6,"text":"the authorisation process that the one set\nof criteria that was most frequently a challenge"},"504":{"dur":6,"text":"for CCGs has been the planning set of challenges\nand, therefore, putting an additional complexity"},"511":{"dur":5,"text":"and length, as it were, and challenge into\nthe planning process, we need to put some"},"516":{"dur":9,"text":"support in place to do that.\nAs"},"526":{"dur":4,"text":"you would expect, we are doing this in partnership\nwith the Commissioning Assembly, which of"},"531":{"dur":5,"text":"course is our link between NHS England and\nthe CCGs, to make these things happen in a"},"536":{"dur":5,"text":"joined-up fashion, and we have started that\ndialogue already, with Ros's support and help."},"541":{"dur":4,"text":"We are also in discussion right now with the\nLocal Government Association and with a variety"},"546":{"dur":4,"text":"of arm's-length Bodies, the national partners\nthat we have -- whether that be the Trust"},"551":{"dur":4,"text":"Development Authority, whether it be Monitor\n-- to see how we can make this a truly integrated"},"555":{"dur":4,"text":"piece of planning. If we do it on a pure commissioning\nbasis, you cannot answer half of those questions"},"560":{"dur":3,"text":"that I posed at the beginning. It is really,\nreally important that we have it joined up,"},"564":{"dur":4,"text":"and I think there are some good signs at the\nmoment from the early conversations that David"},"568":{"dur":5,"text":"has had with anyone else who is called David\nin the country, and the follow-up conversations"},"574":{"dur":4,"text":"that we are having with people who are not\ncalled David, just how we might bring all"},"578":{"dur":5,"text":"of that process together into an integrated\nthing. It is the only way we will make it"},"584":{"dur":3,"text":"stick.\nThere is one additional complication, which"},"588":{"dur":4,"text":"is put into paragraph 10, in that, at the\nsame time as delivering all of that, we will"},"592":{"dur":5,"text":"have to make some very substantial savings\nin our admin costs, coming on top of the reductions"},"597":{"dur":4,"text":"of 30% to 50% that we have already absorbed\nin putting this organisation together, and"},"602":{"dur":3,"text":"where we are already trying to make sure that\nwe have that resource in the right place,"},"605":{"dur":2,"text":"in the right measure, and able to tackle the\nchallenge."},"608":{"dur":5,"text":"If you take those two things together, two-year\nplanning with an enormous ask in '15\/'16,"},"614":{"dur":4,"text":"and the need to think about what we do with\nour admin structures, it is a massive test"},"618":{"dur":3,"text":"for a commissioning system that, as David\nhas already said, has only been in existence"},"622":{"dur":4,"text":"for a matter of weeks. We do not have very\nlong to put these plans together, because"},"626":{"dur":4,"text":"we need to start implementing them soon. I\ndo think that if we tackle this with a real"},"630":{"dur":6,"text":"passion, determination and support for each\nother, it will give a real impetus to the"},"637":{"dur":3,"text":"kind of transformation that we have talked\nabout in the Call to Action. It will end up"},"641":{"dur":3,"text":"being a positive thing, albeit a challenging\nthing."},"644":{"dur":19,"text":"That is what I wanted to say by way of introduction.\nI would be keen to get any thoughts and help"},"663":{"dur":3,"text":"that people around the table can bring to\nbear."},"667":{"dur":12,"text":">> Thanks to the Paul for that very clear\nsetting out of the enormity of the challenge,"},"680":{"dur":7,"text":"which I fully accept. However, I would want\nto pay tribute, in a sense, to the recognition"},"688":{"dur":5,"text":"that this gives to the importance of social\ncare in the system, and putting money where"},"693":{"dur":6,"text":"your mouth is, is a very important signal,\nand I welcome greatly the stretch in social"},"700":{"dur":14,"text":"care that we all need, as I say.\nThe impact of cuts in local government is"},"715":{"dur":9,"text":"not evenly spread, and there is a risk, in\na sense. It is not a straightforward replacement"},"724":{"dur":4,"text":"for cuts; that is obviously not what is intended,\nbut there will be places that are definitely"},"729":{"dur":7,"text":"having more of an impact than others, and\nhow our distribution mechanism will assist"},"737":{"dur":4,"text":"or, in fact, potentially not recognise that,\nI am interested in you thoughts on that."},"741":{"dur":4,"text":">> There is a precedent question, which comes\nback to how we are going to do all of this"},"746":{"dur":5,"text":"stuff, which is, who gets to decide the distribution\nof this? That is one of the questions that"},"751":{"dur":4,"text":"we are currently working through. It will\nbe no surprise to you, I guess, to recognise"},"756":{"dur":4,"text":"that we think it would be a good idea if we\ndid that particular exercise. That is not"},"760":{"dur":4,"text":"the case with the current social care transfer\nthat we are required to make, but I do think"},"765":{"dur":4,"text":"it would be important for us to do that as\npart of the allocation discussion, more broadly,"},"769":{"dur":3,"text":"because we need to make sure the total funds\nget to the right places in the right measure,"},"773":{"dur":3,"text":"and we can only do that if we bring together\nthe various strands."},"776":{"dur":5,"text":"That is my aspiration, Moira. I think it is\nreally quite important that that is the way"},"782":{"dur":9,"text":"it gets transacted. As we speak, I would not\nsay that is in the bag yet."},"792":{"dur":7,"text":">> Paul raised the point that I think is critical,\nand I think we as a Board must wait to see"},"799":{"dur":7,"text":"where it comes back. However, I am a simple\nsoul, and accountability has to follow, whether"},"807":{"dur":4,"text":"you are responsible for deciding on where\nthe money is spent and how it is spent, and"},"812":{"dur":5,"text":"the outcomes from it. I will be very keen\nto make sure that we can see that absolutely"},"817":{"dur":8,"text":"direct line of accountability to spend on\noutcomes, and if we are not having that as"},"825":{"dur":5,"text":"a Board of NHS England, then I struggle to\nsee how we can then be accountable for the"},"831":{"dur":4,"text":"spend. That is a point that you would expect\nme to make."},"835":{"dur":10,"text":">> I think in principle putting the money\nbehind driving outcomes based in the community"},"846":{"dur":5,"text":"is our direction of travel and has to be a\nreally, really good thing to do. I like that,"},"852":{"dur":4,"text":"and if accepting the enormity of it drives\nus in the direction we need to do, we need"},"857":{"dur":5,"text":"to understand the implications of that. We\nneed to start acting now; this is not something"},"862":{"dur":5,"text":"we start in 2015 or '16. It is going to afford\nsome real change very quickly."},"868":{"dur":4,"text":"I am almost more worried about the admin bit,\nbecause it is taking more capacity out of"},"872":{"dur":5,"text":"the system. It is taking the capacity to take\nthe capacity out of the system, the brainpower"},"877":{"dur":6,"text":"of the Exec in particular, at a time when\nwe are trying to not only establish where"},"884":{"dur":6,"text":"we are, but accelerate it. This is accelerating\nthe changes we need to do, and I would love"},"891":{"dur":7,"text":"to know what risk assessment -- dare I use\nthe words -- has been put in place, and just"},"898":{"dur":3,"text":"to think that through. Directionally, I love\nit; I think it is great. It is a really good"},"902":{"dur":4,"text":"thing. It will empower Health and Wellbeing\nBoards, it will get people playing nicely"},"906":{"dur":6,"text":"together across the country. If we do it at\nthe same time as getting rid of all the people"},"912":{"dur":3,"text":"who can actually deliver it, it probably will\nnot be quite so good."},"916":{"dur":6,"text":">> I think that is a really good point, and\nI think we should ask for transparency from"},"923":{"dur":4,"text":"the department about what the risk assessment\nwas on the admin cost, so we can look at it"},"927":{"dur":6,"text":"and test it ourselves to see how that is,\nas well as the conclusions they made about"},"934":{"dur":9,"text":"the \u00a33.8 billion. Just to reinforce the point\nthat Paul makes, this \u00a32 billion is on top"},"944":{"dur":5,"text":"of the \u00a34 billion we already have to save.\nYou cannot focus on the \u00a32 billion alone;"},"950":{"dur":7,"text":"you have to do the whole thing. In some of\nthe conversations I have heard, people have"},"957":{"dur":3,"text":"missed that point, which I think is a really\nimportant points, because it is not that we"},"960":{"dur":5,"text":"have \u00a32 billion sitting around somewhere\ndoing nothing, it is tied up in services."},"966":{"dur":2,"text":"The way in which we tackle that is going to\nbe really important. That is the first thing,"},"969":{"dur":4,"text":"just to reinforce how big this is.\nThe second thing is, I am slightly worried"},"974":{"dur":5,"text":"that what will happen is we will get involved\nin a long and detailed conversation about"},"980":{"dur":5,"text":"the technical ways the money flows in the\nsystem, when actually, the real issue is how"},"985":{"dur":6,"text":"we redesign the services. In any planning\nsystem that we have, we need to make sure"},"992":{"dur":7,"text":"that that is forefront in everybody's minds,\nhow we are going to redesign the system. We"},"999":{"dur":3,"text":"have to do the technical things, that is absolutely\nright, but I just think I can see exactly"},"1003":{"dur":6,"text":"where people will go in all that. I think\nthere needs to be a real transparency, openness"},"1009":{"dur":7,"text":"and honesty with the public about what this\nmeans practically. That is why, in a sense,"},"1016":{"dur":6,"text":"it reinforces the whole issue of the Call\nto Action. Had we not done it, we would have"},"1023":{"dur":6,"text":"had to have done it now, I think. It seems\nthat that is really important as far as we"},"1029":{"dur":7,"text":"are concerned.\n>> I am just going to echo what has been by"},"1037":{"dur":6,"text":"David, which is that I go immediately for\nthe implications for what happens on the ground"},"1043":{"dur":9,"text":"in communities. I guess it drives everything\nto a point of, how do we in a sense sign of"},"1052":{"dur":6,"text":"the process of service redesign around individuals\nand communities? If we do not get that right,"},"1059":{"dur":6,"text":"we will end up either fighting about who owns\nwhich bit of the budget, or salami-slicing,"},"1065":{"dur":7,"text":"neither of which will work. For me, the implications\nare about commissioning, actually, and the"},"1073":{"dur":5,"text":"way it drives into the system processes for\nunderstanding what people have, what they"},"1078":{"dur":4,"text":"do not have, what they need, and how we will\nredesign the services to deliver it and how"},"1083":{"dur":7,"text":"we involve them in doing that. We are not\nstarting with a huge amount of technical know-how;"},"1090":{"dur":5,"text":"there is some, but it is not something we\nhave done, so there is a rapid learning curve"},"1096":{"dur":5,"text":"as to how we do that and how we get the sign-offs\nall the way up the line. I have to say it"},"1101":{"dur":6,"text":"would be in error to paint a rosy picture\nof understanding between health and social"},"1107":{"dur":4,"text":"care throughout the country. What this is\nfundamentally about is power, and what this"},"1112":{"dur":3,"text":"forces -- whether we like it or not -- is\na transfer of power, which is not something"},"1116":{"dur":7,"text":"we have done systemically, effectively, efficiently,\nin the past. It is a really serious shift;"},"1123":{"dur":4,"text":"it is almost a paradigm shift forced by the\nmoney."},"1128":{"dur":4,"text":"The other point I wanted to make was that\nI am very worried about the implications of"},"1132":{"dur":5,"text":"the \u00a3300 million. While it is really important\nwe look at the frontline and all that, I am"},"1138":{"dur":4,"text":"really keen to know what the implications\nof the \u00a3300 million are on us almost before"},"1142":{"dur":3,"text":"we start doing the other bit, so we have a\nclear understanding of what we can do and"},"1146":{"dur":7,"text":"what we cannot in the fixed period of time.\n>> Quite blatantly, the aim of this money"},"1153":{"dur":5,"text":"rightly and properly is to support those people\nwho do not need to be in hospital to stay"},"1158":{"dur":4,"text":"at home and to get people who are in hospital\nand are ready to go home, home more quickly."},"1163":{"dur":5,"text":"We know from the work we do out and about\nin the country that actually, whilst often"},"1168":{"dur":4,"text":"this is a social care issue, it can almost\nequally often be a health services issue in"},"1173":{"dur":3,"text":"that the right community services are not\nin place, the right primary care services"},"1176":{"dur":5,"text":"are not in place. I do hope as we move through\nthat the way that this money can be used and"},"1182":{"dur":5,"text":"the way it is looked at on the ground is that\npeople remember that it is sometimes NHS services"},"1188":{"dur":4,"text":"that are needed to support these individuals,\nnot just social care ones."},"1192":{"dur":10,"text":">> I just want to report that we have had\nvery positive discussions so far with Local"},"1203":{"dur":7,"text":"Government Association about this. I guess\nyou might not find that surprising given the"},"1210":{"dur":5,"text":"potential investment that local government\ncan share in from this. I think they have"},"1216":{"dur":10,"text":"been a very honest and serious set of discussions\nwhere local governments -- not just the officials,"},"1226":{"dur":6,"text":"but some of the political infrastructure around\nLocal Government Association -- have recognised"},"1233":{"dur":9,"text":"that this is not a financial transaction,\nbut that it is a really significant step towards"},"1242":{"dur":8,"text":"a shared responsibility, not just to design\nservices differently that will better serve"},"1250":{"dur":8,"text":"local populations, but then to back that up\nnot just with the investment, but with the"},"1259":{"dur":6,"text":"political support that will be needed to bring\nabout some really quite challenging changes."},"1266":{"dur":4,"text":"They will be in the interest of patients in\nthe community, but they will be challenging"},"1270":{"dur":10,"text":"service changes. The potential game changer\nhere is this money draws together NHS leadership"},"1281":{"dur":5,"text":"and political leadership in local government\nto support those changes, whereas, at times"},"1287":{"dur":7,"text":"in the past, I think it is fair to say local\ngovernment has felt able to step back and"},"1294":{"dur":6,"text":"just criticise. I am very hopeful from those\ndiscussions that this could be a step into"},"1300":{"dur":8,"text":"a significantly different quality of collaboration.\n>> I think some really telling points have"},"1309":{"dur":4,"text":"been made in that discussion. Paul, is there\nanything else that you would like to come"},"1313":{"dur":4,"text":"back on, on what you have heard from us?\n>> I do not think so. I have obviously taken"},"1317":{"dur":4,"text":"note of the sentiment of the Board, if I can\nput it that way, and will make sure that gets"},"1321":{"dur":3,"text":"worked into the programme. I have taken onboard\nin particular the admin comments, which clearly"},"1325":{"dur":3,"text":"we will pick up.\n>> Thanks for that; and actually, frankly,"},"1328":{"dur":7,"text":"the capacity issue is I think just quite scary,\nhanging over all of us on top of everything"},"1335":{"dur":1,"text":"else that we are doing."}}
[ "http://2.bp.blogspot.com/Wi54W9nYgZk86v8s-3MyMkjihAg7HhdK33AjDRJD6nf2gQID_I5_JUwOPqOWHxzWpPEPovvVnGTihjInD3vscs1c3xYU10oQvV5WrcggUdgqwLVWZinP-7_lKRxLzZCKRSjQ9g=s0?title=000_1481622886.png", "http://2.bp.blogspot.com/nOzw7KWwfuwUVG0t-7_q8PQ8cl57FXmTsXVhJCcsDF62gWq-MZa4adKAJEEOq0xb3EU-YywZXGLt-zNg-dNll7qBZJ1GlA1d_bXxTz7FfCXzzm9BNh2LX29O3CwsnbNSLJwMRw=s0?title=001_1481622886.png", "http://2.bp.blogspot.com/V6OmFYYIFIoD1oNITk4qtuCsRBUa6saDgZrmnfFoNlSuDaLUhamqDJuS2h8dEiF7UqGL4NQHQUXwrMxyFdJSDniuifS2kObAqTwbG2UGijsHYqSvgby_iAuRGJ3NUedd22KB5Q=s0?title=002_1481622886.png", "http://2.bp.blogspot.com/sPHH2j4teEcr8L_M1-nWWeBPJvy6pKbwjZbvRiSnJHuD_FlwYmR_PXRLGMugMIynUReOUn2fiikZMzJt7J1TTNRuQp3CbcZ_xpJxWqW9rr84ApUExm7AmtzZwFdRE0VDaqpjsg=s0?title=003_1481622886.png", "http://2.bp.blogspot.com/rboEyzGAOf-TlAKzIoG-HkQSeyeid8l9idKKOWHo1KnT8_lw9v5FaVxyizbfKwHwudC5OOOuFdOyw6lbE2OqKp73-1OLfDSqqxERfVviNuEtXjD5o4Bxtw2pONJQ8_1FuPDMgA=s0?title=004_1481622886.png", "http://2.bp.blogspot.com/NXHH5Zg10p7rXcxKNllvvlP0YFKcYxJiqPV2NxonBoWPt4AhynEfIF8PgqpRs7pa6JvsWPJDNKfr_fccHOcPi18wMWpaZOR2mFM8OqWbLpCtAndh45e-G4i_rX80odiIGMNwkA=s0?title=005_1481622886.png", "http://2.bp.blogspot.com/egCNHVlkFHa8oJ3SN3F5mzWho6EuMqw6ecFfil8B__wm5__VG6_Z8ibYLqInkeDrsquv5OKwkbbnyWl1NUdbQSBsRRabW5Wpr8eB910bFtHF_ZTrQTtcb4ZYJOxS8p2awevYOQ=s0?title=006_1481622886.png", "http://2.bp.blogspot.com/Bkdm8cBNXi7RT_-rfE7vsuhFIoQd8i_3jGnLCV0-8gT7ddSP-Pw_f4LiPQqgcVWDwlMwTcYfMFZY7LqYQqpeZWyUoJ5_yZ_P6_5aneGo_1qGxrXjcYeEzh6JyV5C_jFs7oPwIg=s0?title=007_1481622886.png", "http://2.bp.blogspot.com/4J9LPVmkkw_l380yiaTFfYdEM6MVXz4IluCq6_0coUgP2CuzSz6WUY8h33sb6ErWsq5vaWUJ-b-8Wvv36mKxh8ZaBTlU5zFP8x3jHRunUHygsvD0Z7zaklV64JDBgpiSe6f4BQ=s0?title=008_1481622886.png", "http://2.bp.blogspot.com/qZ8GjYIQ5q2iktk6ZnB_Flp4lSMwYw9dU6VOsIYCpC-bTxxTX6cmu1xbFQd0sBO_Lj_cjKLbdYxb0k5h9zw1hkjJ8rXq3OpNh2my8wWtqUatVvoUV0TpEnwQ30aiqD1c2yzOQw=s0?title=009_1481622886.png" ]
{ "gmailURL": "http://mail.google.com", "gmailUser": "sitetest150@gmail.com", "gmailPassword":"qwerty@#$", "emailSubject": "Test eMail", "emailBodyMessage": "Hi, This is a sample mail for testing Nightwatchjs tool", "emailBodyMessage_Failure": "Automation test", "theInternetPageUrl" : "https://the-internet.herokuapp.com/", "calenderUrl" : "http://fullcalendar.io/", "textInURL" : "inbox" }
{ "first_traded_price": 2599.0, "highest_price": 2627.0, "isin": "IRO1SHMD0001", "last_traded_price": 2550.0, "lowest_price": 2550.0, "trade_volume": 370084.0, "unix_time": 1272844800 }
{"artist": "Dallas Symphony Orchestra", "timestamp": "2011-07-31 22:19:24.926934", "similars": [], "tags": [], "track_id": "TRCUKNP128F93130F2", "title": "The Rite of Spring, Part One - The Adoration of the Earth: Procession of the Sage"}
{"title":"Glowjack - From Space (Original Mix)","uid":9502203,"size":12764535,"categoryP":"audio","categoryS":"music","magnet":"?xt=urn:btih:da5dbb2a043ea56ff3792c47ef68fa0e8129e094&amp;dn=Glowjack+-+From+Space+%28Original+Mix%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":"yeahsx","files":-1,"time":1390245738,"description":"Label: Twisted Plastic\nArtist: Glowjack\nAudio Bit Rate: 320 Kbps\nDuration: 05:18 min\nBPM: 130\nGenre: Progressive House\nCatalog # TPR080\nCover: Yes\nFormat/Codec: .mp3","torrent":{"xt":"urn:btih:da5dbb2a043ea56ff3792c47ef68fa0e8129e094","amp;dn":"Glowjack+-+From+Space+%28Original+Mix%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":"da5dbb2a043ea56ff3792c47ef68fa0e8129e094","infoHashBuffer":{"type":"Buffer","data":[218,93,187,42,4,62,165,111,243,121,44,71,239,104,250,14,129,41,224,148]},"announce":[],"urlList":[]}}
{ "ENV": "development", "PORT" : 8080, "MONGO_URI": { "DEVELOPMENT": "mongodb://localhost:27017/cinenode", "PRODUCTION": "mongodb://localhost:27017/cinenode", "TEST": "mongodb://localhost:27017/cinenode" } }
{"title":"Demi Lovato &amp;ndash; Bikini Candids, Miami - HQ!","uid":11043084,"size":14994428,"categoryP":"other","categoryS":"pictures","magnet":"?xt=urn:btih:4873be3e7162f0f9db15c3c5840aefbad2431335&amp;dn=Demi+Lovato+%26ndash%3B+Bikini+Candids%2C+Miami+-+HQ%21&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":"Alanies","files":11,"time":1410905356,"description":"Preview:\n &lt;a href=&quot;\nhttp://www.funfox.net/pictures/celebrities/demi-lovato-bikini-candids-miami/&quot; rel=&quot;nofollow&quot; target=&quot;_NEW&quot;&gt;\nhttp://www.funfox.net/pictures/celebrities/demi-lovato-bikini-candids-miami/&lt;/a&gt;","torrent":{"xt":"urn:btih:4873be3e7162f0f9db15c3c5840aefbad2431335","amp;dn":"Demi+Lovato+%26ndash%3B+Bikini+Candids%2C+Miami+-+HQ%21","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":"4873be3e7162f0f9db15c3c5840aefbad2431335","infoHashBuffer":{"type":"Buffer","data":[72,115,190,62,113,98,240,249,219,21,195,197,132,10,239,186,210,67,19,53]},"announce":[],"urlList":[]}}
{ "classTimes": [ { "fullQualifiedName": "org.jsoup.parser.ParserSettingsTest", "timeInMs": 254804 } ], "projectName": "jsoup" }
{"smoothie.js":"sha512-FAcVS8rzwKakMqEoMsJUWQER7/QvjUVKORNk+imRBWXQIB1CV+okVIDCA3LvSVis9n9bT9BiIm8XjYgod7GVdA==","smoothie.min.js":"sha512-XyyXI3emGP26v8SuD7JOZj+zECa7py8IsPSHfVy1dTCgI3Nt0baKBw/YVSezqz3q57BOjAN495y6srCLZ/R7yA=="}
{ "name": "media_wiki", "description": "Installs and Configues mediaWiki", "json_class": "Chef::Role", "default_attribues": {}, "override_attribues": {}, "chef_type": "role", "run_list":[ "recipe[media_wiki::dependency_install]", "recipe[media_wiki::httpd_start]" ] }
{ "comments": [ { "administrator_id": null, "alignment": 1, "ancestry": null, "as": null, "author": { "avatar_image": "https://decidim.barcelona/assets/avatar-866795c99abc33a3160d1f3fa93ada46eb75e54134e777666b9ed16215b26534.png", "erased": false, "hidden": false, "id": 3827, "name": "suport decidim.barcelona", "official": false, "official_level": 0, "role": "moderator", "verified_organization": null }, "body": "<p>Proposta debatuda en la cita presencial, Debat de les persones grans en el proc\u00e9s participatiu d\u2019elaboraci\u00f3 del PAM 2015 -2016 :\n<br /> \"Formar i motivar a la gent gran perqu\u00e8 incorpori els elements tecnol\u00f2gics que promouen la seva qualitat de vida. A trav\u00e9s dels Centre C\u00edvics i els Casals de la Gent Gran es poden fer xerrades i formacions perqu\u00e8 la gent gran utilitzi les noves tecnologies.\"</p>", "commentable_id": 3956, "commentable_type": "Proposal", "created_at": "15/03/2016 17:51:10", "flagged": false, "hidden": false, "id": 5086, "moderator_id": null, "permissions": { "hide": false, "hide_author": false, "vote": false }, "total_dislikes": 0, "total_likes": 0, "total_votes": 0 }, { "administrator_id": null, "alignment": 0, "ancestry": null, "as": null, "author": { "avatar_image": "https://decidim.barcelona/assets/avatar-866795c99abc33a3160d1f3fa93ada46eb75e54134e777666b9ed16215b26534.png", "erased": false, "hidden": false, "id": 9262, "name": "Suport General - Decidim Barcelona", "official": false, "official_level": 0, "role": null, "verified_organization": null }, "body": "<p><a href=\"https://decidim.barcelona/proposals/pla-integral-d-atencio-a-domicili\">https://decidim.barcelona/proposals/pla-integral-d-atencio-a-domicili</a></p>", "commentable_id": 3956, "commentable_type": "Proposal", "created_at": "06/04/2016 13:40:32", "flagged": false, "hidden": false, "id": 8516, "moderator_id": null, "permissions": { "hide": false, "hide_author": false, "vote": false }, "total_dislikes": 0, "total_likes": 0, "total_votes": 0 }, { "administrator_id": null, "alignment": 0, "ancestry": null, "as": null, "author": { "avatar_image": "https://decidim.barcelona/assets/avatar-866795c99abc33a3160d1f3fa93ada46eb75e54134e777666b9ed16215b26534.png", "erased": false, "hidden": false, "id": 9262, "name": "Suport General - Decidim Barcelona", "official": false, "official_level": 0, "role": null, "verified_organization": null }, "body": "<p><a href=\"https://decidim.barcelona/proposals/ampliar-el-programa-de-vida-independent\">https://decidim.barcelona/proposals/ampliar-el-programa-de-vida-independent</a></p>", "commentable_id": 3956, "commentable_type": "Proposal", "created_at": "06/04/2016 13:40:38", "flagged": false, "hidden": false, "id": 8517, "moderator_id": null, "permissions": { "hide": false, "hide_author": false, "vote": false }, "total_dislikes": 0, "total_likes": 0, "total_votes": 0 } ], "meta": { "current_page": 1, "next_page": null, "prev_page": null, "total_count": 3, "total_pages": 1 } }
{"name":"portscanner","description":"Asynchronous port scanner for Node.js","scripts":{"test":"ava","lint":"standard"},"keywords":["portscanner","port","scanner","checker","status"],"version":"2.1.1","preferGlobal":false,"homepage":"https://github.com/baalexander/node-portscanner","author":"","repository":{"type":"git","url":"git://github.com/baalexander/node-portscanner.git"},"bugs":{"url":"https://github.com/baalexander/node-portscanner/issues"},"directories":{"lib":"./lib"},"main":"./lib/portscanner.js","dependencies":{"async":"1.5.2","is-number-like":"^1.0.3"},"devDependencies":{"ava":"^0.4.2","eslint":"^3.10.2","eslint-config-standard":"^6.2.1","standard":"^8.5.0"},"engines":{"node":">=0.4","npm":">=1.0.0"},"license":"MIT","gitHead":"47889e0c6a4ef449420e90eb59a5100a11eab6db","_id":"portscanner@2.1.1","_shasum":"eabb409e4de24950f5a2a516d35ae769343fbb96","_from":"portscanner@2.1.1","_npmVersion":"3.10.8","_nodeVersion":"7.0.0","_npmUser":{"name":"laggingreflex","email":"laggingreflex@gmail.com"},"dist":{"shasum":"eabb409e4de24950f5a2a516d35ae769343fbb96","tarball":"https://registry.npmjs.org/portscanner/-/portscanner-2.1.1.tgz"},"maintainers":[{"name":"baalexander","email":"baalexander@gmail.com"},{"name":"laggingreflex","email":"laggingreflex@gmail.com"},{"name":"shinnn","email":"snnskwtnb@gmail.com"},{"name":"smassa","email":"endangeredmassa@gmail.com"}],"_npmOperationalInternal":{"host":"packages-12-west.internal.npmjs.com","tmp":"tmp/portscanner-2.1.1.tgz_1479972921921_0.4666651152074337"},"_resolved":"https://registry.npmjs.org/portscanner/-/portscanner-2.1.1.tgz","readme":"ERROR: No README data found!"}
{"cacheUntil":1537624866857,"data":{"coordinates":"pkg:npm/pkg-dir@2.0.0","description":"Find the root directory of a npm package","reference":"https://ossindex.sonatype.org/component/pkg:npm/pkg-dir@2.0.0","vulnerabilities":[],"version":"2.0.0","name":"pkg-dir","format":"npm","depPaths":["/babel-loader/find-cache-dir/pkg-dir","/jest-cli/import-local/pkg-dir"]}}
{ "url": "https://en.wikipedia.org/wiki/Montivipera_xanthina", "classification": [ { "Kingdom": "Animalia" }, { "Phylum": "Chordata" }, { "Class": "Reptilia" }, { "Order": "Squamata" }, { "Suborder": "Serpentes" }, { "Family": "Viperidae" }, { "Genus": "Montivipera" }, { "Species": "M. xanthina" } ], "text": { "__SUMMARY__": "Common names: rock viper, coastal viper, Ottoman viper, more.Montivipera xanthina is a venomous viper species found in northeastern Greece and Turkey, as well as certain islands in the Aegean Sea. No subspecies are currently recognized.", "Description": "Dorsally, it is grey or white with a black zig-zag stripe. Melanistic individuals exist. It has keeled dorsal scales.It usually grows to a total length (body + tail) of 70–95 cm (27.6-37.4 in), but reaches a maximum total length of 130 cm (51.2 in) on certain Greek islands in the Aegean Sea.", "Behavior": "Very aggressive, this snake will strike without provoking, and most bites inject venom.", "Behavior-Habitat": "M. xanthina can be found living in humid areas. It favors rocky and \"well-vegetated\" areas for its habitat.", "Behavior-Prey": "The diet of M. xanthina is thought to consist of rodents and other small mammals and native birds. It may prey on lizards, as well.", "Common names": "Rock viper, coastal viper, Ottoman viper, Turkish viper, Near East viper, mountain viper.", "Geographic range": "Extreme northeastern Greece, the Greek islands of Simi, Skiathos, Kos, Kalimnos, Samothraki, Leros, Lipsos, Patmos, Samos, Chios and Lesbos, European Turkey, the western half of Anatolia (inland eastward to Kayseri), and islands (e.g. [[Chalki]) of the Turkish mainland shelf.\nThe type locality given is \"Xanthus\" [southwestern Turkey (Kınık)], and \"Asia Minor.\" Listed as \"Xanthos\" by Schwarz (1936). Nilson and Andrén (1986) restricted the species to \"Xanthos\" [= Xanthus] (Kınık) province Mugla, S. W. Turkish Anatolia\" through lectotype designation.", "Conservation status": "This species is classified as least concern according to the IUCN Red List of Threatened Species. It is listed as such due to its wide distribution, presumed large population, and because it is unlikely to be declining fast enough to qualify for listing in a more threatened category.\nIt is, however, listed as strictly protected (Appendix II) under the Berne Convention.", "Taxonomy": "According to Nilson, Andrén and Flärdh (1990), M. bornmuelleri, M. bulgardaghica, M. wagneri and M. xanthina are all closely related and together form the Montivipera xanthina group or complex.", "See also": "List of viperine species and subspecies\nViperinae by common name\nViperinae by taxonomic synonyms\nSnakebite", "References": "", "Further reading": "", "External links": "Montivipera xanthina at the Reptarium.cz Reptile Database. Accessed 18 January 2010.\nMontivipera xanthina at Amphibians and Reptiles of Europe. Accessed 18 January 2010." } }
{ "vorgangId": "50517", "VORGANG": { "WAHLPERIODE": "17", "VORGANGSTYP": "Mündliche Frage", "TITEL": "Umgang mit dem Vertrag von Almelo und künftige Termine in Zusammenhang mit dem Urananreicherungsunternehmen Urenco", "AKTUELLER_STAND": "Beantwortet", "SIGNATUR": "", "GESTA_ORDNUNGSNUMMER": "", "PLENUM": { "PLPR_KLARTEXT": "Mündliche Frage/Schriftliche Antwort", "PLPR_HERAUSGEBER": "BT", "PLPR_NUMMER": "17/218", "PLPR_SEITEN": "27054A - 27054B", "PLPR_LINK": "http://dipbt.bundestag.de:80/dip21/btp/17/17218.pdf#P.27054" }, "EU_DOK_NR": "", "SCHLAGWORT": [ "Kerntechnische Anlage", "Urananreicherung", "URENCO" ], "ABSTRAKT": "Originaltext der Frage(n): \r\n \r\nWelchen Umgang mit dem Vertrag von Almelo wie zum Beispiel reine Auflösung, Ablösung durch anderweitigen Vertrag, Novellierung etc. strebt die Bundesregierung aktuell an &ndash; insbesondere für den Fall eines Verkaufs des Anteils der deutschen Uranit GmbH am Urananreicherungsunternehmen Urenco GmbH an ein ausländisches Unternehmen/Konsortium etc. &ndash; (bitte mit Begründung), und welche künftigen Termine im Zusammenhang mit der Urenco GmbH, an denen Bundesbehörden teilnehmen werden, sind aktuell festgelegt (also beispielsweise interministerielle Treffen oder Treffen mit der Uranit GmbH, E.ON und RWE oder Sitzungen des Gemeinsamen Ausschusses mit Großbritannien und den Niederlanden; bitte mit Datum)?" }, "VORGANGSABLAUF": { "VORGANGSPOSITION": [ { "ZUORDNUNG": "BT", "URHEBER": "Mündliche Frage ", "FUNDSTELLE": "25.01.2013 - BT-Drucksache 17/12162, Nr. 32", "FUNDSTELLE_LINK": "http://dipbt.bundestag.de:80/dip21/btd/17/121/1712162.pdf" }, { "ZUORDNUNG": "BT", "URHEBER": "Mündliche Frage/Schriftliche Antwort", "FUNDSTELLE": "30.01.2013 - BT-Plenarprotokoll 17/218, S. 27054A - 27054B", "FUNDSTELLE_LINK": "http://dipbt.bundestag.de:80/dip21/btp/17/17218.pdf#P.27054", "PERSOENLICHER_URHEBER": [ { "VORNAME": "Sylvia", "NACHNAME": "Kotting-Uhl", "FUNKTION": "MdB", "FRAKTION": "BÜNDNIS 90/DIE GRÜNEN", "AKTIVITAETSART": "Frage", "SEITE": "27054A" }, { "VORNAME": "Hans-Joachim", "NACHNAME": "Otto", "FUNKTION": "Parl. Staatssekr.", "RESSORT": "Bundesministerium für Wirtschaft und Technologie", "AKTIVITAETSART": "Antwort", "SEITE": "27054B" } ] } ] } }