JSON 1 JSON

JSON

Filename extension .

Internet application/json

Uniform Type Identifier public.json

Type of format Data interchange

Extended from JavaScript

Standard(s) RFC 4627

[1] Website json.org

JSON ( /ˈdʒeɪsən/), or JavaScript Object Notation, is a text-based designed for human-readable data interchange. It is derived from the JavaScript scripting language for representing simple data structures and associative arrays, called objects. Despite its relationship to JavaScript, it is language-independent, with parsers available for many languages. The JSON format was originally specified by , and is described in RFC 4627. The official Internet media type for JSON is application/json. The JSON is .json. The JSON format is often used for serializing and transmitting structured data over a network connection. It is used primarily to transmit data between a and , serving as an alternative to XML.

History Douglas Crockford was the first to specify and popularize the JSON format.[2] JSON was used at State , a company co-founded by Crockford, starting around 2001. The JSON.org [1] website was launched in 2002. In December 2005, Yahoo! began offering some of its web services in JSON.[3] Google started offering JSON feeds for its GData web protocol in December 2006.[4] Although JSON was based on a subset of the JavaScript scripting language (specifically, Standard ECMA-262 3rd Edition—December 1999[5]) and is commonly used with that language, it is a language-independent data format. Code for parsing and generating JSON data is readily available for a large variety of programming languages. JSON's website [1] provides a comprehensive listing of existing JSON libraries, organized by language.

Data types, syntax and example JSON's types are: • Number (double precision floating-point format in JavaScript, generally depends on implementation) • String (double-quoted , with escaping) • Boolean (true or false) • Array (an ordered sequence of values, -separated and enclosed in square ; the values do not need to be of the same type) • Object (an unordered collection of key:value pairs with the ':' character separating the key and the value, comma-separated and enclosed in curly braces; the keys must be strings and should be distinct from each other) • null (empty) Non-significant white may be added freely around the "structural characters" (i.e. the brackets "[{]}", ":" and comma ","). JSON 2

The following example shows the JSON representation of an object that describes a person. The object has string fields for first name and last name, a number field for age, contains an object representing the person's address, and contains a list (an array) of phone number objects.

{ "firstName": "John", "lastName" : "Smith", "age" : 25, "address" : { "streetAddress": "21 2nd Street", "city" : "New York", "state" : "NY", "postalCode" : "10021" }, "phoneNumber": [ { "type" : "home", "number": "212 555-1234" }, { "type" : "fax", "number": "646 555-4567" } ] }

Since JSON is a subset of JavaScript, it is possible (but not recommended, because it allows the execution of arbitrary JavaScript wrapped in function blocks) to parse JSON text into an object by invoking JavaScript's eval() function. For example, if the above JSON data is contained within a JavaScript string variable contact, one could use it to create the JavaScript object p as follows:

var p = eval("(" + contact + ")");

The contact variable must be wrapped in parentheses to avoid an ambiguity in JavaScript's syntax.[6] The recommended way, however, is to use a JSON parser. Unless a client absolutely trusts the source of the text, or must parse and accept text which is not strictly JSON-compliant, one should avoid eval(). A correctly implemented JSON parser will accept only valid JSON, preventing potentially malicious code from being executed inadvertently. Browsers, such as Firefox 4 and Internet Explorer 8, include special features for parsing JSON. As native browser support is more efficient and secure than eval(), native JSON support is included in the recently-released Edition 5 of the ECMAScript standard.[7] JSON 3

Unsupported native data types JavaScript syntax defines several native data types not included in the JSON standard:[8] Date, Error, Math, Regular Expression, and Function. These JavaScript data types must be represented as some other data format, with the programs on both ends agreeing on how to convert between types. As of 2011, there are some de facto standards for e.g. converting between Date and String, but none universally recognized.[9][10] Other languages may have a different set of native types that must be serialized carefully to deal with this type of conversion.

Schema There are several ways to verify the structure and data types inside a JSON object, much like an XML schema; however unlike XML schema, JSON schemas are not widely used. Additionally JSON Schema have to be written manually; unlike XML, there are currently no tools available to generate a JSON schema from JSON data. JSON Schema[11] is a specification for a JSON-based format for defining the structure of JSON data. JSON Schema provides a contract for what JSON data is required for a given application and how it can be modified, much like the XML Schema provides for XML. JSON Schema is intended to provide validation, documentation, and interaction control of JSON data. JSON Schema is based on the concepts from XML Schema, RelaxNG, and Kwalify, but is intended to be JSON-based, so that JSON data in the form of a schema can be used to validate JSON data, the same /deserialization tools can be used for the schema and data, and it can be self descriptive. JSON Schema was written up as an IETF draft, which expired in 2011.[12] But there are several validators currently available for different programming languages,[13] each with varying levels of conformance. Currently the most complete and compliant JSON Schema validator available is JSV.[14] Example JSON Schema:

{ "name":"Product", "properties": { "id": { "type":"number", "description":"Product identifier", "required":true }, "name": { "type":"string", "description":"Name of the product", "required":true }, "price": { "type":"number", "minimum":0, "required":true }, "tags": { JSON 4

"type":"array", "items": { "type":"string" } }, "stock": { "type":"object", "properties": { "warehouse": { "type":"number" }, "retail": { "type":"number" } } } } }

The JSON Schema above can be used to test the validity of the JSON code below:

{ "id": 1, "name": "Foo", "price": 123, "tags": ["Bar","Eek"], "stock": { "warehouse":300, "retail":20 } }

MIME type The official MIME type for JSON text is "application/json".[15]

Use in JSON is often used in Ajax techniques. Ajax is a term for the ability of a webpage to request new data after it has loaded into the , usually in response to user actions on the displayed webpage. As part of the Ajax model, the new data is usually incorporated into the user interface display dynamically as it arrives back from the server. An example of this in practice might be that while the user is typing into a search box, client-side code sends what they have typed so far to a server that responds with a list of possible complete search terms from its . These may be displayed in a drop-down list beneath the search, so that the user may stop typing and select a complete and commonly used search string directly. When it was originally described in the mid-2000s, Ajax commonly used XML as the data interchange format but many developers have also used JSON to pass Ajax updates between the server and the client.[16] JSON 5

The following JavaScript code is one example of a client using XMLHttpRequest to request data in JSON format from a server. (The server-side programming is omitted; it has to be set up to respond to requests at url with a JSON-formatted string.)

var my_JSON_object = {}; var http_request = new XMLHttpRequest(); http_request.open("GET", url, true); http_request.onreadystatechange = function () { var done = 4, ok = 200; if (http_request.readyState == done && http_request.status == ok) { my_JSON_object = JSON.parse(http_request.responseText); } }; http_request.send(null);

Security issues Although JSON is intended as a data serialization format, its design as a subset of the JavaScript scripting language poses several security concerns. These concerns center on the use of a JavaScript interpreter to execute JSON text dynamically as JavaScript, thus exposing a program to errant or malicious script contained therein—often a chief concern when dealing with data retrieved from the Internet. While not the only way to process JSON, it is an easy and popular technique, stemming from JSON's compatibility with JavaScript's eval() function, and illustrated by the following code examples.

JavaScript eval() Because most JSON-formatted text is also syntactically legal JavaScript code, an easy way for a JavaScript program to parse JSON-formatted data is to use the built-in JavaScript eval() function, which was designed to evaluate JavaScript expressions. Rather than using a JSON-specific parser, the JavaScript interpreter itself is used to execute the JSON data to produce native JavaScript objects. However, there are some Unicode characters that are valid in JSON strings but invalid in JavaScript, so additional escaping would be needed before using a JavaScript interpreter.[17] Unless precautions are taken to validate the data first, the eval technique is subject to security vulnerabilities if the data and the entire JavaScript environment is not within the control of a single trusted source. For example, if the data is itself not trusted, it may be subject to malicious JavaScript code injection attacks. Also, such breaches of trust may create vulnerabilities for data theft, authentication forgery, and other potential misuse of data and resources. Regular expressions can be used to validate the data prior to invoking eval(). For example, the RFC that defines JSON (RFC 4627) suggests using the following code to validate JSON before eval'ing it (the variable 'text' is the input JSON):[18]

var my_JSON_object = !(/[^,:{}\[\]0-9.\-+Eaeflnr-u \n\r\t]/.test( text.replace(/"(\\.|[^"\\])*"/g, ''))) && eval('(' + text + ')');

A new function, JSON.parse(), was developed as a safer alternative to eval. It is specifically intended to process JSON data and not JavaScript. It was originally planned for inclusion in the Fourth Edition of the ECMAScript standard,[19] but this did not occur. It was first added to the Fifth Edition,[20] and is now supported by the major browsers given below. For older ones, a compatible JavaScript library is available at JSON.org. JSON 6

Native encoding and decoding in browsers Recent Web browsers now either have or are working on native JSON encoding/decoding. Not only does this eliminate the eval() security problem above, but also increases performance due to the fact that functions no longer have to be parsed. Native JSON is generally faster compared to the JavaScript libraries commonly used before. As of June 2009 the following browsers have or will have native JSON support, via JSON.parse() and JSON.stringify(): • Mozilla Firefox 3.5+[21] • Microsoft Internet Explorer 8+[22] • Opera 10.5+[23] • WebKit-based browsers (e.g. , Apple Safari)[24] At least 5 popular JavaScript libraries have committed to use native JSON if available: • YUI Library[25] • Prototype[26] • jQuery[27] • [28] • MooTools[29]

Object references The JSON standard does not support object references, but the Dojo Toolkit illustrates how conventions can be adopted to support such references using standard JSON. Specifically, the dojox.json.ref [30] module provides support for several forms of referencing including circular, multiple, inter-message, and lazy referencing.[31][32] Alternatively, non-standard solutions such as the use of Mozilla JavaScript Sharp Variables, although this functionality has been removed in Firefox version 12.[33]

Comparison with other formats See also Comparison of data serialization formats JSON is promoted as a low-overhead alternative to XML as both of these formats have widespread support for creation, reading and decoding in the real-world situations where they are commonly used.[34] Apart from XML, examples could include OGDL, YAML and CSV. Also, Google can fill this role, although it is not a data interchange language.

XML XML has been used to describe structured data and to serialize objects. Various XML-based protocols exist to represent the same kind of data structures as JSON for the same kind of data interchange purposes. When data is encoded in XML, the result is typically larger than an equivalent encoding in JSON, mainly because of XML's closing tags. Yet, if the data is compressed using an algorithm like gzip there is little difference because compression is good at saving space when a pattern is repeated. In XML there are alternative ways to encode the same information because some values can be represented both as child nodes and attributes. This can make automated complicated unless the used XML format is strictly specified as programs need to deal with many different variations of the data structure. JSON example:

{ "firstName": "John", "lastName" : "Smith", JSON 7

"age" : 25, "address" : { "streetAddress": "21 2nd Street", "city" : "New York", "state" : "NY", "postalCode" : "10021" }, "phoneNumber": [ { "type" : "home", "number": "212 555-1234" }, { "type" : "fax", "number": "646 555-4567" } ] }

Both of the following XML examples carry the same information as the JSON example above in different ways. XML examples:

John Smith 25

21 2nd Street New York NY 10021
212 555-1234 646 555-4567

JSON 8

The XML encoding may therefore be shorter than the equivalent JSON encoding. A wide range of XML processing technologies exist, from the to XPath and XSLT. XML can also be styled for immediate display using CSS. XHTML is a form of XML so that elements can be passed in this form ready for direct insertion into webpages using client-side scripting.

References

[1] http:/ / json. org/

[2] Video: Douglas Crockford — The JSON Saga (http:/ / developer. yahoo. com/ yui/ theater/ video. ?v=crockford-json), on Yahoo! Developer Network. In the video Crockford states: "I do not claim to have invented JSON ... What I did was I found it, I named it, I described how it was useful. ... So the idea's been around there for a while. What I did was I gave it a specification, and a little website."

[3] Yahoo!. "Using JSON with Yahoo! Web services" (http:/ / web. archive. org/ web/ 20071011085815/ http:/ / developer. yahoo. com/

common/ json. ). Archived from the original (http:/ / developer. yahoo. com/ common/ json. html) on October 11, 2007. . Retrieved July 3, 2009.

[4] Google. "Using JSON with Google Data " (http:/ / code. google. com/ apis/ / json. html). . Retrieved July 3, 2009.

[5] Crockford, Douglas (May 28, 2009). "Introducing JSON" (http:/ / json. org). json.org. . Retrieved July 3, 2009.

[6] Crockford, Douglas (July 9, 2008). "JSON in JavaScript" (http:/ / www. json. org/ js. html). json.org. . Retrieved September 8, 2008.

[7] Standard ECMA-262 (http:/ / www. ecma-international. org/ publications/ standards/ Ecma-262. htm) [8] RFC 4627

[9] - How to format a JSON date? - Stack Overflow (http:/ / stackoverflow. com/ questions/ 206384/ how-to-format-a-json-date)

[10] Dates and JSON - Tales from the Evil Empire (http:/ / weblogs. asp. net/ bleroy/ archive/ 2008/ 01/ 18/ dates-and-json. aspx)

[11] JSON Schema (http:/ / json-schema. org/ )

[12] JSON Schema draft 3 (http:/ / tools. ietf. org/ html/ draft-zyp-json-schema-03)

[13] JSON Schema implementations (http:/ / groups. google. com/ group/ json-schema/ web/ json-schema-implementations)

[14] JSV: JSON Schema Validator (http:/ / . com/ garycourt/ JSV)

[15] IANA | Application Media Types (http:/ / www. iana. org/ assignments/ media-types/ application/ index. html)

[16] Garrett, Jesse James (18 February 2005). "Ajax: A New Approach to Web Applications" (http:/ / www. adaptivepath. com/ ideas/ ajax-new-approach-web-applications). Adaptive Path. . Retrieved 19 March 2012.

[17] "JSON: The JavaScript subset that isn't" (http:/ / timelessrepo. com/ json-isnt-a-javascript-subset). Magnus Holm. . Retrieved 16 May 2011.

[18] Douglas Crockford (July 2006). "IANA Considerations" (https:/ / tools. ietf. org/ html/ rfc4627& #035;section-6). The application/json

Media Type for JavaScript Object Notation (JSON) (https:/ / tools. ietf. org/ html/ rfc4627). IETF. sec. 6. RFC 4627. . Retrieved October 21, 2009.

[19] Crockford, Douglas (December 6, 2006). "JSON: The Fat-Free Alternative to XML" (http:/ / www. json. org/ fatfree. html). . Retrieved July 3, 2009.

[20] "ECMAScript Fifth Edition" (http:/ / www. ecma-international. org/ publications/ files/ ECMA-ST/ ECMA-262. ). . Retrieved March 18, 2011.

[21] "Using Native JSON" (https:/ / developer. mozilla. org/ en/ Using_JSON_in_Firefox). June 30, 2009. . Retrieved July 3, 2009.

[22] Barsan, Corneliu (September 10, 2008). "Native JSON in IE8" (http:/ / blogs. msdn. com/ ie/ archive/ 2008/ 09/ 10/ native-json-in-ie8. aspx). . Retrieved July 3, 2009.

[23] "Web specifications supported in Opera 2.5" (http:/ / www. opera. com/ docs/ specs/ presto25/ #). March 10, 2010. . Retrieved March 29, 2010.

[24] Hunt, Oliver (June 22, 2009). "Implement ES 3.1 JSON object" (https:/ / bugs. . org/ show_bug. cgi?id=20031). . Retrieved July 3, 2009.

[25] "YUI 2: JSON utility" (http:/ / developer. yahoo. com/ yui/ json/ #native). September 1, 2009. . Retrieved October 22, 2009.

[26] "Learn JSON" (http:/ / www. prototypejs. org/ learn/ json). April 7, 2010. . Retrieved April 7, 2010.

[27] "Ticket #4429" (http:/ / dev. jquery. com/ ticket/ 4429). May 22, 2009. . Retrieved July 3, 2009.

[28] "Ticket #8111" (http:/ / trac. dojotoolkit. org/ ticket/ 8111). June 15, 2009. . Retrieved July 3, 2009.

[29] "Ticket 419" (https:/ / . lighthouseapp. com/ projects/ 2706/ tickets/ 419-use-the-native-json-object-if-available). October 11, 2008. . Retrieved July 3, 2009.

[30] http:/ / dojotoolkit. org/ / 1. 5/ dojox/ json/ ref

[31] Zyp, Kris (June 17, 2008). "JSON referencing in Dojo" (http:/ / www. sitepen. com/ blog/ 2008/ 06/ 17/ json-referencing-in-dojo). . Retrieved July 3, 2009.

[32] von Gaza, Tys (Dec 7, 2010). "JSON referencing in jQuery" (http:/ / plugins. jquery. com/ project/ jsonref). . Retrieved Dec 7, 2010.

[33] "Sharp variables in JavaScript" (https:/ / developer. mozilla. org/ en/ Sharp_variables_in_JavaScript). . Retrieved 21 April 2012.

[34] "JSON: The Fat-Free Alternative to XML" (http:/ / www. json. org/ . html). json.org. . Retrieved 14 March 2011. JSON 9

External links

• Format home page (http:/ / www. json. org/ ) • RFC 4627 - The application/json Media Type for JavaScript Object Notation (JSON)

• JSON-Introduction By Microsoft (http:/ / msdn. microsoft. com/ en-us/ library/ bb299886. aspx)

• Improvements to JSON (http:/ / bolinfest. com/ essays/ json. html) Article Sources and Contributors 10 Article Sources and Contributors

JSON Source: http://en.wikipedia.org/w/index.php?oldid=504319804 Contributors: 16@r, 1ForTheMoney, 90, A1kmm, Achowat, AdeBarkah, Agoode, Alex rosenberg35, Amire80, Amux, Andonic, Andrés Santiago Pérez-Bergquist, Andyparkins, Anna Lincoln, AnonMoos, Aprock, Ariel., Ashawley, Austin512, AxelBoldt, Azbarcea, Balrog-kun, Beefyt, Beland, Betacommand, Bináris, Bongdentoiac, Booles, Brycen, Bspahh, Bunnyhop11, CHForsyth, CWii, CapitalR, Cassivs, Cems2, Charles Iliya Krempeaux, Chenopodiaceous, Chowbok, Chris Q, Christopherlin, Colinmcc, Cowtowncoder, Cst17, Cybercobra, Cyberhitesh, D6, Daemonicky, Dah31, Dainis, Damian Yerrick, Dan Bolser, DanilaKutkevich, David spector, Debloper, Deflective, Delfuego, Demisone, Dfinch, Digita, Digitalme, Dispenser, Dmeranda, Dmpatierno, Dodiad, Doekman, DonToto, Doniago, DouglasCrockford, Dreftymac, Durrantm, Dylnuge, Easyas12c, Ebraminio, Ebruchez, EdC, Elharo, EncMstr, Falcon9x5, Fangfufu, FatalError, Frap, Frenchwhale, Furrykef, Fæ, Gabrielsroka, Gamol, Genesis, Gerbrant, Getify, Ghettoblaster, GoingBatty, Gorgalore, Gosub, Gslin, Gutza, Habbie, Hammer1980, Hfmanson, Hogstrom, Hu12, Hughcharlesparker, IMSoP, Ian Moody, Ijabz, Ilovenagpur, Inimino, IvanLanin, Izhaki, Iæfai, Jaap, Jacobolus, Jainvineet, JamesNK, Jameswiltshire, Jarble, Jarekadam, Jason.grossman, Jefe2000, Jeffreymcmanus, Jeltz, Jleedev, Joe Schmedley, Joe Sewell, John Bentley, John Millikin, Johnuniq, Jonkerz, Jose Icaza, Joshsteiner, Joswig, Julesd, Jvangorp, Jvenema, Kadnan, Kakurady, Kingboyk, Klondike, Kmote, Kragen, Krellis, Kromped, Ksn, Kuteni, Kwamikagami, Larsnostdal, Lauciusa, Lindsay-mclennan, Lino Mastrodomenico, Listmeister, Lockoom, Logan, MC10, MEFlora, MER-C, Maian, Marcoshz, Markpeak, Martin.sweeney, Martnym, Maxime.Debosschere, Mcld, Mecanismo, Mets501, Mga, Mgamer gd, MiguelMunoz, Mindmatrix, Minghong, Mister pink2, Mjb, Mjohnjoseph, Mjs, MrForms, Mralokkp, Nagle, Nasa-verve, Natkeeran, Nealmcb, Neinsun, Nickj, Nigelj, Nneuman, Octahedron80, Ohnoitsjamie, Oliver.hessling, Ootachi, Otterfan, OwenBlacker, P.srikanta, Panzi, Paranomia, Pctopp, Pdameasap, Peak, Pediddle, Penagate, Peterl, Peu, Pgan002, Phistuck, Phlegat, Phoe6, Pimlottc, Plperez, Pne, Pnm, Polyethene, Pot, Potatoswatter, Prashanthjoshi, Psifi, Rafiahmad, Rchandra, RedWolf, RedWordSmith, Reedy, Renku, Rfl, RicJohnsonIII, Rich Farmbrough, Richtaur, Rjwilmsi, Robmanson, RockMFR, Roesser, RokerHRO, RolandYoung, Ronz, RossPatterson, RuudVisser, Ryan Kaldari, SMcCandlish, SQL, SaltyDawg, SamB, Sanspeur, Saxifrage, Scientus, Senorkaj, Sevela.p, Shinkolobwe, Simetrical, SimpleBeep, Skaffman, Sleepyhead81, Snori, Speed.arg, Ssd, Steffan Cline, SunKing2, Superm401, Supersizefriesjj, Svippong, Syberguru, Tagith, TakuyaMurata, The Earwig, ThereFOUR, Thomasfrank.se, Thumperward, Tjholowaychuk, Tlane, Tlroche, Tobias Bergemann, Todd Vierling, Tom W.M., Tommy2010, Tothwolf, Tschubring, Ttennebkram, Ultrarob, Unfletch, Universalss, Urhixidur, Verdy p, Vishalmamania, Vlad, Vladimir Lapacek, Vocaro, W Nowicki, Washi, Wevah, WildWeazel, Wineaficionado, Wrs1864, Zearin, Ztolstoy, Zziffle, Ævar Arnfjörð Bjarmason, 666 anonymous edits Image Sources, Licenses and Contributors

File:Loudspeaker.svg Source: http://en.wikipedia.org/w/index.php?title=File:Loudspeaker.svg License: Public Domain Contributors: Bayo, Gmaxwell, Husky, Iamunknown, Mirithing, Myself488, Nethac DIU, Omegatron, Rocket000, The Evil IP address, Wouterhagens, 19 anonymous edits License

Creative Commons Attribution-Share Alike 3.0 Unported //creativecommons.org/licenses/by-sa/3.0/