Design+Code logo

Quick links

Suggested search

This Course

In this course, we’ll learn the new SwiftUI 4 features as we build multiple iOS apps from scratch. It is mainly focused on the user interface, interactions and animations, which is ideal if you’re a beginner or someone who enjoys building challenging UIs. We will explore unique concepts made specially for this course.

1 Build SwiftUI apps for iOS 16 image 1

The designs in Figma and Xcode projects will be provided to help you learn.

Requirements

SwiftUI is pretty easy to learn and has a ton of resources made by Apple and the community. Since my teaching style is friendly, focused on visuals, and we'll code together step-by-step from a designer's perspective, you can learn with virtually zero experience. However, it is recommended that you are familiar with a computer and have light experience with HTML and CSS. Developing an app for iOS 16 requires a Mac with Ventura or later, and Xcode 14.

Learning Path

It is highly recommended that you take this course alongside the SwiftUI handbook and my other SwiftUI courses. As you get more familiar with SwiftUI and Swift, you should take the more advanced courses. Here is the progression recommended.

Beginners

Intermediate / Advanced

What’s new in Xcode 14

Xcode has a lot of quality of life improvements for SwiftUI coders. At last, you won’t need to hit the reload in the Preview and it has Variants! The App Icon now uses a single asset and overall, Xcode 14 is faster, has better autocompletions and you can target specific platforms to reduce size.

1 Build SwiftUI apps for iOS 16 image 2

What’s New in SwiftUI 4

Whether you’re new to coding or a veteran with many years under your belt, you’ll find that this framework is modern, fast and excels at building both native and custom UIs with a fraction of the time it normally takes on other frameworks. Apple keeps improving it each year with a ton of new features including Charts, Advanced layout control, Navigation API and new components like half sheets and share sheets.

Grid Layout

The new grid system makes it easy to build complex layouts in an intuitive way. Unlike the LazyGrid, the new Grid layout loads every cell at once and you have more control over the size of individual cells and alignment of its child elements.

1 Build SwiftUI apps for iOS 16 image 3

You can compose interesting layouts with minimal code.

Grid {
    GridRow {
        card.gridCellColumns(2)
    }
    GridRow {
        card
        card
    }
    GridRow {
        card.gridCellColumns(2)
    }
}

Charts

With SwiftUI Charts , you can create rich visuals for your data without relying on a third-party library. Moreover, it’ll look great on other platforms such as watchOS and macOS. This is one of those things that it’s rarely worthwhile to create a custom system due to its complexity.

1 Build SwiftUI apps for iOS 16 image 4

Chart {
    ForEach(data) { item in
        LineMark(
            x: .value("Category", item.category),
            y: .value("Value", item.value),
            series: .value("Year", "2022")
        )
        .symbol(by: .value("Year", "2022"))
        .interpolationMethod(.catmullRom)
    }
}

There are various styles for the SwiftUI Charts to accommodate any type of data.

1 Build SwiftUI apps for iOS 16 image 5

SF Symbols 4

SF Symbols 4 is a set of 4,400 icons that can be used freely on Apple platforms. Not only is it recommended to use them in your designs to be consistent with the platform, but the library is bundled with SwiftUI which means that you just need to remember the symbol name. In Version 4, you can use variable color to create progressive icons.

1 Build SwiftUI apps for iOS 16 image 6

Image(systemName: "touchid", variableValue: 0.5)

View That Fits

A new view class named View that fits is available which automatically adjusts its size based on its content. This makes it easy to use components like lists or cards that need different sizes depending on their content. It also works well if you want hide certain parts of your UI when there are no items in a list for example.

1 Build SwiftUI apps for iOS 16 image 7

ViewThatFits {
		// Tries to fit 3 cards horizontally
    HStack {
        card.frame(width: 200)
        card.frame(width: 200)
        card.frame(width: 200)
    }
		// Otherwise, fit cards vertically
    VStack {
        card
        card
        card
    }
}
.padding(20)

Custom Layout

In iOS 16, you can create complex layout behaviours that can arrange the subviews in any way you wish, such as a radial layout using degrees, or a custom HStack where you can customize your own properties.

RadialLayout {
    ForEach(numbers, id: \.self) { item in
        Text("\(item)")
            .font(.system(.title, design: .rounded))
            .bold()
    }
}

1 Build SwiftUI apps for iOS 16 image 8

struct RadialLayout: Layout {
    func sizeThatFits(proposal: ProposedViewSize, subviews: Subviews, cache: inout ()) -> CGSize {
        // Calculate and return the size of the layout container
    }

    func placeSubviews(
        in bounds: CGRect,
        proposal: ProposedViewSize,
        subviews: Subviews,
        cache: inout Void
    ) {
        // Tell each subview where to appear
    }
}

Gooey Interface

Since the launch of the Dynamic Island found on the iPhone 14, the gooey animation captured the attention of many. Using SwiftUI Canvas with blur, you create pretty cool liquid transitions.

Canvas { context, size in
    context.addFilter(.alphaThreshold(min: 0.8, color: .blue))
    context.addFilter(.blur(radius: 10))
    context.drawLayer { ctx in
        // Draw gooey shapes
    }
} symbols: {
		// Shapes
}

1 Build SwiftUI apps for iOS 16 image 9

3D Card with Holo Effect

A fun experiment you’ll learn in this course is how to create a holographic card with reflections and 3D parallax as you interact with the card.

1 Build SwiftUI apps for iOS 16 image 10

Navigation Stack

The new Navigation Stack replaces the deprecated Navigation View. It works almost the same way, except it can now programmatically pass values for the destination.

NavigationStack {
    List(navigationItems) { item in
        NavigationLink(value: item) {
            Label(item.title, systemImage: item.icon)
                .foregroundColor(.primary)
        }
    }
    .listStyle(.plain)
    .navigationTitle("SwiftUI apps")
    .navigationBarTitleDisplayMode(.inline)
    .navigationDestination(for: NavigationItem.self) { item in
        switch item.menu {
        case .compass:
            CompassView()
        case .card:
            CardReflectionView()
        case .charts:
            ChartView()
        case .radial:
            RadialLayoutView()
        case .halfsheet:
            HalfSheetView()
        case .gooey:
            GooeyView()
        case .actionbutton:
            ActionButtonView()
        }
    }
}

1 Build SwiftUI apps for iOS 16 image 11

Half Sheet

The bottom sheet UI that is used on popular apps like Apple Maps and Google Maps can now be implemented natively in SwiftUI using a few lines of code. While on the surface level, this interaction seems easy to implement, in reality it’s actually not trivial because of the drag zones and velocity. Thankfully, you get access to all that power by using the sheet modifier and presentationDetents. The presentationDetents controls the size of the sheet relative to the screen.

Button("Show Sheet") {
    showSheet = true
}
.sheet(isPresented: $showSheet) {
    Text("Content")
        .presentationDetents([.height(200), .medium, .large])
        .presentationDragIndicator(.automatic)
}
.font(.title).bold()

1 Build SwiftUI apps for iOS 16 image 12

Inner Shadow and Gradient

Creating an inner shadow in iOS 16 doesn’t require a complex workaround that involves masking anymore. You can effortlessly create multiple inner shadows by using the foreground style.

1 Build SwiftUI apps for iOS 16 image 13

Image(systemName: "aqi.medium")
	.foregroundStyle(
    .blue.gradient.shadow(.inner(color: .white.opacity(0.3), radius: 3, x: 1, y: 1))
	)

In this course, we’ll play a lot with inner shadows, drop shadows and blend modes to create interesting effects.

1 Build SwiftUI apps for iOS 16 image 14

Multiple Blend Modes

Blending modes have long been around but only recently are designers really starting to utilize its capabilities. Generally, you can use it to elevate the vibrancy of colors and apply interesting effects like Multiply, Overlay, Difference, Saturation, etc. Furthermore, you can combine multiple blending modes to bring even more utility.

1 Build SwiftUI apps for iOS 16 image 15 Unlike in Figma, you can’t have multiple Blend Mode modifiers. As a result, you must duplicate the same text each time you want an additional Blend Mode.

ZStack {
    wallpaper

    ZStack {
        text.foregroundColor(.white)
            .blendMode(.difference)
            .overlay(text.blendMode(.hue))
            .overlay(text.foregroundColor(.white).blendMode(.overlay))
            .overlay(text.foregroundColor(.black).blendMode(.overlay))
    }
}

While this seems tedious, having reusable code can make the task far easier and consistent.

var text: some View {
    Text("One place to stack all your cards")
        .font(.system(size: 48, weight: .heavy, width: .expanded))
        .bold()
        .padding(20)
        .frame(width: 390)
}

SF Width Styles

The SF Font family built-in into SwiftUI now supports new width styles: Compressed , Condensed and Expanded . This is available on top of the Regular style. As of now, you need to rely on a Font extension to access the new width styles. Luckily, this is only a few lines of code to include in your project.

extension Font {
    static func system(
        size: CGFloat,
        weight: UIFont.Weight,
        width: UIFont.Width) -> Font {
        return Font(
            UIFont.systemFont(
                ofSize: size,
                weight: weight,
                width: width)
        )
    }
}
Text("One place to stack all your cards")
    .font(.system(size: 48, weight: .heavy, width: .expanded))

1 Build SwiftUI apps for iOS 16 image 16

Download SF Fonts

If you're designing for iOS, it is essential to download the SF Fonts from Apple. There are 4 fonts:

  • SF Pro is the main font that is consistent across Apple's platforms, specifically for iOS, iPadOS and tvOS.
  • SF Compact is for watchOS design, optimized to be readable at smaller sizes.
  • SF Mono (optional) for evenly-spaced characters, which is useful for showing code.
  • New York is a serif typeface, typically for more traditional designs such as Books and News.

Figma Template

As I was building these apps, I followed the design that I made in Figma . From the Figma file, you'll be able to inspect the typography, sizes, colors and assets. Note that some screens in Xcode were built directly there.

1 Build SwiftUI apps for iOS 16 image 1

Download Xcode 14

To create our iOS app, we'll use Xcode. You can download it and install it directly from the App Store. Unless you're a seasoned developer, I don't recommend using the beta version and stick to the public releases.

1 Build SwiftUI apps for iOS 16 image 2

Create a New Xcode Project

Once Xcode is installed, open the app and you'll see a welcome screen. Click on Create a New Xcode Project.

1 Build SwiftUI apps for iOS 16 image 3

In this course, we'll focus on building for iOS. Select App inside the iOS tab, then click Next.

1 Build SwiftUI apps for iOS 16 image 4

Time to fill the project details:

  • Product Name: this is the name of your app. E.G. News, Reminders, Mail. You don't need to include App at the end.
  • Team: this is useful if you wish to test on your device or publish to the App Store. If you have a developer account with Apple, you can set here, but otherwise you can do this later in Preferences under Accounts Tab with your Apple account. You can set None for now.
  • Bundle Identifier: this is your domain name in reverse. It's a unique ID for all your apps. E.G. com.twitter, com.instagram, com.figma.
  • Make sure to select SwiftUI as the interface and language to Swift.

1 Build SwiftUI apps for iOS 16 image 5

Finally, click Next. Select a place to save your Xcode project, such as Downloads.

1 Build SwiftUI apps for iOS 16 image 6

Congratulations, you've just created your Xcode Project! The first time you land, you'll see a fully open project with the project files on the left, the code editor in the middle with the Preview next to it and the Inspector in the right. In Xcode 14, the Preview will automatically resume!

1 Build SwiftUI apps for iOS 16 image 7 Make sure to have your a device selected in top bar. A good default is the iPhone 14.

Xcode Layout

Before we start, it is helpful to know your way around Xcode. These are the essential parts of working with SwiftUI inside Xcode 14.

1 Build SwiftUI apps for iOS 16 image 8

Navigator

The Navigator is where you'll navigate all the files, commits, issues for your project. By default, you'll have the Project Navigator tab selected. That's where you'll spend most of your time on, so it's important that you know how to get back to it, especially when Xcode sometimes auto-switches to other tabs when showing issues.

Inspector

Whenever you have something selected in your code or assets, the inspector will give options based on that. The Attributes Inspector tab is the default and most relevant tab most of the time.

Preview

By default, your preview will be interactive. The changes made in your code will be shown in real-time inside your Preview. You can also change to Selectable – the preview will be static and you can see the outlines of the selected elements in your code (Texts, Images, Stacks, etc).

Play in Simulator

In the top left, there is a giant Play button. This allows you to run your app on an iOS simulator which gives you all the extra options that the Preview won't give you, such as Home Apps, Save Screen, Slow Animations, Status Bar and a whole lot more.

Keyboard Shortcuts

  • Toggle Navigator (⌘ + 0): you can hide the Navigator to maximize your code editor.
  • Toggle Inspectors (⌘ + option + 0): the Inspectors are useful for editing your UI without writing code, but later on, you'll mostly do everything in code as it's faster and more efficient. That's why it's useful to hide the Inspectors when they're not needed.
  • Resume Preview ( ⌘ + option + P ): the Preview needs to be resumed at start, or when there is a more structural code change outside of your body UI. This shortcut will help save those precious seconds.
  • Run ( ⌘ + R ): run your app in the iOS Simulator. When running, you will have access to the logs, issues and performance graphs.
  • Stop ( ⌘ + . ): stop running the app. The app will remain in the Simulator, but you'll no longer get logs, issues, etc in real-time.
  • Build (⌘ + B): Xcode checks your code in real-time for errors and warnings. This prevents coding in the blind or tracing back too many steps. When the errors don't seem to disappear after a fix, a quick way to check if your code is fine is to Build.
  • Clean ( ⌘ + Shift + K ): a useful command when Xcode starts acting or doesn't seem to sync well with the changes you make. After a clean, it is recommended to Build again. If Xcode keeps acting, a good ol' Quit and Reopen can help, or as a last resort, a computer restart.
  • Library ( ⌘ + Shift + L ): a quick way to add views, modifiers, images and colours is to use the Library. It's also a great way to explore all UI elements and modifiers that are possible in SwiftUI.

1 Build SwiftUI apps for iOS 16 image 9

Project Settings and Deployment Target

To go to Project Settings, click on the root item in the Navigator. The first thing you’ll want to change is the Display Name, which will show under your App Icon. This can differ from your Project Name.

1 Build SwiftUI apps for iOS 16 image 10

Second, make sure that your deployment target is set to iOS 16. Otherwise, you'd need to create additional conditions that use the new iOS 16 features. This may be set by default eventually, but if it's not, you should change it.

Import Assets

To download the assets for this course, go to the bottom of any page and click the download link. Once you have downloaded the assets, go to the Assets section in the left Navigator and drag and drop the downloaded Assets folder into the Assets section of Xcode. If you want to learn how to import the App Icon, Color Sets, and Image assets manually, follow the optional steps provided.

1 Build SwiftUI apps for iOS 16 image 11

Export App Icon (optional)

The first thing you want to set up is the App Icon. In Xcode 14, you only need a single image for your App Icon! Xcode will do all the scaling for you. In Figma, make sure to create an image that is 1024 x 1024 and export it to 1x in PNG.

1 Build SwiftUI apps for iOS 16 image 12

Import to Xcode (optional)

In Xcode, go to the Assets from the left Navigator. Select AppIcon and drag & drop the image that you exported.

1 Build SwiftUI apps for iOS 16 image 13

Accent Color (optional)

Setting your custom colours in Xcode is the best way to set your colour styles for your design. It allows you to customize for Dark Mode and use HEX values. Starting with your Accent Color, set Appearances to Any, Dark. Then select each color and set content to sRGB or Display P3 and Input Method to 8-bit Hexadecimal. Now you can paste the HEX value from your design tool: # 6234D5 for Any, # 8449FC for Dark.

1 Build SwiftUI apps for iOS 16 image 14

Custom Color Sets (optional)

Right-click AccentColor and select New Color Set. Rename it to Background and set your desired colors: # F2F6FF for Any, # 25254B for Dark. Select and click on New Folder from Selection . Rename to Colors . Here, you can add more colors.

1 Build SwiftUI apps for iOS 16 image 15

Image Assets (optional)

For image assets, you can just drag and drop the folders from Finder to Xcode. By default, images will be set at 1x, scaling up as needed. You can also set images to be at 2x or 3x to make it easier to resize in code.

For the Wallpapers, let’s move the images to 3x. Since we’re targeting the phone, the default size of the wallpapers will be large enough.

1 Build SwiftUI apps for iOS 16 image 16

More resources to get started on SwiftUI

  • You can watch SwiftUI WWDC videos using the Developer app from Apple. You can do a search on SwiftUI and watch the topics that interest you.
  • Download the Fruta app to explore and learn how Apple made their sample app and some of the best practices for organizing your app.
  • SwiftUI by example by Paul Hudson is an excellent place to find short tutorials on key techniques for SwiftUI. Anytime you get errors or want to learn more about a topic, you'll want to do a Google search.
  • Our SwiftUI Handbook contains more than 120 tutorials with videos and sample code.
  • One of the best way to learn iOS design and design apps is to download the templates and libraries provided by Apple: https://developer.apple.com/design/resources/

READ NEXT

Xcode 14 Visual Editor

Templates and source code

Download source files

Download the videos and assets to refer and learn offline without interuption.

check

Design template

check

Source code for all sections

check

Video files, ePub and subtitles

Browse all downloads

1

Build SwiftUI apps for iOS 16

Create animated and interactive apps using new iOS 16 techniques using SwiftUI 4 and Xcode 16

16:02

2

Xcode 14 Visual Editor

Get familiar with the visual editor and explore the inspector, modifiers and the new preview variants

12:06

3

Basic Layout and SF Symbols 4

Build a basic layout in code using SwiftUI styles and SF Symbols 4

14:58

4

SF Width Styles and Gradients

Implement SF Font Expanded, Condensed, Compressed and apply beautiful gradients to your UI

12:34

5

Variable Color and Animation

Creating a simple animated SF symbol with variable color

11:38

6

Navigation Stack

Create a menu using the navigation stack and customize the list style and labels

6:21

7

Navigation Destination and Data

Write the data model, sample and destinations for your Navigation Stack

9:17

8

Half Sheet and Binding

Present a bottom sheet UI natively and control the sizes and drag zones

10:01

9

Long Press and AppStorage

Using the long press gesture to open a menu and switch between screens

8:07

10

Charts

SwiftUI provide easy and straightforward ways to create and customize different types of charts in your app, including Bar and Line charts

8:43

11

Grid Layout

Grid layout enables developers to create custom table, grid, and other designs with greater flexibility and control over individual cells

9:46

12

SVG to SwiftUI

How to use SVG code from Figma shapes to create custom Hexagon Shapes and customize their background and stroke gradients in SwiftUI.

10:55

13

View That Fits

ViewThatFits in iOS 16 allows developers to create adaptable layouts with simple conditions

7:48

14

Custom Layout

Create complex layouts by placing subviews and transforming values

9:06

15

Radial Layout

Create a custom layout that spreads in a circular way using the Layout protocol

7:26

16

AnyLayout Transition

Create a seamless transition between custom layouts using AnyLayout and animation states

3:42

17

Inner Shadows

Use Foreground Style to add inner and drop shadows to your views

6:27

18

OnAppear Animation

Design clock hands and animate in a circular motion using onAppear and the animation modifier

6:21

19

3D Card with Holo Effect

Create a 3D card with a holographic effect using reflections and parallax in SwiftUI

5:00

20

Reflections and Blending

Step-by-step guide to creating a holographic effect using glass layers, blending modes, gradients, and shadows

9:34

21

Drag Gesture on X and Y

How to create an eye-catching 3D Drag Gesture effect using the DragGesture, rotation3DEffect on both X and Y axis

6:09

22

Holographic Effect

How to create a 3D parallax effect, interactive holographic effect, and reflection movements with gesture control

5:54

23

Liquid Action Button

How to create an interactive action button using SwiftUI's Canvas to add morph animations, materials, and shadows

8:01

24

Canvas Filters

How to use Canvas symbols, filters and animation to create a liquid action button

7:06

25

Blur Animation

How to create animations with blur, motion, scaling, and rotation, as well as adding a drag gesture to liquid action button

9:33

26

Motion Manager

Use the CMMotionManager to create motion parallax reflections using the physical motion of the device

9:12

27

Compass App

Implement an iOS Compass app using SwiftUI: advanced layout, circular text, flashlight gesture and custom sheet

9:22

28

Circular Text on Path

Turn text into an array and create a circular path with the help of GeometryReader, PreferenceKey and Rotation Effects.

4:58

29

Flashlight Gesture

How to create a flashlight gesture using the drag gesture, geometry reader and learn the difference between translation and location

5:53

30

Flashlight Masking

Use masking and drag gesture in SwiftUI to show or hide elements of the user interface, including circles, waypoints and flashlight effects

5:59

31

Core Location

Use Core Location Manager to get compass directions, convert degrees to cardinal points, and update the UI

12:34

32

Custom Sheet

Create a custom sheet in SwiftUI with Markdown and add a tap gesture using 3D transforms

10:00

33

Radial Button Animation

Make a custom button with radial gradients and glow animation using a long press gesture

11:36

34

Long Press Button Animation

Utilizing Long Press Gesture and Progressive Animation in SwiftUI

9:53

35

Tooltip Glow Animation

Create a floating tooltip with glow animations, angular gradients and blend modes

17:53

Meet the instructor

We all try to be consistent with our way of teaching step-by-step, providing source files and prioritizing design in our courses.

Meng To

I design, code and write

Meng To is the author of Design+Code. Meng started off his career as a self-taught designer from Montreal and eventually traveled around the world for 2 years as his US VISA was denied. During his travels, he wrote a book which now has 35,000 readers.

icon

39 courses - 184 hours

course logo

Build SwiftUI apps for iOS 18 with Cursor and Xcode

In this course, we'll explore the exciting new features of SwiftUI 6 and Xcode 16 for building iOS 18 apps. From mesh gradients and text animations to ripple effects, you'll learn how to create polished, highly custom apps using the latest workflows. We'll also dive into using Cursor and Claude AI for AI-driven coding, helping you start strong and customize your apps.

5 hrs

course logo

Create your Dream Apps with Cursor and Claude AI

Learn to build your dream web apps from the ground up using Cursor, Claude AI, and a suite of powerful AI tools. This course covers everything you need, including React for frontend development, Firebase for backend integration, and Stripe for handling payments. You’ll also dive into advanced AI tools like Claude Artifacts, Galileo AI, v0.dev for UI, Ideogram for design generation, and Cursor Composer for full-scale development.

6 hrs

course logo

Build a React Site from Figma to Codux

In this course, you'll learn to build a website from scratch using Codux, starting with a Figma template. You’ll master responsive design, collaborate with developers on a real React project, export CSS from Figma using Locofy, set up breakpoints with media queries, add CSS animations, improve SEO, create multiple pages with React Router, and publish your site. By following best practices, you’ll bridge design and development, improve your web design skills.

2 hrs

course logo

Create 3D UI for iOS and visionOS in Spline

Comprehensive 3D Design Course: From Basics to Advanced Techniques for iOS and visionOS using SwiftUI

3 hrs

course logo

Master No-Code Web Design with Framer

In this free Framer course, you'll learn to create modern, user-friendly interfaces. Start with dark mode and glass designs, then move from Figma to Framer, using vectors and auto layout for responsive websites. Add animations, interactive buttons, and custom components with code. Finally, you'll craft a design system suitable for teamwork or solo projects, all in a straightforward and practical approach.

4 hrs

course logo

Build SwiftUI Apps for iOS 17

In this course, we’ll be exploring the fresh and exciting features of SwiftUI 5! As we craft a variety of iOS apps from the ground up, we'll delve deep into the treasure trove that is SwiftUI's user interface, interactions, and animations.

4 hrs

course logo

Build Beautiful Apps with GPT-4 and Midjourney

Design and develop apps using GPT-4 and Midjourney with prompts for SwiftUI, React, CSS, app concepts, icons, and copywriting

4 hrs

course logo

Build SwiftUI apps for iOS 16

Create animated and interactive apps using new iOS 16 techniques using SwiftUI 4 and Xcode 14

5 hrs

course logo

Build a 3D Site Without Code with Framer

Design and publish a responsive site with 3D animation without writing a single line of code

3 hrs

course logo

Create 3D Site with Spline and React

Design and code a landing page with an interactive 3D asset using Spline and CodeSandbox

1 hrs

course logo

Build an Animated App with Rive and SwiftUI

Design and code an iOS app with Rive animated assets, icon animations, custom layouts and interactions

3 hrs

course logo

Build a SwiftUI app for iOS 15 Part 3

Design and code a SwiftUI 3 app with custom layouts, animations and gestures using Xcode 13, SF Symbols 3, Canvas, Concurrency, Searchable and a whole lot more

4 hrs

course logo

Build a SwiftUI app for iOS 15 Part 2

Design and code a SwiftUI 3 app with custom layouts, animations and gestures using Xcode 13, SF Symbols 3, Canvas, Concurrency, Searchable and a whole lot more

3 hrs

course logo

Build a SwiftUI app for iOS 15

Design and code a SwiftUI 3 app with custom layouts, animations and gestures using Xcode 13, SF Symbols 3, Canvas, Concurrency, Searchable and a whole lot more

4 hrs

course logo

React Livestreams

Learn how we can use React Hooks to build web apps using libraries, tools, apis and frameworks

4 hrs

course logo

Design Founder Livestreams

A journey on how we built DesignCode covering product design, management, analytics, revenue and a good dose of learning from our successes and failures

2 hrs

course logo

SwiftUI Advanced Handbook

An extensive series of tutorials covering advanced topics related to SwiftUI, with a main focus on backend and logic to take your SwiftUI skills to the next level

4 hrs

course logo

iOS Design Handbook

A complete guide to designing for iOS 14 with videos, examples and design files

2 hrs

course logo

SwiftUI Handbook

A comprehensive series of tutorials covering Xcode, SwiftUI and all the layout and development techniques

7 hrs

course logo

Build a web app with React Hooks

Learn how we built the new Design+Code site with React Hooks using Gatsby, Netlify, and advanced CSS techniques with Styled Components.

4 hrs

course logo

UI Design Handbook

A comprehensive guide to the best tips and tricks for UI design. Free tutorials for learning user interface design.

2 hrs

course logo

Figma Handbook

A comprehensive guide to the best tips and tricks in Figma

6 hrs

course logo

SwiftUI for iOS 14

Build a multi-platform app from scratch using the new techniques in iOS 14. We'll use the Sidebar and Lazy Grids to make the layout adaptive for iOS, iPadOS, macOS Big Sur and we'll learn the new Matched Geometry Effect to create beautiful transitions between screens without the complexity. This course is beginner-friendly and is taught step-by-step in a video format.

3 hrs

course logo

SwiftUI Livestreams

This is a compilation of the SwiftUI live streams hosted by Meng. Over there he talks and teaches how to use design systems, typography, navigation, iOS 14 Design, prototyping, animation and Developer Handoff.

19 hrs

course logo

UI Design Livestreams

This is a compilation of the UI live streams hosted by Meng. Over there he talks and teaches how to use design systems, typography, navigation, iOS 14 Design, prototyping, animation and Developer Handoff.

26 hrs

course logo

UI Design for Developers

In this course we'll learn how to use design systems, set up break points, typography, spacing, navigation, size rules for adapting to the iPad, mobile and web versions, and different techniques that translate well from design to code.

3 hrs

course logo

Build an app with SwiftUI Part 3

This course was written for designers and developers who are passionate about design and about building real apps for iOS, iPadOS, macOS, tvOS and watchOS. SwiftUI works across all of those platforms. While the code is not a one-size-fits-all, the controls and techniques involved can apply to all platforms. It is beginner-friendly, but it is also packed with design tricks and cool workflows about building the best UIs and interactions.

4 hrs

course logo

Build an app with SwiftUI Part 2

This course was written for designers and developers who are passionate about design and about building real apps for iOS, iPadOS, macOS, tvOS and watchOS. SwiftUI works across all of those platforms. While the code is not a one-size-fits-all, the controls and techniques involved can apply to all platforms. It is beginner-friendly, but it is also packed with design tricks and cool workflows about building the best UIs and interactions.

4 hrs

course logo

Build a full site in Webflow

Webflow is a design tool that can build production-ready experiences without code. You can implement CSS-driven adaptive layouts, build complex interactions and deploy all in one tool. Webflow also comes with a built-in content management system (CMS) and Ecommerce for creating a purchase experience without the need of third-party tools.

3 hrs

course logo

Advanced Prototyping in ProtoPie

ProtoPie is a cross-platform prototyping tool that creates prototypes nearly as powerful as those made with code, with half of the efforts, and zero code. It's perfect for designers who want to quickly experiment with advanced interactions using variables, conditions, sensors and more.

3 hrs

course logo

Build an app with SwiftUI Part 1

This course was written for designers and developers who are passionate about design and about building real apps for iOS, iPadOS, macOS, tvOS and watchOS. SwiftUI works across all of those platforms. While the code is not a one-size-fits-all, the controls and techniques involved can apply to all platforms. It is beginner-friendly, but it is also packed with design tricks and cool workflows about building the best UIs and interactions.

4 hrs

course logo

React Native for Designers Part 2

React Native is a popular Javascript framework that builds on top of React by using native components to create a real mobile app indistinguishable from one made using Xcode or Android Studio. The main difference with native development is that you get to use CSS, hot-reload, Javascript and other familiar techniques that the Web has grown over the past decades. Most importantly, you're building for both iOS and Android using the same codebase.

3 hrs

course logo

React Native for Designers

React Native is a popular Javascript framework that builds on top of React by using native components to create a real mobile app indistinguishable from one made using Xcode or Android Studio. The main difference with native development is that you get to use CSS, hot-reload, Javascript and other familiar techniques that the Web has grown over the past decades. Most importantly, you're building for both iOS and Android using the same codebase.

5 hrs

course logo

Design System in Figma

Learn how to use and design a collaborative and powerful design system in Figma. Design Systems provide a shared library of reusable components and guidelines and that will let you build products much faster

3 hrs

course logo

React for Designers

Learn how to build a modern site using React and the most efficient libraries to get your site/product online. Get familiar with Grid CSS, animations, interactions, dynamic data with Contentful and deploying your site with Netlify.

3 hrs

course logo

Swift Advanced

Learn Swift a robust and intuitive programming language created by Apple for building apps for iOS, Mac, Apple TV and Apple Watch

9 hrs

course logo

Learn Swift

Learn Swift a robust and intuitive programming language created by Apple for building apps for iOS, Mac, Apple TV and Apple Watch

4 hrs

course logo

Learn Sketch

Learn Sketch a design tool entirely vector-based and focused on user interface design

5 hrs

course logo

Learn iOS 11 Design

Learn colors, typography and layout for iOS 8

1 hrs

Test your knowledge of Build SwiftUI apps for iOS 16. Complete the course and get perfect results for this test to get your certificate.