Thursday, 12 January 2017

Sort Array in swift


To sort an array we can use sort() which all arrays have in default. We can use sort() and sorted() to sort an array.

To sort an simple array like this, we can use sort() as:

var arr =  [ "orange","Apple" "Grapes","banana"]

arr.sort()


To sort an array of custom object like custom struct or class we  use sort() using a trailing closure that sort an array on field we specify.

For example: We have an array of custom object Opportunity which have a string field date . So to sort this array on date field, here we will first convert string date to Date object . Let's have a look on below code:To sort arrOpportunities on a string field say title,

arrOpportunities.sort{

$0.title.compare($1.title) == NSComparisonResult.OrderedAscending
}

 If we have title say:
["hello","ok","arm","Basket"]  then using  above code will results in

["Basket","arm","hello","ok"]

To get results in ignoring the case we can use localizedCompare() like this:

arrOpportunities.sort{

$0.title.localizedCompare($1.title) == NSComparisonResult.OrderedAscending
}

will result in
["arm","Basket","hello","ok"]

If we want to return an array after doing sort we can use sorted() like this

var arr_sorted =  arrOpportunities.sorted{

$0.title.localizedCompare($1.title) == NSComparisonResult.OrderedAscending
}

Tuesday, 27 December 2016

Integrate third party library in an iOS project:


In iOS app development we need many other libraries to be included in our app to accomplish set of task. There are number of ways by which we can include these library  in our project .

1) Using Cocoapods 

Cocoa pod is dependency manager . It is very simple to add library this way . Go to project directory and follow these steps:

a) Run pod init  command
    The above command will initialize the pod in project directory and creates a pod file. 
b) Now open the pod file and add  required library in this file . And save the file .
c) Run pod install command .
    This will install the library in project directory  and creates a xcworkspace  file in project directory .

     From now open the xcworkspace instead of Xcode project . 

2) Manually:

Using this way , we just drag and drop the required files/folder of required library to our project.

3) using git sub module:


Using this way we add a third party project using git command . This command will add third party library as a submodule in our project.

a) Go to your project directory , initialize git if git is not initialized in project directory .
      
     git init 
   
 b) git submodule add  project-url

    The above command will add third party library at given url as a sub module in our project .


Thursday, 8 December 2016

Manage navigation controller

In iOS app development UINavigationController play a vital role . As we all know UINavigationController keeps the stack of view controller when we use in our app for transition among view controllers .

We face many problems related to UINavigationController like change appearance of the navigation bar, add UIBarButton items to navigation bar , combine the status bar with navigation bar and some others. All these tasks seem very easy at first look but it depends on our requirements .

In my recent app I want to use the navigation bar with two buttons (left and right bar button item)in all view controller and also want the color of status bar and navigation bar should be same . 

1) To change the appearance of the UINaviagtionBar, we can code in our AppDelegate this will reflect in all view controllers: 

    var navBarAppearance = UINavigationBar.appearance()

    navBarAppearance.tintColor = UIColor.white

    navBarAppearance.barTintColor  = UIColor.init(red: 73/255.0, green: 180/255.0, blue: 255/255.0, alpha: 1)

 a) Here tintColor attribute will change the background color of the navigation bar .
 b) Bar tint color will change the color of button titles and  button images.

The above two properties won't change the color of the title of the navigation bar. To change the color of the title use this line of code:
   
   navBarAppearance.titleTextAttributes = [NSForegroundColorAttributeName:UIColor.white]


 2) Change the status bar color:

  UIApplication.shared.statusBarStyle = .lightContent

This will not change the color of the status bar. To reflect the change we need to make one more change in our info.plist file:
set UIViewControllerBasedAppearance to false

3) Add bar button items to all view controller: This was my requirement to have two buttons in navigation bar in all view controllers: I can not achieve this like appearance. Because bar buttons are added to navigation item property of the view controller. Each view controller have its own navigation item . 
So to add bar  buttons to all view controller:

a) Add in viewDidLoad() of each view controller
b) Make a Utility class and add a class function to it and call this from each view controller's viewDidLoad() or any other methods of view life cycle as per your need .
c) Make an separate subclass of UIViewController and add two bar buttons here in this class and change the super class of your view controller from UIViewController to one you created previous .

I will  choose the last approach. Add this code in your subclass:
     let leftBtn = UIBarButtonItem(image: UIImage(named:"back_btn_icon"), style: .plain, target: self, action: #selector(backBtnTapped))
   self.navigationItem.leftBarButtonItem = leftBtn

    let rightBtn = UIBarButtonItem(image: UIImage(named:"setting_icon"), style: .plain, target: self, action: #selector(settingBtnTapped))

    self.navigationItem.rightBarButtonItem = rightBtn

What if one of your view controller need only one bar button. It's easy we can hide the unwanted button:
 To hide the left button add this line your view controller:

self.navigationItem.leftBarButtonItems?.remove(at: 0)



Reference: Stackoverflow and https://coderwall.com



Friday, 2 December 2016

Set attributed text in interface builder

 1) Increase font size as size of UILabel increases:

There may be a requirement to increase the font size as the size of UILabel increases.To see this in action, Open Xcode and switch to xib/storyboard file and follow these steps:

Take a UILabel and  set height of the UILabel to the proportional to the height of screen . and set other required constraint on UILabel.
Then set some properties of UILabel to have font size proportional to the size of UILabel.

a) Set AutoShrink to minimum font size
b) set number of lines to 0
c) set the font size bigger as the maximum size of UILabel .


2) Set Attributed text in interface builder for a UILabel:

We can set attributed text programatically by setting different attributes like font, color, size on a attributed string(instance of NSAttributedString) . But there is an easy way , we can create an attributed text without typing even a single line of code.

We can create an attributed text in interface builder. To set attributed text for a UILabel :

a) Change text type  plain to attributed  in the attributes inspector window.
b) Then type the string as your requirements.
c) Then select  word you want to change the appearance  of and change it's size, font family, color etc. 

Thursday, 10 November 2016

Change in privacy setting in iOS10

There is one major change in iOS 10 when using some framework. With iOS 10 , now we have to ask for accessing user's private data like camera, photos, contacts ,microphone etc . Now with release of iOS 10, we must declare the usage of any private data in info.plist, otherwise our application will crash when accessing these data .

The list of framework that counts as sensitive data is:







We must declare the usage description of these in info.plist as:




















These are the key for which we have to provide the usage description in info.plist .

References
useyourloaf.com
https://developer.apple.com/library/prerelease/content/documentation/General/Reference/InfoPlistKeyReference/Articles/CocoaKeys.html

Friday, 4 November 2016

Custom UI Elements with IBDesignable

In Xcode 6 two new interface builder declaration attributes were added: IBDesignable and IBInspectable.

IBDesignable updates the view in real time. We prefix out class with @IBDesignable keyword to inform interface builder that the class' instance will try to design  themselves when added to the storyboard:

@IBDesignable class MyCustomView: UIView{

}

Then we prefix any properties of the class with @IBInspectable to ensure that interface builder can read and write the value of these properties directly in the inspector view.

With these two new keyword we can create custom UI controls as per our need and use them directly in interface builder and can change their properties in inspector view as we do with other built in UI controls . To create a custom UI elements we have to perform following steps:

1) Create a View .Xib file and design the required view .

2) Then setup auto layout constraints.

3) Create a .swift file to write code .

4) Set .xib file's  File's Owner custom class to  the class we created in last step .

5) In .swift file implement initializers: init(coder:) and init(frame:) .

6) Load the UIView from  the .xib file using NSBundle and  UINIb classes .

7) Add the  view as a subview and  property  for the class .

8) Add auto resizing masks for the view to match the size of the Custom View itself .

9) Make the  view's frame to have the same size as in design time  by assigning CustomView's bounds .

Here is the sample class code :

import UIKit

@IBDesignable class MyCustomView: UIView {

let nibName = "MyCustomView"
var view: UIView!

@IBInspectable var date: String = "3/19/1990" {
            
             didSet{
                          
                       }
}


override init(frame: CGRect) {
     super.init(frame)
    setupXib()
}

required init?(coder aDecoder: NSCoder){
     super.init(coder: aDecoder)
     setupXib()
}

func setupXib() -> Void {

view  =  loadFromNib()
view.frame =  bounds
view.autoresizingMask =  [UIViewAutoresizing.FlexibleWidth, UIViewAutoresizing.FlexibleHeight]
addSubview(view)

}

func loadFromNib() -> UIView {

 let bundle =  NSBundle(forClass: self.dynamicType)

 let nib = UINib(nibName: nibName, bundle: bundle)

 let view =  nib.instantiateWithOwner(self, options:nil)[0] as! UIView

 return view
}

}


Resources:
http://supereasyapps.com/blog/2014/12/15/create-an-ibdesignable-uiview-subclass-with-code-from-an-xib-file-in-xcode-6
https://www.weheartswift.com/make-awesome-ui-components-ios-8-using-swift-xcode-6/

Friday, 7 October 2016

Push notification in iOS10

With the introduction of iOS10 and xcode8 there are some changes in the way push notification works.
In iOS10 we may get  an errors from didFailToRegisterForRemoteNotificationsWithError . If you get following error in iOS10 but not in iOS9 then you will need to enable push entitlements locally.




1) In targets, under capabilities enable push notification to add push notification entitlements .


2) Add UserNotifications.framework into your app. Import UserNotification.framework in your AppDelegate.

#import <UserNotifications/UserNotifications.h>

@interface AppDelegate ()<UNUserNotificationCenterDelegate>

@end


3) Now to register push notification in iOS10 , add following code in didFinishLaunchingWithOptions method,

if (SYSTEM_VERSION_GRATERTHAN_OR_EQUALTO(@"10.0")) {       UNUserNotificationCenter *center = [UNUserNotificationCenter currentNotificationCenter];
        center.delegate = self;
        [center requestAuthorizationWithOptions:(UNAuthorizationOptionSound | UNAuthorizationOptionAlert | UNAuthorizationOptionBadge) completionHandler:^(BOOL granted, NSError * _Nullable error){
            if( !error ){
                [[UIApplication sharedApplication] registerForRemoteNotifications];
            }
        }];
    
    }

4) Now implement delegate methods of UNUserNotificationCenterDelegate:

-(void)userNotificationCenter:(UNUserNotificationCenter *)center willPresentNotification:(UNNotification *)notification withCompletionHandler:(void (^)(UNNotificationPresentationOptions options))completionHandler{
    
    //Called when a notification is delivered to a foreground app.
    
    NSLog(@"Userinfo %@",notification.request.content.userInfo);
    
    completionHandler(UNNotificationPresentationOptionAlert);
}

-(void)userNotificationCenter:(UNUserNotificationCenter *)center didReceiveNotificationResponse:(UNNotificationResponse *)response withCompletionHandler:(void(^)())completionHandler{
    
    //Called to let your app know which action was selected by the user for a given notification.
    
    NSLog(@"Userinfo %@",response.notification.request.content.userInfo);
    
}



Reference: http://stackoverflow.com/questions/39490605/push-notification-issue-with-ios-10