6

NSPipe チャネルを使用して 2 つのスレッド間の通信を実現する必要があります。問題は、このメソッドを指定して端末コマンドを呼び出す必要がないことです。

[task setCurrentDirectoryPath:@"....."];
[task setArguments:];

データを書き込めばいいだけ

NSString * message = @"Hello World";
[stdinHandle writeData:[message dataUsingEncoding:NSUTF8StringEncoding]];

他のスレッドでこのメッセージを受信する

NSData *stdOutData = [reader availableData];
NSString * message = [NSString stringWithUTF8String:[stdOutData bytes]]; //My Hello World

たとえば、C# でのこのようなことは、パイプが ID 文字列で登録される NamedPipeClientStream、NamedPipeServerStream クラスで簡単に実行できます。

Objective-Cでそれを達成する方法は?

4

1 に答える 1

4

私があなたの質問を正しく理解していれば、 を作成してNSPipe、一方の端を読み取り用に、もう一方の端を書き込み用に使用できます。例:

// Thread function is called with reading end as argument:
- (void) threadFunc:(NSFileHandle *)reader
{
    NSData *data = [reader availableData];
    NSString *message = [[NSString alloc] initWithData:data encoding:NSUTF8StringEncoding];
    NSLog(@"%@", message);
}

- (void) test
{
    // Create pipe:
    NSPipe *pipe = [[NSPipe alloc] init];
    NSFileHandle *reader = [pipe fileHandleForReading];
    NSFileHandle *writer = [pipe fileHandleForWriting];

    // Create and start thread:
    NSThread *myThread = [[NSThread alloc] initWithTarget:self
                                                 selector:@selector(threadFunc:)
                                                   object:reader];
    [myThread start];

    // Write to the writing end of pipe:
    NSString * message = @"Hello World";
    [writer writeData:[message dataUsingEncoding:NSUTF8StringEncoding]];

    // This is just for this test program, to avoid that the program exits
    // before the other thread has finished.
    [NSThread sleepForTimeInterval:2.0];
}
于 2012-12-19T22:52:35.317 に答える