0

我有一系列闪烁的按钮,完成后用户必须重复此顺序。我想检测是否按下了正确的顺序,或者检测用户按下的顺序是否不正确,(用户必须按照相同的顺序进行)。

我该怎么做呢?我不知道。请尽可能简单地解释一下,我对此很陌生。

PS我正在使用kobold2D。

4

1 回答 1

0

创建一个NSMutableArray实例变量。当游戏/关卡开始时,您将其清空。当用户点击一个按钮时,您将一些标识符添加到数组中(例如按钮编号或标题,甚至是按钮对象本身)。最后,实现一个将该数组与准备好的数组进行比较的方法(正确的解决方案)。

编辑:

这是一个起点。

@interface SomeClassWhereYourButtonsAre
// Array to store the tapped buttons' numbers:
@property (nonatomic) NSMutableArray *tappedButtons;
// Array to store the correct solution:
@property (nonatomic) NSArray *solution;
...
@end

@implementation SomeClassWhereYourButtonsAre
...
- (void)startGame {
    self.tappedButtons = [[NSMutableArray alloc] init];
    // This will be the correct order for this level:
    self.solution = @[@3, @1, @2, @4];
    // You probably will have to load this from some text or plist file, 
    // and not hardcode it.
}
- (void)buttonTapped:(Button *)b {
    // Assuming your button has an ivar called number of type int:
    [self.tappedButtons addObject:@(b.number)];
    BOOL correct = [self correctSoFar];
    if (!correct) {
        if (self.tappedButtons.count == self.solution.count) {
            // success!
        } else {
            // correct button, but not done yet
    } else {
        // wrong button, game over.
    }
}
- (BOOL)correctSoFar {
    // if he tapped more buttons then the solution requires, he failed.
    if (self.tappedButtons.count > self.solution.count)
        return NO;
    for (int i = 0; i < self.tappedButtons; i++) {
        if (self.tappedButtons[i] != self.solution[i]) {
            return NO;
        }
    }
    return YES;
}
@end
于 2013-03-18T20:22:03.467 回答