使用php和mysql记录curl GET请求的结果

I'm trying to understand how to record the result of a curl GET request using php. I'm looking at outputing part or all of the result to mysql.

https://github.com/cloudtrax/docs/blob/master/api/code/php/simple_api_server_test_harness.php

function invoke_curl($method, $endpoint, $headers, $json) {
$api_server = 'https://api.cloudtrax.com';
try {
    // get a curl handle then go to town on it
    $ch = curl_init($api_server . $endpoint);
    curl_setopt($ch, CURLOPT_HTTPHEADER, $headers);
    curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);

    $result = curl_exec($ch);
    if ($result == FALSE) {
        if (curl_errno($ch) == 0)
            echo "@@@@ NOTE @@@@: nil HTTP return: This API call appears to be broken" . "
";
        else
            throw new Exception(curl_error($ch), curl_errno($ch));    
    }
    else
      echo "RESULT: 
" . $result . "
";
} 

The $result shows like this:

{
    "clients": {
        "ssid2": 4,
        "ssid1": 10
    },
    "rows": [
        {
            "time": "2016-03-23T02:45:00Z",
            "ssid2": {
                "traffic": {
                    "unclassified": {
//  etc...

How can I associate each part of the result too a variable so I can then input too mysql?

It looks like this result in json format. You can use json_decode to decode it:

$resultObject = json_decode($result);
$clients = $resultObject->clients;
// ... get other data from result

The code below will convert the json into a PHP array. You can then use the indexes of the array to pull out values.

$result = json_decode($result);
$clients = $result->clients;
// Some MySQL queries

If your response is a JSON response then you can simply use php's json_decode to get parsed object.

 $result = curl_exec($ch);
 //to get associative array passing true
 $jsonObj = json_decode($result, true);

 $clients = $jsonObj['clients'];
 $rows = $jsonObj['rows'];

You can refer to these answers for more detail: Parsing JSON object in PHP using json_decode and Parsing JSON file with PHP