Chapters

Hide chapters

UIKit Apprentice

Second Edition · iOS 15 · Swift 5.5 · Xcode 13

My Locations

Section 3: 11 chapters
Show chapters Hide chapters

Store Search

Section 4: 13 chapters
Show chapters Hide chapters

32. Search Bar
Written by Fahim Farook

Heads up... You're reading this book for free, with parts of this chapter shown beyond this point as scrambled text.

One of the most common tasks for mobile apps is to talk to a server on the Internet — if you’re writing mobile apps, you need to know how to upload and download data.

With this new app named StoreSearch, you’ll learn how to send HTTP GET requests to a web service, how to parse JSON data, and how to download files from a server.

You’re going to build an app that lets you search the iTunes store. Of course, your iPhone already has apps for that — “App Store” and “Music” to name two, but what’s the harm in writing another one?

Apple has made a web service available for searching the entire iTunes store and you’ll be using that to learn about networking.

The finished app will look like this:

The finished StoreSearch app
The finished StoreSearch app

You will add search capability to your old friend, the table view. There is an animated pop-up with extra information when you tap an item in the table. And when you flip the iPhone over to landscape, the layout of the app completely changes to show the search results in a different way.

With the last app, you dipped your toe in the dark mode pool. Now you’ll dive in head first and learn all about how to support different appearance modes by building this app from the ground up to support both light and dark modes.

There will also be an iPad version of the app with a custom UI for the iPad:

The app on the iPad
The app on the iPad

StoreSearch fills in the missing pieces and rounds off the knowledge you have gained from developing the previous apps. You will also learn how to distribute your app to beta testers, and how to submit it to the App Store.

In this chapter, you will do the following:

  • Create the project: Create a new project for your new app. Set up version control using Git.
  • Create the UI: Create the user interface for StoreSearch.
  • Do fake searches: Understand how the search bar works by getting the search term and populating the table view with fake search results.
  • Create the data model: Create a data model to hold the data for search results and allow for future expansion.
  • No data found: Handle “no data” situations when doing a search.

There’s a lot of work ahead, so let’s get started!

Create the project

Fire up Xcode and make a new project. Choose the App template and fill in the options as follows:

  • Product Name: StoreSearch
  • Team: Default value
  • Organization Identifier: com.yourname
  • Interface: Storyboard
  • Language: Swift
  • Use Core Data, Include Tests: leave these unchecked

When you save the project Xcode gives you the option to create a Git repository. You’ve ignored this option thus far, but now you should make sure it is enabled:

Creating a Git repository for the project
Creating a Git repository for the project

If you don’t see this option, click the Options button at the bottom-left of the dialog.

Git and version control

Git is a version control system — it allows you to make snapshots of your work so you can always go back later and see a history of the changes made to the project. Even better, a tool such as Git allows you to collaborate on the same codebase with multiple people.

The first screen

The first screen in StoreSearch will have a table view with a search bar — let’s create the view controller for that screen.

Test dark mode

Since we are building the app for both appearance modes from the ground up, we should test each screen for both appearance modes each time we do any testing.

The Xcode environment overrides
Jda Bjezu uqnezebsicb aborkerob

Git version control

Notice that the project navigator now shows M and R icons next to some of the filenames in the list:

Xcode shows the files that are modified
Dmivu kxejq bta zalut pdup ajo gisegoer

The history of commits for this project
Vbo wowsakc of jogyesk qog rbiq llevebd

Xcode shows the changes you’ve made since the last commit
Hnala djety mpi wpahvom fii’za gisu jagru ske cexd wipleq

Your commit is listed in the project history
Loux zaxnon ak junguw av tde hvahodk saqbach

Create the UI

StoreSearch still doesn’t do much yet. In this section, you’ll build the UI to look like this — a search bar on top of a table view:

The app with a search bar and table view
Cru uxn bobm e xouzmq hil idr zepha viac

UITableViewController vs. UIViewController

So what exactly is the difference between a table view controller and a regular view controller?

Set up the storyboard

➤ Open the storyboard and use the Interface Builder toolbar to switch to the iPhone SE (2nd generation). It doesn’t really matter which iPhone model you choose here, but the iPhone SE makes it easiest to follow along with this book.

Creating constraints to pin the Table View
Ytiaxufl miffdteexzz ne ped mpo Hartu Leok

Search Bar must be below of Table View (left), not inside (right)
Daeplb Til bosq ni dizov un Zavna Vauq (narr), gab ijsoje (guvfz)

The constraints for the Search Bar
Vku qufmkjiinzm ruc pro Woedbn Day

The search view controller with Search Bar and Table View
Zwi tauhmh woov tirtcujvag xofz Gookjz Tuz ecj Posdo Xuun

Connect to outlets

You know what’s coming next — connecting the Search Bar and the Table View to outlets on the view controller.

@IBOutlet weak var searchBar: UISearchBar!
@IBOutlet weak var tableView: UITableView!

Do fake searches

Before you implement the iTunes store searching, it’s good to understand how the UISearchBar component works.

Add a search bar delegate

➤ Add the following to the bottom of SearchViewController.swift, after the final closing bracket:

// MARK: - Search Bar Delegate
extension SearchViewController: UISearchBarDelegate {
  func searchBarSearchButtonClicked(_ searchBar: UISearchBar) {
    print("The search text is: '\(searchBar.text!)'")
  }
}

Show fake results

➤ Add the following new (and empty) extension to SearchViewController.swift:

// MARK: - Table View Delegate
extension SearchViewController: UITableViewDelegate, UITableViewDataSource {
}
extension SearchViewController: UITableViewDelegate, UITableViewDataSource {
  func tableView(
    _ tableView: UITableView, 
    numberOfRowsInSection section: Int
  ) -> Int {
    return 0
  }
  
  func tableView(
    _ tableView: UITableView,
    cellForRowAt indexPath: IndexPath
  ) -> UITableViewCell {
    return UITableViewCell()
  }
}
The connections from Search View Controller to the other objects
Wye xipjawnaukb jpar Qauvdd Rook Zowkfafvor gu mri anwan epnevbf

var searchResults = [String]()
func searchBarSearchButtonClicked(_ searchBar: UISearchBar) {
  searchResults = []
  for i in 0...2 {
    searchResults.append(
      String(
        format: "Fake Result %d for '%@'", i, searchBar.text!
      )
    )
  }
  tableView.reloadData()
}
func tableView(
  _ tableView: UITableView, 
  numberOfRowsInSection section: Int
) -> Int {
  return searchResults.count
}

func tableView(
  _ tableView: UITableView, 
  cellForRowAt indexPath: IndexPath
) -> UITableViewCell {
  let cellIdentifier = "SearchResultCell"
  
  var cell = tableView.dequeueReusableCell(
    withIdentifier: cellIdentifier) 
  if cell == nil {
    cell = UITableViewCell(
      style: .default, reuseIdentifier: cellIdentifier)
  }
  cell.textLabel!.text = searchResults[indexPath.row]
  return cell
}
The app shows fake results when you search
Dfa ojg nqagn jeya fozuscn zgeq rei fuembz

UI Improvements

There are some issues with the current implementation of the app though – some are immediately evident, while others are a bit more subtle.

Table view content insets

The first thing you might have noticed: the first row of the Table View is hidden beneath the Search Bar.

tableView.contentInset = UIEdgeInsets(top: 51, left: 0, bottom: 0, right: 0)

Dismiss keyboard on search

It’s not very nice that the keyboard stays on screen after you press the Search button. It obscures about half of the table view and there is no way to dismiss the keyboard.

searchBar.resignFirstResponder()

Extend search bar to status area

The search bar has a slightly jarring line above it to separate it from the status area. Also (a lot more subtle), if you scroll the table view, you’ll see the row text through a tiny gap between the search bar and the status bar – this is more evident in dark mode than light mode.

func position(for bar: UIBarPositioning) -> UIBarPosition {
  return .topAttached
}
The search bar is “attached” to the top of the screen
Lqu naecht dev uj “ebfitkit” si gma bap ev vpe zzreaz

The API documentation

If you were to look in the API documentation for UISearchBarDelegate you wouldn’t find the position(for:) method that you used above.

Create the data model

So far you’ve added String objects to the searchResults array, but that’s a bit limited. The search results that you’ll get back from the iTunes store include the product name, the name of the artist, a link to an image, the purchase price, and much more.

The SearchResult class

➤ Add a new file to the project using the Swift File template. Name the new class SearchResult.

class SearchResult {
  var name = ""
  var artistName = ""
}
var searchResults = [SearchResult]()
for i in 0...2 {
  let searchResult = SearchResult()
  searchResult.name = String(format: "Fake Result %d for", i)
  searchResult.artistName = searchBar.text!
  searchResults.append(searchResult)
}
func tableView(
  _ tableView: UITableView, 
  cellForRowAt indexPath: IndexPath
) -> UITableViewCell {
  . . .  
  if cell == nil {
    cell = UITableViewCell(style: .subtitle,           // change
                           reuseIdentifier: cellIdentifier)
  }
  // Replace all the code below this point
  let searchResult = searchResults[indexPath.row]
  cell.textLabel!.text = searchResult.name  
  cell.detailTextLabel!.text = searchResult.artistName
  return cell
}
Fake results in a subtitle cell
Gano rupajnj ed e ripkipsa yicx

No results found

When you add search functionality to your apps, you have to handle the following situations:

Handle not getting any results

In defense of good taste, the app will return 0 results when a user searches for “justin bieber”, just so you know the app can handle this kind of situation.

. . .
if searchBar.text! != "justin bieber" {
  for i in 0...2 {
    . . .
  }
}
. . .
if cell == nil {
  . . .
}
// New code
if searchResults.count == 0 {
  cell.textLabel!.text = "(Nothing found)"  
  cell.detailTextLabel!.text = ""
} else {
  let searchResult = searchResults[indexPath.row]
  cell.textLabel!.text = searchResult.name
  cell.detailTextLabel!.text = searchResult.artistName
}
// End of new code
return cell
func tableView(
  _ tableView: UITableView,
  numberOfRowsInSection section: Int
) -> Int {
  if searchResults.count == 0 {
    return 1
  } else {
    return searchResults.count
  }
}
One can hope…
Ota lan qago…

Handle no results when app starts

Unfortunately, the text “Nothing found” also appears initially when the user has not searched for anything yet. That’s just silly.

var hasSearched = false
func searchBarSearchButtonClicked(_ searchBar: UISearchBar) {
  . . .
  hasSearched = true      // Add this line
  tableView.reloadData()
}
func tableView(
  _ tableView: UITableView,
  numberOfRowsInSection section: Int
) -> Int {
  if !hasSearched {
    return 0
  } else if searchResults.count == 0 {
    return 1
  } else {
    return searchResults.count
  }
}

Selection handling

One more thing, if you currently tap on a row it will become selected and stay selected.

func tableView(
  _ tableView: UITableView, 
  didSelectRowAt indexPath: IndexPath
) {
  tableView.deselectRow(at: indexPath, animated: true)
}
  
func tableView(
  _ tableView: UITableView, 
  willSelectRowAt indexPath: IndexPath
) -> IndexPath? {
  if searchResults.count == 0 {
    return nil
  } else {
    return indexPath
  }
}
Have a technical question? Want to report a bug? You can ask questions and report bugs to the book authors in our official book forum here.
© 2024 Kodeco Inc.

You're reading for free, with parts of this chapter shown as scrambled text. Unlock this book, and our entire catalogue of books and videos, with a Kodeco Personal Plan.

Unlock now