0

私のアプリケーションのビューには、16 個の数字のグリッドが表示されます。ボタンを押すたびに数字の並びを変えて、毎回ランダムにしたい。このアプリケーションは、16 個の小さな UIImageView を持ち、それぞれに画像 (数字) が関連付けられていることで機能します。現時点では、乱数を生成し、その番号を特定の配置に対応させることで、配置を「ランダム化」しています。このような:

int  number = rand() % 7;

if (number == 1) {
    space1.image = three;
    space2.image = ten;
    space3.image = one;
    space4.image = eight;
    space5.image = two;
    space6.image = five;
    space7.image = thirteen;
    space8.image = six;
    space9.image = four;
    space10.image = fifteen;
    space11.image = sixteen;
    space12.image = nine;
    space13.image = fourteen;
    space14.image = eleven;
    space15.image = twelve;
    space16.image = seven;
}
else if (number == 2) {
    space1.image = ten;
    ................
    .............etc

明らかに何百万もの可能な配置があり、ここではそのうちの 7 つだけをキャプチャします。アレンジメントを真にランダム化する方法を提案できる人はいますか?

私は十分に明確であることを願っています。助けてくれてありがとう。

ジョージ

4

3 に答える 3

1

16個の同一のインスタンス変数を作成する代わりに、UIImageViewオブジェクトを配列に格納し、UIImageオブジェクトを可変配列に格納し、画像配列の要素をランダム化します。

NSMutableArray *imageViews, *images;

imageViews = [[NSMutableArray alloc] init];
images = [[NSMutableArray alloc] init];

for (int i = 0; i < 16; i++) {
    UImageView *imageView = [[UIImageView alloc] initWithFrame:someFrame];
    [imageViews addObject:imageView];
    [imageView release];

    UIImage *image = [UIImage imageNamed:[NSString stringWithFormat:@"image_%d"], i];
    [images addObject:image];        
}

- (void)randomize
{
    for (int i = 0; i < 100; i++) {
        int idx1 = arc4random() % images.count;
        int idx2 = arc4random() % images.count;
        [images exchangeObjectAtIndex:idx1 withObjectAtIndex:idx2];
    }

    for (int i = 0; i < imagesViews.count) {
        [[imageViews objectAtIndex:i] setImage:[images objectAtIndex:i]];
    }
}
于 2013-02-01T17:41:35.827 に答える
1

Fisher-Yates シャッフルアルゴリズムを簡単に実装できます。

複数の組み合わせをハードコードする代わりに、デフォルトの組み合わせがあり、それにアルゴリズムを適用すると、ランダムな順列に変換されます。

たとえば、次のように実装できます。

NSMutableArray * space; // Array containing your UIImageViews
// Initial combination
[(UIImageView *)space[0] setImage:one];
[(UIImageView *)space[1] setImage:two];
...
[(UIImageView *)space[14] setImage:fifteen];
[(UIImageView *)space[15] setImage:sixteen];

[self fisherYatesShuffle:space];

FisherYates Shuffle の実装は次のようになります。

 - (void)fisherYatesShuffle:(NSArray *) array {
    for(int i = array.count - 1; i >= 0; i++) {
        int j = arc4random() % i;
        [space exchangeObjectAtIndex:i withObjectAtIndex:j];
    }
}
于 2013-02-01T17:35:45.450 に答える
0

これは、使用している Obj-C または IDE に固有のものではないため、C でのヒントです。

Image images[n];
numbers = {0, 1, 2, /* ... n - 1 */ };

shuffle(numbers);
Images pmut[n];
for (int i = 0; i < n; ++i) {
    pmut[i] = images[numbers[i]];
}
于 2013-02-01T17:34:13.907 に答える