0

NSObject をサブクラス化する HighscoresController というクラスを作成しようとしています。init次の方法でメソッドを呼び出すと、デバッガーでエラーが発生しますGDB: Program received signal: "EXC_BAD_ACCESS"。誰かが理由を知っていますか?私は完全に困惑しています。

// Initialize the highscores controller
_highscoresController = [[HighscoresController alloc] init];

これが私のクラスの実装です:

#import "HighscoresController.h"
#import "Constants.h"

@implementation HighscoresController

@synthesize highscoresList = _highscoresList;

- (id) init {

    self = [super init];

    _highscoresList = [[NSMutableArray alloc] initWithCapacity:kHighscoresListLength];
    int kMyListNumber = 0;

    NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
    NSString *documentsDirectory = [paths objectAtIndex:0];
    NSString *filePath = [documentsDirectory stringByAppendingPathComponent:@"highscores.plist"];

    if ([[NSFileManager defaultManager] fileExistsAtPath:filePath]) { // if settings file exists
        NSArray *HighscoresListOfLists = [[NSArray alloc] initWithContentsOfFile:filePath];
        _highscoresList = [HighscoresListOfLists objectAtIndex:kMyListNumber];
        [HighscoresListOfLists release];
    } else { // if no highscores file, create a new one
        NSMutableArray *array = [[NSMutableArray alloc] init];
        [array addObject:_highscoresList];
        [array writeToFile:filePath atomically:YES];
        [array release];
    }
    [_highscoresList addObject:[NSNumber numberWithFloat:0.0f]];

    return self;    
}

- (void) addScore:(float)score {
    // Implementation
}

- (BOOL) isScore:(float)score1 betterThan:(float)score2 {
    if (score1 > score2)
        return true;
    else
        return false;
}

- (BOOL) checkScoreAndAddToHighscoresList:(float)score {
    NSLog(@"%d",[_highscoresList count]);
    if ([_highscoresList count] < kHighscoresListLength) {

        [self addScore:score];
        [self saveHighscoresList];
        return true;

    } else {

        NSNumber *lowScoreNumber = [_highscoresList objectAtIndex:[_highscoresList count]-1];
        float lowScore = [lowScoreNumber floatValue];
        if ([self isScore:score betterThan:lowScore]) {

            [self addScore:score];
            [self saveHighscoresList];
            return true;

        }

    }

    return false;

}

- (void) saveHighscoresList {
    // Implementation
}

- (void) dealloc {
    [_highscoresList release];
    _highscoresList = nil;
    [super dealloc];
}

@end
4

1 に答える 1

1

この行には2つの問題があります。

_highscoresList = [HighscoresListOfLists objectAtIndex:kMyListNumber];

メソッドの前半で割り当てた配列への参照が失われ、メモリリークが発生します。

保持していないオブジェクトへの参照に置き換えます。オブジェクトが解放された後にこれを使用すると、確かに不正アクセス例外が発生します。

于 2011-04-19T02:38:21.640 に答える