programing

PHP 스크립트에서 JSON 반환

sourcetip 2022. 11. 26. 13:36
반응형

PHP 스크립트에서 JSON 반환

PHP 스크립트에서 JSON을 반환하고 싶습니다.

결과를 그대로 반영하면 되나요?를 설정할 필요가 있습니까?Content-Type헤더?

보통은 없어도 괜찮지만, 세팅은 할 수 있고, 또 해야 합니다.Content-Type헤더:

<?php
$data = /** whatever you're serializing **/;
header('Content-Type: application/json; charset=utf-8');
echo json_encode($data);

특정 프레임워크를 사용하지 않을 경우 일반적으로 일부 요청 매개 변수가 출력 동작을 수정할 수 있습니다.일반적으로 빠른 트러블 슈팅이나 헤더를 송신하지 않는 것, 또는 경우에 따라서는 도움이 되는 경우가 있습니다.print_r데이터 페이로드에 주목합니다(대부분의 경우 필수는 아닙니다).

JSON을 반환하는 PHP 코드 전체는 다음과 같습니다.

$option = $_GET['option'];

if ( $option == 1 ) {
    $data = [ 'a', 'b', 'c' ];
    // will encode to JSON array: ["a","b","c"]
    // accessed as example in JavaScript like: result[1] (returns "b")
} else {
    $data = [ 'name' => 'God', 'age' => -1 ];
    // will encode to JSON object: {"name":"God","age":-1}  
    // accessed as example in JavaScript like: result.name or result['name'] (returns "God")
}

header('Content-type: application/json');
echo json_encode( $data );

메서드의 매뉴얼에 따르면 스트링 이외의 값(false)을 반환할 수 있습니다.

성공 시 JSON 인코딩된 문자열을 반환합니다.FALSE실패했을 때

이럴 때echo json_encode($data)는 비활성 JSON인 빈 문자열을 출력합니다.

json_encode예를 들어 실패(및 복귀)하는 유언장false인수에 UTF-8 이외의 문자열이 포함되어 있는 경우).

이 에러 상태는, 다음과 같이 PHP 로 캡쳐 할 필요가 있습니다.

<?php
header("Content-Type: application/json");

// Collect what you need in the $data variable.

$json = json_encode($data);
if ($json === false) {
    // Avoid echo of empty string (which is invalid JSON), and
    // JSONify the error message instead:
    $json = json_encode(["jsonError" => json_last_error_msg()]);
    if ($json === false) {
        // This should not happen, but we go all the way now:
        $json = '{"jsonError":"unknown"}';
    }
    // Set HTTP response status code to: 500 - Internal Server Error
    http_response_code(500);
}
echo $json;
?>

수신측에서는 당연히 jsonError 속성의 존재는 에러 상태를 나타내므로 그에 따라 처리되어야 합니다.

실제 가동 모드에서는 클라이언트에 일반적인 오류 상태만 보내고 나중에 조사할 수 있도록 보다 구체적인 오류 메시지를 기록하는 것이 좋습니다.

JSON 오류 처리에 대한 자세한 내용은 PHP의 설명서를 참조하십시오.

json_encode를 사용하여 데이터를 인코딩하고 content-type을 설정합니다.header('Content-type: application/json');.

이 질문에는 많은 답변이 있습니다만, JSON 응답의 부정을 막기 위해서 필요한 모든 것을 포함한 클린 JSON을 반환하는 프로세스 전체를 커버하는 것은 없습니다.


/*
 * returnJsonHttpResponse
 * @param $success: Boolean
 * @param $data: Object or Array
 */
function returnJsonHttpResponse($success, $data)
{
    // remove any string that could create an invalid JSON 
    // such as PHP Notice, Warning, logs...
    ob_clean();

    // this will clean up any previously added headers, to start clean
    header_remove(); 

    // Set the content type to JSON and charset 
    // (charset can be set to something else)
    header("Content-type: application/json; charset=utf-8");

    // Set your HTTP response code, 2xx = SUCCESS, 
    // anything else will be error, refer to HTTP documentation
    if ($success) {
        http_response_code(200);
    } else {
        http_response_code(500);
    }
    
    // encode your PHP Object or Array into a JSON string.
    // stdClass or array
    echo json_encode($data);

    // making sure nothing is added
    exit();
}

참고 자료:

응답_삭제

ob_clean(깨끗하다)

콘텐츠 타입 JSON

HTTP 코드

http_response_code

json_module

콘텐츠 유형 설정:header('Content-type: application/json');데이터를 에코합니다.

액세스 보안을 설정하는 것도 좋습니다.* 를 액세스 할 수 있는 도메인으로 치환하기만 하면 됩니다.

<?php
header('Access-Control-Allow-Origin: *');
header('Content-type: application/json');
    $response = array();
    $response[0] = array(
        'id' => '1',
        'value1'=> 'value1',
        'value2'=> 'value2'
    );

echo json_encode($response); 
?>

다음으로 Access-Control-Allow-Origin을 바이패스하는 를 제시하겠습니다.

<?php
$data = /** whatever you're serializing **/;
header("Content-type: application/json; charset=utf-8");
echo json_encode($data);
?>

HTTP 상태 코드와 함께 JSON 응답을 반환하는 간단한 함수입니다.

function json_response($data=null, $httpStatus=200)
{
    header_remove();

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

    http_response_code($httpStatus);

    echo json_encode($data);

    exit();
}

상기와 같이:

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

할 수 있을 거야단, 다음 점에 유의하십시오.

  • Ajax는 이 헤더를 사용하지 않아도 json을 읽을 수 있습니다.단, 당신의 json에 HTML 태그가 포함되어 있는 경우는 예외입니다.이 경우 헤더를 application/json으로 설정해야 합니다.

  • 파일이 UTF8-BOM으로 인코딩되어 있지 않은지 확인합니다.이 형식은 파일 상단에 문자를 추가하므로 header() 호출이 실패합니다.

당신의 질문에 대한 답은 여기 있습니다.

이렇게 써있네요.

JSON 텍스트의 MIME 미디어 유형은 application/json입니다.

따라서 헤더를 그 타입으로 설정하고 JSON 문자열을 출력하면 동작합니다.

하고 있는 할 필요가 경우는, 이 json을 할 수 .header('Content-Type: application/json');을 인쇄하기 할 수 .echo '{"monto": "'.$monto[0]->valor.'","moneda":"'.$moneda[0]->nombre.'","simbolo":"'.$moneda[0]->simbolo.'"}';

네, 출력을 표시하려면 에코를 사용해야 합니다.MIMType: 응용 프로그램/json

데이터베이스를 쿼리하고 JSON 형식의 결과 세트가 필요한 경우 다음과 같이 수행할 수 있습니다.

<?php

$db = mysqli_connect("localhost","root","","mylogs");
//MSG
$query = "SELECT * FROM logs LIMIT 20";
$result = mysqli_query($db, $query);
//Add all records to an array
$rows = array();
while($row = $result->fetch_array()){
    $rows[] = $row;
}
//Return result to jTable
$qryResult = array();
$qryResult['logs'] = $rows;
echo json_encode($qryResult);

mysqli_close($db);

?>

jQuery를 사용한 결과 해석에 대한 도움말은 튜토리얼을 참조하십시오.

이것은 수컷 암컷과 사용자 ID를 반환하는 단순한 PHP 스크립트입니다.json 값은 스크립트 json.php라고 불리는 임의의 값이 됩니다.

이게 도움이 되길 바래 고마워

<?php
header("Content-type: application/json");
$myObj=new \stdClass();
$myObj->user_id = rand(0, 10);
$myObj->male = rand(0, 5);
$myObj->female = rand(0, 5);
$myJSON = json_encode($myObj);
echo $myJSON;
?>

API에 대한 JSON 응답을 반환하거나 올바른 헤더가 있는지 확인하고 유효한 JSON 데이터도 반환해야 합니다.

다음은 PHP 어레이 또는 JSON 파일에서 JSON 응답을 반환하는 데 도움이 되는 샘플 스크립트입니다.

PHP 스크립트(코드):

<?php

// Set required headers
header('Content-Type: application/json; charset=utf-8');
header('Access-Control-Allow-Origin: *');

/**
 * Example: First
 *
 * Get JSON data from JSON file and retun as JSON response
 */

// Get JSON data from JSON file
$json = file_get_contents('response.json');

// Output, response
echo $json;

/** =. =.=. =.=. =.=. =.=. =.=. =.=. =.=. =.=. =.=. =.  */

/**
 * Example: Second
 *
 * Build JSON data from PHP array and retun as JSON response
 */

// Or build JSON data from array (PHP)
$json_var = [
  'hashtag' => 'HealthMatters',
  'id' => '072b3d65-9168-49fd-a1c1-a4700fc017e0',
  'sentiment' => [
    'negative' => 44,
    'positive' => 56,
  ],
  'total' => '3400',
  'users' => [
    [
      'profile_image_url' => 'http://a2.twimg.com/profile_images/1285770264/PGP_normal.jpg',
      'screen_name' => 'rayalrumbel',
      'text' => 'Tweet (A), #HealthMatters because life is cool :) We love this life and want to spend more.',
      'timestamp' => '{{$timestamp}}',
    ],
    [
      'profile_image_url' => 'http://a2.twimg.com/profile_images/1285770264/PGP_normal.jpg',
      'screen_name' => 'mikedingdong',
      'text' => 'Tweet (B), #HealthMatters because life is cool :) We love this life and want to spend more.',
      'timestamp' => '{{$timestamp}}',
    ],
    [
      'profile_image_url' => 'http://a2.twimg.com/profile_images/1285770264/PGP_normal.jpg',
      'screen_name' => 'ScottMili',
      'text' => 'Tweet (C), #HealthMatters because life is cool :) We love this life and want to spend more.',
      'timestamp' => '{{$timestamp}}',
    ],
    [
      'profile_image_url' => 'http://a2.twimg.com/profile_images/1285770264/PGP_normal.jpg',
      'screen_name' => 'yogibawa',
      'text' => 'Tweet (D), #HealthMatters because life is cool :) We love this life and want to spend more.',
      'timestamp' => '{{$timestamp}}',
    ],
  ],
];

// Output, response
echo json_encode($json_var);

JSON 파일(JSON DATA):

{
    "hashtag": "HealthMatters", 
    "id": "072b3d65-9168-49fd-a1c1-a4700fc017e0", 
    "sentiment": {
        "negative": 44, 
        "positive": 56
    }, 
    "total": "3400", 
    "users": [
        {
            "profile_image_url": "http://a2.twimg.com/profile_images/1285770264/PGP_normal.jpg", 
            "screen_name": "rayalrumbel", 
            "text": "Tweet (A), #HealthMatters because life is cool :) We love this life and want to spend more.", 
            "timestamp": "{{$timestamp}}"
        }, 
        {
            "profile_image_url": "http://a2.twimg.com/profile_images/1285770264/PGP_normal.jpg", 
            "screen_name": "mikedingdong", 
            "text": "Tweet (B), #HealthMatters because life is cool :) We love this life and want to spend more.", 
            "timestamp": "{{$timestamp}}"
        }, 
        {
            "profile_image_url": "http://a2.twimg.com/profile_images/1285770264/PGP_normal.jpg", 
            "screen_name": "ScottMili", 
            "text": "Tweet (C), #HealthMatters because life is cool :) We love this life and want to spend more.", 
            "timestamp": "{{$timestamp}}"
        }, 
        {
            "profile_image_url": "http://a2.twimg.com/profile_images/1285770264/PGP_normal.jpg", 
            "screen_name": "yogibawa", 
            "text": "Tweet (D), #HealthMatters because life is cool :) We love this life and want to spend more.", 
            "timestamp": "{{$timestamp}}"
        }
    ]
}

JSON Screeshot:

여기에 이미지 설명 입력

도메인 개체를 JSON으로 포맷하는 간단한 방법은 Marshal Serializer를 사용하는 것입니다.다음으로 데이터를 전달합니다.json_encode필요에 따라 올바른 Content-Type 헤더를 전송합니다.Symfony와 같은 프레임워크를 사용하는 경우 헤더를 수동으로 설정할 필요가 없습니다.여기서 Json Response를 사용할 수 있습니다.

를 들어, 은 "Javascript"입니다.application/javascript.

오래된 해야 할 은 " " " 입니다.text/javascript.

다른 에는 ★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★.application/json[내용 - 유형] (형식)입니다.

다음으로 작은 예를 제시하겠습니다.

<?php
...
$userCollection = [$user1, $user2, $user3];

$data = Marshal::serializeCollectionCallable(function (User $user) {
    return [
        'username' => $user->getUsername(),
        'email'    => $user->getEmail(),
        'birthday' => $user->getBirthday()->format('Y-m-d'),
        'followers => count($user->getFollowers()),
    ];
}, $userCollection);

header('Content-Type: application/json');
echo json_encode($data);

WordPress에서 이 작업을 수행하는 경우 다음과 같은 간단한 솔루션이 있습니다.

add_action( 'parse_request', function ($wp) {
    $data = /* Your data to serialise. */
    wp_send_json_success($data); /* Returns the data with a success flag. */
    exit(); /* Prevents more response from the server. */
})

은 「 」, 「 」에되어 있지 않은 것에 해 주세요.wp_head훅 - 즉시 나가도 항상 헤드의 대부분을 돌려줍니다.parse_request을 사용하다

js 개체를 사용하려면 header content-type을 사용합니다.

<?php
$data = /** whatever you're serializing **/;
header('Content-Type: application/json; charset=utf-8');
echo json_encode($data);

json : header content-type Atribute만 삭제할 경우 인코딩 및 에코만 수행합니다.

<?php
$data = /** whatever you're serializing **/;
echo json_encode($data);

작은 PHP 라이브러리를 사용할 수 있습니다.헤더를 전송하여 쉽게 사용할 수 있는 개체를 제공합니다.

다음과 같습니다.

<?php
// Include the json class
include('includes/json.php');

// Then create the PHP-Json Object to suits your needs

// Set a variable ; var name = {}
$Json = new json('var', 'name'); 
// Fire a callback ; callback({});
$Json = new json('callback', 'name'); 
// Just send a raw JSON ; {}
$Json = new json();

// Build data
$object = new stdClass();
$object->test = 'OK';
$arraytest = array('1','2','3');
$jsonOnly = '{"Hello" : "darling"}';

// Add some content
$Json->add('width', '565px');
$Json->add('You are logged IN');
$Json->add('An_Object', $object);
$Json->add("An_Array",$arraytest);
$Json->add("A_Json",$jsonOnly);

// Finally, send the JSON.

$Json->send();
?>

언급URL : https://stackoverflow.com/questions/4064444/returning-json-from-a-php-script

반응형