URL에서 JSON 객체 가져 오기


146

다음과 같이 JSON 객체를 반환하는 URL이 있습니다.

{
    "expires_in":5180976,
    "access_token":"AQXzQgKTpTSjs-qiBh30aMgm3_Kb53oIf-VA733BpAogVE5jpz3jujU65WJ1XXSvVm1xr2LslGLLCWTNV5Kd_8J1YUx26axkt1E-vsOdvUAgMFH1VJwtclAXdaxRxk5UtmCWeISB6rx6NtvDt7yohnaarpBJjHWMsWYtpNn6nD87n0syud0"
} 

나는 access_token가치 를 얻고 싶다 . PHP를 통해 어떻게 검색 할 수 있습니까?


1
json_decode($your_string)트릭을 수행해야합니다
d4rkpr1nc3

답변:


359
$json = file_get_contents('url_here');
$obj = json_decode($json);
echo $obj->access_token;

이것이 작동 file_get_contents하려면 allow_url_fopen활성화되어 있어야합니다 . 다음을 포함하여 런타임시 수행 할 수 있습니다.

ini_set("allow_url_fopen", 1);

curlURL을 얻는 데 사용할 수도 있습니다 . curl을 사용하려면 다음 예제를 사용할 수 있습니다 .

$ch = curl_init();
// IMPORTANT: the below line is a security risk, read https://paragonie.com/blog/2017/10/certainty-automated-cacert-pem-management-for-php-software
// in most cases, you should set it to true
curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, false);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_URL, 'url_here');
$result = curl_exec($ch);
curl_close($ch);

$obj = json_decode($result);
echo $obj->access_token;

죄송하지만 먼저 URL 에서이 문자열을 얻은 다음 json 객체에 액세스하는 방법을 언급하지 않았습니다.
user2199343

이 줄에 오류가 발생했습니다. echo $ obj [ 'access_token']; 치명적인 오류 : 22 행의 F : \ wamp \ www \ sandbox \ linkedin \ test.php에서 stdClass 유형의 객체를 배열로 사용할 수 없습니다.
user2199343

1
@ user2199343 결과를 배열로 사용하려면 json_decode 함수에서 ", true"를 사용하십시오. 예를 들어 내 대답을 참조하십시오.
netblognet

file_get_contents ( 'url'); 이것을 참조하는 동안 오류가 발생했습니다
user2199343

1
당신은 상단에이 줄을 넣을 수 ini_set("allow_url_fopen", 1);있도록 allow_url_fopen런타임에.
Cԃ ա ԃ

25
$url = 'http://.../.../yoururl/...';
$obj = json_decode(file_get_contents($url), true);
echo $obj['access_token'];

PHP는 대시와 함께 속성을 사용할 수도 있습니다.

garex@ustimenko ~/src/ekapusta/deploy $ psysh
Psy Shell v0.4.4 (PHP 5.5.3-1ubuntu2.6  cli) by Justin Hileman
>>> $q = new stdClass;
=> <stdClass #000000005f2b81c80000000076756fef> {}
>>> $q->{'qwert-y'} = 123
=> 123
>>> var_dump($q);
class stdClass#174 (1) {
  public $qwert-y =>
  int(123)
}
=> null

1
구문 분석 된 json 만 대시 문자 ex : { "full-name": "khalil", "familiy-name": "whatever"} 디코딩으로 배열이 유지되는 이유 중 하나 때문에 선택한 답변에 대해이 답변을 선호합니다. 당신은 안전한 편입니다
Khalil Awada 8:14에

17

PHP의 json_decode 함수를 사용할 수 있습니다 :

$url = "http://urlToYourJsonFile.com";
$json = file_get_contents($url);
$json_data = json_decode($json, true);
echo "My token: ". $json_data["access_token"];

좋은 예이지만 그 방법은 json_decodenot 이라고 불립니다 $json_decode.
czerasz 2016 년

8
// Get the string from the URL
$json = file_get_contents('https://maps.googleapis.com/maps/api/geocode/json?latlng=40.714224,-73.961452');

// Decode the JSON string into an object
$obj = json_decode($json);

// In the case of this input, do key and array lookups to get the values
var_dump($obj->results[0]->formatted_address);

코드에 대한 코드 블록 형식 및 설명 주석을 선호하십시오. 특히 코드가 질문에 직접 대답하지 않는 경우 (이 경우 다른 키 이름 등이 있음)
elliot42

7

json_decode 함수 http://php.net/manual/en/function.json-decode.php 에 대해 읽어야합니다 .

여기 요

$json = '{"expires_in":5180976,"access_token":"AQXzQgKTpTSjs-qiBh30aMgm3_Kb53oIf-VA733BpAogVE5jpz3jujU65WJ1XXSvVm1xr2LslGLLCWTNV5Kd_8J1YUx26axkt1E-vsOdvUAgMFH1VJwtclAXdaxRxk5UtmCWeISB6rx6NtvDt7yohnaarpBJjHWMsWYtpNn6nD87n0syud0"}';
//OR $json = file_get_contents('http://someurl.dev/...');

$obj = json_decode($json);
var_dump($obj-> access_token);

//OR 

$arr = json_decode($json, true);
var_dump($arr['access_token']);

3
$ch = curl_init();
curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, false);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_URL, 'url_here');
$result = curl_exec($ch);
curl_close($ch);

$obj = json_decode($result);
echo $obj->access_token;

2
StackOverflow에 오신 것을 환영합니다! 이 질문은 이미 여러 번 답변되었습니다! 단순히 일부 코드를 덤프하는 대신 답변이 어떻게 다른지 자세히 설명하고 다른 방법을 개선하십시오.
T3 H40

2

file_get_contents()URL에서 데이터를 가져 오는 것이 아니라 시도했지만 curl제대로 작동합니다.


1

내 솔루션은 다음 경우에만 작동합니다. 다차원 배열을 단일 배열로 착각하는 경우

$json = file_get_contents('url_json'); //get the json
$objhigher=json_decode($json); //converts to an object
$objlower = $objhigher[0]; // if the json response its multidimensional this lowers it
echo "<pre>"; //box for code
print_r($objlower); //prints the object with all key and values
echo $objlower->access_token; //prints the variable

나는 답변이 이미 답변되었지만 여기에 와서 무언가를 찾는 사람들에게 이것이 도움이되기를 바랍니다.


0

당신이 curl때때로 사용하면 브라우저를 에뮬레이트하기 위해이 줄을 추가하여 403 (접근 금지)을 제공합니다.

curl_setopt($ch, CURLOPT_USERAGENT, 'Mozilla/4.0 (compatible; MSIE 6.0; Windows NT 5.1; SV1; .NET CLR 1.0.3705; .NET CLR 1.1.4322)');

이것이 누군가를 돕기를 바랍니다.


0

우리의 솔루션은 응답에 몇 가지 유효성 검사를 추가하여 $ json 변수 에 잘 구성된 json 객체가 있는지 확인 합니다.

$ch = curl_init();
curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, false);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_URL, $url);
$result = curl_exec($ch);
curl_close($ch);
if (! $result) {
    return false;
}

$json = json_decode(utf8_encode($result));
if (empty($json) || json_last_error() !== JSON_ERROR_NONE) {
    return false;
}

0
$curl_handle=curl_init();
curl_setopt($curl_handle, CURLOPT_URL,'https://www.xxxSite/get_quote/ajaxGetQuoteJSON.jsp?symbol=IRCTC&series=EQ');
//Set the GET method by giving 0 value and for POST set as 1
//curl_setopt($curl_handle, CURLOPT_POST, 0);
curl_setopt($curl_handle, CURLOPT_CUSTOMREQUEST, "GET");
curl_setopt($curl_handle, CURLOPT_CONNECTTIMEOUT, 2);
curl_setopt($curl_handle, CURLOPT_RETURNTRANSFER, 1);
$query = curl_exec($curl_handle);
$data = json_decode($query, true);
curl_close($curl_handle);

//print complete object, just echo the variable not work so you need to use print_r to show the result
echo print_r( $data);
//at first layer
echo $data["tradedDate"];
//Inside the second layer
echo $data["data"][0]["companyName"];

때때로 405가 표시 될 수 있으며 메소드 유형을 올바르게 설정하십시오.

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.