1

有人知道为什么bmlabel不更新吗?日志“分数”什么也没显示?没有 GCD,它可以正常工作,但它会阻止 ui(例如,我想显示 100 到 500 之间的数字,非常快地显示 101、102...499、500,而不是直接从“100”变为“ 500 英寸)。所以我想用另一个线程来计算它,即使我不确定这是最好的方法。这是我的代码:

//in .h, i imported :
#import <Foundation/Foundation.h>
#import <UIKit/UIKit.h>


//in .m
@implementation ScoreLayer

-(void)updateScore:(int)num{
    CCLOG(@"hello");
    int newScore = score+num;
    //dispatch_queue_t queue = dispatch_queue_create("Test", 0);
    dispatch_queue_t main = dispatch_get_main_queue();
    dispatch_queue_t queue = dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0ul);

    dispatch_async(queue, ^{
        for (int i=score; i< newScore; i++){
            score++;
            CCLOG(@"score:%i", score);
            NSString *str = [NSString stringWithFormat:@"%d", score];

            dispatch_async(main, ^{
                [bmlabel setString:str];
            });

        }
    });
    score = newScore;
}

-(id) init
{
    if( (self=[super init])) {
        bmlabel = [CCLabelBMFont labelWithString:@"14763" fntFile:@"TestFont.fnt"];
        bmlabel.anchorPoint = ccp(0, 0.5f);
        bmlabel.position = ccp(0,250.0f);
        [self addChild:bmlabel z:200]; 
            score = 14763;
    }
    return self;
}

非常感谢

4

2 回答 2

2

您的块正在异步执行,这意味着该块在新的运行循环中执行(= 在您设置score为之后newScore)。

于 2012-06-24T16:40:47.243 回答
2

我假设该score属性是一种__block类型,因为您要在块内更改它:

 score++;

因为你的块是用主循环继续执行的,而且很可能在你的块开始之前dispatch_async遇到。score = newScore;当你的块即将运行时,score它已经相等newScore并且你的循环将永远不会工作,因为它的条件表达式将返回 false。在:

for (int i=score; i< newScore; i++)

i将等于newScore并且因为newScore < newScore是假的,你的循环将永远不会运行。

我建议删除您updateScore:方法中的最后一行。

score = newScore;
于 2012-06-24T16:56:54.110 回答