2

我想创建一个显示文件读取状态的进度条。我使用包含变量 _progress 的 C++ 类阅读器读取文件。

我如何告诉 Cocoa 用 reader._progress 的值更新进度条而不在 Reader 类中编写任何 ObjC 代码?

任何帮助,将不胜感激。

ProgressController *pc = [[ProgressController alloc] init];
[pc showWindow:sender];


// Create the block that we wish to run on a different thread
void (^progressBlock)(void);
progressBlock = ^{
    [pc.pi setDoubleValue:0.0];
    [pc.pi startAnimation:sender];

    Reader reader("/path/to/myfile.txt");
    reader.read();

    while (reader._progress < 100.)
    {
        dispatch_async(dispatch_get_main_queue(), ^{
            [pc.pi setDoubleValue:reader._progress];
            [pc.pi setNeedsDisplay:YES];
        });
    }
}; // end of progressBlock

// Finally, run the block on a different thread
dispatch_queue_t queue = dispatch_get_global_queue(0, 0);
dispatch_async(queue, progressBlock);

所以这是我的第二次尝试。

阅读器代码:

class PDBReader
{
public:
Reader(const char *filename);
Reader(string filename);
~Reader();

int read();

string _filename;
float _progress;

void setCallback(void (^cb)(double))
{
    if (_cb)
    {
        Block_release(_cb);
        _cb = Block_copy(cb);
    }
}
void (^_cb)(double);

protected:
private:
};



int Reader::read()
{
string buffer;
unsigned atomid = 0;
ifstream file;
file.open(_filename.c_str(), ifstream::in);

if (!file.is_open())
{
    return IOERROR;
}

file.seekg(0, ios_base::end);
float eof = (float) file.tellg();
file.seekg(0, ios_base::beg);

while (getline(file, buffer))
{
    _progress = (float) file.tellg() / eof * 100.;
    if (_cb)
    {
        _cb(_progress);
    }
        // some more parsing here...
    }
file.close();
return SUCCESS;
}

PDBReader::~PDBReader()
{
if (_cb)
{
    Block_release(_cb);
}
}

还有可可部分:

-(IBAction) test:(id) sender
{
ProgressController *pc = [[ProgressController alloc] init];
[pc showWindow:sender];

Reader reader("test.txt");

reader.setCallback(^(double progress) 
{
    dispatch_async(dispatch_get_main_queue(), ^{
        [pc.pi setDoubleValue:progress]; 
        [pc.pi setNeedsDisplay:YES];
    });
});

reader.read();
}

谢谢你的帮助。

4

2 回答 2

7

仅仅因为你不想让 Reader 包含 Objective-C 代码并不意味着你只能从外部观察它。它可以通过传入的函数指针调用 C 函数。它可以使用更通用的函子(函数对象)机制。它甚至可以占用一个块。

你绝对不想做那个while (reader._progress < 100.)循环。这是一个繁忙的循环。它将以计算机尽可能快的速度旋转更新进度。它将以 100% 的利用率固定 CPU 内核。事实上,它可能会将任务排队到主调度队列的速度快于它们的运行速度。

您只想在 Reader 更新其_progress成员时更新进度指示器,这需要 Reader 类的某种合作。

于 2012-04-04T17:02:07.000 回答
0

最后!!!!!

不将其放入队列时效果很好。

ProgressController *pc = [[ProgressController alloc] init];
[pc showWindow:sender];
[pc.pi setUsesThreadedAnimation:YES];

Reader reader("test.txt");  
reader.setCallback(^(double progress) 
{
    [pc.pi setDoubleValue:progress]; 
    [pc.pi setNeedsDisplay:YES];
});

reader.read();

但是你为什么说“这很糟糕,因为它阻塞了主线程”?因为基本上我的程序必须等待文件被读取才能执行其他任何操作。我在这里想念一些基本的优化吗?

非常感谢您的帮助。

于 2012-04-24T09:32:58.470 回答