10

我已阅读文档,但仍然无法实现。我有用 C 和 Chrome 扩展编写的桌面应用程序。我知道如何在我的 chrome 扩展程序中接收此消息:

port.onMessage.addListener(function(msg) {
    console.log("Received" + msg);
});

我应该在我的 C 应用程序中写什么来向我的 chrome 扩展程序发送消息?Python/NodeJS 示例也是合适的。

4

3 回答 3

13

为了让原生消息传递主机将数据发送回 Chrome,您必须首先发送四个字节的长度信息,然后将 JSON 格式的消息作为字符串/字符数组发送。

下面是 C 和 C++ 的两个示例,它们分别以略微不同的方式执行相同的操作。

C 示例:

#include <stdio.h>
#include <string.h>

int main(int argc, char* argv[]) {
    // Define our message
    char message[] = "{\"text\": \"This is a response message\"}";
    // Collect the length of the message
    unsigned int len = strlen(message);
    // We need to send the 4 bytes of length information
    printf("%c%c%c%c", (char) (len & 0xff),
                       (char) ((len>>8) & 0xFF),
                       (char) ((len>>16) & 0xFF),
                       (char) ((len>>24) & 0xFF));
    // Now we can output our message
    printf("%s", message);
    return 0;
}

C++ 示例:

#include <string.h>

int main(int argc, char* argv[]) {
    // Define our message
    std::string message = "{\"text\": \"This is a response message\"}";
    // Collect the length of the message
    unsigned int len = message.length();
    // We need to send the 4 bytes of length information
    std::cout << char(((len>>0) & 0xFF))
              << char(((len>>8) & 0xFF))
              << char(((len>>16) & 0xFF))
              << char(((len>>24) & 0xFF));
    // Now we can output our message
    std::cout << message;
    return 0;
}

(实际消息可以与长度信息同时发送;只是为了清楚起见而将其分解。)

因此,按照 OP Chrome 示例,以下是如何输出消息:

port.onMessage.addListener(function(msg) {
    console.log("Received" + msg.text);
});

实际上,不需要使用“文本”作为本地消息传递应用程序返回的键;它可以是任何东西。从本机消息传递应用程序传递给侦听器的 JSON 字符串将转换为 JavaScript 对象。

有关将上述技术与 jsoncpp(C++ JSON 库)结合使用并解析发送到应用程序的请求的原生消息传递应用程序的 C++ 示例,请参见此处:https ://github.com/kylehuff/libwebpg/blob/ 22d4843f41670d4fd7c4cc7ea3cf833edf8f1baf/webpg.cc#L4501

于 2013-11-08T18:45:16.720 回答
8

你可以看看这里,这是一个示例 python 脚本,它向扩展发送和接收消息:http: //src.chromium.org/viewvc/chrome/trunk/src/chrome/common/extensions/docs/examples/ api/nativeMessaging/host/native-messaging-example-host?revision=227442

据我了解,为了发送消息,您需要:

  1. 将消息的长度写入控制台
  2. 写三个 \0 字符
  3. 用纯文本写你的信息

这是为我完成这项工作的 C# 代码:

String str = "{\"text\": \"testmessage\"}";

Stream stdout = Console.OpenStandardOutput();

stdout.WriteByte((byte)str.Length);
stdout.WriteByte((byte)'\0');
stdout.WriteByte((byte)'\0');
stdout.WriteByte((byte)'\0');
Console.Write(str);

以及来自上述链接的python代码:

sys.stdout.write(struct.pack('I', len(message)))
sys.stdout.write(message)
sys.stdout.flush()

有趣的是它没有显式输出三个\0字符,但它们似乎在输出struct.pack之后出现,不知道为什么......

另请注意,您需要以JSON格式发送消息,否则它似乎不起作用。

于 2013-10-11T01:18:42.923 回答
1

我使用函数write

write(1,buf,n);

buf 是您的消息,n 是您的消息的长度您也可以使用 printf。

于 2013-09-25T10:32:28.917 回答