riconaranjo / Super-Awesome-Store

Mobile Developer Intern Challenge

Geek Repo:Geek Repo

Github PK Tool:Github PK Tool


Store App with JSON Parsing Notes


Table of Contents

JSON Parsing using Swift 4
Downloading and Displaying Images
Changing Cell Style
Dark Status Bar

AppIcon

This is an app I made for the Mobile Developer Intern at Shopify. It takes products stored as JSON objects and displays each product in a table view.

ScreenShot


JSON Parsing using Swift 4

Swift 4 introuduced the ability to use JSONDecoder. This is much simpler than using Serializable or third party libraries.

URLSession

In order to use JSONDecoder from a url you need to first make sure the url is valid, so you can use a let guard statement when creating the URL object.

guard let url = URL(string: productsUrlString)
    else { return } // quit if failure

In order to retrieve data from a url, you can use a URLSession as shown below. This function call is asynchronous.

URLSession.shared.dataTask(with: url) { (data, response, err) in 
    
    if err != nil { print("~Error with URL Session\n"); return }

    guard let data = data
        else { print("~Error retrieving data\n"); return }

    // parse json here

 }.resume() // this is important

The guard let statements are used to catch any issues with retrieving the data.

Once the JSON data is parsed, the TableView needs to be updated with the new data. Since the URLSession is asynchronous, the reloadData command needs to be given with DispathQueue.main.asynch in order to run it on the main thread.

// reload table view
DispatchQueue.main.async{
    self.tableView.reloadData()
}

JSONDecoder

With swift 4 came the introduction of JSONDecoder, which allows for native JSON parsing without the need of third-party libraries, or implementing much code.

In order to use JSONDecoder, the JSON structure of the data can to be implemented using stucts. A list [square brackets] in JSON is an array of swift structs, and a key-value pair [curly brackets] in JSON is a swift struct.

For example since there are many Products they are represented by a list of type Product:

struct Products: Decodable {
    var products: [Product]
}

Each Product has its own attributes, such as ID, Title, and Vendor; each of these attributes is represented by a primative data-type such as Int, Double, or String, Bool, etc..

struct Product: Decodable {
    let id: Int?
    let title: String?
    let body_html: String?
    let vendor: String?
    let product_type: String?
    let created_at: String?
    let handle: String?
    let updated_at: String?
    let published_at: String?
    let template_suffix: String?
    let published_scope: String?
    let tags: String?
    let variants: [Variant]?
    let options: [Options]?
    let images: [Image]?
    let image: Image?
}

Each attribute has a question mark in order to mark it as an optional; this means that if no value is found for this attribute, it will just give it a value of nil.

These structs should be implemented with the exact same names and data types as the JSON data, with one root struct, like the Products struct shown above.

Calling the decoder is very simple simply done with one line, within a do-catch block:

do {
    // retrieve json data from url
    let data = try JSONDecoder().decode(Products.self, from: data)
    self.data = data    // store the data
}
catch let jsonErr {
    print("~Error decoding JSON with message:\n", jsonErr)
}

Downloading and Displaying Images

Each product has an a main image, and an array of images; for the table view, the main image is displayed at the right of each cell.

Cell

Each image needs to be downloaded and stored so it is not downloaded everytime the view is refreshed. This is done using a Dictionary of UIImages with the product index.

productImages = [Int: UIImage]() // index and images

In the JSON structure, each image has a source url where the image can be downloaded from. In order to download these, a URLSession is used in the same way as for retrieving the JSON data. Here a session is started for each image at the same time as the cell is populated with the Product title, vendor, and number of variants.

When the image is retrieved, it is both loaded onto the table view cell and stored in the productImages dictionary along with the index of the cell.

if let url = URL(string: (data?.products[indexPath.row].image?.src)!) {

    URLSession.shared.dataTask(with: url) { (data, response, err) in

        if err != nil { print("~Error with URL Session\n"); return }

        guard let data = data
            else { print("~Error retrieving data\n"); return }

        // save image in dictionary, and display in cell
        DispatchQueue.main.async() {
            let img = UIImage(data: data)
            cell.imageView?.image = img                 // load image onto cell
            self.productImages[indexPath.row] = img     // store image
        }
        
    }.resume()
}

Now each time the table view is refreshed, the image will be retrieved from the dictionary and amounts to significant increase in performance.

Additionally, a placeholder image can be used to render the ImageView in the cell, also increases the loading time of the images in the application.

cell.imageView?.image = UIImage(named: "Icons//placeholder_image")

Changing Cell Style

In order to change the cell style [without creating a custom UITableViewCellStyle], you must change the attributes for the cell on creation. This is done in the cellForRowAt function shown below:

public func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
    // create cell
    let cell = UITableViewCell(style: UITableViewCellStyle.subtitle, reuseIdentifier: "cell")

    // modify cell here

    return cell
}

Each attribute of the UITableViewCell can be modified through here, such as the main text (textLabel) subtitle (detaileTextLabel), background colour (backgroundColor), etc.

These are all straightforward, except for the selected background colour; A UIView needs to be created, and have its backgroundColour modified to the desired selected background colour. An ezxample of this is shown below:

let backgroundView = UIView()
backgroundView.backgroundColor = UIColor(red:0.36, green:0.42, blue:0.42, alpha:1.0)
cell.selectedBackgroundView = backgroundView

Dark Status Bar

AppDelegate.swift

Since for this app I chose a dark colour scheme, the status bar has to be modified from the default black on white. This is done in the AppDelegate file, by adding the following line in the didFinishLaunchingWithOptions function, shown below:

func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplicationLaunchOptionsKey: Any]?) -> Bool {
    
    // since dark theme status bar
    UIApplication.shared.statusBarStyle = .lightContent
    
    return true
}

Info.plist

In addition, a boolean roperty needs to be added to the Info.plist file. This allows for the status bar to be modified for the entire application, not just per view controller [even though this application only has the one view].

View controller-based status bar appearance, Boolean, NO

Video

A simple video of the app functioning can be found here.

About

Mobile Developer Intern Challenge


Languages

Language:Swift 100.0%