2

spritekit preloadTextures 関数を使用してテクスチャをプリロードすると、提供された配列内のすべてのテクスチャが一度にメモリにロードされます。

「ロード画面」を使用してゲーム内のレベルを分割する機能がなくても、互いに異なる画像ファイルを持つ個別のレベルがある場合、フレームを犠牲にすることなく、すべての画像を一度にメモリに保存しないようにするにはどうすればよいですか?必要なときにスプライトキットが画像をロードする速度は?

4

1 に答える 1

1

現在プレイしているレベルに固有のリソースをロードおよびアンロードするためのメソッドを備えたシングルトン クラスを作成できます。たとえば、レベル 1 でロードする必要があるテクスチャ a、b、および c と、レベル 2 でテクスチャ x、y、および z がある場合、メソッド-(void)loadLevelOneTextures;と aおよび-(void)loadLevelTwoTextures;a-(void)unloadLevelOneTextures;-(void)unloadLevelTwoTextures;

このようにして、必要になる前にテクスチャをロードするようにシングルトンに指示し、完了したらそれらを解放するように指示することができます。

//GameTextureLoader.h
//
@import SpriteKit;
@import Foundation;
@interface GameTextureLoader : NSObject
@property (strong, nonatomic)NSMutableArray *levelOneTextures;
@property (strong, nonatomic)NSMutableArray *levelTwoTextures;
+ (GameTextureLoader *)sharedTextures;
- (void)loadLevelOneTextures;
- (void)unloadLevelOneTextures;
- (void)loadLevelTwoTextures;
- (void)unloadLevelTwoTextures;

そして実装:

//GameTextureLoader.m
//
#import "GameTextureLoader.h"
@implementation GameTextureLoader
+ (GameTextureLoader *)sharedTextures{
    static dispatch_once_t onceToken;
    static id sharedInstance;
    dispatch_once(&onceToken, ^{
        sharedInstance = [[self alloc] init];
    });
    return sharedInstance;
}
- (instancetype)init{
    self = [super init];
    if (self)
    {
            self.levelOneTextures = [[NSMutableArray alloc] init];
            self.levelTwoTextures = [[NSMutableArray alloc] init];
        return self;
    }
    else{
        exit(1);
    }
}
- (void)loadLevelOneTextures{
        //Order of images will determin order of textures
    NSArray *levelOneImageNames = @[@"imageA", @"imageB", @"imageC"];
    for (NSString *image in levelOneImageNames){
        SKTexture *texture = [SKTexture textureWithImageNamed:image];
        [self.levelOneTextures addObject:texture];
    }
}
- (void)loadLevelTwoTextures{
        //Order of images will determin order of textures
    NSArray *levelTwoImageNames = @[@"imageX", @"imageY", @"imageZ"];
    for (NSString *image in levelTwoImageNames){
        SKTexture *texture = [SKTexture textureWithImageNamed:image];
        [self.levelTwoTextures addObject:texture];
    }
}
- (void)unloadLevelOneTextures{
    [self.levelOneTextures removeAllObjects];
}
- (void)unloadLevelTwoTextures{
    [self.levelTwoTextures removeAllObjects];
}

持っているレベルごとにこれを行い、テクスチャにアクセスするには、次のようにします。(必ず最初に GameTextureLoader.h をインポートしてください)

GameTextureLoader *loader = [GameTextureLoader sharedTextures];
[loader loadLevelOneTextures];
SKSpriteNode *node = [SKSpriteNode spriteNodeWithTexture:loader.levelOneTextures[0]];
[self addChild:node];
于 2014-02-19T20:49:04.933 に答える