My recent experiences with Swift and SwiftUI

During my teaching career before chronic migraines took over my life, I wrote dozens of desktop Xojo applications to demonstrate visual perception and eye movement principles in the classroom, as well as applications for clinical use and two geometric optics applications.

Blockquote

Recently I decided to start to port one of them to the iPad as a learning exercise. I started with one of the optics programs for thin lens ray tracing. Here’s a screenshot that I still had of what it looked like in Xojo (pardon the glitch in the vertical slider):

Rather than try to use the incomplete iOS libraries of Xojo, I was determined to bite the bullet and port RayTrace to Swift. For the user interface, I chose to try SwiftUI instead of Xcode’s Interface Builder and AutoLayout or imperatively creating views in code with UIKit calls, since Apple has been pushing SwiftUI for easier user interface creation and recommends using it for new programs. I wanted to see if the hype was true. I used the opportunity to improve the program too.

Apps for macOS and iOS are based on variants of the MVC design pattern (Model-View- Controller). The model contains the “business logic” of the app (or in this case, the optics logic), that is the data and calculations. The view part is the user interface.

I used Swift Playground on my iPad to create the model so I could code from the comfort of my couch. Swift Playground allowed me to rapidly write the Swift code for the model without the delays of the write-compile-run development cycle. As you write code, you immediately see the results of that code in the Playground’s App Preview without the need to manually compile it. It’s comparable to running BASIC code in an interpreter while you’re typing in code. Here’s a simple screen that I made to display object properties as I wrote the class that defined an object. I could instantly see if I was making any mistakes. By modifying the statement that instantiates the object, I could test edge cases for that class.

By the way, as you’ve probably surmised, Swift Playground’s App Preview is useful for starting to build GUIs too. Here’s the starting code for the Object properties section of RayTrace and the simultaneous feedback about its appearance:

This let me start to flesh out a crude user interface and get feedback on how well my calculations were working at the same time. With a little extra work, I later got the Object properties section’s appearance to look more professional:

The full model for my app was a RayTraceModel class containing an RTObject class and an RTLens class for the optics object from which light rays originate and the lens that will refract those light rays, respectively. A third RTImage class is defined for the optical image created by the lens. An instance of this class is created as a computed property of the RayTrace class whenever the user asks for the value of the image, and because it uses RTObject and RTLens as inputs, it automatically updates if the RTObject and RTLens instances are modified. There’s no need to manually call an update() method to update the image any time the object or lens properties change. The RTImage class is small and calculated fairly easily, so there’s no detriment to computing it on-the-fly like this.

The model can be saved to a file or persisted with a little extra code by means of encoding/decoding the model object to JSON (easy with Swift’s Codable protocol) if the data is simple, or by using the new SwiftData library for more complex data. By persisting, the app will launch with the last-used model values and therefore resume from the same state it had when it last ran. I decided that my app really didn’t need to save files, since the user has to specify only three values (object size, object distance and lens power) to generate the solved equations and the ray trace plot. Opening a file would not save much time. For the same reason, I decided to forego persistence of my model. I did, however, use persistence for my app preferences.

Since my model code contained just math calculations, not using any of the more complex features of Swift, it was trivial to translate it from Xojo to Swift. Swift is really not difficult at all to use if you’re not doing heavy-duty stuff like working with generics or concurrency. There is a free online book from Apple that serves as a manual for Swift, but if that isn’t sufficient for you, there are also numerous books, tutorials and videos that can be found online.

The next step was to launch Xcode and create a SwiftUI project for iOS, and cut and paste the code for the model class and my initial GUI code from Swift Playground into it. I felt that I needed the screen space of my laptop or desktop to be able to see my iPad-sized GUI as I was designing it. More importantly, Xcode is a lot more powerful than Swift Playgrounds and I’d rather have that power at my disposal as my app source code gets bigger.

SwiftUI does not use a drag-and-drop user interface builder like Xojo does. User interfaces are built in source code, but this doesn’t mean that the process is difficult or slow. Unlike programmatically creating user interface code with UIKit, you don’t build the user interface one object at a time by instantiating view objects, then calling methods on those objects to manipulate them. User interfaces are built declaratively. You describe how you want the user interface to look, and apply modifiers to the descriptions of each view to tweak their appearance. For example, a label is produced by the description Text(“the text”). To make the label font boldfaced, just add a .bold() modifier to it — Text(“the text”).bold(). Other modifiers can adjust the font family, its color, and so on. Autocompletion in the Xcode source code editor makes adding modifiers fast.

Unlike Xojo’s iOS libraries, all of the iOS controls are available, with just about all of their full capabilities. There are, of course, a few exceptions. For example, the WKWebView control of UIKit doesn’t have a SwiftUI equivalent yet, but UIKit controls can be wrapped in SwiftUI code to make them available. I haven’t had the need to do that yet, but it’s good that this option is possible. One nice aspect of the built-in SwiftUI Views for iOS controls is that they automatically update their appearance for light mode and dark mode settings, system highlight colors, and so on. There’s no need for you to do it manually. You can also add animations to the controls.

The GUI description task was facilitated by the Previews feature of Xcode, which is the equivalent of Swift Playground’s App Preview, but with more capabilities. As you write the description of SwiftUI View in the source code editor, you can see exactly how the view will appear in a Canvas pane in Xcode as you type, so you get instant feedback as you modify it. You can also view, side by side, previews of your app under different conditions, such as light mode and dark mode, portrait or landscape orientations, even several different devices! It’s a great way to ensure that everything looks just the way you want it. It’s also a great way to experiment with your app’s appearance.

Views can, of course, contain other views to build more complex user interfaces. Nested views display exactly the way they will onscreen, even custom views within them that you create or have downloaded from the web. No blank objects in the preview like in the Xojo UI builder. Special SwiftUI Views called Stacks are used to arrange the layout of the views on the screen horizontally, vertically and on top of each other.

To create a SwiftUI View, you simply ask Xcode to create a new file of the type SwiftUI View. It creates a new SwiftUI source code file with the skeleton of a View definition that already has the definitions for creating the view and for previewing it. You just add in the contents of your View definition. You don’t even need to know what the skeleton code means!

// A new SwiftUI source code file:

import SwiftUI

struct ContentView: View {
    // Add any variables that your view needs here

    var body: some View {
       // Describe your view contents here
    }
}

My user interface was composed of three main sections, each defined by a SwiftUI View. PropertyView shows the properties of the optical object, lens and image (as well as the light ray vergences, how much they are bent) textually. A new EquationView shows the optics equations used to calculate the image with their solution for the current object and lens. Lastly, PlotView is a plot of the graphical ray trace plot that can also be used to determine the image by determining three light ray paths through the lens.

These Views are arranged onscreen by HStacks and VStacks:

// Top-level RayTraceView view definition…

HStack {
    VStack {
        PlotView()
        PropertiesView()
    }
    EquationView()
}

This places the PlotView and PropertiesView on the left side of the screen, one above the other, and the EquationView on the right side.

Then I defined each of these subviews, starting with the simpler parts within them, then building up more complex views containing them. For example, the Object section of the PropertyView is defined as a View composed of Text Views to display labels, TextField Views to enter new values for the object size and distance, and a custom Button View for setting the object distance as optical infinity (beyond 20 feet). I arranged these Views by embedding them in a Grid View to place them neatly in rows and columns. Then I embedded the Grid within a GroupBox to make the grouping of all of the Object properties visually more obvious on the screen. Finally, I embedded the GroupBox in a VStack and added above it a custom View called ObjectHeaderView to tell the user what the GroupBox contains.

// ObjectView view definition…

VStack {
    ObjectHeaderView()
    GroupBox() {
        Grid() {
            // Each row of the grid is defined in a GridRow
			GridRow {
	    			HStack {
	        			Text(“Distance:”)
	        			TextField( /* …text field linked to model here… */)
	        			Text(“cm)
	    			}
			}
			/* ….following rows defined here… */
        }
    }
}

ObjectHeaderView is defined in another source code file as Circle Views overlaid with a Text View containing a system symbol called “arrow” (supplied by iOS’s built-in SFSymbols) within a ZStack, followed by a label in a Text View. SFSymbols is a collection of hundreds of icons whose size and color can be tweaked, with icons covering many use cases including standard iOS icons for controls, different devices, user activities, places, etc. They’re very handy for ensuring that your app meets iOS’s user interface guidelines. Apple has a downloadable SF Symbols application for the Mac that lets you search through their library of symbols to find the symbol that best suits your needs.

// ObjectHeaderView view definition…

HStack {
    ZStack {
        // 2 Circles are overlaid to create a outlined, 
        // filled circle
        Circle().frame(width: 16, height: 16)
        		.fill(foregroundColor(.black))
        Circle().frame(width: 14, height: 14)
        		.fill(foregroundColor(.green))
        Image(systemName: “arrow”)
    }
    Text(“Object”).bold()
}

The EquationView is a VStack containing a Picker to select which equations to display and a custom View containing a Text View that builds up the equations as AttributedStrings — Strings with additional text display capabilities such as font size, bold or italic fonts, subscript and superscript via vertical offsets, font color, etc.

The PlotView is composed of the plot itself, and custom plot scale controls made up of Buttons and Texts. The plot is a View containing two subviews overlaid on top of each other in a ZStack. In each subview is a Canvas in which drawing takes place. The bottom View draws the plot axis, the lens, the lens focal points and the object and image arrows. The overlaid View draws the light rays. All of the drawing is simply composed of Core Graphics definitions of a Path (move, addLine, addArc, etc.) then calls either stroke() or fill() to fill a shape to draw the Path into the Canvas. No more difficult than drawing to a Canvas control in Xojo.

Several of my views required access to values in the model. Text Views needed them to display properties of the object, lens or image. EquationView needed them for highlighted text showing these object and lens values when they’re substituted into the equations. PlotView needed then to display the object and image arrows and to draw the light rays. I defined the model class as Observable to allow my SwiftUI views to read from and write to it, and to observe whenever the model changed so that the user interface would automatically update in response to these changes:

// Within the model source code file…

@Observable
class RayTraceModel {
    /* …model definition… */
}

@Observable is an example of a Swift macro. It adds code to the class behind the scenes (you won’t even see it) to allow the class to do complex stuff without making you code it all yourself. By using an Observable model, any changes to the model automatically trigger the Views that rely on them to redraw, automatically keeping your UI in sync with your model.

At the top level of the app, the SwiftUI App definition, I instantiated my model object. I then told the app to make the model an Environmental variable — one that can be accessed by any View in the View hierarchy that I allow without having to manually pass the model to each view:

// Within the App source code file created for you…

var model: RayTraceModel(object: Object(distance: 20.0, 
						size: 10.0),
						lens: Lens(power: 10.0))

@main
struct MyApp: App {
    var body: some Scene {
		// Top-level View here
    }
}
.environment(model)

In each of my SwiftUI View’s definition files, when that View needed to access the model, I added one line of code:

@Environment(\RTModel.self) var model

Now I could read from or write to any value in the model to any View in the hierarchy, for example:

Text(“The object size is: \(model.object.size) cm.”)

and:

model.object.size = 20.0

State variables are used for data that control Views hold and modify, such as the TextFields and Pickers in my app. State variables can be read directly, but to link a control to that variable, you precede the variable name with a “$”, for example:

@State private var size: Double = 0.0

TextField(“Size:”, value: $size, format: .number)
.onAppear() {
	size = model.object.size
}
.onSubmit() {
 	model.object.size = size
}

At this point, I had a pretty complex user interface composed of dozens of Views. Most iOS apps contain only a few Views. I was concerned. When I tried to run my app targeted in Xcode for the iOS Simulator simulating the iPad Pro, I was very disappointed with its performance. The display remained blank for almost a minute before the user interface popped up! I began to wonder if SwiftUI was too slow to contain all of these subviews plus scores of drawing commands. But then I had an inspiration: why not target it as an iOS app running on an M-series Mac? This would bypass the iOS Simulator completely. When I ran it again, the user interface popped up immediately! The problem was not with SwiftUI, but with the Simulator. SwiftUI was speedy enough for my needs.

After completing the main part of the app, I defined a Toolbar that I added to the bottom of the screen by wrapping my topmost RayTraceView in a NavigationStack and adding a Toolbar below that view. The toolbar contains ToolbarItems (containing an icon, plus a text description) for each of the selections in the toolbar, all grouped in a ToolbarItemGroup for convenience.

Toolbar

I had to learn how to present sheets when the toolbar item buttons are tapped. It actually wound up being very easy and worked very well for the Preferences sheet and the Credits sheets. For example, to show the Credits content, I just had this to my RayTraceView struct:

@State var presentCreditsSheet = false

and this to the Toolbar and ToolbarItem definition to the bottom of the RayTraceView definition:

.toolbar {
    ToolbarItemGroup(placement: .bottomBar) {
        Button {
            presentCreditsSheet = true
        } label: {
			Image(systemName: “info.circle”)
            Text(“Credits”)
        }
       .buttonStyle(.plain)
       .sheet(isPresented: $presentCreditsSheet) {
            CreditsView()
       }

       // Other ToolbarItems defined here…
    }
}

Here’s the sheet that’s presented to set the app preferences (at this point, only one preference to modify the plot colors for users with color vision deficiencies). This is persisted to SSD storage so the colors remain modified from then on.

Blockquote

Unfortunately, I was not satisfied with the Help system when it was presented in a sheet. The sheet had a fixed width that could not be modified, and its height was limited to about half the screen size at most. This meant that the Help topics were truncated unless I widened the topics list manually after the sheet was presented. Also, very little of the Help text could be viewed underneath the Image containing the screenshot being discussed. So I used another approach, bringing up a full screen cover to display the Help system. It would offer me all the space I needed to view the Help by hiding the rest of the UI:

// At the top of the RayTraceView’s definition…

@State private var presentHelp = false

// Within the Toolbar’s ToolbarItemGroup….

Button(action: {
    presentHelp = true
}) {
    Image(systemName: “question mark.circle”)
    Text(“”)
}
.fullScreenCover(isPresented: presentHelp, 
				content: { HelpView() })

The only real challenge that I had in writing the app was in displaying the Help content. For the Help display, I had to learn how to create a NavigationSplitView to display the Help topics and subtopics in a List View on the left side and the Help information on the right side changing when the user selected a topic.

Thankfully, there are many SwiftUI tutorials available online, both articles and videos, as well as many SwiftUI books. It’s easy to find books and tutorials that are updated for the latest version of Swift, iOS and SwiftUI. This is all in sharp contrast to Xojo. I had the problem of how to best display the Help info solved within an hour with the aid of online articles. There’s also a wealth of SwiftUI libraries available on GitHub, but to be honest, not all of them are kept up to date, so test them out in a fresh separate project before adding them to your app’s project.

With a bit more work, I could probably make the app work on an iPhone too. I’d just need to navigate between the various top-level Views due to the smaller screen size of the iPhone. However, I think that it would make the app less useful since the user would see only partial information at a glance. It’s nice to see everything at once, so I’ve limited the app to the iPad. I’ve also enabled my views to rearrange themselves if the device orientation is changed so everything will still be visible.

Of course, there’s a lot more I could add to the app, but this is a nice start, and the app already does more than my Xojo program did. In a future version, I might add onboarding (walking new users through the program features) by tapping into some onboarding libraries for SwiftUI available on GitHub, and I might localize the app for other languages. I might also look into adding some animation effects to some Views just to make the app “spiffier”, again for my own learning purposes.

All in all, developing the RayTrace app in Swift and SwiftUI did not take any more time than it did to write the original application in Xojo, despite adding new features, and sometimes going down the wrong path and having to correct myself after looking up information and learning better techniques. As an added bonus, the app can be run as-as on an M-series Mac too in iOS compatibility mode. I recommend trying Swift and SwiftUI if you’re ready to write an iOS app. Despite some frustrations every so often when I didn’t know how to do something, I had a lot of fun working with a new programming language and new GUI tools.

9 Likes

Sorry about the empty Blockquotes. This was my first time using this site’s Markdown input. I didn’t know what some of the editing toolbar icons meant and thought I was adding a code block annotation. It turns out that the code block annotations that I added in my Markdown editor came through anyway.

1 Like

Congratulations on your application, it’s also good to see another SwitftUI user here, until now I thought I was the only one.

You should be able to compile it as a Mac application, and this is where you’ll see another benefit of SwiftUI as it should mostly adapt to look and feel like a Mac application.

I’ve been using Swift and SwiftUI to build Mac only apps, so far none I’ve built make sense on any other platform, but the flexibility is there should I build an app that could be run on iOS and Android.

One of the things I truly love is how small SwiftUI apps can be. Here’s a comparison between a Xojo made Mac app and the SwiftUI version.

As for persistence, if you’ve only got 3 variables, you could use @AppStorage for them, or even @SceneStorage. @SceneStorage is useful when you have multiple open windows as it stores properties per window.

Pay attention to the SDK version your Xcode project is set too, it’s all too easy to make an app that will only run on the latest OS version like 15.3!, IMHO this is a downside to Swift and SwiftUI as new features and functionality (@Observable macro is a good example) don’t exist on older OS versions, and you have to find older code to support those platforms. You also have to watch out for bugs and feature limitations the further back you go. TextFields have a nasty bug on several Mac versions where you can’t insert text, only append. The workaround was to wrap a NSTextField.

1 Like

Hi Sam! Nice to hear from you.

I started programming on the Mac with C+=, then Prograph CPX, then used Xojo for many years since I had to be cross-platform. But once I was no longer teaching (thank you, chronic daily migraines!), I returned to Apple-only programming. I wrote a few programs in Objective-C, then switched to Swift, but was unable to be productive due to the migraines. While I was OK with Interface Builder, really didn’t like dealing with Auto Layout. I got excited when SwiftUI came out.

I’ve been developing RayTrace on iPadOS 18.3 and also testing it on 18.4 beta. I have this tendency to want to try all the newest toys. I’m not as concerned about supporting older iOS versions since my audience is pretty small anyway. But I’m still experiencing problems with some of the new features (see below).

I used UserDefaults to persist my Preferences class, and that worked fine. I haven’t tried AppStorage (or SceneStorage) yet —I assume AppSorage is also Observables, but is it compatible with the model also being an Environment object? — but I gave SwiftData a quick whirl. Unfortunately, I haven’t gotten the hang of it yet. SwiftData had trouble with the nested classes in my model because they didn’t match the simple data types it was expecting. I tried breaking up my model class to remove the nesting, but still ran into problems, even in the code that matched the code in my books or in online tutorials! The @Model macro created code that produced error messages stating that I was missing an Effects member in my model. I assume that this is a bug in iPadOS 18.4 beta, so I’ll try again later when a release candidate arrives.

2 Likes

I have been writing SWIFT (not SwiftUI) since day one, and have created extensive frameworks (string, database, and GUI ) … This allows me to easily create apps for any Apple Device (including AppleTV) . I do not use Autolayout nor Interface builder, and do GUI in 100% code which provides (in my opinion) a flexiblity far beyond what either IB or SwiftUI can provide.

Perhaps one day I will take a serious look at SwiftUI, but the mind-set it different and from what I understand there are still limitations that require the briding of UIKit into the mix

2 Likes

FYI… it either of you are interested… I have an “Options” class, the uses USERDEFAULTS with simple commands similar in nature to a WIndows INI file

example :

func LoadOptions() {
    if let _ = UserDefaults.standard as UserDefaults? {
        option_COMPLETE  = getOption("Complete",option_COMPLETE)
        option_SOUNDS     = getOption("Sound"     ,option_SOUNDS)
    } else {
        SaveOptions()
    }
}

func SaveOptions() {
     putOption("Complete",option_COMPLETE)
    putOption("Sound"   ,option_SOUNDS)
}
1 Like

I’m sorry you have to experience daily migraines, last year I also experienced these and it turned out to be a side-effect of psoriasis medication.

Just as long as you’re aware of this. I still have customers running macOS 10.13 using some of my Xojo made apps, where as my SwiftUI apps requires macOS 11 or macOS 13.

@AppStorage and @SceneStorage are SwiftUI (not Swift). @AppStorage is a neat way of using UserDefaults directly in the view and yeah any changes made to the property update the UI. @SceneStorage works in the same way but stores values per window (or scene).

I haven’t done anything with SwiftData yet as nothing I’ve built has needed a database back-end and I’m trying to target OS versions below SwiftData support. I’ve also read that some people have reverted back to using CoreData because of problems with SwiftData.

I wouldn’t hold your breath, Apple doesn’t seem to bothered about bugs, so far in my experience you have to wait for the next major update.

It really depends on what you’re doing. In my experience supporting macOS 11 in one application required bridging to AppKit as various SwiftUI controls were not available, I’ve also had to use a bridge in one app because of bugs in SwiftUI on macOS 13. But the current app I’ve designed (which is a fairly simple UI) doesn’t need any.

When SwiftUI is good, it’s very good. I especially appreciate things that would have taken me days and a big chunk of custom code to create in Xojo that are one-liners in SwiftUI.

There’s a ton of tutorials on SwiftUI out there, including 100 days of SwiftUI. https://www.hackingwithswift.com/100/swiftui

There’s also a quick start guide. https://www.hackingwithswift.com/quick-start/swiftui

I’ve also read a couple of books, “Hacking with macOS” was my favorite https://www.hackingwithswift.com/store/hacking-with-macos

1 Like

I am a SwiftUI ‘user’, a beginner. I tried moving to Xcode/Swift/UI as I left Xojo a few years ago - but due to my stressy business, without success.
I started over early 2024, found some good tutorials (swiftful thinking, code with Nico (in german, really helpful for me), code with chris, azamsharp, Stewart Lynch, etc. - and Paul Hudson (hacking with Swift) - who also published a couple of books, what helped me a lot)

In the meanwhile, I got about 20 small apps for my own need, most of them with SwiftData and CloudSynk respectively document based SwiftData apps. I always start with a macOS app, adding iPhone/iPad later - so my apps are running on all of my devices, sharing data via iCloudSynk - what is fantastic!
(I’m retired and the only user, so SQLite fits perfect)

I don’t know, if I could do all of these apps without SwiftUI…

For a beginner (ok, I was working with databases since the nineties), SwiftUI (with SwiftData) is really good, after learning some basic stuff relative easy (I was about to give up countless times…)

Swift et all becomes another beast when it comes to Apple updates… As non-english native, changes are not easy to understand and one feels quite alone when asking for help (ChatGPT seems to be the best ‘person’ to ask in this context…)

2 Likes

I started in 2023, but had a sucky 2024 (multiple accounts of bad luck, cost me a lot of development time). But I’ve started again this year, I’m having to push myself everyday as I’m still not at 100%.

That’s about 16 more apps than I’ve written! And you’ve gotten into SwiftData, how do you find it?

This is the way, top down, start with the Mac and then work down to smaller devices. Not start with mobile and work up.

I’m sure you could, it might take you longer and you’d have to use Xcode like Xojo, one project for mobile and one project for desktop. SwiftUI’s power comes from one project to handle cross device, and even cross platform as you can make Android apps with SwiftUI (look for skip tools). I’m hoping that someone will enable the building of Windows GUI apps (you can already make Windows console apps as part of the Swift on server package).

That’s good to know.

Sorry I can’t help you there as I’m a native English speaker, so often I can get what I need from the WWDC videos, albeit I tend to wait before jumping on Apple’s new tech due to requiring the latest OS version and bugginess of new features.

2 Likes

That’s about 16 more apps than I’ve written! And you’ve gotten into SwiftData, how do you find it?

cool! First, I was somewhat disappointed because I got some experience with sql - it seemed to me easier to create a db-structure with sql. But in the meantime, I feel pretty comfortable with the SwiftData-way with creating a class, all in SwiftUI.
There are some glitches… If one wants to go ‘Cloudsync’, relationships must be optional and every attribute must have a default value (or must be optional). the relationship-part makes headache… (I define default values for all attributes, that’s the easy part).
There are other drawbacks, but for my needs, SwiftData is really fine. The @query macro is fantastic (for me)!

This is the way, top down, start with the Mac and then work down to smaller devices. Not start with mobile and work up.

Well… You have to fix some things manually. After adding iPhone as target, SwiftUI screeens are just 2/3 of the real iPhone-screen (add a launch screen in the settings…) and macOS will not sync when establishing CloudSynk - You have to add a lib’…
I am using #if os(macOS) and vice versa quite often and sometimes I created separate views (but still have one app for different devices)

When it comes to CloudSync, establishing needs some time… First, I was getting nervous when there were no ‘sync-results’, but now, I establish CloudSync and go for a walk or for lunch. When back, all is fine

On macOS, You can access the sqlite-db with a editor, no problem. You can get the path to the db from Swift. On iOS, You can establish document based SwiftData and store the files somewhere on Your network - then, the db is in the macOS file-package and can be accessed by a sqlite-editor.

Those document based SwiftData apps are the problem right now: Under iOS18, they show just a blank, white screen. I can’t update my MacBook right now due to some other running projects and maybe I need just to recompile the apps with the latest Xcode/Swift versions - but I am unsure, waiting desperately for Paul Hudson’s ‘SwiftData by Example’ book (updated).

Why do you say that? It is 100% possible (and easy) to create a single project that can compile for iOS (iPhone/iPad), macOS (Desktop) and even AppleTV. I do it all the time

3 Likes

I found your post in the Apple forums.

You’ve already spoken to DTS so there’s no point in burning a TSI to talk to them. I am surprised that no-one else has chimed in over this. I can’t help as I’ve not done anything with SwiftData or iOS.

However If you have the space on your drive, you can use Disk Utility to create a new APFS partition and download the macOS 15.3.1 installer from Mr Macintosh https://mrmacintosh.com/how-to-download-macos-catalina-mojave-or-high-sierra-full-installers/ and install macOS 15 in the new partition. A word of warning, duplicate your project first as the newer Xcode will update the project and it won’t work in older versions (the same goes for Apple’s Photos and Music).

Typically you’d use Interface Builder and App Kit for a genuine macOS application and whatever it is for iOS (UIKit and Interface Builder?). I guess you could use just UIKit, but then your apps are limited to working on M series Macs, or you could use Catalyst, but it’s appears to me that SwiftUI gets more attention.

The advantage of SwiftUI is that you describe the interface and it handles platform specifics for you, it’s not perfect as @markus says you still need to do some things specifically for the macOS and differently for iOS, but SwiftUI should take out a lot of the work.

The last reason to work with SwiftUI is that’s where Apple is going, it should only get better as time goes by, and eventually one day may be the only way to develop apps for Apple’s platforms.

again, not true, one project, all platforms, that is what compiler directives are for

#if os(iOS)
import UIKIT
#else
import AppKit
#endif

and in most cases the code is 90% compatible… GUI can even be subclassed by platform

1 Like

(sorry for drifting away from the OP)

I am using the compiler-directives all the times, but there are some glitches, for example the lib’ that has to be selected/defined manually for using cloud-sync under macOS and also the fact that one can’t use search together with top-buttons on iPhone (search-field is visible, but not the buttons… can also be done via compiler-directives, but it took a while to recognize that for me), and others.

BUT: I have one single Xcode-project for all of my apps! It just may take some time to find out…

1 Like

Space is limited, but I have still my older macBook, I will use that for testing. Unfortunately, that macBook is out of the office at the moment.

Yes, I felt quite alone with that problem - but it was that way several times on my journey to SwiftUI (macOS, not iPhone…).

As mentioned earlier, ChatGPT feels much more human (sometimes)

1 Like

After a brief excursion to MigraineLand (the stress of driving my wife home from Sarasota after her kidney procedure triggered a really bad one), I’ve added persistence of my data model with SwiftData, and persisted the values of my plot scale steppers with UserDefaults. I may try to add document file read/write, but other than that it looks like RayTrace version 1.0 is complete.

Now I just have to decide whether or not to charge for the app. I don’t know if I really want to go through the hassle of setting up a web site and getting a dedicated phone line to meet the EU’s new app requirements. I could probably put up with people emailing me, but I can’t handle phone calls with my migraines.

3 Likes

A second MacBook is another great way of testing Apple’s latest macOS without borking anything you need.

I’ve thought about it some more and maybe you could use a TSI and send a demo project that clearly shows the problem.

I used to feel that in the Xojo world as I was trying to do things that others weren’t.

I do wish that there were more resources dedicated to macOS development with SwiftUI. But now that we’re connected here, perhaps we could help each other out?

I’ve never used ChatGPT, I tried that one that’s in Xcode on Sequoia, and in some cases it gave me exactly what I wanted and in others it was close and sometimes it was just plain wrong.

Congratulations.

AFAIK you only need a phone number for the App Store, it sure was a hassle to set-up with Apple’s forms. Even if you put it on the App Store, I’d still recommend making a website for the product and marketing your site, not the App Store. You want people to know of you and your product, not a supermarket where they can get apps for cheap.

If I skip the EU, I won’t need to specify my address or phone number. That might be OK. My wife and I already have a website (www.deviatingeye.com) that currently highlights her computer graphics and has a page for my software (nothing there yet), but it needs to be updated. It no longer seems to be working quite right with Safari now. I could definitely create a page foe RayTrace there.

1 Like

The nav bar doesn’t work in FireFox either, if I mouse over “Software” it jumps between welcome and graphics.

Perhaps simplify the nav bar and not trying to be too clever can make it more reliable?

You can do the menu in CSS entirely instead of using js, but you can also fix the current setupby adding some css:

div#sitemenu-content > ul > li {
  position: relative;
}

div#sitemenu-content > ul > li > ul {
  position: absolute;
}

this way the menus are attached to the list item they come from, but also placed on top of the content. You wouldn’t have to worry about additional positioning.