从URL数据获取并转换为JSON数组

时间:2018-07-20 23:07:38

标签: javascript json node.js

我有这个功能

function getJsonObjectFromURL(url, onData) {
  let chunks = [];
  return require('https').get(url, res => {
    res.setEncoding('utf8')
      .on('data', (chunk) => {
        chunks.push(chunk);
      })
      .on('end', () => {
        onData(JSON.parse(chunks.join('')));
      });
  }).on('error', function(e) {
    console.log("Got an error: ", e);
  });
}

我还有这个脚本,可以将url的数据转换为json数组。

url = https://pu.vk.com/c824502/upload.php?act=do_add&mid=213468131&aid=-14&gid=156603484&hash=7ab9a7e723425f4a6ca08709cbd5ebd0&rhash=ba8f0ec6580a6eafce38349b12ed3789&swfupload=1&api=1&wallphoto=1
    getJsonObjectFromURL(url, data => {
      console.log(data.server, data.photo, data.hash);
    });

在console.log上运行良好。但是,当我想使用此脚本变量进行制作时,它会给我带来巨大的收藏价值

var xx = getJsonObjectFromURL(url, data => {
  return data.server;
});
console.log(xx);

enter image description here

1 个答案:

答案 0 :(得分:1)

您的函数getJsonObjectFromURL()不返回URL返回的对象。它返回负责https请求代码的对象,这是您不需要的。

我看到您正在使用ES6,所以对您来说最好的解决方案是创建一个 async 函数,该函数返回一个promise,这将为您带来极大的灵活性。这是您代码的改进版本:

const https = require('https');

async function getJsonObjectFromURL(url) {
    return new Promise((resolve, reject) => {
        const chunks = [];
        try {
            https.get(url, res => {
                res.setEncoding('utf8')
                .on('data', (chunk) => {
                    chunks.push(chunk);
                })
                .on('end', () => {
                    resolve(JSON.parse(chunks.join('')));
                });
            }).on('error', e => reject(e));
        } catch (err) {
            reject(err);
        }
    });
};

此代码使您可以同步或异步检索HTTPS url的远程内容。

异步呼叫

就像已经在代码中完成的一样,您可以使用lambda回调来处理准备好的响应。

const url = 'https://pu.vk.com/c824502/upload.php?act=do_add&mid=213468131&aid=-14&gid=156603484&hash=7ab9a7e723425f4a6ca08709cbd5ebd0&rhash=ba8f0ec6580a6eafce38349b12ed3789&swfupload=1&api=1&wallphoto=1';

// here we use a lambda callback that handles the response
getJsonObjectFromURL(url)
    .then(data => {
        console.log(data.server, data.photo, data.hash);
    })
    .catch(err => console.error(err));

同步呼叫

同步调用强制该函数等待结果。这是您可以做到的方式:

async function getSync() {
    try {
        // wait for the result
        const data = await getJsonObjectFromURL(url);
        console.log(data.server);
    } catch(err) {
        console.error(err);
    } 
}   
getSync();  

请注意,只有在 async 函数中时,才能使用 await 关键字。这就是为什么我必须用函数包装同步调用的原因。