0

我有一个使用手指滑动移动的玩家精灵(ccTouchBegan 到 ccTouchMoved)。我希望在 TouchEnded 后停止我的动作,但我不希望它在中途结束动作。所以我想我需要我的 onCallFunc 来检查触摸是否结束,如果是的话让它执行 stopAllActions。关于如何做到这一点的任何想法?

-(void) onCallFunc
{
    // Check if TouchEnded = True if so execute [Player stopAllActions];
    CCLOG(@"End of Action... Repeat");
}

-(无效)ccTouchMoved:

//Move Top
        if (firstTouch.y < lastTouch.y && swipeLength > 150 && xdistance < 150 && xdistance > -150) {        
            CCMoveTo* move = [CCMoveBy actionWithDuration:0.2  position:ccp(0,1)];
            CCDelayTime* delay = [CCDelayTime actionWithDuration:1];
            CCCallFunc* func = [CCCallFunc actionWithTarget:self selector:@selector(onCallFunc)];
            CCSequence* sequence = [CCSequence actions: move, delay, func, nil];
            CCRepeatForever* repeat = [CCRepeatForever actionWithAction:sequence];
            [Player runAction:repeat];
            NSLog(@"my top distance = %f", xdistance);
        }
        if (firstTouch.y < lastTouch.y && swipeLength > 151 && xdistance < 151 && xdistance > -151) {
            NSLog(@"my top distance = %f", xdistance);
        }

    }

我想要实现的目标:我试图通过让玩家使用触摸事件逐块移动来模拟 Pokemon 和 Zelda 等游戏中的动作。

更新:在创建 BOOL 标志的评论后,我在使用 Objective-C 方面很新,但这里是我尝试使用 BOOL 标志。我收到每个部分的未使用变量警告。

-(void) ccTouchesEnded:(NSSet *)touches withEvent:(UIEvent *)event {
    BOOL endBOOL = YES;
    NSLog(@"Stop Actions");
}

-(void) onCallFunc
{
    if(endBOOL == YES){
        [Player stopAllActions];
    }
    // Check if TouchEnded = True if so execute [Player stopAllActions];
    CCLOG(@"End of Action... Repeat");
}
4

1 回答 1

0

您收到未使用的变量警告,因为您正在创建一个 BOOL 标志,然后从不使用它。在您的代码中:

-(void) ccTouchesEnded:(NSSet *)touches withEvent:(UIEvent *)event {
    BOOL endBOOL = YES;
    NSLog(@"Stop Actions");
}

您在 ccTouchesEnded 中创建 BOOL 标志 endBOOL ,一旦该方法完成,BOOL 就不再保存在内存中。为了实现你想要的,你需要创建一个实例变量。

在你的 .h 里面添加这个

// Inside .h
BOOL endBOOL;

然后将您的代码更改为

-(void) ccTouchesEnded:(NSSet *)touches withEvent:(UIEvent *)event {
    endBOOL = YES;
    NSLog(@"Stop Actions");
}

这样 endBOOL 被保留,您可以在 if 语句中使用它。另请注意,不需要 (endBOOL == YES)。你可以简单地使用这个:

-(void) onCallFunc
{
    if(endBOOL){
        [Player stopAllActions];
    }
    // Check if TouchEnded = True if so execute [Player stopAllActions];
    CCLOG(@"End of Action... Repeat");
}
于 2013-05-07T05:54:00.853 回答