8

我有一个用 c++ 编写的本机应用程序和一个 chrome 扩展。

我正在使用“chrome 原生消息传递”在它们之间进行通信。

本机应用程序代码:

int main(int argc, char* argv[]) {
 unsigned int a, c, i, t=0;
 std::string inp;  do {
 inp="";
 t=0;
 // Sum the first 4 chars from stdin (the length of the message passed).
  for (i = 0; i <= 3; i++) {
    t += getchar();
  }

  // Loop getchar to pull in the message until we reach the total
  //  length provided.
  for (i=0; i < t; i++) {
    c = getchar();
    inp += c;
  }

// Collect the length of the message
unsigned int len = inp.length();
//// We need to send the 4 btyes 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 << inp <<std::endl;
flushall();
}while(cnt < 2 );
return 0;  }

在这里,我正在阅读标准输入上的 chrome-extension 发送的消息。并通过在标准输出上写回相同的消息。

扩展正在使用 PostMessage()

这是有效的......但是..

当我将程序置于连续的while循环下时,流程只执行一次!

即 port.postMessage({'text':'hello_1'}) 得到回显,但如果我这样做

port.postMessage({'text':'hello_2'}) 它不会被回显。

我无法理解问题所在。它需要线程吗?

请帮忙!

谢谢!

4

3 回答 3

10

Marc 的答案包含一些错误(继承自问题)并且不适用于长度不适合一个字节的消息。

Chrome 的协议,当与本机应用程序通信时:

  • 通过标准输入接收对本机应用程序的请求
  • 对 Chrome 的响应通过标准输出发送
  • Chrome 不能很好地处理 Windows 样式\r\n,因此请避免在消息中使用它并将标准输入模式设置为二进制(这样您就可以正确读取请求 len 并且 \n 不会“转换”为 \r\n):

    _setmode(_fileno(stdin),_O_BINARY);
    

请求和响应消息是带有 4 字节标头 (uint32) 的 JSON,其中包含消息的长度:[length 4 byte header][message]

读取请求头:

uint32_t reqLen = 0;
cin.read(reinterpret_cast<char*>(&reqLen) ,4);

编写响应头:

cout.write(reinterpret_cast<char*>(&responseLen),4); 
于 2014-03-10T11:09:49.880 回答
2

这对我有用:

 int main(int argc, char* argv[])
 {

 std::cout.setf( std::ios_base::unitbuf ); //instead of "<< eof" and "flushall"
 unsigned int a, c, i, t=0;
 std::string inp;  

 do {

 inp="";
 t=0;
 // Sum the first 4 chars from stdin (the length of the message passed).
  for (i = 0; i <= 3; i++) {
    t += getchar();
  }

  // Loop getchar to pull in the message until we reach the total
  //  length provided.
  for (i=0; i < t; i++) {
    c = getchar();
    inp += c;
  }

//Collect the length of the message
unsigned int len = inp.length();
//// We need to send the 4 btyes 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 << inp;
}

...

于 2013-11-27T07:05:30.853 回答
0

字符串长度解码算法不正确。这是更正:

for (i = 0; i <= 3; i++) {
    c = getchar();
    l |= (c << 8*i);
}
于 2017-01-12T12:07:10.657 回答