[php] PHP로 예쁘게 인쇄하는 JSON

JSON 데이터를 다른 스크립트에 공급하는 PHP 스크립트를 작성 중입니다. 내 스크립트는 데이터를 큰 연관 배열로 빌드 한 다음을 사용하여 데이터를 출력합니다 json_encode. 다음은 예제 스크립트입니다.

$data = array('a' => 'apple', 'b' => 'banana', 'c' => 'catnip');
header('Content-type: text/javascript');
echo json_encode($data);

위의 코드는 다음과 같은 출력을 생성합니다.

{"a":"apple","b":"banana","c":"catnip"}

적은 양의 데이터가있는 경우 유용하지만 다음 줄을 따라 뭔가를 선호합니다.

{
    "a": "apple",
    "b": "banana",
    "c": "catnip"
}

못생긴 해킹없이 PHP에서 이것을 수행하는 방법이 있습니까? 페이스 북의 누군가가 알아 낸 것 같습니다 .



답변

PHP 5.4는 호출 JSON_PRETTY_PRINT에 사용할 수 있는 옵션을 제공합니다 json_encode().

http://php.net/manual/en/function.json-encode.php

<?php
...
$json_string = json_encode($data, JSON_PRETTY_PRINT);


답변

이 함수는 JSON 문자열을 가져 와서 읽을 수있는 들여 쓰기를합니다. 또한 수렴해야합니다.

prettyPrint( $json ) === prettyPrint( prettyPrint( $json ) )

입력

{"key1":[1,2,3],"key2":"value"}

산출

{
    "key1": [
        1,
        2,
        3
    ],
    "key2": "value"
}

암호

function prettyPrint( $json )
{
    $result = '';
    $level = 0;
    $in_quotes = false;
    $in_escape = false;
    $ends_line_level = NULL;
    $json_length = strlen( $json );

    for( $i = 0; $i < $json_length; $i++ ) {
        $char = $json[$i];
        $new_line_level = NULL;
        $post = "";
        if( $ends_line_level !== NULL ) {
            $new_line_level = $ends_line_level;
            $ends_line_level = NULL;
        }
        if ( $in_escape ) {
            $in_escape = false;
        } else if( $char === '"' ) {
            $in_quotes = !$in_quotes;
        } else if( ! $in_quotes ) {
            switch( $char ) {
                case '}': case ']':
                    $level--;
                    $ends_line_level = NULL;
                    $new_line_level = $level;
                    break;

                case '{': case '[':
                    $level++;
                case ',':
                    $ends_line_level = $level;
                    break;

                case ':':
                    $post = " ";
                    break;

                case " ": case "\t": case "\n": case "\r":
                    $char = "";
                    $ends_line_level = $new_line_level;
                    $new_line_level = NULL;
                    break;
            }
        } else if ( $char === '\\' ) {
            $in_escape = true;
        }
        if( $new_line_level !== NULL ) {
            $result .= "\n".str_repeat( "\t", $new_line_level );
        }
        $result .= $char.$post;
    }

    return $result;
}


답변

많은 사용자가 사용을 제안했습니다

echo json_encode($results, JSON_PRETTY_PRINT);

어느 것이 맞습니다. 그러나 충분하지 않습니다. 브라우저는 데이터 유형을 이해해야합니다. 데이터를 사용자에게 다시 에코하기 직전에 헤더를 지정할 수 있습니다.

header('Content-Type: application/json');

이렇게하면 형식이 잘 지정된 출력이됩니다.

또는 확장 기능이 마음에 들면 JSONView for Chrome을 사용할 수 있습니다.


답변

나는 같은 문제가 있었다.

어쨌든 방금 json 형식 코드를 사용했습니다.

http://recursive-design.com/blog/2008/03/11/format-json-with-php/

내가 필요한 것에 잘 작동합니다.

그리고 더 유지 보수 된 버전 : https://github.com/GerHobbelt/nicejson-php


답변

이 질문은 연관 배열을 예쁜 형식의 JSON 문자열로 인코딩하는 방법에 대해 묻는 것이므로 질문에 직접 대답하지는 않지만 이미 JSON 형식의 문자열이 있으면 간단하게 만들 수 있습니다 그것을 해독하고 다시 인코딩함으로써 (PHP> = 5.4 필요) :

$json = json_encode(json_decode($json), JSON_PRETTY_PRINT);

예:

header('Content-Type: application/json');
$json_ugly = '{"a":1,"b":2,"c":3,"d":4,"e":5}';
$json_pretty = json_encode(json_decode($json_ugly), JSON_PRETTY_PRINT);
echo $json_pretty;

출력 :

{
    "a": 1,
    "b": 2,
    "c": 3,
    "d": 4,
    "e": 5
}


답변

여러 답변을 함께 붙이면 기존 json의 필요성에 맞습니다 .

Code:
echo "<pre>";
echo json_encode(json_decode($json_response), JSON_PRETTY_PRINT);
echo "</pre>";

Output:
{
    "data": {
        "token_type": "bearer",
        "expires_in": 3628799,
        "scopes": "full_access",
        "created_at": 1540504324
    },
    "errors": [],
    "pagination": {},
    "token_type": "bearer",
    "expires_in": 3628799,
    "scopes": "full_access",
    "created_at": 1540504324
}


답변

내가 작곡가의 코드를했다 : https://github.com/composer/composer/blob/master/src/Composer/Json/JsonFile.php 및 nicejson : https://github.com/GerHobbelt/nicejson-php/blob /master/nicejson.php
작곡가 코드는 5.3에서 5.4로 유창하게 업데이트되기 때문에 좋지만 객체를 인코딩하는 반면 nicejson은 json 문자열을 취하므로 병합했습니다. 이 코드는 json 문자열을 포맷하거나 객체를 인코딩하는 데 사용할 수 있습니다. 현재 Drupal 모듈에서 사용하고 있습니다.

if (!defined('JSON_UNESCAPED_SLASHES'))
    define('JSON_UNESCAPED_SLASHES', 64);
if (!defined('JSON_PRETTY_PRINT'))
    define('JSON_PRETTY_PRINT', 128);
if (!defined('JSON_UNESCAPED_UNICODE'))
    define('JSON_UNESCAPED_UNICODE', 256);

function _json_encode($data, $options = 448)
{
    if (version_compare(PHP_VERSION, '5.4', '>='))
    {
        return json_encode($data, $options);
    }

    return _json_format(json_encode($data), $options);
}

function _pretty_print_json($json)
{
    return _json_format($json, JSON_PRETTY_PRINT);
}

function _json_format($json, $options = 448)
{
    $prettyPrint = (bool) ($options & JSON_PRETTY_PRINT);
    $unescapeUnicode = (bool) ($options & JSON_UNESCAPED_UNICODE);
    $unescapeSlashes = (bool) ($options & JSON_UNESCAPED_SLASHES);

    if (!$prettyPrint && !$unescapeUnicode && !$unescapeSlashes)
    {
        return $json;
    }

    $result = '';
    $pos = 0;
    $strLen = strlen($json);
    $indentStr = ' ';
    $newLine = "\n";
    $outOfQuotes = true;
    $buffer = '';
    $noescape = true;

    for ($i = 0; $i < $strLen; $i++)
    {
        // Grab the next character in the string
        $char = substr($json, $i, 1);

        // Are we inside a quoted string?
        if ('"' === $char && $noescape)
        {
            $outOfQuotes = !$outOfQuotes;
        }

        if (!$outOfQuotes)
        {
            $buffer .= $char;
            $noescape = '\\' === $char ? !$noescape : true;
            continue;
        }
        elseif ('' !== $buffer)
        {
            if ($unescapeSlashes)
            {
                $buffer = str_replace('\\/', '/', $buffer);
            }

            if ($unescapeUnicode && function_exists('mb_convert_encoding'))
            {
                // http://stackoverflow.com/questions/2934563/how-to-decode-unicode-escape-sequences-like-u00ed-to-proper-utf-8-encoded-cha
                $buffer = preg_replace_callback('/\\\\u([0-9a-f]{4})/i',
                    function ($match)
                    {
                        return mb_convert_encoding(pack('H*', $match[1]), 'UTF-8', 'UCS-2BE');
                    }, $buffer);
            }

            $result .= $buffer . $char;
            $buffer = '';
            continue;
        }
        elseif(false !== strpos(" \t\r\n", $char))
        {
            continue;
        }

        if (':' === $char)
        {
            // Add a space after the : character
            $char .= ' ';
        }
        elseif (('}' === $char || ']' === $char))
        {
            $pos--;
            $prevChar = substr($json, $i - 1, 1);

            if ('{' !== $prevChar && '[' !== $prevChar)
            {
                // If this character is the end of an element,
                // output a new line and indent the next line
                $result .= $newLine;
                for ($j = 0; $j < $pos; $j++)
                {
                    $result .= $indentStr;
                }
            }
            else
            {
                // Collapse empty {} and []
                $result = rtrim($result) . "\n\n" . $indentStr;
            }
        }

        $result .= $char;

        // If the last character was the beginning of an element,
        // output a new line and indent the next line
        if (',' === $char || '{' === $char || '[' === $char)
        {
            $result .= $newLine;

            if ('{' === $char || '[' === $char)
            {
                $pos++;
            }

            for ($j = 0; $j < $pos; $j++)
            {
                $result .= $indentStr;
            }
        }
    }
    // If buffer not empty after formating we have an unclosed quote
    if (strlen($buffer) > 0)
    {
        //json is incorrectly formatted
        $result = false;
    }

    return $result;
}