6

您如何使用 bash 脚本处理 Chrome 原生消息传递 API 调用?

我用这个例子成功地用python做到了

当然我可以bash从 python 代码调用subprocess,但是是否可以跳过 python 并bash直接处理消息?

问题的部分是将 JSON 序列化消息读入变量。消息使用 JSON 进行序列化,UTF-8 编码,并通过标准输入以本机字节顺序以 32 位消息长度开头。

echo $*仅输出: chrome-extension://knldjmfmopnpolahpmmgbagdohdnhkik/

还有类似的东西

read
echo $REPLY

不输出任何东西。没有 JSON 消息的迹象。Pythonstruct.unpack用于此。可以在里面完成bash吗?

4

1 回答 1

7

我建议不要将 (bash) shell 脚本用作本机消息传递主机,因为 bash 太有限而无法使用。

read没有任何参数在终止前读取整行,而本机消息传递协议指定前四个字节指定以下消息的长度(按本机字节顺序)。

Bash 是处理二进制数据的糟糕工具。您的命令的改进版本read将指定参数以在字符(注意:不是字节)-n N之后停止读取并删除一些处理。例如,以下内容会将前四个字符存储在名为 的变量中:N-rvar_prefix

IFS= read -rn 4 var_prefix

即使您假设这将前四个字节存储在变量中(它没有!),那么您必须将字节转换为整数。我是否已经提到过 bash 会自动删除所有 NUL 字节?这个特性使得 Bash 作为一个功能齐全的原生消息传递主机毫无价值。

您可以通过忽略前几个字节来解决这个缺点,并在您发现一个{字符(即 JSON 格式请求的开头)时开始解析结果。在此之后,您必须读取所有输入,直到找到输入的结尾。您需要一个在遇到 JSON 字符串结尾时停止读取输入的 JSON 解析器。祝你写得好。

生成输出更容易,只需使用echo -nor printf

这是一个最小的示例,假设输入以 a 结尾},读取它(不处理)并回复结果。虽然这个演示有效,但我强烈建议不要使用 bash,而是使用更丰富的(脚本)语言,例如 Python 或 C++。

#!/bin/bash
# Loop forever, to deal with chrome.runtime.connectNative
while IFS= read -r -n1 c; do
    # Read the first message
    # Assuming that the message ALWAYS ends with a },
    # with no }s in the string. Adopt this piece of code if needed.
    if [ "$c" != '}' ] ; then
        continue
    fi

    message='{"message": "Hello world!"}'
    # Calculate the byte size of the string.
    # NOTE: This assumes that byte length is identical to the string length!
    # Do not use multibyte (unicode) characters, escape them instead, e.g.
    # message='"Some unicode character:\u1234"'
    messagelen=${#message}

    # Convert to an integer in native byte order.
    # If you see an error message in Chrome's stdout with
    # "Native Messaging host tried sending a message that is ... bytes long.",
    # then just swap the order, i.e. messagelen1 <-> messagelen4 and
    # messagelen2 <-> messagelen3
    messagelen1=$(( ($messagelen      ) & 0xFF ))               
    messagelen2=$(( ($messagelen >>  8) & 0xFF ))               
    messagelen3=$(( ($messagelen >> 16) & 0xFF ))               
    messagelen4=$(( ($messagelen >> 24) & 0xFF ))               

    # Print the message byte length followed by the actual message.
    printf "$(printf '\\x%x\\x%x\\x%x\\x%x' \
        $messagelen1 $messagelen2 $messagelen3 $messagelen4)%s" "$message"

done
于 2014-07-16T09:28:23.603 回答