initWithNibName之前的getInstance:

时间:2013-05-11 17:29:28

标签: ios objective-c singleton

我有一个名为IGMapViewController

的班级

因为我有

static IGMapViewController *instance =nil;

+(IGMapViewController *)getInstance {
    @synchronized(self) {
        if (instance==nil) {
            instance= [IGMapViewController new];
        }
    }
    return instance;
}

- (id)initWithNibName:(NSString *)nibNameOrNil bundle:(NSBundle *)nibBundleOrNil
{
    self = [super initWithNibName:nibNameOrNil bundle:nibBundleOrNil];
    if (self) {
    // more code
        instance = self;
    }

    return self;
}

如果在超过1个类中使用该对象,但只在一个类中使用initWithNibName

在init方法中名为IGRouteController的类中,我使用_mapViewController = [IGMapViewController getInstance];,这是在initWithNibName在另一个类中执行之前发生的。

IGRouteController中我使用的方法updateRouteList

[_mapViewController drawSuggestedRoute:suggestedRoute];

一切都运行但我看不到结果。

如果我使用:

IGMapViewController *wtf = [IGMapViewController getInstance];
[wtf drawSuggestedRoute:suggestedRoute];

然后它确实很有用。

因此可以使用nib来获取实例和init吗?

2 个答案:

答案 0 :(得分:0)

我相信我看到你想要完成的事情。您想要从笔尖初始化类的单例实例。正确的吗?

初始化实例时,您使用的是[IGMapViewController new],这可能不是预期的行为。这个怎么样(未经测试......)?

+ (id)sharedController
{
    static dispatch_once_t pred;
    static IGMapViewController *cSharedInstance = nil;

    dispatch_once(&pred, ^{
        cSharedInstance = [[self alloc] initWithNibName:@"YourNibName" bundle:nil];
    });
    return cSharedInstance;
}

答案 1 :(得分:0)

clankill3r,

您应该避免创建单身UIViewController(请参阅此讨论中的评论UIViewController as a singleton)。 @CarlVeazey 也强调了这一点。

恕我直言,你应该在每次需要时创建一个UIViewController。在这种情况下,您的视图控制器将是一个可重用的组件。当您创建控制器的 new 实例时,只需注入(通过属性或初始化程序中您感兴趣的数据,在这种情况下为suggestedRoute)。

一个简单的例子如下:

// YourViewController.h
- (id)initWithSuggestedRoute:(id)theSuggestedRoute;

// YourViewController.m
- (id)initWithSuggestedRoute:(id)theSuggestedRoute
{
    self = [super initWithNibName:@"YourViewController" bundle:nil];
    if (self) {
        // set the internal suggested route, e.g.
        _suggestedRoute = theSuggestedRoute; // without ARC enabled _suggestedRoute = [theSuggestedRoute retain];
    }
    return self;
}

- (void)viewDidLoad
{
    [super viewDidLoad];

    [self drawSuggestedRoute:[self suggestedRoute]];
}

有关UIViewController的更多信息,我建议您阅读 @Ole Begemann 的两篇有趣帖子。

希望有所帮助。