iOS: different addSubview behavior between iOS 4.3 and 5.0

前端 未结 7 2027
长发绾君心
长发绾君心 2021-01-30 11:32

while coding in iOS 4.3 before, I found while add a view controller\'s view to another view with [superview addSubView:controller.view], the controller instance wil

7条回答
  •  伪装坚强ぢ
    2021-01-30 11:39

    The answers above a slightly incomplete. Let's presume you have 2 view controllers, ControllerA, and ControllerB.

    ControllerA.view is already added to the window(it is the parent), and you want to add ControllerB.view as a subview of ControllerA.

    If you do not add ControllerB as a child of ControllerA first, the automaticallyForwardAppearanceAndRotationMethodsToChildViewControllers will be ignored, and you will still be called by iOS5, meaning that you'll call your view controller callbacks twice.

    Example in ControllerA:

    - (BOOL)automaticallyForwardAppearanceAndRotationMethodsToChildViewControllers {
        return NO;
    }
    
    - (void)viewDidLoad
    {
        [super viewDidLoad];
        self.controllerB = [[ControllerB alloc] initWithNibName:@"ControllerB" bundle:nil];
    
        [self.view addSubview:self.controllerB.view];
    }
    
    - (void)viewWillAppear:(BOOL)animated
    {
        [super viewWillAppear:animated];
        [self.controllerB viewWillAppear:animated];
    }
    

    In ControllerB NSLogging in viewWillAppear:

    - (void)viewWillAppear:(BOOL)animated
    {
        NSLog("@ControllerB will appear");
    }
    

    This will result in iOS5 only displaying that NSLog message twice. i.e. You're automaticallyForwardAppearanceAndRotationMethodsToChildViewControllers has been ignored.

    In order to fix this, you need to add controllerB as a child of controller a.

    Back in ControllerA's class:

    - (void)viewDidLoad
    {
        [super viewDidLoad];
        self.controllerB = [[ControllerB alloc] initWithNibName:@"ControllerB" bundle:nil];
        if ([self respondsToSelector:@selector(addChildViewController:)])
            [self addChildViewController:self.controllerB];
    
        [self.view addSubview:self.controllerB.view];
    }
    

    This will now work as expected in both iOS4 and iOS5 without resorting to the horrible hack of checking iOS version strings, but instead checking on if the function we're after is available.

    Hope this helps.

提交回复
热议问题