1

我正在使用英特尔爱迪生和 SensorTag。为了通过 BLE 获取温度数据,有一堆命令。当我将 popen 定义为:

popen(command,"w"); 

代码在大多数情况下都能正常工作。(由于我无法控制响应,我假设由于延迟问题而导致其他时间崩溃。)

但是,当我想控制命令/控制台响应时(例如在建立蓝牙连接时进入下一行,如果不尝试再次连接等),我无法读取响应。我的“数据”变量没有改变。

我还尝试了其他“popen”模式,但它们会给出运行时错误。

这是我正在使用的代码:

#include <stdlib.h>
#include <stdio.h>
#include <unistd.h>

int endsWith (char* base, char* str) {
    int blen = strlen(base);
    int slen = strlen(str);
    return (blen >= slen) && (0 == strcmp(base + blen - slen, str));
}

FILE* get_popen(char* command, int close, int block) {
    FILE *pf;
    char data[512];

    // Setup our pipe for reading and execute our command.
    pf = popen(command,"w");

    // Error handling

    if (block == 1) {

        // Get the data from the process execution
        char* result;
        do {
            result=fgets(data, 512 , stderr);
            if (result != NULL) {
                  printf("Data is [%s]\n", data);
            }
        } while (result != NULL);

        // the data is now in 'data'
    }
    if (close != 0) {
        if (pclose(pf) != 0)
            fprintf(stderr," Error: Failed to close command stream \n");
    }

    return pf;
}

FILE* command_cont_exe(FILE* pf, char* command, int close, int block) {
    char data[512];

    // Error handling
    if (pf == NULL) {
        // print error
        return NULL;
    }

    fwrite(command, 1, strlen(command), pf);
    fwrite("\r\n", 1, 2, pf);

    if (block == 1) {

        // Get the data from the process execution
        char* result;
        do {
            result=fgets(data, 512 , stderr);
            if (result != NULL) {
                  printf("Data is [%s]\n", data);
            }
        } while (result != NULL);//
    }
    // the data is now in 'data'

    if (close != 0) {
            if (pclose(pf) != 0)
                fprintf(stderr," Error: Failed to close command stream \n");
    }

    return pf;
}


int main()
{
    char command[50];

    sprintf(command, "rfkill unblock bluetooth");
    get_popen(command, 1, 0);
    printf("Working...(rfkill)\n");
    sleep(2);

    sprintf(command, "bluetoothctl 2>&1");
    FILE* pf = get_popen(command, 0, 1);
    printf("Working...(BT CTRL)\n");
    sleep(3);

    sprintf(command, "agent KeyboardDisplay");
    command_cont_exe(pf, command, 0, 1);
    printf("Working...(Agent)\n");
    sleep(3);
    //Main continues...
4

2 回答 2

2

您无法使用 和 来执行此操作,但可以使用 和构建popen程序。最后打开两个文件描述符,它们是相关的:父级到管道的连接,以及子级的连接。要与子进程建立双向连接,您必须使用两次调用.forkexecpipepipe

由打开的文件描述符pipe没有缓冲,因此您将使用readandwrite与孩子进行通信(而不是fgetsand fprintf)。

有关示例和讨论,请参阅

于 2015-09-09T08:14:45.667 回答
1

不幸的是,您只能popen()在一个方向使用。要获得双向通信,您需要使用pipe()for stdin 和 stdout 创建两个匿名管道,并将它们分配给文件句柄 0 和 1 以及dup2().

有关详细信息,请参阅http://tldp.org/LDP/lpg/node11.html 。

于 2015-09-09T08:12:23.227 回答