Unbalanced calls to begin/end appearance transitions for <UITabBarController: 0x197870> - ios
I read SO about another user encountering similar error, but this error is in different case.
I received this message when I added a View Controller initially:
Unbalanced calls to begin/end appearance transitions for
<UITabBarController: 0x197870>
The structure of the app is as follow:
I got a 5-tab TabBarController linked to 5 View Controllers. In the initial showing tab, I call out a new View Controller to overlay as an introduction of the app.
I use this code to call the introduction view controller:
IntroVC *vc = [[IntroVC alloc] init];
[self presentModalViewController:vc animated:YES];
[vc release];
After this IntroVC view controller shows up, the above error shows.
p.s. I am using xCode 4.2 & iOS 5.0 SDK, developing iOS 4.3 app.
Without seeing more of the surrounding code I can't give a definite answer, but I have two theories.
You're not using UIViewController's designated initializer initWithNibName:bundle:. Try using it instead of just init.
Also, self may be one of the tab bar controller's view controllers. Always present view controllers from the topmost view controller, which means in this case ask the tab bar controller to present the overlay view controller on behalf of the view controller. You can still keep any callback delegates to the real view controller, but you must have the tab bar controller present and dismiss.
I fixed this error by changing animated from YES to NO.
From:
[tabBarController presentModalViewController:viewController animated:YES];
To:
[tabBarController presentModalViewController:viewController animated:NO];
As posted by danh
You can generate this warning by presenting the modal vc before the app is done initializing. i.e. Start a tabbed application template app and present a modal vc on top of self.tabBarController as the last line in application:didFinishLaunching. Warning appears. Solution: let the stack unwind first, present the modal vc in another method, invoked with a performSelector withDelay:0.0
Try to move the method into the viewWillAppear and guard it so it does get executed just once (would recommend setting up a property)
Another solution for many cases is to make sure that the transition between UIViewControllers happens after the not-suitable (like during initialization) procedure finishes, by doing:
__weak MyViewController *weakSelf = self;
dispatch_async(dispatch_get_main_queue(), ^{
[weakSelf presentViewController:vc animated:YES];
});
This is general for also pushViewController:animated:, etc.
I had the same problem. I called a method inside viewDidLoad inside my first UIViewController
- (void)viewDidLoad{
[super viewDidLoad];
[self performSelector:#selector(loadingView)
withObject:nil afterDelay:0.5];
}
- (void)loadingView{
[self performSegueWithIdentifier:#"loadedData" sender:self];
}
Inside the second UIViewController I did the same also with 0.5 seconds delay. After changing the delay to a higher value, it worked fine. It's like the segue can't be performed too fast after another segue.
I had the same problem when I need to Present My Login View Controller from another View Controller If the the User is't authorized, I did it in ViewDidLoad Method of my Another View Controller ( if not authorized -> presentModalViewController ). When I start to make it in ViewDidAppear method, I solved this problem. I Think that ViewDidLoad only initialize properties and after that the actual showing view algorithm begins! Thats why you must use viewDidAppear method to make modal transitions!
If you're using transitioningDelegate (not the case in this question's example), also set modalPresentationStyle to .Custom.
Swift
let vc = storyboard.instantiateViewControllerWithIdentifier("...")
vc.transitioningDelegate = self
vc.modalPresentationStyle = .Custom
I had this problem because of a typo:
override func viewDidAppear(animated: Bool) {
super.viewWillAppear(animated)
instead of
override func viewDidAppear(animated: Bool) {
super.viewDidAppear(animated)
It was calling "WillAppear" in the super instead of "DidAppear"
I had lot of problem with the same issue. I solved this one by
Initiating the ViewController using the storyboad instantiateViewControllerWithIdentifier method. i.e Intro *vc = [self.storyboard instantiateViewControllerWithIdentifier:#"introVC"];
[self.tabBarController presentModalViewController : vc animated:YES];
I have the viewcontroller in my storyboard, for some reason using only [[introvc alloc] init]; did not work for me.
I solved it by writing
[self.navigationController presentViewController:viewController
animated:TRUE
completion:NULL];
I had this problem with a third party code. Someone forgot to set the super inside of viewWillAppear and viewWillDisappear in a custom TabBarController class.
- (void) viewWillAppear:(BOOL)animated {
[super viewWillAppear:animated];
// code...
}
or
- (void) viewWillDisappear:(BOOL)animated {
[super viewWillDisappear:animated];
// code...
}
I had the same error. I have a tab bar with 3 items and I was unconsciously trying to call the root view controller of item 1 in the item 2 of my tab bar using performSegueWithIdentifier.
What happens is that it calls the view controller and goes back to the root view controller of item 2 after a few seconds and logs that error.
Apparently, you cannot call the root view controller of an item to another item.
So instead of performSegueWithIdentifier
I used [self.parentViewController.tabBarController setSelectedIndex:0];
Hope this helps someone.
I had the same problem and thought I would post in case someone else runs into something similar.
In my case, I had attached a long press gesture recognizer to my UITableViewController.
UILongPressGestureRecognizer *longPressGesture = [[[UILongPressGestureRecognizer alloc]
initWithTarget:self
action:#selector(onLongPress:)]
autorelease];
[longPressGesture setMinimumPressDuration:1];
[self.tableView addGestureRecognizer:longPressGesture];
In my onLongPress selector, I launched my next view controller.
- (IBAction)onLongPress:(id)sender {
SomeViewController* page = [[SomeViewController alloc] initWithNibName:#"SomeViewController" bundle:nil];
[self.navigationController pushViewController:page animated:YES];
[page release];
}
In my case, I received the error message because the long press recognizer fired more than one time and as a result, my "SomeViewController" was pushed onto the stack multiple times.
The solution was to add a boolean to indicate when the SomeViewController had been pushed onto the stack. When my UITableViewController's viewWillAppear method was called, I set the boolean back to NO.
I found that, if you are using a storyboard, you will want to put the code that is presenting the new view controller in viewDidAppear. It will also get rid of the "Presenting view controllers on detached view controllers is discouraged" warning.
In Swift 2+ for me works:
I have UITabBarViewController in storyboard and I had selectedIndex property like this:
But I delete it, and add in my viewDidLoad method of my initial class, like this:
override func viewDidLoad() {
super.viewDidLoad()
self.tabBarController?.selectedIndex = 2
}
I hope I can help someone.
This error will be displayed when trying to present an UINavigationController that is lazily initialized via a closure.
Actually you need to wait till the push animation ends. So you can delegate UINavigationController and prevent pushing till the animation ends.
- (void)navigationController:(UINavigationController *)navigationController didShowViewController:(UIViewController *)viewController animated:(BOOL)animated{
waitNavigation = NO;
}
-(void)showGScreen:(id)gvc{
if (!waitNavigation) {
waitNavigation = YES;
[_nav popToRootViewControllerAnimated:NO];
[_nav pushViewController:gvc animated:YES];
}
}
As #danh suggested, my issue was that I was presenting the modal vc before the UITabBarController was ready. However, I felt uncomfortable relying on a fixed delay before presenting the view controller (from my testing, I needed to use a 0.05-0.1s delay in performSelector:withDelay:). My solution is to add a block that gets called on UITabBarController's viewDidAppear: method:
PRTabBarController.h:
#interface PRTabBarController : UITabBarController
#property (nonatomic, copy) void (^viewDidAppearBlock)(BOOL animated);
#end
PRTabBarController.m:
#import "PRTabBarController.h"
#implementation PRTabBarController
- (void)viewDidAppear:(BOOL)animated {
[super viewDidAppear:animated];
if (self.viewDidAppearBlock) {
self.viewDidAppearBlock(animated);
}
}
#end
Now in application:didFinishLaunchingWithOptions:
PRTabBarController *tabBarController = [[PRTabBarController alloc] init];
// UIWindow initialization, etc.
__weak typeof(tabBarController) weakTabBarController = tabBarController;
tabBarController.viewDidAppearBlock = ^(BOOL animated) {
MyViewController *viewController = [MyViewController new];
viewController.modalPresentationStyle = UIModalPresentationOverFullScreen;
UINavigationController *navigationController = [[UINavigationController alloc] initWithRootViewController:viewController];
[weakTabBarController.tabBarController presentViewController:navigationController animated:NO completion:nil];
weakTabBarController.viewDidAppearBlock = nil;
};
you need make sure -(void)beginAppearanceTransition:(BOOL)isAppearing animated:(BOOL)animated and -(void)endAppearanceTransition is create together in the class.
I had the same issue. When developing I wanted to bypass screens. I was navigating from one view controller to another in viewDidLoad by calling a selector method.
The issue is that we should let the ViewController finish transitioning before transitioning to another ViewController.
This solved my problem: The delay is necessary to allow ViewControllers finish transitioning before transitioning to another.
self.perform(#selector(YOUR SELECTOR METHOD), with: self, afterDelay: 0.5)
For me this error occurred because i didn't have UIWindow declared in the upper level of my class when setting a root view controller
rootViewController?.showTimeoutAlert = showTimeOut
let navigationController = SwipeNavigationController(rootViewController: rootViewController!)
self.window = UIWindow(frame: UIScreen.main.bounds)
self.window?.rootViewController = navigationController
self.window?.makeKeyAndVisible()
Ex if I tried declaring window in that block of code instead of referencing self then I would receive the error
I had this problem when I had navigated from root TVC to TVC A then to TVC B. After tapping the "load" button in TVC B I wanted to jump straight back to the root TVC (no need to revisit TVC A so why do it). I had:
//Pop child from the nav controller
[self.navigationController popViewControllerAnimated:YES];
//Pop self to return to root
[self.navigationController popViewControllerAnimated:YES];
...which gave the error "Unbalanced calls to begin/end etc". The following fixed the error, but no animation:
//Pop child from the nav controller
[self.navigationController popViewControllerAnimated:NO];
//Then pop self to return to root
[self.navigationController popViewControllerAnimated:NO];
This was my final solution, no error and still animated:
//Pop child from the nav controller
[self.navigationController popViewControllerAnimated:NO];
//Then pop self to return to root, only works if first pop above is *not* animated
[self.navigationController popViewControllerAnimated:YES];
I encountered this error when I hooked a UIButton to a storyboard segue action (in IB) but later decided to have the button programatically call performSegueWithIdentifier forgetting to remove the first one from IB.
In essence it performed the segue call twice, gave this error and actually pushed my view twice. The fix was to remove one of the segue calls.
Hope this helps someone as tired as me!
Swift 5
func scene(_ scene: UIScene, willConnectTo session: UISceneSession, options connectionOptions: UIScene.ConnectionOptions) {
//Delete or comment the below lines on your SceneDelegate.
// guard let windowScene = (scene as? UIWindowScene) else { return }
// window?.windowScene = windowScene
// window?.makeKeyAndVisible()
let viewController = ListVC()
let navViewController = UINavigationController(rootViewController: viewController)
window?.rootViewController = navViewController
}
Related
UIAlertController does not display [duplicate]
Just started using Xcode 4.5 and I got this error in the console: Warning: Attempt to present < finishViewController: 0x1e56e0a0 > on < ViewController: 0x1ec3e000> whose view is not in the window hierarchy! The view is still being presented and everything in the app is working fine. Is this something new in iOS 6? This is the code I'm using to change between views: UIStoryboard *storyboard = self.storyboard; finishViewController *finished = [storyboard instantiateViewControllerWithIdentifier:#"finishViewController"]; [self presentViewController:finished animated:NO completion:NULL];
Where are you calling this method from? I had an issue where I was attempting to present a modal view controller within the viewDidLoad method. The solution for me was to move this call to the viewDidAppear: method. My presumption is that the view controller's view is not in the window's view hierarchy at the point that it has been loaded (when the viewDidLoad message is sent), but it is in the window hierarchy after it has been presented (when the viewDidAppear: message is sent). Caution If you do make a call to presentViewController:animated:completion: in the viewDidAppear: you may run into an issue whereby the modal view controller is always being presented whenever the view controller's view appears (which makes sense!) and so the modal view controller being presented will never go away... Maybe this isn't the best place to present the modal view controller, or perhaps some additional state needs to be kept which allows the presenting view controller to decide whether or not it should present the modal view controller immediately.
Another potential cause: I had this issue when I was accidentally presenting the same view controller twice. (Once with performSegueWithIdentifer:sender: which was called when the button was pressed, and a second time with a segue connected directly to the button). Effectively, two segues were firing at the same time, and I got the error: Attempt to present X on Y whose view is not in the window hierarchy!
viewWillLayoutSubviews and viewDidLayoutSubviews (iOS 5.0+) can be used for this purpose. They are called earlier than viewDidAppear.
For Display any subview to main view,Please use following code UIViewController *yourCurrentViewController = [UIApplication sharedApplication].keyWindow.rootViewController; while (yourCurrentViewController.presentedViewController) { yourCurrentViewController = yourCurrentViewController.presentedViewController; } [yourCurrentViewController presentViewController:composeViewController animated:YES completion:nil]; For Dismiss any subview from main view,Please use following code UIViewController *yourCurrentViewController = [UIApplication sharedApplication].keyWindow.rootViewController; while (yourCurrentViewController.presentedViewController) { yourCurrentViewController = yourCurrentViewController.presentedViewController; } [yourCurrentViewController dismissViewControllerAnimated:YES completion:nil];
I also encountered this problem when I tried to present a UIViewController in viewDidLoad. James Bedford's answer worked, but my app showed the background first for 1 or 2 seconds. After some research, I've found a way to solve this using the addChildViewController. - (void)viewDidLoad { ... [self.view addSubview: navigationViewController.view]; [self addChildViewController: navigationViewController]; ... }
Probably, like me, you have a wrong root viewController I want to display a ViewController in a non-UIViewController context, So I can't use such code: [self presentViewController:] So, I get a UIViewController: [[[[UIApplication sharedApplication] delegate] window] rootViewController] For some reason (logical bug), the rootViewController is something other than expected (a normal UIViewController). Then I correct the bug, replacing rootViewController with a UINavigationController, and the problem is gone.
Swift 5 - Background Thread If an alert controller is executed on a background thread then the "Attempt to present ... whose view is not in the window hierarchy" error may occur. So this: present(alert, animated: true, completion: nil) Was fixed with this: DispatchQueue.main.async { [weak self] in self?.present(alert, animated: true, completion: nil) }
TL;DR You can only have 1 rootViewController and its the most recently presented one. So don't try having a viewcontroller present another viewcontroller when it's already presented one that hasn't been dismissed. After doing some of my own testing I've come to a conclusion. If you have a rootViewController that you want to present everything then you can run into this problem. Here is my rootController code (open is my shortcut for presenting a viewcontroller from the root). func open(controller:UIViewController) { if (Context.ROOTWINDOW.rootViewController == nil) { Context.ROOTWINDOW.rootViewController = ROOT_VIEW_CONTROLLER Context.ROOTWINDOW.makeKeyAndVisible() } ROOT_VIEW_CONTROLLER.presentViewController(controller, animated: true, completion: {}) } If I call open twice in a row (regardless of time elapsed), this will work just fine on the first open, but NOT on the second open. The second open attempt will result in the error above. However if I close the most recently presented view then call open, it works just fine when I call open again (on another viewcontroller). func close(controller:UIViewController) { ROOT_VIEW_CONTROLLER.dismissViewControllerAnimated(true, completion: nil) } What I have concluded is that the rootViewController of only the MOST-RECENT-CALL is on the view Hierarchy (even if you didn't dismiss it or remove a view). I tried playing with all the loader calls (viewDidLoad, viewDidAppear, and doing delayed dispatch calls) and I have found that the only way I could get it to work is ONLY calling present from the top most view controller.
I had similar issue on Swift 4.2 but my view was not presented from the view cycle. I found that I had multiple segue to be presented at same time. So I used dispatchAsyncAfter. func updateView() { DispatchQueue.main.asyncAfter(deadline: .now() + 0.1) { [weak self] in // for programmatically presenting view controller // present(viewController, animated: true, completion: nil) //For Story board segue. you will also have to setup prepare segue for this to work. self?.performSegue(withIdentifier: "Identifier", sender: nil) } }
My issue was I was performing the segue in UIApplicationDelegate's didFinishLaunchingWithOptions method before I called makeKeyAndVisible() on the window.
In my situation, I was not able to put mine in a class override. So, here is what I got: let viewController = self // I had viewController passed in as a function, // but otherwise you can do this // Present the view controller let currentViewController = UIApplication.shared.keyWindow?.rootViewController currentViewController?.dismiss(animated: true, completion: nil) if viewController.presentedViewController == nil { currentViewController?.present(alert, animated: true, completion: nil) } else { viewController.present(alert, animated: true, completion: nil) }
You can call your segues or present, push codes inside this block: override func viewDidLoad() { super.viewDidLoad() OperationQueue.main.addOperation { // push or present the page inside this block } }
I had the same problem. I had to embed a navigation controller and present the controller through it. Below is the sample code. - (void)viewDidLoad { [super viewDidLoad]; // Do any additional setup after loading the view, typically from a nib. UIImagePickerController *cameraView = [[UIImagePickerController alloc]init]; [cameraView setSourceType:UIImagePickerControllerSourceTypeCamera]; [cameraView setShowsCameraControls:NO]; UIView *cameraOverlay = [[UIView alloc]initWithFrame:CGRectMake(0, 0, 768, 1024)]; UIImageView *imageView = [[UIImageView alloc]initWithImage:[UIImage imageNamed:#"someImage"]]; [imageView setFrame:CGRectMake(0, 0, 768, 1024)]; [cameraOverlay addSubview:imageView]; [cameraView setCameraOverlayView:imageView]; [self.navigationController presentViewController:cameraView animated:NO completion:nil]; // [self presentViewController:cameraView animated:NO completion:nil]; //this will cause view is not in the window hierarchy error }
If you have AVPlayer object with played video you have to pause video first.
I had the same issue. The problem was, the performSegueWithIdentifier was triggered by a notification, as soon as I put the notification on the main thread the warning message was gone.
It's working fine try this.Link UIViewController *top = [UIApplication sharedApplication].keyWindow.rootViewController; [top presentViewController:secondView animated:YES completion: nil];
In case it helps anyone, my issue was extremely silly. Totally my fault of course. A notification was triggering a method that was calling the modal. But I wasn't removing the notification correctly, so at some point, I would have more than one notification, so the modal would get called multiple times. Of course, after you call the modal once, the viewcontroller that calls it it's not longer in the view hierarchy, that's why we see this issue. My situation caused a bunch of other issue too, as you would expect. So to summarize, whatever you're doing make sure the modal is not being called more than once.
I've ended up with such a code that finally works to me (Swift), considering you want to display some viewController from virtually anywhere. This code will obviously crash when there is no rootViewController available, that's the open ending. It also does not include usually required switch to UI thread using dispatch_sync(dispatch_get_main_queue(), { guard !NSBundle.mainBundle().bundlePath.hasSuffix(".appex") else { return; // skip operation when embedded to App Extension } if let delegate = UIApplication.sharedApplication().delegate { delegate.window!!.rootViewController?.presentViewController(viewController, animated: true, completion: { () -> Void in // optional completion code }) } }
This kind of warning can mean that You're trying to present new View Controller through Navigation Controller while this Navigation Controller is currently presenting another View Controller. To fix it You have to dismiss currently presented View Controller at first and on completion present the new one. Another cause of the warning can be trying to present View Controller on thread another than main.
I fixed it by moving the start() function inside the dismiss completion block: self.tabBarController.dismiss(animated: false) { self.start() } Start contains two calls to self.present() one for a UINavigationController and another one for a UIImagePickerController. That fixed it for me.
I fixed this error with storing top most viewcontroller into constant which is found within while cycle over rootViewController: if var topController = UIApplication.shared.keyWindow?.rootViewController { while let presentedViewController = topController.presentedViewController { topController = presentedViewController } topController.present(controller, animated: false, completion: nil) // topController should now be your topmost view controller }
You can also get this warning when performing a segue from a view controller that is embedded in a container. The correct solution is to use segue from the parent of container, not from container's view controller.
Have to write below line. self.searchController.definesPresentationContext = true instead of self.definesPresentationContext = true in UIViewController
With Swift 3... Another possible cause to this, which happened to me, was having a segue from a tableViewCell to another ViewController on the Storyboard. I also used override func prepare(for segue: UIStoryboardSegue, sender: Any?) {} when the cell was clicked. I fixed this issue by making a segue from ViewController to ViewController.
I had this issue, and the root cause was subscribing to a button click handler (TouchUpInside) multiple times. It was subscribing in ViewWillAppear, which was being called multiple times since we had added navigation to go to another controller, and then unwind back to it.
It happened to me that the segue in the storyboard was some kind of broken. Deleting the segue (and creating the exact same segue again) solved the issue.
With your main window, there will likely always be times with transitions that are incompatible with presenting an alert. In order to allow presenting alerts at any time in your application lifecycle, you should have a separate window to do the job. /// independant window for alerts #interface AlertWindow: UIWindow + (void)presentAlertWithTitle:(NSString *)title message:(NSString *)message; #end #implementation AlertWindow + (AlertWindow *)sharedInstance { static AlertWindow *sharedInstance; static dispatch_once_t onceToken; dispatch_once(&onceToken, ^{ sharedInstance = [[AlertWindow alloc] initWithFrame:UIScreen.mainScreen.bounds]; }); return sharedInstance; } + (void)presentAlertWithTitle:(NSString *)title message:(NSString *)message { // Using a separate window to solve "Warning: Attempt to present <UIAlertController> on <UIViewController> whose view is not in the window hierarchy!" UIWindow *shared = AlertWindow.sharedInstance; shared.userInteractionEnabled = YES; UIViewController *root = shared.rootViewController; UIAlertController *alert = [UIAlertController alertControllerWithTitle:title message:message preferredStyle:UIAlertControllerStyleAlert]; alert.modalInPopover = true; [alert addAction:[UIAlertAction actionWithTitle:#"OK" style:UIAlertActionStyleCancel handler:^(UIAlertAction *action) { shared.userInteractionEnabled = NO; [root dismissViewControllerAnimated:YES completion:nil]; }]]; [root presentViewController:alert animated:YES completion:nil]; } - (instancetype)initWithFrame:(CGRect)frame { self = [super initWithFrame:frame]; self.userInteractionEnabled = NO; self.windowLevel = CGFLOAT_MAX; self.backgroundColor = UIColor.clearColor; self.hidden = NO; self.rootViewController = UIViewController.new; [NSNotificationCenter.defaultCenter addObserver:self selector:#selector(bringWindowToTop:) name:UIWindowDidBecomeVisibleNotification object:nil]; return self; } /// Bring AlertWindow to top when another window is being shown. - (void)bringWindowToTop:(NSNotification *)notification { if (![notification.object isKindOfClass:[AlertWindow class]]) { self.hidden = YES; self.hidden = NO; } } #end Basic usage that, by design, will always succeed: [AlertWindow presentAlertWithTitle:#"My title" message:#"My message"];
Sadly, the accepted solution did not work for my case. I was trying to navigate to a new View Controller right after unwind from another View Controller. I found a solution by using a flag to indicate which unwind segue was called. #IBAction func unwindFromAuthenticationWithSegue(segue: UIStoryboardSegue) { self.shouldSegueToMainTabBar = true } #IBAction func unwindFromForgetPasswordWithSegue(segue: UIStoryboardSegue) { self.shouldSegueToLogin = true } Then present the wanted VC with present(_ viewControllerToPresent: UIViewController) override func viewWillAppear(_ animated: Bool) { super.viewWillAppear(animated) let storyboard = UIStoryboard(name: "Main", bundle: nil) if self.shouldSegueToMainTabBar { let mainTabBarController = storyboard.instantiateViewController(withIdentifier: "mainTabBarVC") as! MainTabBarController self.present(mainTabBarController, animated: true) self.shouldSegueToMainTabBar = false } if self.shouldSegueToLogin { let loginController = storyboard.instantiateViewController(withIdentifier: "loginVC") as! LogInViewController self.present(loginController, animated: true) self.shouldSegueToLogin = false } } Basically, the above code will let me catch the unwind from login/SignUp VC and navigate to the dashboard, or catch the unwind action from forget password VC and navigate to the login page.
I found this bug arrived after updating Xcode, I believe to Swift 5. The problem was happening when I programatically launched a segue directly after unwinding a view controller. The solution arrived while fixing a related bug, which is that the user was now able to unwind segues by swiping down the page. This broke the logic of my program. It was fixed by changing the Presentation mode on all the view controllers from Automatic to Full Screen. You can do it in the attributes panel in interface builder. Or see this answer for how to do it programatically.
Swift 5 I call present in viewDidLayoutSubviews as presenting in viewDidAppear causes a split second showing of the view controller before the modal is loaded which looks like an ugly glitch make sure to check for the window existence and execute code just once var alreadyPresentedVCOnDisplay = false override func viewDidLayoutSubviews() { super.viewDidLayoutSubviews() // we call present in viewDidLayoutSubviews as // presenting in viewDidAppear causes a split second showing // of the view controller before the modal is loaded guard let _ = view?.window else { // window must be assigned return } if !alreadyPresentedVCOnDisplay { alreadyPresentedVCOnDisplay = true present(...) } }
Go to second viewcontroller in NavigationViewController
I have a UINavigationController which points to a UITableViewController (a list of items) where there is a segue from a cell to another UITableViewController (a screen to edit an item). On first run of the application, I'd like to skip the first list and immediately go to the second screen, to edit a new item. The problem is I need to pass the first UITableViewController, as I need to be able to go back to that one (or is there a way to set the controller the back button is pointing to?). Things I've tried and failed: Set a boolean shouldPresentNewItem on the UINavigationController and in the viewDidLoad if it is set to true, present the first UITableViewController, also setting a boolean so I can go to the edit screen. Using self.navigationController!.popToViewController(arr[index] as UIViewController, animated: true) in the UINavigationControllers viewDidLoad. This gave an error as self.navigationController was nil. (I don't get why this happens) How can this be done?
In navigation controller set some boolean indicating that you're going to show edit screen and in viewDidLoad just push edit view controller without animation: - (void) viewDidLoad { [super viewDidLoad]; if (self.presentEditScreen) { self.presentEditScreen = NO; EditViewController *e = [[DetailViewController alloc] init]; [self pushViewController:e animated:NO]; } }
simplest way will be. just push from second view to first view firstViewController *objFirstViewController = [[firstViewController alloc]initWithNibName:#"firstViewController" bundle:nil]; [self.navigationController pushViewController:objFirstViewController animated:No];
Not able to navigate to another UIViewController programmatically iOS
I am trying to navigate to "Home" view controller and for this I have written the following code in the ContainerViewController. But once the code executes, the application hangs and it show 100% CPU usage. Please help. - (IBAction) home:(UIButton *)sender { HomeViewController *homeViewController = [self.storyboard instantiateViewControllerWithIdentifier:#"HomeViewController"]; [self.navigationController pushViewController:homeViewController animated:YES]; //[self presentViewController:homeViewController animated:YES completion:nil]; }
I have a question for you 1-If You want to push SecondViewController on to FirstViewController then your code is good enough 2-If you have a containerview in firstViewController and you want to add SecondViewcontroller's view to firstViewController then use this code UIViewController*vc1 = [[test1 alloc]initWithNibName:#"SecondViewController" bundle:nil]; //add to the container vc which is self [self addChildViewController:vc1]; //the entry view (will be removed from it superview later by the api) [self.view addSubview:vc1.view];
I think you want an unwind segue here. In your first view controller add : - (IBAction)unwindToFirstViewController:(UIStoryboardSegue*)sender { } You then need to hook up each of your view controllers home button to the green Exit button at the bottom of the view controller, choosing the unwindToMainMenu option. This will then take you back to the first view controller when pressed.
Have you tried popping the current view? navigationController?.popViewControllerAnimated(true) or just popping to root? navigationController?.popToRootViewControllerAnimated(true) or setting a new stack? navigationController?.setViewControllers(homeViewController, animated: true) The code is in Swift but it would work the same in ObjectiveC
iOS Delegate Does Not Push or Present a View
I have a HomeView and a HomeDropDownView. HomeDropDownView is shown as a drop-down view over the HomeView. HomeView is a delegate of HomeDropDownView. When I do an action in HomeDropDownView I want to call a delegate method in HomeView and have that delegate method present a third view controller, TestViewController from it's navigation controller. If I try to launch TestViewController from anywhere in the class it works fine - except from the delegate method. There are animations in HomeDropDownView but putting the call to the delegate method in the complition does not make the view controller appear. And in the case that I'm using this the animation's don't fire anyway; there's only a resizing without animation. TestViewController's init does get called as well as the viewDidLoad but not the viewWillAppear and the view dose not appear. Code: HomeDropDownView - (void)finalAction { ... [self callDelegateAction]; ... - (void)calldelegateAction { if ([self.delegate respondsToSelector:#selector(launchTestView)] ) { [self.delegate launchTestView]; } else { DLog(#"Error out to the user."); } } HomeView - (void)launchTestView { //[self listSubviewsOfView:self.parentViewController.view]; NSLog(#"delegate method | self: %#", self); TestViewController *tvc = [[TestViewController alloc] initWithNibName:#"TestViewController" bundle:nil]; //[self.navigationController presentViewController:tvc animated:YES completion:nil]; //[self.view.window.rootViewController presentViewController:tvc animated:YES completion:nil]; //[self.navigationController pushViewController:tvc animated:YES]; AppDelegate *appdelegate = (AppDelegate *)[[UIApplication sharedApplication] delegate]; [appdelegate.tabBarController.navigationController presentViewController:tvc animated:YES completion:^() { NSLog(#"Done!"); }]; } None of the above approaches work. But if I put the exact same code into the viewDidAppear or put it in a button action method, it will work fine. At the time of calling the delegate method's self is HomeView and all the subviews, including the nav controller do seem to be there. This is in a tabcontroller-based project but I think that any of the above are acceptable ways to call the nav controller still. What am I missing? Why does my delegate method not want to push/present a viewcontroller on HomeView's Nav controller? It's probably something I'm missing but I can't find a reason in the Apple Docs or any other thread. Thanks for the help!
Sadly this turned out to be that HomeView was being changed underneath the execution of the message. So by the time the HomeView got the message call it was no longer the same HomeView object that had requested action in the first place. So it was not the same delegate. This was done so that it would appear to the user that the same view was being used for different things. But this is a good example of why you should not destroy and re-create critical views. We should have been using the same view and reloading the objects instead if we knew that we would be sending messages. Or had some notion of a control structure.
iOS presentViewController is not working right
As part of my updating my apps to replace the deprecated presentModalViewController with presentViewController, I did some testing. What I found was disturbing. Whereas presentModalViewController always works and there is no question about it working, I have found the presentViewController method often will not display my VC at all. There is no animation and it never shows up. My loadView are called without problems, but the actual view does not appear. So here is what I am doing: User taps a button in my main view controller. In the callback for that tap, I create a new view controller and display it as shown above. The VC never appears (it is an intermittent problem though) but because this VC begins playing some audio, I know that its loadView was called, which looks like as follows. My button-pressed callback is as follows: - (void) buttonTapped: (id) sender { VC *vc = [[VC alloc] init]; [self presentViewController: vc animated:YES completion: nil]; [vc release]; } Here is my loadview in the VC class: - (void) loadView { UIView *v = [UIView new]; self.view = v; [v release]; ... create and addsubview various buttons etc here ... } Thanks.
Make sure the controller that calls the function has its view currently displayed (or is a parent to the one currently displayed) and it should work.