Chat about spatial computing

Xcode 15 beta 2 is now available, and includes the visionOS SDK and Reality Composer Pro. Get started creating spatial computing apps, and post your questions and comments.

View posts about visionOS

View posts about Reality Composer Pro

Posts

Sort by:
Post not yet marked as solved
0 Replies
7 Views
Good day everyone, We have an app containing App Clip which should appear after scanning an URL from an NFC tag. Now if the tag contains ONLY one NDEF URL Record, the App Clip appears. But if there are more fields (as in our case), while URL record being still the first. App Clip is not started, iOS tries to open URL in safari. Is there might be official statement from Apple on this? Could not find any reference in the docs.
Posted
by
Post not yet marked as solved
0 Replies
13 Views
Description In Live Activities, we saw many beautiful animations that powered by .numericText() like Text(time, style: .timer), or even Text with .contentTransition(.numericText()) applied. But it seems like in normal SwiftUI View, these beautiful animations are gone. Instead, we saw a blinking result or fade-in-out result. Is that exactly right? ScreenShots In Live Activity: In normal SwiftUI View:
Posted
by
Post not yet marked as solved
0 Replies
32 Views
I've submitted several apps to app store and I know all the Apple rules regarding the review team that needs an account to test the app and so on. This time however I'm developing an app that connects to a BLE device and shares information. It is impossible to make the app work without that device. In this case what should I do in order to submit the app? I cannot give Apple a device, since I'm not the manufacturer, but just a freelance developer working for the manufacturer. Thanks!
Posted
by
Post not yet marked as solved
1 Replies
34 Views
I work on the android to support the Carplay.Process for establishing a CarPlay session. How can I get the reference source code or sdks for process of: 1、Enumerate (Accessory is USB Host) 2、Detect if Apple device supports CarPlay 3、Request & Perform USB Role Switch 4、Enumerate (Apple device is USB Host) 5、Establish iAP2 Session
Posted
by
Post not yet marked as solved
0 Replies
28 Views
Is there a framework that allows for classic image processing operations in real-time from incoming imagery from the front-facing cameras before they are displayed on the OLED screens? Things like spatial filtering, histogram equalization, and image warping. I saw the documentation for the Vision framework, but it seems to address high-level tasks, like object and recognition. Thank you!
Posted
by
Post not yet marked as solved
0 Replies
25 Views
Hello, I'm trying to learn swift and making the Landmarks tutorial I found a problem with the map view. The error read as follow: "'init(coordinateRegion:interactionModes:showsUserLocation:userTrackingMode:)' was deprecated in iOS 17.0: Use Map initializers that take a MapContentBuilder instead." My code is: import MapKit struct MapView: View { @State private var region = MKCoordinateRegion( center: CLLocationCoordinate2D(latitude: 34.011_286, longitude: -116.166_868), span: MKCoordinateSpan(latitudeDelta: 0.2, longitudeDelta: 0.2) ) // The error happens here! var body: some View { Map(coordinateRegion: $region) } } #Preview { MapView() } Any suggestions about hot to solve this will be appreciate it. Thanks, BR Skalex
Posted
by
Post not yet marked as solved
0 Replies
19 Views
We have been trying to implement OAuth 2.0 SAML Bearer Assertion authentication in our enterprise iOS application. We are not receiving the SAML Assertion id response in WKWEBVIEW. Can you please kindly confirm whether OAuth 2.0 SAML Bearer Assertion possible in NATIVE iOS development. Please suggest how this can be achieved in iOS native development.
Posted
by
Post not yet marked as solved
0 Replies
28 Views
In the presentation there was a reference to a Parent/Child relationship. The parent for doors and Windows might be Walls but the relationship between Walls or multiple Windows or doors would be that of a "Sibling" or "Peer" component to maintain logical consistency of the objects. I would also recommend a Junction Object, which means more than an Edge because it would describe the two peer objects that were being joined, and the angle of that junction between the objects. The Junction could also describe the shape of the junction to capture any curvature or discontinuity of the junction. Multiple junctions might also be peers because they would have a junction between other adjoining surfaces giving a more complete description to the structure of the room. The parent of all of these surfaces and junctions would be the Room itself. Such a description would be useful in an architectural review of the room structure.
Posted
by
Post not yet marked as solved
0 Replies
30 Views
Hello Everyone, I'm a bit new to Swift and iOS programming in general so I was hoping to get some feedback/help. I'm working on a Markdown Editor, however, I've run into an issue getting a hyperlink prompt working from a UIBarButtonItem. The idea is to have a UIBarButtonItem open an alert with two TextFields. One asking for the URL and the other asking for the display text. Once the "Confirm" button is clicked in the Alert. It will insert the formatted markdown text. Currently, I have a CustomUITextView inheriting from UITextView. The CustomUITextView is referenced in a CustomTextViewRepresentable which inherits from UIViewRepresentable. Since UITextView doesn't have self.present. I'm not entirely sure how to go about it. I took a snipped of the relevant code from my app. The code is very much Work-In-Progress so beware lol. CustomViewRepresentable.swift import UIKit import SwiftUI struct CursorPosition { var start: Int var end: Int } class CustomCursorPosition { public static var cursorPosition = CursorPosition(start: 0, end: 0) } class CustomTextView: UITextView { @objc func hyperlinkButtonTapped() -> Void { } } fileprivate struct CustomTextViewRepresentable: UIViewRepresentable { typealias UIViewType = CustomTextView @Binding var text: String var onDone: (() -> Void)? func makeUIView(context: UIViewRepresentableContext<CustomTextViewRepresentable>) -> CustomTextView { let textView = CustomTextView() textView.delegate = context.coordinator textView.isEditable = true textView.font = UIFont.preferredFont(forTextStyle: .body) textView.isSelectable = true textView.isUserInteractionEnabled = true textView.isScrollEnabled = true textView.backgroundColor = UIColor.clear let toolBar = UIToolbar(frame: CGRect(x: 0, y: 0, width: textView.frame.size.width, height: 44)) let linkButton = UIBarButtonItem(image: UIImage(systemName: "link"), style: .plain, target: self, action: #selector(textView.hyperlinkButtonTapped)) toolBar.setItems([ linkButton ], animated: true) textView.inputAccessoryView = toolBar if nil != onDone { textView.returnKeyType = .done } textView.setContentCompressionResistancePriority(.defaultLow, for: .horizontal) return textView } func updateUIView(_ uiView: CustomTextView, context: UIViewRepresentableContext<CustomTextViewRepresentable>) { if uiView.text != self.text { uiView.text = self.text } if uiView.window != nil, !uiView.isFirstResponder { DispatchQueue.main.async { uiView.becomeFirstResponder() } } } func makeCoordinator() -> Coordinator { return Coordinator(text: $text, onDone: onDone) } final class Coordinator: NSObject, UITextViewDelegate { var text: Binding<String> var onDone: (() -> Void)? init(text: Binding<String>, onDone: (() -> Void)? = nil) { self.text = text self.onDone = onDone } private func textViewDidChange(_ uiView: CustomTextView) { text.wrappedValue = uiView.text } private func textView(_ textView: CustomTextView, shouldChangeTextIn range: NSRange, replacementText text: String) -> Bool { if let onDone = self.onDone, text == "\n" { textView.resignFirstResponder() onDone() return false } return true } private func textViewDidChangeSelection(_ textView: CustomTextView) { if let range = textView.selectedTextRange { CustomCursorPosition.cursorPosition.start = textView.offset(from: textView.beginningOfDocument, to: range.start) CustomCursorPosition.cursorPosition.end = textView.offset(from: textView.beginningOfDocument, to: range.end) } } } } struct EditText: View { private var placeholder: String private var onCommit: (() -> Void)? @Binding private var text: String private var internalText: Binding<String> { Binding<String>(get: { self.text } ) { self.text = $0 self.showingPlaceholder = $0.isEmpty } } @State private var showingPlaceholder = false init (_ placeholder: String = "", text: Binding<String>, onCommit: (() -> Void)? = nil) { self.placeholder = placeholder self.onCommit = onCommit self._text = text self._showingPlaceholder = State<Bool>(initialValue: self.text.isEmpty) } var body: some View { if #available(iOS 16.0, *) { NavigationStack { CustomTextViewRepresentable(text: self.internalText, onDone: onCommit) .background(placeholderView, alignment: .topLeading) } } else { NavigationView { CustomTextViewRepresentable(text: self.internalText, onDone: onCommit) .background(placeholderView, alignment: .topLeading) } } } var placeholderView: some View { Group { if showingPlaceholder { Text(placeholder).foregroundColor(.gray) .padding(.leading, 4) .padding(.top, 8) } } } } TestEditor.swift import SwiftUI struct TestEditor: View { @State private var isShowing = false @State private var bodyText = "" var body: some View { Button("Hello", action: { isShowing.toggle() }) .sheet(isPresented: $isShowing) { ModalSheet(isShowing: $isShowing) } } } struct ModalSheet: View { @State private var bodyText = "" @Binding var isShowing: Bool var body: some View { NavigationView { VStack { EditText(text: $bodyText) }.toolbar { ToolbarItem(placement: .cancellationAction) { Button(action: { isShowing = false }, label: { Text("Cancel") }) } ToolbarItem(placement: .confirmationAction) { Button(action: { isShowing = false }, label: { Text("Send") }) } } .navigationTitle("Test Editor") .navigationBarTitleDisplayMode(.inline) } } } struct TestEditor_Previews: PreviewProvider { static var previews: some View { TestEditor() } }
Posted
by
Post not yet marked as solved
1 Replies
45 Views
We recently updated our deployment target from iOS 13 to iOS 14 and have no problems running on simulators. However, app would crash right after we tried to launch it and this only happens to our app running on physical devices. The crash would happen before AppDelegate's 'didFinishLaunchingWithOptions' and it happens every time we launch the app on a device. We tried keeping everything else's, such as Pods dependencies, deployment target in iOS 13 while only having the deployment target of the app in iOS 14 but that didn't help and the crash still happened with the same stack trace. We also tried to check the Console app on Mac to see if there is any useful information but didn't find anything useful besides messages from SpringBoard such as 'application state changed to Terminated'. I couldn't find articles that are about the same issue so I am posting it here to see if anyone has any idea what might be the causes and how to fix it. Thanks in advance and here's the stack trace: Termination Reason: SIGNAL 11 Segmentation fault: 11 Terminating Process: exc handler [630] Triggered by Thread: 0 Thread 0 name: Dispatch queue: com.apple.main-thread Thread 0 Crashed: 0 fieldwire 0x1072455cc exchg_registrar::exchg_registrar() + 36 1 fieldwire 0x1072455cc exchg_registrar::exchg_registrar() + 36 2 dyld 0x1e53e3bdc invocation function for block in dyld4::Loader::findAndRunAllInitializers(dyld4::RuntimeState&amp;) const + 144 3 dyld 0x1e5432d08 invocation function for block in dyld3::MachOAnalyzer::forEachInitializer(Diagnostics&amp;, dyld3::MachOAnalyzer::VMAddrConverter const&amp;, void (unsigned int) block_pointer, void const*) const + 332 4 dyld 0x1e53e23d0 invocation function for block in dyld3::MachOFile::forEachSection(void (dyld3::MachOFile::SectionInfo const&amp;, bool, bool&amp;) block_pointer) const + 516 5 dyld 0x1e53e1868 dyld3::MachOFile::forEachLoadCommand(Diagnostics&amp;, void (load_command const*, bool&amp;) block_pointer) const + 280 6 dyld 0x1e53e0d7c dyld3::MachOFile::forEachSection(void (dyld3::MachOFile::SectionInfo const&amp;, bool, bool&amp;) block_pointer) const + 164 7 dyld 0x1e53eb94c dyld3::MachOAnalyzer::forEachInitializer(Diagnostics&amp;, dyld3::MachOAnalyzer::VMAddrConverter const&amp;, void (unsigned int) block_pointer, void const*) const + 376 8 dyld 0x1e53e8758 dyld4::Loader::findAndRunAllInitializers(dyld4::RuntimeState&amp;) const + 148 9 dyld 0x1e53e2100 dyld4::PrebuiltLoader::runInitializers(dyld4::RuntimeState&amp;) const + 40 10 dyld 0x1e53e5388 dyld4::Loader::runInitializersBottomUp(dyld4::RuntimeState&amp;, dyld3::Array&lt;dyld4::Loader const*&gt;&amp;) const + 212 11 dyld 0x1e53ea0bc dyld4::Loader::runInitializersBottomUpPlusUpwardLinks(dyld4::RuntimeState&amp;) const + 176 12 dyld 0x1e5419608 dyld4::APIs::runAllInitializersForMain() + 292 13 dyld 0x1e53f2648 dyld4::prepare(dyld4::APIs&amp;, dyld3::MachOAnalyzer const*) + 2876 14 dyld 0x1e53f0d88 start + 1992 ```.
Posted
by
Post not yet marked as solved
0 Replies
35 Views
XlaRuntimeError Traceback (most recent call last) Cell In[49], line 4 1 arr = jnp.array( [7, 8, 9]) 3 # Find indices where the condition is True ----> 4 indices = jnp.where(arr > 1) 6 print(indices) XlaRuntimeError: UNKNOWN
Posted
by
Post not yet marked as solved
0 Replies
45 Views
Hi, I was watching this WWDC23 video on Metal with xrOS (https://developer.apple.com/videos/play/wwdc2023/10089/?time=1222). However, when I tried it, the Compositor Services API wasn't available. Is it ? Or when will it be released ? Thanks.
Posted
by
Post not yet marked as solved
0 Replies
44 Views
Since yesterday, almost every time I ask Siri anything, there's a long pause and "Sorry, could you say that again?: Anyone else having this problem?
Posted
by
Post not yet marked as solved
1 Replies
57 Views
I would love to learn swift. I live in South Florida, and there doesn't seem to be any places to go to learn swift either in an in-person setting or online class that I can find to be using the latest software. All the online courses i have found are pre recorded and use outdated version of xcode and swift. I am also 43 and work full-time. I want to learn the language and how to build apps as a possible new marketable skill in the future. I can't afford a full blown college admission and I won't take a student loan. I am willing to pay up to a few thousand to get the proper education. Can anyone point me in the right direction. I have minimal exposure to coding. I have tinkered with arduino, and I have an electronics background. Right now i'm following along at https://learn.codewithchris.com/enrollments
Posted
by
Post not yet marked as solved
0 Replies
43 Views
I am struggling to understand this error. I am getting following josn from my back-end server using Ajax call "supportedNetworks": [ "amex", "discover", "maestro", "masterCard", "visa" ], "requiredShippingContactFields": [ "email", "name", "phone", "postalAddress" ], "requiredBillingContactFields": [ "postalAddress" ], "merchantCapabilities": [ "supportsCredit", "supportsDebit", "supports3DS" ], "shippingContact": { "phoneNumber": "111-111-1111", "emailAddress": "***@gmail.com", "givenName": "Test", "familyName": "Test", "phoneticGivenName": null, "phoneticFamilyName": null, "addressLines": [ "Adress" ], "subLocality": null, "locality": null, "postalCode": "123456", "subAdministrativeArea": null, "administrativeArea": "Dummy", "country": "United States", "countryCode": "US" }, "billingContact": { "phoneNumber": "111-111-1111", "emailAddress": "***@gmail.com", "givenName": "Test", "familyName": "Test", "phoneticGivenName": null, "phoneticFamilyName": null, "addressLines": [ "Adress" ], "subLocality": null, "locality": null, "postalCode": "123456", "subAdministrativeArea": null, "administrativeArea": "Dummy", "country": "United States", "countryCode": "US" }, "shippingMethods": [], "countryCode": "US", "currencyCode": "USD", "total": { "label": "Hello", "amount": "23" } } Here is my code to create Apple Pay session this.session = new ApplePaySession(3, var2); While running this code, I am getting following error on the js: TypeError: Member ApplePayPaymentRequest.countryCode is required and must be an instance of DOMString If I change the code and hard code the same json coming from Ajax call as : "supportedNetworks": [ "amex", "discover", "maestro", "masterCard", "visa" ], "requiredShippingContactFields": [ "email", "name", "phone", "postalAddress" ], "requiredBillingContactFields": [ "postalAddress" ], "merchantCapabilities": [ "supportsCredit", "supportsDebit", "supports3DS" ], "shippingContact": { "phoneNumber": "111-111-1111", "emailAddress": "***@gmail.com", "givenName": "Test", "familyName": "Test", "phoneticGivenName": null, "phoneticFamilyName": null, "addressLines": [ "Adress" ], "subLocality": null, "locality": null, "postalCode": "123456", "subAdministrativeArea": null, "administrativeArea": "Dummy", "country": "United States", "countryCode": "US" }, "billingContact": { "phoneNumber": "111-111-1111", "emailAddress": "***@gmail.com", "givenName": "Test", "familyName": "Test", "phoneticGivenName": null, "phoneticFamilyName": null, "addressLines": [ "Adress" ], "subLocality": null, "locality": null, "postalCode": "123456", "subAdministrativeArea": null, "administrativeArea": "Dummy", "country": "United States", "countryCode": "US" }, "shippingMethods": [], "countryCode": "US", "currencyCode": "USD", "total": { "label": "Hello", "amount": "23" } } this.session = new ApplePaySession(3, request1); There is no issue to ApplePay session and things seems to be working. I am using Java as back end and the country ISO is a String. I am struggling to understand why the Json data coming from Ajax call is causing issue while same data in hard coded in the Javascript seems good to Apple Pay
Posted
by
Post not yet marked as solved
1 Replies
43 Views
Hi, does anyone know of a service that will generate QR codes that contain Universal Links so that we can deep link into specific areas of our iOS app? I have my app code set up to deep link and the requisite apple-app-site-association file ready to go, but I cannot find a QR code generator that will allow us to enter an Apple Universal Link. One service, Scanova, has relayed to us that we have to create a URI that will tell their system to redirect to a web page containing the Universal LInk, which seems to defeat the purpose as Universal Links are supposed to be direct. So is this possible to do at all or we have to go the route Scanova indicates? thanks for your help in advance & cheers, Gordon
Posted
by
Post not yet marked as solved
1 Replies
47 Views
It is my first time using it, in the middle of a course. I am using macOS 10.15.7, as I understand 12.4 of Xcode is the latest I can use. I have tried restarting and going through other questions in the forum and couldn't find anything to help me. Here is a link to a screen shot: https://ibb.co/9twdcv1
Posted
by
Post not yet marked as solved
1 Replies
97 Views
Hello, I work in ophthalmology at Stanford and I am hoping to develop a tool for monitoring vision health using Apple Vision Pro. However, I am worried that my goal will not be possible due to Apple privacy concerns. I want to develop an app that can gauge eye performance, but to do so I would need precise details about the users eye movements and eye position. Is this feasible? Also, I am eager to learn more about the specifics of the eye-tracking set up, like the accuracy and the sampling rate. If you have any useful information or suggestions, I would really appreciate it, thank you!
Posted
by
Post not yet marked as solved
0 Replies
60 Views
Why did I get an error in playground in debug window for this code? print("// MARK: - Start execable code here...") do { let store = CNContactStore() if try await store.requestAccess(for: .contacts) { // Do something with Contacts. let phoneNumber = CNPhoneNumber(stringValue: "903-276-1046") let predicateForContactsMatchingPhoneNumber = CNContact.predicateForContacts(matching: phoneNumber) let contactFetchRequest = CNContactFetchRequest(keysToFetch: thoroughKeysToCompare) contactFetchRequest.predicate = predicateForContactsMatchingPhoneNumber contactFetchRequest.unifyResults = true var contactOfMe: CNContact! = nil try! store.enumerateContacts(with: contactFetchRequest) { contact, stop in contactOfMe = contact stop.pointee = true } let contact = Contact(cnContact: contactOfMe) for property in contact.enumerated() { print("- \(property)") } } else { // Handle if Contacts access is denied. fatalError() } } catch { // Handle any error. print("error requesting access: \(error.localizedDescription)") } Debug window: // MARK: - Start execable code here... Playground execution failed: error: Execution was interrupted, reason: shared-library-event. The process has been left at the point where it was interrupted, use "thread return -x" to return to the state before expression evaluation. * thread #1, queue = 'com.apple.main-thread' frame #0: 0x00007ff80002f931 libobjc.A.dylib`_mapStrHash(_NXMapTable*, void const*) + 73 frame #1: 0x00007ff80002fc7f libobjc.A.dylib`_NXMapMember(_NXMapTable*, void const*, void**) + 35 frame #2: 0x00007ff80003b7ae libobjc.A.dylib`getProtocol(char const*) + 41 frame #3: 0x00007ff8000428e6 libobjc.A.dylib`class_conformsToProtocol + 337 frame #4: 0x00007ff80004ab4e libobjc.A.dylib`-[NSObject conformsToProtocol:] + 47 frame #5: 0x0000000109c27951 UIKitCore`_UIFocusItemContainerIsScrollableContainer + 74 frame #6: 0x0000000109c28e38 UIKitCore`-[_UIFocusEnvironmentContainerTuple initWithOwningEnvironment:itemContainer:] + 194 frame #7: 0x0000000109c28fed UIKitCore`+[_UIFocusEnvironmentContainerTuple tupleWithOwningEnvironment:itemContainer:] + 70 frame #8: 0x0000000109c4f41e UIKitCore`_UIFocusRegionContainerFromEnvironmentAndContainer + 44 frame #9: 0x0000000109c27ed3 UIKitCore`_UIFocusItemContainerAddChildItemsInContextWithArguments + 1162 frame #10: 0x000000010a99c439 UIKitCore`-[UIView _searchForFocusRegionsInContext:] + 962 frame #11: 0x0000000109c6b37f UIKitCore`-[_UIFocusMapSnapshot addRegionsInContainer:] + 4583 frame #12: 0x0000000109c69740 UIKitCore`-[_UIFocusMapSnapshot _capture] + 456 frame #13: 0x0000000109c67fc5 UIKitCore`-[_UIFocusMapSnapshot _initWithSnapshotter:mapArea:searchArea:] + 628 frame #14: 0x0000000109c6cce2 UIKitCore`-[_UIFocusMapSnapshotter captureSnapshot] + 227 frame #15: 0x0000000109c5f450 UIKitCore`-[_UIFocusMap _inferredDefaultFocusItemInEnvironment:] + 147 frame #16: 0x0000000109c2b1cf UIKitCore`-[_UIFocusEnvironmentPreferenceEnumerationContext _inferPreferencesForEnvironment:] + 157 frame #17: 0x0000000109c2abbc UIKitCore`-[_UIFocusEnvironmentPreferenceEnumerationContext _resolvePreferredFocusEnvironments] + 118 frame #18: 0x0000000109c2ab12 UIKitCore`-[_UIFocusEnvironmentPreferenceEnumerationContext prefersNothingFocused] + 31 frame #19: 0x0000000109c2beeb UIKitCore`_enumeratePreferredFocusEnvironments + 198 frame #20: 0x0000000109c2c061 UIKitCore`_enumeratePreferredFocusEnvironments + 572 frame #21: 0x0000000109c2c061 UIKitCore`_enumeratePreferredFocusEnvironments + 572 frame #22: 0x0000000109c2c061 UIKitCore`_enumeratePreferredFocusEnvironments + 572 frame #23: 0x0000000109c2bd11 UIKitCore`-[_UIFocusEnvironmentPreferenceEnumerator enumeratePreferencesForEnvironment:usingBlock:] + 230 frame #24: 0x0000000109c2c747 UIKitCore`-[_UIDeepestPreferredEnvironmentSearch deepestPreferredFocusableItemForEnvironment:withRequest:] + 817 frame #25: 0x0000000109c95837 UIKitCore`-[UIFocusUpdateContext _updateDestinationItemIfNeeded] + 265 frame #26: 0x0000000109c95627 UIKitCore`-[UIFocusUpdateContext _destinationItemInfo] + 22 frame #27: 0x0000000109c95535 UIKitCore`-[UIFocusUpdateContext nextFocusedItem] + 24 frame #28: 0x0000000109c71ea6 UIKitCore`-[UIFocusSystem updateFocusIfNeeded] + 1347 frame #29: 0x0000000109c7608c UIKitCore`__43-[UIFocusSystem _updateFocusUpdateThrottle]_block_invoke + 34 frame #30: 0x000000010a94b971 UIKitCore`-[_UIAfterCACommitBlock run] + 57 frame #31: 0x000000010a94be71 UIKitCore`-[_UIAfterCACommitQueue flush] + 191 frame #32: 0x000000010a3926eb UIKitCore`_runAfterCACommitDeferredBlocks + 782 frame #33: 0x000000010a380fa2 UIKitCore`_cleanUpAfterCAFlushAndRunDeferredBlocks + 96 frame #34: 0x000000010a3b6be1 UIKitCore`_afterCACommitHandler + 58 frame #35: 0x00007ff8003b1c12 CoreFoundation`__CFRUNLOOP_IS_CALLING_OUT_TO_AN_OBSERVER_CALLBACK_FUNCTION__ + 23 frame #36: 0x00007ff8003ac57f CoreFoundation`__CFRunLoopDoObservers + 515 frame #37: 0x00007ff8003acaa2 CoreFoundation`__CFRunLoopRun + 1121 frame #38: 0x00007ff8003ac264 CoreFoundation`CFRunLoopRunSpecific + 560 frame #39: 0x00007ff8003ad234 CoreFoundation`CFRunLoopRun + 40 frame #40: 0x00007ff83755a4e3 libswift_Concurrency.dylib`swift_task_asyncMainDrainQueueImpl() + 35 frame #41: 0x00007ff83755a4b4 libswift_Concurrency.dylib`swift_task_asyncMainDrainQueue + 52 frame #42: 0x00000001015d409f $__lldb_expr32`main at <unknown>:0 frame #43: 0x0000000100e25560 EnumeratedContactsCNContact`linkResources + 256 frame #44: 0x00007ff8003b2986 CoreFoundation`__CFRUNLOOP_IS_CALLING_OUT_TO_A_BLOCK__ + 12 frame #45: 0x00007ff8003b2148 CoreFoundation`__CFRunLoopDoBlocks + 399 frame #46: 0x00007ff8003ace09 CoreFoundation`__CFRunLoopRun + 1992 frame #47: 0x00007ff8003ac264 CoreFoundation`CFRunLoopRunSpecific + 560 frame #48: 0x00007ff809b4024e GraphicsServices`GSEventRunModal + 139 frame #49: 0x000000010a3827bf UIKitCore`-[UIApplication _run] + 994 frame #50: 0x000000010a3875de UIKitCore`UIApplicationMain + 123 * frame #51: 0x0000000100e256c5 EnumeratedContactsCNContact`main + 357 frame #52: 0x0000000100fbb384 dyld_sim`start_sim + 10 frame #53: 0x000000010943341f dyld`start + 1903```
Posted
by
Learn More about - WWDC22.

Pinned Posts

Categories

See all