解析JSONP响应(从express.js服务器)客户方使用的Greasemonkey(parse

2019-09-30 05:14发布

我们在greasemonkeyscript工作,从Express服务器跨域提取数据。 (我们发现它正在为一个普通的HTML网站的代码在这里 :)

你可以得到这个为Greasemonkey的工作吗? (可能与unsafeWindow?)

app.js:

var express = require("express");
var app = express();
var fs=require('fs');
  var stringforfirefox = 'hi buddy!'



// in the express app for crossDomainServer.com
app.get('/getJSONPResponse', function(req, res) {

    res.writeHead(200, {'Content-Type': 'application/javascript'});
    res.end("__parseJSONPResponse(" + JSON.stringify( stringforfirefox) + ");");
});
app.listen(8001)

greasemonkeyscript:

// ==UserScript==
// @name          greasemonkeytestscript
// @namespace     http://www.example.com/
// @description   jQuery test script
// @include       *
// @require       http://ajax.googleapis.com/ajax/libs/jquery/1.5.1/jquery.min.js

// ==/UserScript==


function __parseJSONPResponse(data) {    alert(data); }       // ??????????

document.onkeypress = function keypressed(e){

    if (e.keyCode == 112) {
        var script = document.createElement('script');
        script.src = 'http://localhost:8001/getJSONPResponse';
        document.body.appendChild(script); // triggers a GET request
        alert(script);



    }
}

Answer 1:

我以前从未使用过快递 ,但该应用程序看起来像被返回的代码:

__parseJSONPResponse("\"hi buddy!\"");

其被放置成<script>目标页面范围的节点。

这意味着的Greasemonkey脚本还必须将__parseJSONPResponse功能在目标页面范围。

要做到这一点的方法之一是:

unsafeWindow.__parseJSONPResponse = function (data) {
    alert (data);
}


然而,它看起来像你控制的快速应用。 如果这是真的,那么就不要使用JSONP对于这种事情。 使用GM_xmlhttpRequest() 。

app.js可能变成:

var express             = require ("express");
var app                 = express ();
var fs                  = require ('fs');
var stringforfirefox    = 'hi buddy!'

app.get ('/getJSONPResponse', function (req, res) {

    res.send (JSON.stringify (stringforfirefox) );
} );

app.listen (8001)


而通用脚本会是这样的:

// ==UserScript==
// @name        greasemonkeytestscript
// @namespace   http://www.example.com/
// @description jQuery test script
// @include     *
// @require     http://ajax.googleapis.com/ajax/libs/jquery/1.7.2/jquery.min.js
// @grant       GM_xmlhttpRequest
// ==/UserScript==

document.onkeypress = function keypressed (e){

    if (e.keyCode == 112) {
        GM_xmlhttpRequest ( {
            method:     'GET',
            url:        'http://localhost:8001/getJSONPResponse',
            onload:     function (respDetails) {
                            alert (respDetails.responseText);
                        }
        } );
    }
}


文章来源: parse JSONP response (from express.js server) clientside using greasemonkey