1

我们正在开发一个greasemonkeyscript,以从快速服务器跨域中提取数据。(我们在这里找到了适用于普通 html 网站的代码:)

你能让这个为greasemonkey工作吗?(也许与 unsafeWindow ?)

应用程序.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)

油脂猴脚本:

// ==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);



    }
}
4

1 回答 1

1

我以前从未使用过Express,但该应用程序看起来返回的代码如下:

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

它被放置在目标页面范围内<script>的一个节点中。

这意味着 Greasemonkey 脚本还必须将__parseJSONPResponse函数置于目标页面范围内。

一种方法是:

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


但是,看起来您控制的是 Express 应用程序。如果这是真的,那么不要将 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)


GM 脚本类似于:

// ==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);
                        }
        } );
    }
}
于 2013-03-02T23:50:19.777 回答