281 votes

JSON.stringify sortie à div dans la manière pretty print

I JSON.stringify un objet json par

result = JSON.stringify(message, my_json, 2)

Le site 2 dans l'argument ci-dessus est censé imprimer le résultat. Il le fait si je fais quelque chose comme alert(result) . Cependant, je veux le présenter à l'utilisateur en l'ajoutant à l'intérieur d'un div. Lorsque je fais cela, une seule ligne s'affiche. (Je ne pense pas que cela fonctionne parce que les pauses et les espaces ne sont pas interprétés comme du html).

{ "data": { "x": "1", "y": "1", "url": "http://url.com" }, "event": "start", "show": 1, "id": 50 }

Existe-t-il un moyen d'afficher le résultat de JSON.stringify à un div de manière à ce qu'il soit bien imprimé ?

1voto

Mustak_Talukder Points 21

C'est pour Laravel, Codeigniter Html : <pre class="jsonPre"> </pre>

Contrôleur : Renvoyer la valeur JSON du contrôleur comme suit

return json_encode($data, JSON_PRETTY_PRINT);

Dans script : <script> $('.jsonPre').html(result); </script>

Le résultat sera

result will be

0voto

user460084 Points 152

Vous pouvez essayer ce dépôt : https://github.com/amelki/json-pretty-html

0voto

Bhanu Sharma Points 51

Pour ceux qui veulent afficher le json pliable, ils peuvent utiliser renderjson

Voici l'exemple en intégrant le javascript render js dans le html

<!DOCTYPE html>
<html>

<head>

<script type="application/javascript">
// Copyright © 2013-2014 David Caldwell <david@porkrind.org>
//
// Permission to use, copy, modify, and/or distribute this software for any
// purpose with or without fee is hereby granted, provided that the above
// copyright notice and this permission notice appear in all copies.
//
// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY
// SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION
// OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN
// CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.

// Usage
// -----
// The module exports one entry point, the `renderjson()` function. It takes in
// the JSON you want to render as a single argument and returns an HTML
// element.
//
// Options
// -------
// renderjson.set_icons("+", "-")
//   This Allows you to override the disclosure icons.
//
// renderjson.set_show_to_level(level)
//   Pass the number of levels to expand when rendering. The default is 0, which
//   starts with everything collapsed. As a special case, if level is the string
//   "all" then it will start with everything expanded.
//
// renderjson.set_max_string_length(length)
//   Strings will be truncated and made expandable if they are longer than
//   `length`. As a special case, if `length` is the string "none" then
//   there will be no truncation. The default is "none".
//
// renderjson.set_sort_objects(sort_bool)
//   Sort objects by key (default: false)
//
// Theming
// -------
// The HTML output uses a number of classes so that you can theme it the way
// you'd like:
//     .disclosure    ("", "")
//     .syntax        (",", ":", "{", "}", "[", "]")
//     .string        (includes quotes)
//     .number
//     .boolean
//     .key           (object key)
//     .keyword       ("null", "undefined")
//     .object.syntax ("{", "}")
//     .array.syntax  ("[", "]")

var module;
(module || {}).exports = renderjson = (function () {
  var themetext = function (/* [class, text]+ */) {
    var spans = [];
    while (arguments.length)
      spans.push(append(span(Array.prototype.shift.call(arguments)),
        text(Array.prototype.shift.call(arguments))));
    return spans;
  };
  var append = function (/* el, ... */) {
    var el = Array.prototype.shift.call(arguments);
    for (var a = 0; a < arguments.length; a++)
      if (arguments[a].constructor == Array)
        append.apply(this, [el].concat(arguments[a]));
      else
        el.appendChild(arguments[a]);
    return el;
  };
  var prepend = function (el, child) {
    el.insertBefore(child, el.firstChild);
    return el;
  }
  var isempty = function (obj) {
    for (var k in obj) if (obj.hasOwnProperty(k)) return false;
    return true;
  }
  var text = function (txt) { return document.createTextNode(txt) };
  var div = function () { return document.createElement("div") };
  var span = function (classname) {
    var s = document.createElement("span");
    if (classname) s.className = classname;
    return s;
  };
  var A = function A(txt, classname, callback) {
    var a = document.createElement("a");
    if (classname) a.className = classname;
    a.appendChild(text(txt));
    a.href = '#';
    a.onclick = function () { callback(); return false; };
    return a;
  };

  function _renderjson(json, indent, dont_indent, show_level, max_string, sort_objects) {
    var my_indent = dont_indent ? "" : indent;

    var disclosure = function (open, placeholder, close, type, builder) {
      var content;
      var empty = span(type);
      var show = function () {
        if (!content) append(empty.parentNode,
          content = prepend(builder(),
            A(renderjson.hide, "disclosure",
              function () {
                content.style.display = "none";
                empty.style.display = "inline";
              })));
        content.style.display = "inline";
        empty.style.display = "none";
      };
      append(empty,
        A(renderjson.show, "disclosure", show),
        themetext(type + " syntax", open),
        A(placeholder, null, show),
        themetext(type + " syntax", close));

      var el = append(span(), text(my_indent.slice(0, -1)), empty);
      if (show_level > 0)
        show();
      return el;
    };

    if (json === null) return themetext(null, my_indent, "keyword", "null");
    if (json === void 0) return themetext(null, my_indent, "keyword", "undefined");

    if (typeof (json) == "string" && json.length > max_string)
      return disclosure('"', json.substr(0, max_string) + " ...", '"', "string", function () {
        return append(span("string"), themetext(null, my_indent, "string", JSON.stringify(json)));
      });

    if (typeof (json) != "object") // Strings, numbers and bools
      return themetext(null, my_indent, typeof (json), JSON.stringify(json));

    if (json.constructor == Array) {
      if (json.length == 0) return themetext(null, my_indent, "array syntax", "[]");

      return disclosure("[", " ... ", "]", "array", function () {
        var as = append(span("array"), themetext("array syntax", "[", null, "\n"));
        for (var i = 0; i < json.length; i++)
          append(as,
            _renderjson(json[i], indent + "    ", false, show_level - 1, max_string, sort_objects),
            i != json.length - 1 ? themetext("syntax", ",") : [],
            text("\n"));
        append(as, themetext(null, indent, "array syntax", "]"));
        return as;
      });
    }

    // object
    if (isempty(json))
      return themetext(null, my_indent, "object syntax", "{}");

    return disclosure("{", "...", "}", "object", function () {
      var os = append(span("object"), themetext("object syntax", "{", null, "\n"));
      for (var k in json) var last = k;
      var keys = Object.keys(json);
      if (sort_objects)
        keys = keys.sort();
      for (var i in keys) {
        var k = keys[i];
        append(os, themetext(null, indent + "    ", "key", '"' + k + '"', "object syntax", ': '),
          _renderjson(json[k], indent + "    ", true, show_level - 1, max_string, sort_objects),
          k != last ? themetext("syntax", ",") : [],
          text("\n"));
      }
      append(os, themetext(null, indent, "object syntax", "}"));
      return os;
    });
  }

  var renderjson = function renderjson(json) {
    var pre = append(document.createElement("pre"), _renderjson(json, "", false, renderjson.show_to_level, renderjson.max_string_length, renderjson.sort_objects));
    pre.className = "renderjson";
    return pre;
  }
  renderjson.set_icons = function (show, hide) {
    renderjson.show = show;
    renderjson.hide = hide;
    return renderjson;
  };
  renderjson.set_show_to_level = function (level) {
    renderjson.show_to_level = typeof level == "string" &&
      level.toLowerCase() === "all" ? Number.MAX_VALUE
      : level;
    return renderjson;
  };
  renderjson.set_max_string_length = function (length) {
    renderjson.max_string_length = typeof length == "string" &&
      length.toLowerCase() === "none" ? Number.MAX_VALUE
      : length;
    return renderjson;
  };
  renderjson.set_sort_objects = function (sort_bool) {
    renderjson.sort_objects = sort_bool;
    return renderjson;
  };
  // Backwards compatiblity. Use set_show_to_level() for new code.
  renderjson.set_show_by_default = function (show) {
    renderjson.show_to_level = show ? Number.MAX_VLUE : 0;
    return renderjson;
  };
  renderjson.set_icons('', '');
  renderjson.set_show_by_default(false);
  renderjson.set_sort_objects(false);
  renderjson.set_max_string_length("none");
  return renderjson;
})();
</script>

</head>

<body>
  <div id="dest"></div>
</body>
<script type="application/javascript">
  document.getElementById("dest").appendChild(
    renderjson.set_show_by_default(true)
      //.set_show_to_level(2)
      //.set_sort_objects(true)
      //.set_icons('+', '-')
      .set_max_string_length(100)
      ([
        {
          "glossary": {
            "title": "example glossary",
            "GlossDiv": {
              "title": "S",
              "GlossList": {
                "GlossEntry": {
                  "ID": "SGML",
                  "SortAs": "SGML",
                  "GlossTerm": "Standard Generalized Markup Language",
                  "Acronym": "SGML",
                  "Abbrev": "ISO 8879:1986",
                  "GlossDef": {
                    "para": "A meta-markup language, used to create markup languages such as DocBook.",
                    "GlossSeeAlso": ["GML", "XML"]
                  },
                  "GlossSee": "markup"
                }
              }
            }
          }
        },
        {
          "menu": {
            "id": "file",
            "value": "File",
            "popup": {
              "menuitem": [
                { "value": "New", "onclick": "CreateNewDoc()" },
                { "value": "Open", "onclick": "OpenDoc()" },
                { "value": "Close", "onclick": "CloseDoc()" }
              ]
            }
          }
        },

        {
          "widget": {
            "debug": "on",
            "window": {
              "title": "Sample Konfabulator Widget",
              "name": "main_window",
              "width": 500,
              "height": 500
            },
            "image": {
              "src": "Images/Sun.png",
              "name": "sun1",
              "hOffset": 250,
              "vOffset": 250,
              "alignment": "center"
            },
            "text": {
              "data": "Click Here",
              "size": 36,
              "style": "bold",
              "name": "text1",
              "hOffset": 250,
              "vOffset": 100,
              "alignment": "center",
              "onMouseUp": "sun1.opacity = (sun1.opacity / 100) * 90;"
            }
          }
        },

        {
          "web-app": {
            "servlet": [
              {
                "servlet-name": "cofaxCDS",
                "servlet-class": "org.cofax.cds.CDSServlet",
                "init-param": {
                  "configGlossary:installationAt": "Philadelphia, PA",
                  "configGlossary:adminEmail": "ksm@pobox.com",
                  "configGlossary:poweredBy": "Cofax",
                  "configGlossary:poweredByIcon": "/images/cofax.gif",
                  "configGlossary:staticPath": "/content/static",
                  "templateProcessorClass": "org.cofax.WysiwygTemplate",
                  "templateLoaderClass": "org.cofax.FilesTemplateLoader",
                  "templatePath": "templates",
                  "templateOverridePath": "",
                  "defaultListTemplate": "listTemplate.htm",
                  "defaultFileTemplate": "articleTemplate.htm",
                  "useJSP": false,
                  "jspListTemplate": "listTemplate.jsp",
                  "jspFileTemplate": "articleTemplate.jsp",
                  "cachePackageTagsTrack": 200,
                  "cachePackageTagsStore": 200,
                  "cachePackageTagsRefresh": 60,
                  "cacheTemplatesTrack": 100,
                  "cacheTemplatesStore": 50,
                  "cacheTemplatesRefresh": 15,
                  "cachePagesTrack": 200,
                  "cachePagesStore": 100,
                  "cachePagesRefresh": 10,
                  "cachePagesDirtyRead": 10,
                  "searchEngineListTemplate": "forSearchEnginesList.htm",
                  "searchEngineFileTemplate": "forSearchEngines.htm",
                  "searchEngineRobotsDb": "WEB-INF/robots.db",
                  "useDataStore": true,
                  "dataStoreClass": "org.cofax.SqlDataStore",
                  "redirectionClass": "org.cofax.SqlRedirection",
                  "dataStoreName": "cofax",
                  "dataStoreDriver": "com.microsoft.jdbc.sqlserver.SQLServerDriver",
                  "dataStoreUrl": "jdbc:microsoft:sqlserver://LOCALHOST:1433;DatabaseName=goon",
                  "dataStoreUser": "sa",
                  "dataStorePassword": "dataStoreTestQuery",
                  "dataStoreTestQuery": "SET NOCOUNT ON;select test='test';",
                  "dataStoreLogFile": "/usr/local/tomcat/logs/datastore.log",
                  "dataStoreInitConns": 10,
                  "dataStoreMaxConns": 100,
                  "dataStoreConnUsageLimit": 100,
                  "dataStoreLogLevel": "debug",
                  "maxUrlLength": 500
                }
              },
              {
                "servlet-name": "cofaxEmail",
                "servlet-class": "org.cofax.cds.EmailServlet",
                "init-param": {
                  "mailHost": "mail1",
                  "mailHostOverride": "mail2"
                }
              },
              {
                "servlet-name": "cofaxAdmin",
                "servlet-class": "org.cofax.cds.AdminServlet"
              },

              {
                "servlet-name": "fileServlet",
                "servlet-class": "org.cofax.cds.FileServlet"
              },
              {
                "servlet-name": "cofaxTools",
                "servlet-class": "org.cofax.cms.CofaxToolsServlet",
                "init-param": {
                  "templatePath": "toolstemplates/",
                  "log": 1,
                  "logLocation": "/usr/local/tomcat/logs/CofaxTools.log",
                  "logMaxSize": "",
                  "dataLog": 1,
                  "dataLogLocation": "/usr/local/tomcat/logs/dataLog.log",
                  "dataLogMaxSize": "",
                  "removePageCache": "/content/admin/remove?cache=pages&id=",
                  "removeTemplateCache": "/content/admin/remove?cache=templates&id=",
                  "fileTransferFolder": "/usr/local/tomcat/webapps/content/fileTransferFolder",
                  "lookInContext": 1,
                  "adminGroupID": 4,
                  "betaServer": true
                }
              }],
            "servlet-mapping": {
              "cofaxCDS": "/",
              "cofaxEmail": "/cofaxutil/aemail/*",
              "cofaxAdmin": "/admin/*",
              "fileServlet": "/static/*",
              "cofaxTools": "/tools/*"
            },

            "taglib": {
              "taglib-uri": "cofax.tld",
              "taglib-location": "/WEB-INF/tlds/cofax.tld"
            }
          }
        },

        {
          "menu": {
            "header": "SVG Viewer",
            "items": [
              { "id": "Open" },
              { "id": "OpenNew", "label": "Open New" },
              null,
              { "id": "ZoomIn", "label": "Zoom In" },
              { "id": "ZoomOut", "label": "Zoom Out" },
              { "id": "OriginalView", "label": "Original View" },
              null,
              { "id": "Quality" },
              { "id": "Pause" },
              { "id": "Mute" },
              null,
              { "id": "Find", "label": "Find..." },
              { "id": "FindAgain", "label": "Find Again" },
              { "id": "Copy" },
              { "id": "CopyAgain", "label": "Copy Again" },
              { "id": "CopySVG", "label": "Copy SVG" },
              { "id": "ViewSVG", "label": "View SVG" },
              { "id": "ViewSource", "label": "View Source" },
              { "id": "SaveAs", "label": "Save As" },
              null,
              { "id": "Help" },
              { "id": "About", "label": "About Adobe CVG Viewer..." }
            ]
          }
        },
        {
          "empty": {
            "objet": {},
            "array": []
          }
        },
        {
          "really_long": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nulla posuere, orci quis laoreet luctus, nunc neque condimentum arcu, sed tristique sem erat non libero. Morbi et velit non justo rutrum pulvinar. Nam pellentesque laoreet lacus eget sollicitudin. Quisque maximus mattis nisl, eget tempor nisi pulvinar et. Nullam accumsan sapien sapien, non gravida turpis consectetur non. Etiam in vestibulum neque. Donec porta dui sit amet turpis efficitur laoreet. Duis eu convallis ex, vel volutpat lacus. Donec sit amet nunc a orci fermentum luctus."
        }
      ]));
</script>

</html>

0voto

Wacademy Points 31

Vous pouvez également utiliser le paquet react-json-tree si vous utilisez React.

J'ai créé un composant pour lui comme ci-dessous qui accepte un props de données.

import React from 'react';
import JSONTree from 'react-json-tree'
import './style.css';

const theme = {
    scheme: 'monokai',
    base00: '#272822',
    base01: '#383830',
    base02: '#49483e',
    base03: '#75715e',
    base04: '#a59f85',
    base05: '#f8f8f2',
    base06: '#f5f4f1',
    base07: '#f9f8f5',
    base08: '#f92672',
    base09: '#fd971f',
    base0A: '#f4bf75',
    base0B: '#a6e22e',
    base0C: '#a1efe4',
    base0D: '#66d9ef',
    base0E: '#ae81ff',
    base0F: '#cc6633',
};

const TreeView = (props) => {

    return (
        <div className="tree-container">
            <JSONTree
                data={props.data}
                theme={theme}
                invertTheme={true}
                hideRoot
                labelRenderer={([key]) => {
                    return <strong>{key}:</strong>
                }}
                valueRenderer={(valueAsString, value) => {
                    return <span className="capitalize">{value}</span>;
                }}
                getItemString={() => ''}
            />
        </div>
    );
}

export default TreeView;

Ensuite, je l'utilise dans un élément html comme ci-dessous après avoir importé le composant.

<div>
 <TreeView data={s.value} />
</div>

Prograide.com

Prograide est une communauté de développeurs qui cherche à élargir la connaissance de la programmation au-delà de l'anglais.
Pour cela nous avons les plus grands doutes résolus en français et vous pouvez aussi poser vos propres questions ou résoudre celles des autres.

Powered by:

X