Tutorial 31: πŸ“± UserDefaults and Keychain – Storing Small Amounts of Data Securely



This content originally appeared on DEV Community and was authored by Anis Ali Khan

Build a Secure Notes iPhone App

πŸ” In this tutorial, you’ll learn how to securely store small amounts of data using UserDefaults and Keychain in Swift. We’ll build a Secure Notes app where users can create simple text notes, with the option to store them securely using Face ID / Touch ID authentication.

βΈ»

πŸ“– Table of Contents

  1. πŸ“Œ Introduction
  2. πŸ›  Project Setup
  3. πŸ’Ύ Storing Data with UserDefaults
  4. πŸ” Storing Secure Data in Keychain
  5. 🎨 Creating the UI
  6. πŸ“² Implementing Face ID Authentication
  7. πŸš€ Running & Testing the App
  8. πŸ”— Conclusion & Next Steps

βΈ»

πŸ“Œ Introduction

iOS provides two main ways to store small amounts of data securely:
β€’ UserDefaults: Ideal for storing non-sensitive data like user preferences.
β€’ Keychain: Used for storing sensitive data like passwords, API keys, or private notes.

In this tutorial, we’ll build Secure Notes, a minimalist note-taking app where:
βœ… Normal notes are stored in UserDefaults*
βœ… Secure notes are stored in **Keychain
, requiring Face ID / Touch ID to access

βΈ»

πŸ›  Project Setup

1⃣ Create a New Xcode Project

  1. Open Xcode and select β€œCreate a new Xcode project”
  2. Choose App, then click Next
  3. Set the following: β€’ Product Name: SecureNotes β€’ Interface: SwiftUI β€’ Language: Swift
  4. Click Next, choose a location, and click Create.

2⃣ Enable Face ID (for later)

  1. In Xcode, go to Signing & Capabilities
  2. Click + Capability β†’ Keychain Sharing
  3. Click + Capability β†’ Face ID

βΈ»

πŸ’Ύ Storing Data with UserDefaults

We’ll first store simple notes using UserDefaults.

1⃣ Create a Model for Notes

Create a new Swift file: Note.swift

import Foundation

struct Note: Identifiable, Codable {
    var id: UUID = UUID()
    var text: String
    var isSecure: Bool
}

2⃣ Create a UserDefaults Helper

Create a new Swift file: UserDefaultsManager.swift

import Foundation

class UserDefaultsManager {
    private let key = "savedNotes"

    func saveNotes(_ notes: [Note]) {
        if let encoded = try? JSONEncoder().encode(notes) {
            UserDefaults.standard.set(encoded, forKey: key)
        }
    }

    func loadNotes() -> [Note] {
        if let savedData = UserDefaults.standard.data(forKey: key),
           let decoded = try? JSONDecoder().decode([Note].self, from: savedData) {
            return decoded
        }
        return []
    }
}

βΈ»

πŸ” Storing Secure Data in Keychain

Since Keychain doesn’t support Swift’s Codable directly, we’ll write a wrapper.

1⃣ Create a Keychain Helper

Create a new Swift file: KeychainManager.swift

import Security
import Foundation

class KeychainManager {
    static let shared = KeychainManager()

    func save(_ note: Note) {
        let key = note.id.uuidString
        guard let data = try? JSONEncoder().encode(note) else { return }

        let query: [String: Any] = [
            kSecClass as String: kSecClassGenericPassword,
            kSecAttrAccount as String: key,
            kSecValueData as String: data
        ]
        SecItemAdd(query as CFDictionary, nil)
    }

    func load(id: UUID) -> Note? {
        let key = id.uuidString
        let query: [String: Any] = [
            kSecClass as String: kSecClassGenericPassword,
            kSecAttrAccount as String: key,
            kSecReturnData as String: true,
            kSecMatchLimit as String: kSecMatchLimitOne
        ]

        var dataTypeRef: AnyObject?
        if SecItemCopyMatching(query as CFDictionary, &dataTypeRef) == errSecSuccess,
           let data = dataTypeRef as? Data,
           let note = try? JSONDecoder().decode(Note.self, from: data) {
            return note
        }
        return nil
    }
}

βΈ»

🎨 Creating the UI

Create a simple SwiftUI interface.

1⃣ Create the Notes List

Modify ContentView.swift

import SwiftUI

struct ContentView: View {
    @State private var notes: [Note] = UserDefaultsManager().loadNotes()
    @State private var newText: String = ""

    var body: some View {
        NavigationView {
            VStack {
                TextField("Enter your note", text: $newText)
                    .textFieldStyle(RoundedBorderTextFieldStyle())
                    .padding()

                Button("Save Note") {
                    let note = Note(text: newText, isSecure: false)
                    notes.append(note)
                    UserDefaultsManager().saveNotes(notes)
                    newText = ""
                }
                .buttonStyle(.borderedProminent)

                List(notes) { note in
                    Text(note.text)
                }
            }
            .navigationTitle("Secure Notes")
        }
    }
}

βΈ»

πŸ“² Implementing Face ID Authentication

  1. Add LocalAuthentication to ContentView.swift
import LocalAuthentication

func authenticateUser(completion: @escaping (Bool) -> Void) {
    let context = LAContext()
    var error: NSError?

    if context.canEvaluatePolicy(.deviceOwnerAuthenticationWithBiometrics, error: &error) {
        context.evaluatePolicy(.deviceOwnerAuthenticationWithBiometrics, localizedReason: "Access Secure Notes") { success, _ in
            DispatchQueue.main.async {
                completion(success)
            }
        }
    } else {
        completion(false)
    }
}
  1. Use Face ID before loading secure notes:
Button("Load Secure Note") {
    authenticateUser { success in
        if success {
            if let secureNote = KeychainManager.shared.load(id: someUUID) {
                print("Secure Note:", secureNote.text)
            }
        }
    }
}

βΈ»

πŸš€ Running & Testing the App

βœ… Run on a real device to test Face ID / Touch ID.
βœ… Save regular notes β†’ Restart the app β†’ Check if they persist.
βœ… Save a secure note β†’ Restart β†’ Authenticate with Face ID β†’ Retrieve it.

βΈ»

πŸ”— Conclusion & Next Steps

πŸŽ‰ Congratulations! You’ve built Secure Notes, learning:
βœ… How to use UserDefaults for non-sensitive data
βœ… How to use Keychain for secure storage
βœ… How to authenticate users with Face ID / Touch ID

πŸ“Œ Next Steps:
β€’ Add a delete note feature.
β€’ Support multiple secure notes.
β€’ Implement Dark Mode UI improvements.

πŸš€ Happy Coding! πŸš€


This content originally appeared on DEV Community and was authored by Anis Ali Khan