In this article, we will define which requirements view controller containers should fulfill and, of course, how they can be implemented. This should not only provide you with hints about containers themselves, but also about view controllers in general.
To my great surprise, though view controllers are part of the everyday life of an iOS programmer, I discovered they are often misused and abused, probably due to a lack of understanding. Programmers often have a way to quickly judge the quality of some code base, mine for iOS projects is to look at how its view controllers are implemented. Implementations paying attention to details like memory exhaustion surely deserve more trust and interest than implementations barely tweaking the UIViewController Xcode template.
Before I start, please apologize for the length of this article. There is so much to be said about containers and view controllers in general that I thought the subject deserved an extensive treatment. I humbly hope this article will help demystifying this class and make you a more proficient iOS programmer.
Examples of view controller containers are available from the CoconutKit library. You may want to have a look at their implementations after you have read this article.
A definition
View controller containers are objects whose responsibility is to manage some set of view controllers, displaying or hiding them as required. Often, containers are view controllers themselves (UITabBarController, UINavigationController or UISplitViewController, for example), but this is is by no means required (UIPopoverController, for example, directly inherits from NSObject).A remark about naming: When speaking about container objects in general, I use the term "view controller container", or simply "container". When speaking about containers which themselves inherit from UIViewController, I specifically use the term "container view controller". Please keep this distinction in mind.
Before delving into specifics, let me introduce a practical example of a container object.
Practical example
One common problem with view controllers is that they tend to become quite fat as a project evolves. You start with a small, clean view controller princess, and you end up with a clumsy, cluttered toad superimposing many views, powered up by thousands of lines of code barely sustainable.In one iPad project I worked on for a bank, we had to display a detailed view for a fund. This view was made of three sections, one for a performance graph, another one for various facts about the fund (and made of several table views), and the last one for documents. We knew from the beginning that other sections would be added in the future.
Instead of stuffing everything into a single view controller, we split up our content into three view controllers: Graph data, fund facts and documents. Those view controllers were then embedded into another view controller containing some general fund information and a UISegmentedControl to toggle between sections. The result can be represented as follows, where the blue rectangle corresponds to the area where the embedded view controllers are drawn:

This is in fact a common situation I face when writing iPad applications: I often need to embed a single view controller into another one. And since I face this problem so many times, I decided to write a custom container object, HLSPlaceholderViewController, to make my life easier. Here are the requirements I decided my container implementation had to fulfill:
An HLSPlaceholderViewController container can be used to compose more sophisticated interfaces. Here is an example where one is used to create some kind of split view controller. The HLSPlaceholderViewController view contains a table view on the left and a placeholder area on the right (blue rectangle), where embedded view controllers are drawn. When clicking on an item on the left, a corresponding view controller is displayed on the right:

The requirements listed above pretty much covers every aspect I usually expect from a view controller container. While not every view controller container requires this customization level, all must exhibit common properties we discuss in the next section.
View controller container properties
A view controller must at least fulfill two major requirements which I already mentioned in one of my previous articles about view controllers:While the first requirement should be obvious, the second one deserves more attention since it is a tricky part in getting a container implementation right.
The view controller lifecycle
If I were to give awards to the most important documentation pages an iOS developer must read, the View Controller Programming Guide for iOS would certainly be among my favorite ones. Before iOS 5, this guide contained so much information (especially in the Custom View Controllers section) it could be quite overwhelming at first. With the new iOS 5 storyboard, the guide has been updated and is now sadly far less comprehensive that it was. Any iOS developer, though, and any container implementer in particular, should still read this guide more than once, though, because it is the only way to understand some of the subtleties associated with view controllers.The iOS documentation and the UIViewController header file define the lifecycle of the view associated with a view controller. Let me recall it and pinpoint its numerous pitfalls:
These are the events related to view creation and display. Two additional events occur when the view disappears:
Moreover, if a memory warning is encountered during the time the view is loaded (whether it is actually visible or not), the UIViewController didReceiveMemoryWarning method is called. If the view controller's view is invisible, this method takes care of setting it to nil, calling the viewDidUnload method afterwards. To free as much resources as possible, the viewDidUnload method is therefore where you should set your view controller's outlets (and related view resources) to nil.
In essence, the view lifecycle above is a formal contract:
If a view controller container fails to implement the view lifecycle correctly (i.e. if it implements its own non-standard lifecycle), it gets poisonous and should not be used. Imagine you are implementing a view controller you want to display using such a container, and you discover that your viewWillAppear: event is not fired correctly. What can you do? If you are lucky you might be able to stuff everything in viewDidAppear: (if it gets called correctly, which I would not count on). If you are not lucky you might end up having to stuff everything in the viewDidLoad method, which is far from optimal since at that time view dimensions are not reliable (well, if the container implementation is *really* bad, they might be, making things even worse). Basically, the result you get is a view controller tightly bound to a container's implementation, not to the view lifecycle contract. Such objects are most probably incompatible with other view controller containers, and if you later need to refactor your application to use other containers, you will probably have to move code around to get it to work.
View controllers are also governed by a contract for orientation changes. We discuss it in the next section.
Handling rotation
As for the view lifecycle, rotation events are precisely defined as well. Two kinds of rotations are available:One-step and two-step rotations cannot coexist in a same view controller implementation. If one-step rotation methods are discovered, two-step rotation methods are ignored. But this is not a severe issue since two-step rotation is deprecated (and even formally starting with iOS 5). I strongly advise you to forget about its existence altogether, and I will only discuss one-step rotation in the following.
For one-step rotation, four methods are relevant:
Besides those methods which get called for you when rotation occurs, the UIViewController interface offers an interfaceOrientation method which you can call to get the current interface orientation. The problem with this method is that it is only reliable when the view controller is displayed in a standard way (i.e. using a built-in UIKit view controller container, calling a method for modal display, or when a view controller is added as first subview of the application main window). There is a way to solve this issue, though, but we will discuss it later.
Until now, we have discussed documented properties of a view controller. Other common traits arise when using view controllers, both for convenience or efficiency reasons. We discuss them in the next section.
Informal properties of view controllers
Besides lifecycle and rotation events, view controllers embedded into containers exhibit some common properties:

A remark about properties allowing to retrieve the identity of the container view controller: Besides the navigationController and tabBarController properties, UIViewController also exhibits a read-only parentViewController property. According to UIKit documentation, "parent view controllers are relevant in navigation, tab bar, and modal view controller hierarchies" (iOS 4 documentation, with slight changes in iOS 5). Since custom containers are also parent view controllers in some way, it would be tempting to have this method return custom containers as well. This can in fact be achieved using method swizzling, and it seems to work quite well at first: When the parentViewController property has been swizzled, the interfaceOrientation property suddenly returns the correct orientation (in fact the one of the container), and the navigation bar title is forwarded from the content view controller to its container view controller transparently. Seems quite nice.
But doing so, there is no way to control whether or not we want the title to be forwarded or not. We therefore sadly cannot swizzle parentViewController if we want this flexibility (and I definitely wanted it). This seems to reveal the fact that Apple's vision of view controller containers was restricted to view controller containers like UITabBarController or UINavigationController. For such containers, forwarding perfectly makes sense in all cases since they display their contents "full screen".
In general, though, a container can display several view controllers simultaneously, in which case property forwarding may not make sense. Even if a single view controller is displayed, a container might want to have its own title. This is why the UIViewController parentViewController property should IMHO never be swizzled to return custom containers, even if this would have made sense.
Designing and implementing a view controller container
Now that we have extensively discussed the many details which we must pay attention to when dealing with view controllers, let us start discussing how a view controller container can be implemented. It took me several attempts to finally get a satisfying design and properly behaving objects. I here merely concentrate on general guidelines and hints, have a look at the full implementations in CoconutKit for more juicy details.Useful tools
Before starting to write a container, you should consider adding a set of test view controllers to your toolbox. Here is mine for CoconutKit, and it proved to be extremely useful:In general, I use a random color as view background color, assigned in the viewDidLoad method. This way, I am able to easily see when a view controller has been unloaded and reloaded.
Moreover, you definitely need a way to test the behavior of your container when memory warnings are received. The easiest way IMHO is to present a view controller modally in the simulator on top of the container you are writing and testing, and to fake a memory warning before dismissing it. This helps you find quickly when your container fails at releasing views, but it should not prevent you from checking the process in detail at least once by setting breakpoints or adding logging statements: I discovered a nasty bug in one of my view controllers this way
The toolbox being ready, let us discuss the implementation.
Managing view controllers in a container
As I was iterating through container implementations, I finally started to identify behavior traits common to view controllers managed by containers. Those traits are all formal and informal requirements we discussed previously. The most important step was to isolate these traits into a single class which can be reused by several container implementations. I called this class HLSContainerContent and, as its name suggests, its only purpose is to help managing the contents of a container, i.e. its view controllers.An instance of HLSContainerContent acts as a kind of smart pointer, taking ownership of a view controller when it is handed over to a container, and releasing ownership when the object is destroyed. Instead of having the container directly retain the view controllers it manages (which is the proper semantics to have, as we already discussed), the container retains HLSContainerContent instances, each one wrapping a single view controller it retains. The end result is therefore the same.
What is interesting with smart pointer objects is that they can set up a context which stays valid during the time ownership has been acquired. In our case, this context can store the container controller into which a view controller has been inserted. This allows us to prevent simultaneous insertion into several containers, as well as to implement methods returning the parent container of a view controller. For built-in UIKit containers, such methods have been added using categories on UIViewController, we should therefore do the same. Since we cannot add any instance variables to the UIViewController class for storing which custom container it may have been inserted to (and this is not the way I would implement it if I could), we must resort to some kind of global mapping between view controllers and container objects. This could be implemented using a global dictionary, since there are no multithreading issues to consider here (UIKit is inherently meant to be used only from the main thread). Another convenient solution to achieve the same result is to use associated objects (see runtime.h). This namely offers an easy way to virtually add instance variables to classes which we do not control the implementation of, but beware if your code must be thread-safe.
Managing content is the primary goal of the HLSContainerContent class, but not its only one, as we will see later.
Managing view controller's views
As said before, accessing the view property of a view controller lazily creates the view. It is therefore especially important never to access this property sloppily. To reduce the probability of making mistakes when implementing a container, I decided that view operations should only occur through HLSContainerContent. While I did not implement any mechanism to enforce it, it is easy to check that a container implementation never directly access some view controller's view property directly.The interface of an HLSContainerContent object exhibits four methods used to manage the view associated with the view controller it wraps:
We previously discussed view caching, and why a container should not release the view associated with a view controller when it gets removed. For HLSContainerContent, this translated into separate methods for removing the view and releasing it. Moreover, the HLSContainerContent dealloc method only removes the view but does not release it. This way, even after a view controller has been removed from a container, its view can readily be used again if the view controller was retained somewhere else for caching purposes.
Transition animations
With UIKit built-in view controller containers, you cannot choose which transition animation you want to use when displaying a view controller. This is only possible when a view controller is presented modally, but I must admit I am not really fond of the way modal transitions are implemented in UIKit: A modalTransitionStyle property on UIViewController? Seriously, why not having an additional parameter to presentModalViewController:animated:? For my custom container interfaces, I thus decided to set transition styles using a parameter given to the various methods used for presenting view controllers. This is not only clearer from a user point of view, but also far cleaner in terms of object dependencies: The modalTransitionStyle UIViewController has nothing to do in UIViewController, since UIViewController objects should not be concerned about which objects display them. Imagine all nasty cyclic references this could lead to if all containers decided to do the same...From a usability point of view, when a view controller is added with some animation, it must be removed with the exact same inverse animation so that the user does not get confused. It therefore makes sense to use HLSContainerContent to store the transition style with which a view controller has been presented. Containers which work as a stack can later use this information when the view controller is popped.
A question naturally arises: Since the animation style is stored in HLSContainerContent, why not implement the animation code in HLSContainerContent as well so that it can be shared by all custom containers? This is what I decided to do, and the resulting code is both shorter and easier to maintain, providing all my custom containers with a variety of animations, from the usual UIKit animations (cross-dissolve, navigation controller animations) to more exotic ones. And if I later think about a new animation, all I have to do is update a single class and all my containers can readily use it. Pretty cool, uh?
When implementing a container, being able to easily generate animations and corresponding reverse animations is especially important. Imagine a container managing a stack of view controllers. When you pop a view controller, you cannot be sure that the views and frames you have to animate are the same ones you animated when the view controller was pushed. Rotations might namely have occurred in between, or maybe the views were unloaded to save some memory (e.g. as a result of a memory warning). For this reason, I recommend building a transition animation right when you need it, based on the current context (the context being which transition style to use, whether we must play the reverse animation or not, and which views are animated). This way, you guarantee that your animation looks just right. As a corollary, be especially careful if you want to cache animation parameters. Consider whether it is justified from a performance point of view (hint: Probably not), and if it really is do not forget to invalidate your cache when a rotation or a memory warning occur.
In my case, I decided to implement a single HLSContainerContent public method through which I can get a transition animation for a view controller when I need it. To get the correct animation, this method expects some context data, like the current container contents and where views are drawn. This method then simply returns an HLSAnimation object, which encapsulates various animation details: Which views are animated, how they are, whether interaction is disabled during animation, etc. The HLSAnimation class also provides a way to generate the inverse animation with a single method call, even if the animation is complex, made of several steps and involving several views.
Lifecycle events
When implementing containers, the following two measures must be taken so that view lifecycle events reach contained view controllers correctly:Let us now discuss rotation.
Rotation events
If your container is a view controller, implement the usual one-step animation callbacks for it. This means:If your container is not a view controller (a case I admit I never had to implement until now), I conjecture your container should register for the UIApplicationWillChangeStatusBarOrientationNotification and UIApplicationDidChangeStatusBarOrientationNotification, and call the rotation methods for its contained view controllers from the associated callbacks. If you already had to implement such a container, I would be pleased to hear about your experience. I will try to update this article once I know more about this case.
In my view controller container implementations, I try to allow view controllers to be different depending on the interface orientation. In fact I defined a protocol, HLSOrientationCloner, which view controllers can implement to return a clone of themselves with a different orientation. In such cases, I use the willRotateToInterfaceOrientation:duration: method to instantiate the clone, and to start installing it with a cross-dissolve animation having the same duration as the rotation animation. If frame adjustments have to be done, those must not be made prior to willAnimateRotationToInterfaceOrientation:duration: being called.
One last piece of advice about rotations if your container is a view controller: I strongly recommend disabling rotation when a transition animation is playing. This could lead to undesired side-effects and is difficult to test. This should not be a nuisance to end-users who just need to try rotating their device again when the transition animation is over. An easy way to implement this behavior is to maintain an animation counter (incremented in an animation start callback, and decremented in the animation end callback), and to test it in the shouldAutorotateToInterfaceOrientation: method. If a running animation is discovered, just return NO to prevent rotation.
Pre-loading view controllers into a container
The user should always be able to pre-load a container with view controllers before it is actually displayed. Using HLSContainerContent, this was in fact easy to achieve. Pre-loading namely does not inadvertently lead to view creation, and all properties about the view controller and the associated transition animation are encapsulated as well. All that remains to do is to implement the viewWillAppear: container method (frame dimensions are not reliable earlier) to add the pre-loaded view controller's views to the container view.Handling a large number of view controllers
Some containers might be able to load a large number of view controllers. Most of the time, such containers should fall into one of the following categories:The code for handling large number of view controllers is inherently part of your container implementation, though again HLSContainerContent is designed to make view unloading and reloading easier. In most cases, a data source protocol can help formalizing the way view controllers are loaded.
Property forwarding
Last but not the least, HLSContainerContent also provides view controllers inserted into container view controllers with the ability to "see through" the container they are in, directly reaching any navigation controller the container is itself in. To achieve this result, the following properties have to be forwarded transparently through the container when this behavior is desired:As discussed previously, this cannot be simply achieved by having parentViewController return the container view controller. In the case of HLSContainerContainer, this was implemented by swizzling the following UIViewController getters and setters (thanks 0xced for the original idea and implementation):
When one of the above getters is called and forwarding is enabled, we check if the view controller has been associated with a container view controller. If this is the case, the getter is recursively called on the container view controller, otherwise the original implementation is called. Having the getter recursively called ensures that forwarding works even if containers are nested.
Similarly, when one of the above setters is called and forwarding is enabled, the original implementation is called, and if the view controller is associated with a container view controller, the setter is also called on it, propagating the change further away.
Since we cannot simply swizzle the parentViewController method, we also have to fix the interfaceOrientation UIViewController read-only property. This is easily achieved by swizzling it, so that when a view controller is associated with a container view controller, the container orientation is returned.
The above approach works but is not perfect from a maintenance point of view, though: If more properties are added in the future, more methods will need to be swizzled. Any suggestion is welcome.
Examples of view controller containers
Now that we have discussed containers extensively, here are some examples of containers you might want to implement:I started with HLSPlaceholderViewController and HLSStackController since these containers correspond to basic building blocks which can be nested to create more complex containers. For example, by embedding an HLSStackController into an HLSPlaceholderViewController, you could create a new kind of navigation controller. By properly designing more high-quality containers and ensuring they nest properly, you can add precious tools to your iOS programmer toolbox. Start now!
One final remark about naming conventions I apply: I tend to name containers as HLS<SomeName>ViewController if they ultimately inherit from UIViewController and if they are intended to be subclassed when used. In all other cases, I simply call containers HLS<SomeName>Controller. This rule more or less fits the naming scheme applied for UIKit built-in view controllers, with some exceptions though (UISplitViewController, for example).
iOS 5
With the iOS 5 SDK, Apple engineers have introduced new API methods to help writing view controller containers. The documentation is currently rather scarce, but it seems the API can be quite useful to implement basic containers. It hasn't all the features of HLSContainerContent, but it is still a nice addition. It namely relieves the programmer from having to call most view lifecycle events (this is done for you), has support for transition animations, and introduces a clear parent-child relationship between a container and the view controllers it displays.There is a major issue with this new API, though: Existing pre-iOS 5 container implementations need to be updated to run on iOS 5, otherwise silly bugs will appear (most notably doubled lifecycle events). This means:
Shouldn't one screen of views and subviews be managed by just one UIViewController?
ReplyDeleteYou should not use multiple custom view controllers to manage different portions of the same view hierarchy. Similarly, you should not use a single custom view controller object to manage multiple screens worth of content.
http://developer.apple.com/library/ios/#featuredarticles/ViewControllerPGforiPhoneOS/AboutViewControllers/AboutViewControllers.html#//apple_ref/doc/uid/TP40007457-CH112-SW12
"You should not use multiple custom view controllers to manage different portions of the same view hierarchy"
ReplyDeleteThough the above sentence is part of the official Apple documentation, having multiple custom view controllers manage different portions of the same view hierarchy is what makes view controller containers possible. Consider for example the built-in UISplitViewController: It is a direct subclass of UIViewController (i.e. a custom view controller) managing two view controllers, each having its own view hierarchy. These two view hierarchies are part of the split view controller's view hierarchy itself. If the rule above could not be violated, the split view controller and built-in UIKit containers in general (UINavigationController, UITabBarController, e.g.) could never have been written.
Implementing view controller containers is not an easy task (and I hope my article made it clear). I think that the above sentence should be interpreted as a warning that adding a view controller's view as subview of another view controller's view is dangerous. It can be done (and it must when you are writing a container), but it is difficult to get right and thus should be avoided.
"Shouldn't one screen of views and subviews be managed by just one UIViewController?"
The answer to your question is therefore "yes, in general": When writing an application, each screen (or subscreen) must be managed by a single view controller. Those view controllers are then combined using containers to build the required application worflow. You must never add a view controller's view as subview manually.
But if you are a implementing a container, this piece of advice cannot be strictly followed. In this case, your responsibility is to be careful enough so that the container you write is well-behaved.
The implementation is not right. The container should never manage child's view controller's view. It should only manage the child's view controller that manages its view hierarchy. Apple doc and WWDC very strongly state this management.
DeleteTake look at the UISpliteViewController. It only manages its children view controllers but not its views.
Hi. Do you have some sample of a custom view controller inheriting from NSObject? I am new at iOS programming and I want to follow the good practices. I created a custom view controller that inherits from UIViewController and used a NIB file to design the view (I used the template from Xcode) but now I need to use it as a subcontroller of a normal controller (not a container), therefore I want to implement, if possible, the "view" outlet property with its lazy loading, etc. But if you think using a controller that inherits from UIViewController (and forwarding all the events to it) it is not much more costly, let me know please.
ReplyDeleteThanks! Excellent post.
I need to clarify some things about my previous request, because it will be probably interpreted as a case where the parent view controller should be a container (it's my fault). The subview controller I want to inherit from NSObject will be not a full controller really, it don't need to implement lifecycle events (except viewDidLoad) nor rotation events, also it will not contain any sub controller. I want this controller only to manage the loading of the view and to implement some custom "methods" related with its content, i.e. the parent controller will manage all the related with lifecycle events and rotation.
ReplyDeleteThanks
If you want to implement a custom object behaving like a controller and managing a view as UIViewController does, then why cannot you simply inherit from UIViewController? It is what UIViewController is made for, and trying to replicate what UIViewController does won't certainly be easy.
ReplyDeleteBut I am not sure I understand what you are trying to do. Could you give me some more details (nothing you do not want to talk about, of course) about your app workflow and your controller / view controller hierarchy?
Hi. Yes, it's because of that I tried to clarify things on my second comment. When I started the project I first created that view controller to implement a view with some subviews and some functionality used when rotating the iPad; I used it as the windows root controller. When it was finished, I proceeded to create the parent view controller: it displays a scroll view and uses instances of my first controller as pages (it's my first iOS project, I know it is not the best way to do the things probably). I don't want to implement a container, I still want to use my first controller as a mean to package the loading of the view and some especial methods (not a full controller really), managing the lifecycle events and rotation at the "parent" controller, and I want to follow the warnings about subcontrollers (where they always say I should use a customer view controller that inherits from NSObject but I can't find a good sample).
ReplyDelete(excuse my limited english :-) )
Ok, I see. What you need is a container managing a scroll view in which contained view controllers will be drawn. Should you inherit from NSObject (as you suggest) or from UIViewController? The fact that you do not want or need to implement the whole view lifecycle and rotation forwarding logic is not a good reason why you should not inherit from UIViewController. In fact, you can still have a container inherit from UIViewController and only implement the functionality you need. Such a container will be poor (poisonous in the sense of my article), but as long as it solves your problem, it is what matters after all.
ReplyDeleteIn your case, I would definitely inherit from UIViewController. After all, you need to manage a view (a scroll view, most probably), and UIViewController will do it for you.
When I started writing containers, the first one I implemented did exactly what you want to do. The result was a poisonous container, which still works pretty well but is far from perfect. I plan to add it to the CoconutKit library, but not until it has been completely rewritten. I was keeping it hidden from view, but I just made it available on a separate branch if you want to have a look at it (https://github.com/defagos/CoconutKit/blob/feature/page-controller/CoconutKit/Sources/ViewControllers/HLSPageController.h).
Thank you!
ReplyDeleteHi, I am using this in an iPhone project, but found that the first view in a container does not receive view*Appear events, is there any work around?
ReplyDeleteThanks!
Could you be more specific about your problem? Are you using HLSStackController or HLSPlaceholderViewController? Are the containers themselves embedded in some other view controller container, or displayed as root view controller of your application? Could you give me an overview of your view controller hierarchy? Thx
ReplyDeleteThis was great! Thank you!
ReplyDeleteOne minor clarity correction: "I tend to name containers as HLSController if they ultimately inherit from UIViewController and if they are intended to be subclassed when used. In all other cases, I simply call containers HLSController."
You use "HLSController" both times.
oops, blogspot ate the anglebrackets...
ReplyDeleteThanks Dav, the mistake has now been fixed.
ReplyDeleteIs there any sample code which use the HLSPlaceholderViewController to create something similar to UISplitViewController? You mentioned it above but I can't find any in the CoconutKit-demo from the download package. Appreciate if you would post it here or provide some pointer to get the sample code for that. Many thnx.
ReplyDeleteThe example from my article describes a pseudo split-view controller which contains only one child view controller (the table view on the left is not part of a dedicated view controller but belongs to the placeholder view controller's view itself). If this is all you need it is pretty easy to write a sample, let me know if you need one.
ReplyDeleteThere is currently no example of a true split-view controller (embedding two view controllers) in CoconutKit. In fact, a true split-view controller cannot currently be implemented using HLSPlaceholderViewController since it is meant to embed one child view controller only. You must use HLSContainerContent instead.
I have started implementing an n-placeholder view controller (which, as the name suggests, can embed n view controllers) on a private development branch. I will then implement a split-view controller by inheriting from this new class with n = 2. This is on my todo list but I sadly cannot give you an exact time frame when this will be available.
Regards.
I really like to develop my own SplitViewController which as you said would contain n# of ViewControllers such as multiple TableViewControllers plus potential multiple content ViewControllers, maybe all contained inside a TabViewController. If you would kindly give me some hints on how to progress based on your existing class HLSPlaceholderViewController, and the things I need to pay attentions to, maybe we can co-work together to get this going? If you like, you can send me emails at sgsw.arthur@gmail.com regarding to this. Many thnx and look forward to hearing from you.
DeleteInstead of writing a container having n children, you should try splitting up your problem into smaller containers. In your case, I would write a custom tab view controller having one child view controller (this is really easy to achieve by subclassing HLSPlaceholderViewController), and a split view controller having 2 children (base your implementation on HLSContainerContent). I made everything possible so that HLSContainerContent allows you to relieve you from most container implementation issues. To give you an example, almost all applications I write for my company combine controllers from UIKit with HLSPlaceholderViewController and HLSStackController only.
DeleteI will try to make some progress on my n-placeholder view controller and publish the associated branch publicly when it reaches a stable state. I don't have much time currently since I try to close some branches I have been working on for quite some time now, though. If you want to implement your own controller in the meantime, you should really have a look at HLSPlaceholderViewController implementation. This is the typical example of a container implementation based on HLSContainerContent. HLSStackController is interesting as well but more tricky. Basically, implementing an n-placeholder view controller inspired from HLSPlaceholderViewController implementation is quite easy: Add n as parameter to the container init method, replace the -placeholderView outlet with a -placeholderViews outlet collection, and where accessing -placeholderView loop over the outlet collection instead.
Thanks for your interest! Best regards.
I updated the current HLSPlaceholderViewController implementation so that an arbitrary number of view controllers can be embedded. You might want to have a look at the commit details (https://github.com/defagos/CoconutKit/commit/d1cb69dfd5c0e0a54f7f9587bc0c248d9cf54917) for more implementation details. This will be available in CoconutKit 1.1.5.
DeleteBest regards.
Many thnx for your quick reply, defagos. I have 2 questions if you don't mind to make sure I understand you correctly:
Delete1. When I study the source code, it seems to me that HLSContainerContent is private inside HLSPlaceholderViewController, and therefore it's kind of an implementation details and therefore the client of HLSPlaceholderViewController simply doesn't know anything about it at all. So, if I understand it correctly, then when you said "a split view controller having 2 children (base your implementation on HLSContainerContent)", you mean I define a subsclass of HLSPlaceholderViewController and in the implementation use 2 children of HLSContainerContent as private properties and 1 HLSContainerContent contains a UITableViewController, and another HLSContainerContent contains a HLSViewController, correct?
2. What's the best way to communicate from the Child ViewController contained in HLSContainerContent back to the Container ViewController? For example, if I use a TableViewController as the child ViewController inside a subclass of HLSPlaceholderViewController, what's the best way to pass the selected row event back to the HLSPlaceholderViewController? It doesn't seem HLSPlaceholderViewControllerDelegate is the right delegate to use. Am I wrong? Would you please share some code snippets for this?
Many thnx.
One more question:
DeleteWho should implement HLSPlaceholderViewControllerDelegate? A Child ViewController? Therefore, it's mainly for HLSPlaceholderViewController to pass the ViewWillAppear, ViewDidAppear, animationWillStart, & animationDidStop events to the Child ViewController, right? If I need to pass other events to the Child ViewController, I have to define other delegates, right? (Pardon me if this is a dumb question).
Let me answer your questions:
Delete1. You are right, HLSContainerContent is an implementation detail of CoconutKit containers (HLSPlaceholderViewController and HLSStackController). The HLSContainerContent class is still public, though, so that anyone can reuse it to implement other view controller containers.
When I say "a split view controller having 2 children (base your implementation on HLSContainerContent)", I mean you need to subclass UIViewController (or, better, HLSViewController) to implement a split-view controller, each child view controller being contained in an HLSContainerContent. But this is not needed anymore since HLSPlaceholderViewController now deals with an arbitrary number of child view controllers.
2. I added methods to UIViewController so that a view controller can find whether it has been inserted into an HLSPlaceholderViewController (-[UIViewController placeholderViewController]) or an HLSStackController (-[UIViewController stackController]).
If your view controllers are not meant to be reused, you can avoid the need to pass the selected row event back to the container: In your table view controller implementation, simply call self.placeholderViewController.insetViewController = viewControllerToDisplay to display a view controller when you click on a row.
If you need further decoupling and reusability for your view controllers, you can declare a protocol through which child view controllers can communicate with the placeholder view controller they are in (which therefore acts as a kind of mediator). Simply have your placeholder view controller subclass implement the delegate protocols and respond accordingly.
3. In general, I would make the object which instantiates the placeholder view controller implement its delegate protocol (this could be the application delegate, for example). This delegate protocol is not meant to be used to pass the view lifecycle events to child view controllers manually: This is entirely the job of HLSPlaceholderViewController, which does it transparently for you. If you need to pass more information between child view controllers, you can of course define additional protocols.
I got the new HLSPlaceholderViewController.h & HLSPlaceholderViewController.m from the branch. It's great. Would like to try it out. I'm setting my project using the Coconut binary staticframework. Not sure how to include your new source in the staticframework. Would you mind to give me some instructions? Appreciate your kindly help. This new code would be something great to try out and very helpful.
DeleteYou cannot simply use the new source files with the existing .staticframework, it must be built again from scratch. I did it for your, you can download preview binaries from https://github.com/defagos/CoconutKit/downloads.
DeleteRegards.
I know, I was trying to figure out if I can build it w/ the new source in the CoconutKit project. But not really sure the steps since I have never done it before. Is there any tutorial I can learn from to do that?
DeleteAnyway, did manage to include the CoconutKit Project inside my own project and get the new HLSPlaceholderViewController working with 2 contained ViewControllers. Seems to be pretty straight forward. But it's still better to get the preview binary from you. Many thnx for your kindly help in such a short time frame. You are really great and helpful.
Now need to really develop the SplitViewController. Need to figure out the easiest way to communicate among child view controllers. You mentioned above that using the PlaceHolderViewController as the mediator between child view controllers so that they would not be dependent on each other, seems to be a good idea and since each child controller already have reference to the PlaceholderViewController with the category you defined for UIViewController. Will work on it in next couple of days and let you know what happens.
Again, many thnx for your good codes and kindly help.
The instructions to build CoconutKit are given in the readme markdown file (see "Building binaries"). All you need is the make-fmwk command (https://github.com/defagos/make-fmwk) which you must run from the /CoconutKit directory ("make-fmwk.sh -o /tmp -u 1.1.5-preview Release" to build the preview binaries, for example).
DeleteI still intend to write a more advanced split-view controller for CoconutKit (most notably with resizable areas), but I hope that the current HLSPlaceholderViewController should suffice in your case. I tested it carefully but if you find any issues do not hesitate to open a dedicated ticket on github. Thanks!
1.1.5-preview binary works good for the new PlaceHolderViewController. Looking forward to your advanced SplitViewController.
DeleteDear Defagos:
ReplyDeleteI got in some trouble by simply programmatically create a UIView and set it w/ the placeholderViews in loadview() of my subclass of the new HLSPlaceholderViewController. Somehow, I got in the infinite loop where after loadview(), it calls the parent hierarchy of viewDidLoad() and then when it reaches HLSViewController viewDidLoad(), somehow, it call my subclass's loadview() again! Below is the code snippet of my placeholderViewController subclass:
- (id)init
{
if ((self = [super initWithNibName:[self className] bundle:nil])) {
// Pre-load a view controller before display. Yep, this is possible!
// self.insetViewController = [[[ChildTableViewController alloc] init] autorelease];
ChildTableViewController *insetViewController = [[[ChildTableViewController alloc] init] autorelease];
[self setInsetViewController:insetViewController atIndex:0];
}
inNavigationControllerSwitch = YES;
inTabBarControllerSwitch = NO;
return self;
}
- (void)loadView
{
UIView* placeholderChildView = [self createBoundViewforChild];
self.placeholderViews = [[NSArray alloc] initWithObjects:placeholderChildView, nil];
}
- (UIView*) createBoundViewforChild
{
CGSize fullSize = [self splitViewSizeForOrientation:self.interfaceOrientation];
float width = fullSize.width;
float height = fullSize.height;
if (YES) { // Just for debugging.
NSLog(@"Target orientation is %@, dimensions will be %.0f x %.0f",
[self nameOfInterfaceOrientation:self.interfaceOrientation], width, height);
}
CGRect childVCRect = CGRectMake(0, 0, width, height);
childVCRect.size.width = m_splitPosition;
UIView* placeHolderViewForChildVC = [[[UIView alloc] initWithFrame:childVCRect] autorelease];
return placeHolderViewForChildVC;
}
Appreciate if you can help to find out the possible issue. If you want me to send you the complete source, please shot me an email at courageac@gmail.com. Thnx.
Trying to trace thru the source code and found this:
ReplyDeleteDuring the calls to the hierarchy of viewDidLoad, in UIViewController+HLSExtensions.m's static void swizzled_UIViewController__viewDidLoad_Imp(UIViewController *self, SEL _cmd), it calls [self setOriginalViewSize:self.view.bounds.size] and this trigger my subclass's loadview().
Was it that I did something I'm not supposed to do in my previous code quotes to cause this? I'm basically just follow what you said in the PlaceHolderViewController.h comments to instantiate placeholderViews in the loadview() of my PlaceHolderViewController subclass. Appreciate your help.
There are at least two issues in your -[UIViewController loadView] implementation:
Delete1) You never assign a view to self.view. This is what -loadView is made for, and I suppose this is what leads to your recursion problem
2) You create placeholder views, but you must still call -[UIView addSubview:] to add them to your view controller's view hierarchy
Hope that helps.
Yes, many thnx. Got it working along w/ Story board. The beauty of this PlaceHolderVC is that it's not really just limited to Master & Detail. It can contain more complicated set of VCs interacting w/ each other. And even best is that it is not limited to be just as the RootVC as UISPlitVC does. Therefore, can really use it along w/ Storyboard.
DeleteI guess still have quite a bit of work to do to get it working w/ CoreData just like that of the standard SplitVC.
Dear Defagos:
DeleteI'm trying to implement a moving divider between the Master & Detail. Just want to verify my understanding of best way to do it. I suppose I can reuse the existing Master & Detail VC (View Controllers) without calling HLSPlaceHolderViewController's setInsetViewController() again. I just need to create a new array of UIViews with new dimensions and set it to placeholderViews. And then call the HLSPlaceHolderViewController's viewWillAppear() to update the display the Master & Detail VC again.
Many thnx.
1) This was one of the primary requirements of PlaceholderVC and StackController. By being able to combine them easily (and even with standard UIKit containers) or use them as root view controller of an application, you can easily create complicated view controller hierarchies you can later easily refactor if needed. For example, the applications I am currently working on nests up to 5 of those containers.
DeleteCoconutKit also provides several tools for working with CoreData easily (HLSModelManager, text field bindings). You might want to look at them to save you some time and headaches.
2) I did not try implementing a split VC using HLSPlaceholderVC yet, but here is probably how you should do it: Subclass HLSPlaceholderVC, create two placeholder views programmatically in -loadView, and add a slider to resize the placeholder views when moved. Since the placeholder views are setting the autoresizing mask of the view controller's views which are drawn on them (see -[HLSContainerContent addViewToContainerView:inContainerContentStack:] implementation), the behavior should be correct, provided the child view controllers are configured propertly.
You must never call viewWillAppear: to update the display, it is not what this method is made for. If you need to force a layout, use UIView setNeedsLayout or layoutIfNeeded methods
Just want to let you know that I got the SplitViewController based on HLSPlaceHolderViewController almost all working except encountering some problem w/ putting the NavigationVC embedded MasterViewController inside the Popover in portrait mode. For some unknown reasons, it throw exceptions during the instantiation of the UIPopover class. I can move the split divider between the Master & Detail Views and also incorporate it with Core Data for the Master VC. Many thanks for all of your kindly help, Mr. Defagos.
DeleteDear Defagos:
ReplyDeleteDo you think if you would have a ARC-enabled version of the CoconutKit very soon?
Since CoconutKit can already be used with ARC projects, you are probably talking about the source code itself. No, I do not currently plan to update CoconutKit to ARC, and for several reasons:
Delete1) The code base is large, and it would require a lot of time and testing to carefully migrate to ARC. I prefer adding up new components or improving existing ones instead
2) I use properties for memory management (see http://subjective-objective-c.blogspot.ch/2011/04/use-objective-c-properties-to-manage.html), which almost completely eliminates the need to send retain and release messages manually (to give you an idea, the code of CoconutKit and all demos currently only contains 16 retains and 21 releases!)
3) I must also admit that I am still not really fond of ARC yet. At its core, manual memory management is just retain, release, and Objective-C conventions. With ARC, there is a large number of rules to know (http://clang.llvm.org/docs/AutomaticReferenceCounting.html), and new innovative ways to create subtle bugs (http://weblog.bignerdranch.com/296-arc-gotcha-unexpectedly-short-lifetimes/). IMHO, good programming languages are those you can forget so that you can focus on what's important: Solving problems. All my recent projects use ARC, and I now spend more time thinking about language issues and debugging subtle leaks than ever before.
Yes, got it working w/ my project w/ ARC yesterday. And thanks for your kind sharing of your experience. Couldn't agree more.
DeleteThanks for this post. I enjoyed it! More business people and product managers should read articles like this.
ReplyDeleteThanks for your feedback! The situation has changed somewhat with the releases of iOS 5 and now iOS 6, though (new methods have appeared, as well as the new iOS containment API). Most of the information from this article remains valid, but some information is now clearly missing. However, I took care of implementing containers carefully once for all, taking into account the newest features made available in the latest iOS versions, so that nobody should ever need to roll its own view controller containers. This will all be made available later this month in CoconutKit 2.0 (https://github.com/defagos/CoconutKit)
DeleteGreat article I must admit. Why don't you collect your expertise and write a book. Articles like this should be reference to each ios programmer from the beginning.
ReplyDeleteThank you.
Thank you very much. I really would like to write some kind of book, but I sadly miss time. It took me so much effort to study and implement containers correctly I did not find enough time to write about them. But honestly, a year later after this article has been written, I now probably would not write that much about the subject anyway.
DeleteWhen writing view controllers, you namely only need to keep a few things in mind (the view lifecycle, how rotation works and when frames are reliable, most notably). This is really the kind of stuff which an article should make clear, nothing more (after all, this is what most people need). This information is scattered around my article, but is "polluted" with container-specific stuff which most iOS programmers should never have to worry about if Apple provided more containers, or a better API to write them.
Therefore, instead of writing a reference book or many articles which will probably become obsolete quite fast (and especially since iOS 5 and iOS 6 changed so much about view controllers), I decided to write a reference implementation which all iOS developers will be able to use, avoiding the need to write their own containers. This is of course not a book, but if you are interested in the subject you can have a look at the source code of CoconutKit containers, which contains much more information than the article above, or than any other article I may write.
Best regards.
I am trying to hide part of my UI in landscape orientation. The UI deteriorates after some turnings of the device. I must have done something fundamentally wrong...
ReplyDeleteHow would you use CoconutKit to make this work?
My UI-destructing code is on GitHub: https://github.com/AOphagen/RotationAnimationError/blob/master/RotationAnimationError/MainPlaceholderViewController.m
So far, CoconutKit has been one fine tool for me, thank you.
I had a look at your code (though this blog is probably not the right place to talk about it). CoconutKit containers won't make your toolbar animation just work, they only guarantee that, provided you insert view controllers into them, everything will just work as expected (lifecycle, rotation, etc.). But in your case your problem seems to be the toolbar itself, not the placeholder view.
DeleteI cannot pinpoint what goes wrong with your code. IMHO, what you are trying to do should be quite simple, and the code required should be much shorter than what you currently have (basically, resize change the placeholder view height, and move the toolbar down during the rotation). One HLSAnimation should suffice. You can simply play it backwards (use -[HLSAnimation reverseAnimation]) when rotating back from landscape to portrait
Regards.
Thank you very much! Thinking around too many corners is a usual problem of mine. Working with one animation and its reverse, I should change the point in the rotation process when I animate back, I think. Then I would need to show the landscape version of the toolbar before rotation, wouldn't I? And let Apple animate the landscape version to portrait version part? Happily going back to try it... :D
DeleteThank you once more. It is working just fine now. I had to change a lot. There were two tricky things: 1) the device rotation from one landscape to the other via upside down caused the animation to run twice - I added a flag to control that. 2) the precise moment of my animation (before or after call to super) was very important - I just tried different positions until all was to my liking. I have synced the working code into github. I am SO happy! On to the next puzzle :D
DeleteDo you need some help in writing? 1st writing service you'll get an opportunity to receive a well written paper!
ReplyDeleteHi, This is a good post, indeed a great job. You must have done good research for the work, i appreciate your efforts.. Looking for more updates from your side. Thanks
ReplyDeleteQuality Home Builder in Oak Forest
Oak Forest Spec House Builderr
We at Coepd declared Data Science Internship Programs (Self sponsored) for professionals who want to have hands on experience. We are providing this program in alliance with IT Companies in COEPD Hyderabad premises. This program is dedicated to our unwavering participants predominantly acknowledging and appreciating the fact that they are on the path of making a career in Data Science discipline. This internship is designed to ensure that in addition to gaining the requisite theoretical knowledge, the readers gain sufficient hands-on practice and practical know-how to master the nitty-gritty of the Data Science profession. More than a training institute, COEPD today stands differentiated as a mission to help you "Build your dream career" - COEPD way.
ReplyDeletehttp://www.coepd.com/AnalyticsInternship.html
I have read this post. Collection of post is a nice one ios swift online course
ReplyDeletelampungservice.com
ReplyDeleteserviceiphonebandarlampung.blogspot.com
youtubelampung.blogspot.com
bimbellampung.blogspot.com
bateraitanam.blogspot.com
Sharp
DeleteLampung
Metroyoutube
youtube
lampung
kuota
Indonesia
Thanks for Sharing This Article.It is very so much valuable content. I hope these Commenting lists will help to my website
ReplyDeletetop microservices online training
Thanks for Sharing This Article.It is very so much valuable content. I hope these Commenting lists will help to my website
ReplyDeleteblockchain online training
best blockchain online training
top blockchain online training
if you want to pop up your website then you need office 365 download
ReplyDeleteThanks for Sharing This Article.It is very so much valuable content. I hope these Commenting lists will help to my website
ReplyDeleteworkday online training
best workday online training
top workday online training
I just loved your article on the beginners guide to starting a blog.If somebody take this blog article seriously
ReplyDeletein their life, he/she can earn his living by doing blogging.Thank you for this article.
best tibco sportfire online training
I just loved your article on the beginners guide to starting a blog.If somebody take this blog article seriously
ReplyDeletein their life, he/she can earn his living by doing blogging.Thank you for this article.
best java online training
Thanks for Sharing This Article.It is very so much valuable content. I hope these Commenting lists will help to my website
ReplyDeletesplunk online training
I just loved your article on the beginners guide to starting a blog.If somebody take this blog article seriously
ReplyDeletein their life, he/she can earn his living by doing blogging.Thank you for this article.
tibco sportfire online training
I just loved your article on the beginners guide to starting a blog.If somebody take this blog article seriously
ReplyDeletein their life, he/she can earn his living by doing blogging.Thank you for this article.
blueprism online training
adana escort - adıyaman escort - afyon escort - aksaray escort - antalya escort - aydın escort - balıkesir escort - batman escort - bitlis escort - burdur escort - bursa escort - diyarbakır escort - edirne escort - erzurum escort - eskişehir escort - eskişehir escort - eskişehir escort - eskişehir escort - gaziantep escort - gebze escort - giresun escort - hatay escort - ısparta escort - karabük escort - kastamonu escort - kayseri escort - kilis escort - kocaeli escort - konya escort - kütahya escort - malatya escort - manisa escort - maraş escort - mardin escort - mersin escort - muğla escort - niğde escort - ordu escort - osmaniye escort - sakarya escort - samsun escort - siirt escort - sincan escort - tekirdağ escort - tokat escort - uşak escort - van escort - yalova escort - yozgat escort - urfa escort - zonguldak escort
ReplyDeleteWe are a top rated economics assignment help Online service here with experts specializing in a wide range of disciplines ensuring you get the assignments that score maximum grades.
ReplyDeleteReach us for the professional writers like Assignment help online canada
ReplyDeletecanada Essay help online
canada Dissertation help online
Online Homework help Canada
Online Coursework help canada
Online Thesis help
Nice Post!! LiveWebTutors is the preferred service for offering essay writing service . The service solutions are blessed with a team of diligent writers, researchers and editors to provide you with the right assistance within the perfect timeline.
ReplyDeleteNagaqq Yang Merupakan Agen Bandarq terbaik , Domino 99, Dan Bandar Poker Online Terpercaya di asia hadir untuk anda semua dengan permainan permainan menarik dan bonus menarik untuk anda semua
ReplyDeleteBonus yang diberikan NagaQQ :
* Bonus rollingan 0.5%,setiap senin di bagikannya
* Bonus Refferal 10% + 10%,seumur hidup
* Bonus Jackpot, yang dapat anda dapatkan dengan mudah
* Minimal Depo 15.000
* Minimal WD 20.000
* Deposit via Pulsa TELKOMSEL
* 6 JENIS BANK ( BCA , BNI, BRI , MANDIRI , CIMB , DANAMON )
Memegang Gelar atau title sebagai AGEN POKER ONLINE Terbaik di masanya
11 Games Yang di Hadirkan NagaQQ :
* Poker Online
* BandarQ
* Domino99
* Bandar Poker
* Bandar66
* Sakong
* Capsa Susun
* AduQ
* Perang Bacarrat
* Perang Dadu
* BD QQ (New Game)
Info Lebih lanjut Kunjungi :
Website : NAGAQQ
Facebook : NagaQQ official
WHATSAPP : +855977509035
Line : Cs_nagaQQ
TELEGRAM :+855967014811
Best tution classes in Gurgaon
ReplyDeleteThis comment has been removed by the author.
ReplyDeleteSoftware craft is a leading custom web development services that provide cutting-edge engineering solutions for global companies and helps companies accelerate the adoption of new technologies. Moreover, the software created by our team of professional experts can perfectly meet the needs of users and businesses and is easy to expand, integrate and support. Along with this, we provide a flexible cooperation model, provide transparent services, and are always prepared to take end-to-end responsibility for project results.
ReplyDelete"Are you looking for Leolist Burnaby? We have the best alternative of Leolist Burnaby here on https://burnaby-new-westminster.xgirl.ca/
ReplyDeleteVisit burnaby-new-westminster.xgirl.ca/ today and find the best results related to Leolist Burnaby"
Alex Ross Mentor produced the romantic comedy The List starring Wayne Brady, Sydney Poitier, Brad Dourif, Ileana Douglas, and Jane Lynch. The movie was acquired by Warner Bros. He was appointed as an expert by the EU’s: Education, Audiovisual and Culture Executive Agency MEDIA Program in 2016 and is continuing to advise them on the funding of various film projects.
ReplyDeleteLeolist Quebec City
ReplyDeleteAre you looking for Leolist Quebec City? We have the best alternative of Leolist Quebec City here on https://quebeccity.xgirl.ca/
Visit https://quebeccity.xgirl.ca/ today and find the best results related to Leolist Quebec City.
ReplyDeleteLeolist Charlottetown
Are you Searching for Leolist Charlottetown? We have the best alternative of Leolist Charlottetown here on https://charlottetown.xgirl.ca/
Visit https://charlottetown.xgirl.ca/ today and find the best results related to Leolist Charlottetown.
Leolist Windsor
ReplyDeleteAre you Searching for Leolist Windsor? We have the best alternative of Leolist Windsor here on https://windsor.xgirl.ca/
Visit https://windsor.xgirl.ca/ today and find the best results related to Leolist Windsor.
AbdullaHome website is the best online shopping in Pakistan. Our online shopping store offers you to buy the best products by using COD, Debit / Credit Card, and EasyPaisa. It takes on the pride to provide easy and immediate access to a range of demanding products and delivers quality rich products to all the corners of the countries.
ReplyDeleteHalo Hook was founded with the idea to create a beautiful product that would make it easier to take better care of handbags in restaurants, bars, cafés and other social environments.
ReplyDeleteCNW Resources have a professional and enthusiastic team of foreign and local qualified education who provide subpar educational expertise and consultation to students.
ReplyDeletelefkoşa eskort
ReplyDeletegebze eskort
eskişehir eskort
muğla eskort
hatay eskort
konya eskort
kuşadası eskort
adapazarı eskort
adana eskort
ordu eskort
Best Education Consultant Services In Pakistan - Study Abroad
ReplyDeleteWe Rise GOC is a rising name in the Real Estate Market. Members of We Rise GOC’s aim to be a recognized leader for innovation and excellence in the Real Estate industry. The company has one of the most engaged workforce because we always put our people first.
ReplyDeleteHeya i'm for the first time here. I found this board and I find It really useful & it helped me out much. I hope to give something back and aid others like you aided me.|
ReplyDelete토토사이트
I am in fact thankful to the owner of this web site who has shared this great piece of writing at here.|
ReplyDelete바카라
If you are going for most excellent contents like me, simply go to see this site every day for the reason that it presents quality contents, thanks
ReplyDelete파워볼게임
sports is everything to me , thanks to this , bring me excitement from the top to bettom of the article.
ReplyDelete파워볼사이트
You have made some decent points there. I looked on the internet for more information about the issue and found most people will go along with your views on this web site
ReplyDelete스포츠토토365
it’s awesome and I found this one informative
ReplyDelete바카라사이트
Simply desire to say your article is as amazing. The clearness on your post is simply spectacular and that i could assume you are a professional on this subject.
ReplyDelete토토사이트
It's Looks deeply awesome article!! which you have posted is useful.
ReplyDelete토토
Very rapidly this site will be famous among all blogging visitors, due to it's pleasant articles 경마
ReplyDeleteI like reading a post that can make people think. Also, thank you for allowing for me to comment! 토토사이트
ReplyDeleteNice information. I’ve bookmarked your site, and I’m adding your RSS feeds to my Google account to get updates instantly. 토토
ReplyDeleteLooking at this article, I miss the time when I didn't wear a mask. 오공슬롯 Hopefully this corona will end soon. My blog is a blog that mainly posts pictures of daily life before Corona and landscapes at that time. If you want to remember that time again, please visit us.
ReplyDeleteFull-stack development refers to developing both front-end (client-side) and back-end (server-side) portions of a web application. You can hire full stack developer depending on your company’s needs.
ReplyDeleteFull-stack web Developers: Full-stack web developers can design complete web applications and websites. They work on the front-end, back-end, database, and debugging of websites.
Bio Beds Plus
ReplyDeleteGreat content...
ReplyDeletejamb runs
waec runs 2022
jamb runs
waec expo 2022
best jamb expo Site
2022 waec expo
freewaya
we heights
ReplyDeleteWhat a nice post! I'm so happy to read this. 토토사이트추천 What you wrote was very helpful to me. Thank you. Actually, I run a site similar to you. If you have time, could you visit my site? Please leave your comments after reading what I wrote. If you do so, I will actively reflect your opinion. I think it will be a great help to run my site. Have a good day.
ReplyDeletepercetakan buku online di jakarta
ReplyDeletepercetakan murah jakarta
percetakan online jakarta
percetakan jakarta timur
jasa percetakan jakarta
digital printing jakarta
cetak murah jakarta
cetak online jakarta
jasa print murah
instagram beğeni satın al
ReplyDeleteyurtdışı kargo
seo fiyatları
saç ekimi
dedektör
fantazi iç giyim
sosyal medya yönetimi
farmasi üyelik
mobil ödeme bozdurma
I know this website presents quality depending articles or reviews and other stuff, is there any other site which gives these kinds of data in quality? 바카라사이트
ReplyDeleteWhen I read your article on this topic, the first thought seems profound and difficult. There is also a bulletin board for discussion of articles and photos similar to this topic on my site, but I would like to visit once when I have time to discuss this topic. 메이저사이트
ReplyDeleteJowo pools
ReplyDelete12Kiageng
Batavia1
Data Japan
Data Taiwan
Data Taipei
Data Korea
Data Bullseye
Data Mongolia
Data Kentucky
bitcoin nasıl alınır
ReplyDeletetiktok jeton hilesi
youtube abone satın al
gate io güvenilir mi
referans kimliği nedir
tiktok takipçi satın al
bitcoin nasıl alınır
mobil ödeme bozdurma
mobil ödeme bozdurma
출장샵 출장샵 출장샵
ReplyDeleteThis is very interesting, You are a very skilled blogger. I've joined your rss feed and look forward to seeking more of your wonderful 메이저토토. Also, I have shared your website in my social networks!
ReplyDeleteSmm Panel
ReplyDeleteSmm panel
iş ilanları
İNSTAGRAM TAKİPÇİ SATIN AL
hirdavatciburada.com
beyazesyateknikservisi.com.tr
Servis
TİKTOK JETON HİLESİ İNDİR
청도군출장맛사지
ReplyDelete고령군출장맛사지
성주군출장맛사지
예천군출장맛사지
봉화군출장맛사지
울진군출장맛사지
울릉군출장맛사지
청송군출장맛사지
출장맛사지
출장맛사지
종로구출장맛사지
yurtdışı kargo
ReplyDeletenft nasıl alınır
özel ambulans
en son çıkan perde modelleri
lisans satın al
en son çıkan perde modelleri
uc satın al
minecraft premium
For example, buy 15 free spins slots. But in the free spins game 40 free spins are awarded, players will instantly receive a total of 55 free spins, this is how they can claim their winnings. ตารางคะแนน
ReplyDeleteitsallgame.com is a superslot website that collects online slots games. Many brands, whether live22 สล็อต
ReplyDeletePusat123
ReplyDeletePusat123
Pusat123
DARK WEB
ReplyDeleteWARNING!!!
PG Slot, fun to play with all systems no download required Playable through the website ข่าวบอลวันนี้
ReplyDeleteChoose the game as Choosing a game that is suitable for the player himself It is considered something that should be said that it should be very much. ambbet
ReplyDeletein any direction. By retraining the muscles you begin from a relaxed position, giving a quickened reaction time. pgslot
ReplyDeleteBREAKING NEWS PLEASE CHECK IN MY WEBSITE FOR DETAIL INFORMATION GUYS. PENCARI CUAN123
ReplyDeleteBREAKING NEWS PLEASE CHECK IN MY WEBSITE FOR DETAIL INFORMATION GUYS. PENCARI CUAN123
BREAKING NEWS PLEASE CHECK IN MY WEBSITE FOR DETAIL INFORMATION GUYS SO WHAT ARE YOU WAITING FOR SOLUSI CUAN123
BREAKING NEWS PLEASE CHECK IN MY WEBSITE FOR DETAIL INFORMATION GUYS SO WHAT ARE YOU WAITING FOR SOLUSI CUAN123
PLEASE HELP ME TO CLICK MY SECOND AMAZING WEBSITE GUYS I HAVE A LOT GAME AND YOU CAN PLAY IT CUANTOGEL123
PLEASE HELP ME TO CLICK MY SECOND AMAZING WEBSITE GUYS I HAVE A LOT GAME AND YOU CAN PLAY IT CUAN123
PLEASE HELP ME TO CLICK MY SECOND AMAZING WEBSITE GUYS I HAVE A LOT GAME AND YOU CAN PLAY IT CUAN123
Ready to deposit money through the automatic system Versatility in every bet that anyone can play and make real money. pgslot เว็บตรง
ReplyDeleteFruit juices that are high in vitamin C include: Poly kale and fruits that are high in vitamin C are citrus fruits. pgslot
ReplyDeleteThis blog is really helpful for the public .easily understand,
ReplyDeleteThanks for published,hoping to see more high quality article like this.
온라인바카라
Not through middlemen, bonuses, full set up and easy to play with Thai menu Welcome pgslot เว็บตรง
ReplyDeleteOur ABMgiant website has been around for a long time. There are more than ten thousand people using the service per day. There is an identity. Customers can understand the service 24 h ตารางคะแนนพรีเมียร์ลีก
ReplyDeleteMake financial moves that are both fun and exciting while playing online games. Welcome ข่าวบอลล่าสุด
ReplyDelete조조안마
ReplyDelete심심안마
총판안마
뷰티안마
카오스안마
꿀민안마
다이아안마
Our web service provider will improve the system even further. With over 10 years of experience, we will definitely not disappoint our players. pgslot เว็บตรง
ReplyDeleteUnlimited work options This can be done via mobile phone or computer. Remuneration starting from 0.1 baht/job and above. Withdrawals can be made once you have accumulated 100 baht. ตารางคะแนนพรีเมียร์ลีก
ReplyDeleteThat giant, the only place to choose to play online slots games with a reliable website You will play online slots. at ease don't be afraid of being cheated Play pgslot เว็บตรง
ReplyDeleteFish shooting game. If talking about this game, no one will know for sure. especially the players สล็อต
ReplyDeleteOur experts who offer MYOB Assignment Help are cognizant of the significance of accountancy assignments and extend a helping hand to students in order to help them manage the complex of assignments; develop a solid understanding of the topic. They assist you with doing your work and developing a solid base in the subject so you may stand out from your classmates and fellow students. Our online site, which includes Online Assignment Help, is credible and genuine.
ReplyDeleteAvailable to players that should not be missed very much. If talking about the best website that allows players to use the service in a comprehensive way sexybacarat
ReplyDeleteOnline games with more than 10 years of experience, we will not disappoint players for sure. superslot
ReplyDeleteOnline slots are a type of gambling game. with a pattern to play That is very easy to play and has also been สมัครสมาชิกสล็อต pg
ReplyDeleteAble to apply to start playing very easily. It only takes less than 5 minutes to start playing. ข่าวบอล
ReplyDeleteThe center of online slots web that offers online games for all camps. The most popular and hottest right now pgslot
ReplyDeletesystems and here and if players is looking for a website to play online games that have bonuses that are easy to break, often broken, get pgslot เว็บตรง
ReplyDeletequite diverse We have various helpers. which will allow you to Easy to win at slot games pgslot
ReplyDeleteIn addition, PG Slot has a variety of game themes to choose from and many nationalities, such as Muay Thai themes, Aladdin themes, Suki pot themes Who would have thought that slots ข่าวบอลล่าสุด
ReplyDeleteThis is a great inspiring article.I am pretty much pleased with your good work. You put really very helpful information. Keep it up. Keep blogging. Looking to reading your next post.영양출장샵추천
ReplyDelete청도출장샵추천
고령출장샵추천
성주출장샵추천
예천출장샵추천
봉화출장샵추천
In other words, over the course of your lifetime, you are likely to pay far less for your college education than you would pay (in e pgslot
ReplyDeleteMore takebacks If your profits are underestimated, your investments will not be sustainable. pgslot เว็บตรง
ReplyDeleteMicroservices architecture and agile development are key as part of a successful digital transformation strategy.
ReplyDelete985pgslot online slots site that will keep you entertained and enjoy playing slots Because you can play anywhere, anytime, just with a mobile phone. jili slot
ReplyDeleteYou don't have to register for multiple users, but you have all the games to play. hilo Deposit 1 get 30 In addition to Slot Online games, now also launching Casino Online pgslot เว็บตรง
ReplyDelete동해출장샵
ReplyDelete영덕출장샵
원주출장샵
의왕출장샵
의왕출장샵
삼척출장샵
용인출장샵
속초출장샵
청도출장샵
용인출장샵
남양주콜걸
ReplyDelete의정부콜걸
제천콜걸
횡성콜걸
충주콜걸
부천콜걸
총판콜걸
제천콜걸
이천콜걸
영월콜걸
남양주콜걸
ReplyDelete성남콜걸
함안콜걸
수원콜걸
수원콜걸
부천콜걸
의정부콜걸
창녕콜걸
성남콜걸
성남콜걸
The old fashion way in sending mails had been thrown out in some people. Mostly now uses E-MAIL for ambbet
ReplyDelete세종콜걸
ReplyDelete광주콜걸
영월콜걸
대구콜걸
대구콜걸
대전콜걸
부산콜걸
울산콜걸
정선콜걸
울산콜걸
Make real money, no cheating, ready to have fun. Let's just say that today we have compiled a game. pgslot เว็บตรง
ReplyDeletewith its own uniqueness including online slot gameswith its own uniqueness including online slot games slotxo
ReplyDeleteWith just having internet or WIFI, you can play anytime, anywhere, deposit and withdraw by yourself with automatic system. สล็อต
ReplyDeleteChoose from a variety of online games, XO slots and online games. that are other games And also play that game in style. pgslot
ReplyDeleteReady to take care of you 24 hours a day. You can contact them directly. There are staff to take care of and provide information all the time or even other services pgslot เว็บตรง
ReplyDeleteAll the time, don't worry because we have international service. Players can access the service through the joker login to register as a member with our website first. pgslot
ReplyDeleteprotect yourself This is normal for wealthy families. which can be bought Naturally, samurai and ninja clans They were vying for that position. ดูบอลออนไลน์
ReplyDeleteprizes that are ready to come out at any time. Let me tell you that this is another game that earns good money, a lot of profits and not a lot of investment. pgslot
ReplyDeleteSuperSlot, which has a wide variety of games ever. for various online gambling games and more importantly pgslot เว็บตรง
ReplyDeleteThe team is waiting for advice to solve all the rules of casino games in the world. Easy to apply in a few steps. ready to receive countless privileges that will follow pgslot เว็บตรง
ReplyDeleteautomated system that can deposit - withdraw quickly. In addition, free credits are always given pgslot เว็บตรง
ReplyDeleteDirect website, new update 2022, hot, stick to the charts, bet for real money welcome AMBKING
ReplyDeleteDrink coffee in moderation. Should not drink too much and cause insomnia. And it's not just coffee. pgslot เว็บตรง
ReplyDeleteBetting websites where you can make money and earn more returns than other websites. If talking about pgslot เว็บตรง
ReplyDeleteFree credit giveaway activities, which will be organized in rounds. pgslot
ReplyDeleteproof of transfer is required. Because you can deposit and withdraw by yourself. It is quite the most modern and good deposit and withdrawal system. ผลบอลสด
ReplyDeleteNever played online slots games before, can come to use the service and make money pgslot
ReplyDeleteThe process of applying for membership, playing, shooting fish, deposit-withdrawal, no minimum, no hassle. pgslot
ReplyDeleteSlots, online games, slots on mobile, top-up-withdraw via automatic system
ReplyDelete24 hours service, 100% safe and secure. pgslot
Can play anytime, anywhere because our website is modern Take care of you thoroughly, no matter where you are. AMBKING
ReplyDeleteThe entrance to joker gaming is modern, convenient and comfortable.
ReplyDeletewhich gambler pgslot
This comment has been removed by the author.
ReplyDeleteBecause slots are easy games to play. can do extra career And it is also a game that bettors ดูบอลสด
ReplyDeleteLucky Piggy comes in the form of a 3D slot game with an amusement park in a bright city. pgslot
ReplyDeletejoker123 online slot game Open for service 24 hours a day, deposit-withdrawal, secure, 100% safe ดูบอลสด
ReplyDeleteAmazon Handmade: This service is designed for artisans and craftspeople to sell handmade products on Amazon.
ReplyDeleteBusiness Consulting Services
amazon consultant
games through free credit promotions Slotxo Roma xo slots online slots games It is a picture. AMBKING
ReplyDeleteA must read post! Good way of describing and pleasure piece of writing. Thanks!
ReplyDeletehire a hacker
Great tips and very easy to understand. This will definitely be very useful for me when I get a chance to start my blog.
ReplyDeleteHire a cryptocurrency transaction reversal hacker
websites.pg slot is often broken. Play online slots games with the best online gambling game pgslot
ReplyDelete