2

我的软件中有两个功能会导致重要的延迟问题。该软件是用Objective-C编写的。我从 USB 设备接收串行数据,我的目标是封装它们,然后将它们发送到另一个将处理数据的对象。

该程序的这一部分会导致较大的 cpu 和延迟问题,我根本不知道如何解决这个问题。该设备仅在其状态发生变化时发送数据,因此当发生大量变化时,一切都会变得滞后。

- (void)getSerialData {
    dispatch_queue_t queue = dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0);
    dispatch_async(queue, ^{
    [self getSerialDataLoop];
    });
}

- (void)getSerialDataLoop {

readThreadRunning = YES;

char byte_buffer[2]; // buffer for holding incoming data
int numBytes=0; // number of bytes read during read
NSString *text;

// this will loop untilthe serial port closes
while(TRUE) {
    // read() blocks until some data is available or the port is closed
    numBytes = (int)read(serialFileDescriptor, byte_buffer, 1); // read up to the size of the buffer

    if(numBytes>0) {
        ///text = [NSString stringWithCString:byte_buffer encoding:NSSymbolStringEncoding];
        if(![text isEqualToString:@""]){
            text = [NSString stringWithUTF8String:byte_buffer];
            [self performSelectorOnMainThread:@selector(processNSStringData:) withObject:text waitUntilDone:YES];
        }
    } else {
        break; // Stop the thread if there is an error
    }

}
// make sure the serial port is closed
if (serialFileDescriptor != -1) {
    close(serialFileDescriptor);
    serialFileDescriptor = -1;
}

// mark that the thread has quit
readThreadRunning = FALSE;
}

你有什么想法或建议吗?

4

1 回答 1

1

你基本上已经在这里彻底改造NSStream了。我首先建议您调查这个与运行循环相关的现有解决方案。

你也可以很容易地通过调用来压倒自己getSerialData。您的系统中没有任何东西可以阻止对该例程的多次调用,如果您进行多次调用,您将获得决斗并发操作。使用NSStream将解决这个问题。但是,无论如何,如果一个已经在运行,您不应该继续创建新的读取块。

您还一次读取一个字节并进行处理。这可能是你最大的影响。为每个字节回调主线程可能非常昂贵。如果没有别的,你正在NSString为每个字节创建一个新对象。

请注意,您的代码非常危险,可能会崩溃。你从不初始化byte_buffer,你只读入一个字节。当您调用 时stringWithUTF8String:,您假设第二个字节是 \0,这取决于堆栈的当前状态。

于 2012-10-25T00:22:48.183 回答