Core Bluetooth

RSS for tag

Communicate with Bluetooth 4.0 low energy devices using Core Bluetooth.

Posts under Core Bluetooth tag

175 Posts
Sort by:

Post

Replies

Boosts

Views

Activity

CentralManager does not get the changed localNameKey at advertisement[CBAdvertisementDataLocalNameKey]
I scan my ble device with the code below. centralManager.scanForPeripherals(withServices: [connectionServiceUUID], options: nil) and the call back method is called when the device is scaned. func centralManager(_ central: CBCentralManager, didDiscover peripheral: CBPeripheral, advertisementData: [String : Any], rssi RSSI: NSNumber) { ... } I have 2 questions with the value of advertisementData[CBAdvertisementDataLocalNameKey] from the callback method. Suppose there is connections, and the localNameKey of the device is A. When it is scanned and connected at first, the advertisementData[CBAdvertisementDataLocalNameKey] I get is not A but something else. Here, if I do the same then I get A. Now, I change the localNameKey of the device to B. And when it is scanned, the advertisementData[CBAdvertisementDataLocalNameKey] is still A, and I do the same, now it is B. Why? When the screen is off, advertisementData[CBAdvertisementDataLocalNameKey] never changes, why?
0
0
212
Jan ’24
centralManager does not get the changed advertisementData[CBAdvertisementDataLocalNameKey] when the screen is off
I have a BLE device and the centralManger scans with "centralManager.scanForPeripherals(withServices: [connectionServiceUUID], options: nil)" Then func centralManager(_ central: CBCentralManager, didDiscover peripheral: CBPeripheral, advertisementData: [String : Any], rssi RSSI: NSNumber) { ... } is called. Here, I could get the advertisementData[CBAdvertisementDataLocalNameKey]. I have set my BLE device to change its local name key for every connections. The BLE communication is repeated in the background.(scan, connect, stop scan, disconnect, ... etc) It works well, but when the screen is off, the value of advertisementData[CBAdvertisementDataLocalNameKey] in didDiscover does not change. Why?
0
0
286
Jan ’24
Searching for an example of a proper iBeacon implementation for iOS 17
Hello, I'm looking for an end-to-end example project that shows a correct implementation for the new iBeacon CoreLocation APIs in iOS 17.0 (CLMonitor, etc.). Ideally the example would cover background waking as that is the area in which I am facing the largest challenges. Perhaps there's an Open Source project or an official Apple example? Thanks for pointing me in the right direction. Jeremy
3
0
655
Jan ’24
How to prevent singleton base class getting re-initialised
TL;DR my singleton BLEManager managing Bluetooth communication keeps getting re-initialised (see console log). How should I prevent this? Using Swift 5.9 for iOS in Xcode 15.1 My code finds multiple BT devices, and lists them for selection, also building an array of devices for reference. Most code examples connect each device immediately. I am trying to connect later, when a specific device is selected and its View opens. I pass the array index of the device to the individual Model to serve as a reference, hoping to pass that back to BLEManager to connect and do further communication. After scanning has completed, the log message shows there is 1 device in it, so its not empty. As soon as I try and pass a reference back to BLEManager, the app crashes saying the array reference is out of bounds. The log shows that BLEManager is being re-initialised, presumably clearing and emptying the array. How should I be declaring the relationship to achieve this? Console log showing single device found: ContentView init BLEManager init didDiscover id: 39D43C90-F585-792A-5BD6-8749BA0B5385 In didDiscover devices count is 1 stopScanning After stopScanning devices count is 1 <-- selection made here DeviceModel init to device id: 0 BLEManager init BLEManager connectToDevice id: 0 devices is empty Swift/ContiguousArrayBuffer.swift:600: Fatal error: Index out of range 2023-12-28 11:45:55.149419+0000 BlueTest1[20773:1824795] Swift/ContiguousArrayBuffer.swift:600: Fatal error: Index out of range BlueTest1App.swift import SwiftUI @main struct BlueTest1App: App { var body: some Scene { WindowGroup { ContentView(bleManager: BLEManager()) } } } ContentView.swift import SwiftUI struct TextLine: View { @State var dev: Device var body: some View { HStack { Text(dev.name).padding() Spacer() Text(String(dev.rssi)).padding() } } } struct PeripheralLineView: View { @State var devi: Device var body: some View { NavigationLink(destination: DeviceView(device: DeviceModel(listIndex: devi.id))) { TextLine(dev: devi) } } } struct ContentView: View { @StateObject var bleManager = BLEManager.shared init(bleManager: @autoclosure @escaping () -> BLEManager) { _bleManager = StateObject(wrappedValue: bleManager()) print("ContentView init") } var body: some View { VStack (spacing: 10) { if !bleManager.isSwitchedOn { Text("Bluetooth is OFF").foregroundColor(.red) Text("Please enable").foregroundColor(.red) } else { HStack { Spacer() if !bleManager.isScanning {Button(action: self.bleManager.startScanning){ Text("Scan ") } } else { Text("Scanning") } } NavigationView { List(bleManager.devices) { peripheral in PeripheralLineView(devi: peripheral) }.frame(height: 300) } } } } } //@available(iOS 15.0, *) struct DeviceView: View { var device: DeviceModel var body: some View { ZStack { VStack { Text("Data Window") Text("Parameters") } }.onAppear(perform: { device.setUpModel() }) } } BLEManager.swift import Foundation import CoreBluetooth struct Device: Identifiable { let id: Int let name: String let rssi: Int let peri: CBPeripheral } class BLEManager: NSObject, ObservableObject, CBCentralManagerDelegate, CBPeripheralDelegate { static let shared: BLEManager = { let instance = BLEManager() return instance }() var BleManager = BLEManager.self var centralBE: CBCentralManager! @Published var isSwitchedOn = false @Published var isScanning = false var devices = [Device]() var deviceIds = [UUID]() private var activePeripheral: CBPeripheral! override init() { super.init() print(" BLEManager init") centralBE = CBCentralManager(delegate: self, queue: nil) } func centralManagerDidUpdateState(_ central: CBCentralManager) { if central.state == .poweredOn { isSwitchedOn = true } else { isSwitchedOn = false } } func centralManager(_ central: CBCentralManager, didDiscover peripheral: CBPeripheral, advertisementData: [String : Any], rssi RSSI: NSNumber) { if let name = advertisementData[CBAdvertisementDataLocalNameKey] as? String { if !deviceIds.contains(peripheral.identifier) { print("didDiscover id: \(peripheral.identifier)") deviceIds.append(peripheral.identifier) let newPeripheral = Device(id: devices.count, name: name, rssi: RSSI.intValue, peri: peripheral) devices.append(newPeripheral) print("didDiscover devices count now \(devices.count)") } } } /// save as activePeripheral and connect func connectToDevice(to index: Int) { print("BLEManager connectToDevice id: \(index)") if devices.isEmpty {print ("devices is empty")} activePeripheral = devices[index].peri activePeripheral.delegate = self centralBE.connect(activePeripheral, options: nil) } func startScanning() { centralBE.scanForPeripherals(withServices: nil, options: nil) isScanning = true // Stop scan after 5.0 seconds let _: Timer = Timer.scheduledTimer(timeInterval: 5.0, target: self, selector: #selector(stopScanning), userInfo: nil, repeats: false) } @objc func stopScanning() { // need @objc for above Timer selector print("stopScanning") centralBE.stopScan() isScanning = false print("After stopScanning devices count is \(devices.count)") } func peripheral(_ peripheral: CBPeripheral, didDiscoverCharacteristicsFor service: CBService, error: Error?) { } func disconnect(peripheral: Int) { } func discoverServices(peripheral: CBPeripheral) { } func discoverCharacteristics(peripheral: CBPeripheral) { } func peripheral(_ peripheral: CBPeripheral, didDiscoverServices error: Error?) { } func peripheral(_ peripheral: CBPeripheral, didUpdateValueFor characteristic: CBCharacteristic, error: Error?) { } } DeviceModel.swift import Foundation import CoreBluetooth class DeviceModel: BLEManager { var index: Int //CBPeripheral position in found array init(listIndex: Int) { index = listIndex print("DeviceModel init to device id: \(index)") } func setUpModel() { connectToDevice(to: index) } }
4
0
570
Jan ’24
objectC, swift, swiftUI, Bluetooth classic, Bluetooth Low Energy, IOS deploy version? Users Number?
objectC program: iOS all : iPhone ~ swift program. : iOS 13 ~ : iPhone 6s ~ swiftUI Program : iOS 13 ~ : iPhone 6s ~ bluetooth classic : ~ iPhone 4s Bluetooth Low Engery : iPhone 5 ~ are All above content right? i am making iOS app with swiftUI app, and Bluetooth Low Energy. after making app, i found that my app can run on greater than iOS13 , iPhone 6s. how many is ther number of above iPhone6s User ?
0
0
457
Dec ’23
corebluetooth Bluetooth cannot connect to airpods
Hello everyone: I used corebluetooth, but currently I cannot connect Airpods headphones. details as following: Unable to scan to unconnected devices. If the device is already linked, it can be searched, but the connection cannot be made successfully. I searched Google for related posts but couldn't find a website that can solve the problem. I need to ask if there are any relevant restrictions on Airpods or if there are other real solutions that I can link to. thank you all.
0
0
288
Dec ’23
BLE5 extended advertising not working with iOS 17
I am using nRF52840, and have set up BLE 5 extended advertising. I was able to connect with the nRF Connect app to nrf52840 device using iPhone 11, 12, 13 running iOS 16. Recently after updating to iOS 17, I can only discover the BLE device, but can't manage to connect to the device from the app. I can only connect to the device via iPhone 11, running iOS 17. However, all the other later versions of iPhone do not permit me to connect with the nrf device. As a test switching to BLE4 advertising, devices are both discoverable and connectable, on these same iPhone versions running iOS 17. I need to use BLE5 and can't switch to BLE 4 for production release. Also, the same devices can be both discovered and connected to, using Android phones that support BLE 5. While trying to connect with iPhone running iOS 17, I don't get a response to the connection from the BLE5 advertisement. This was confirmed by Wireshark capture while trying to connect on the iPhone. Nordic has confirmed that the issue is not on their side and hence would like your help to investigate this further.
1
1
647
Dec ’23
Music volumen down bluetooth after iOS 17.2
I am detecting problems with the volume level with the Bluetooth connection after the iOS 17.2 update. Before this problem persisted on the iPhone 11 and the iPhone 15 Pro, after the 17.2 update it seems that the problem was fixed on the iPhone 11 but still It persists on the iPhone 15 Pro. I have never had problems with the volume level in my car, but something Apple has changed that continues to affect it. How can it be corrected? Thank you very much for your support. I did a test with the same song and the same volume level (maximum volume on the smartphone and volume 12 on my Suzuki Swift) and these were the decibels results obtained. The Iphone 11 and 15 Pro has updated to iOS 17.2
0
0
441
Dec ’23
Capturing BLE Scan Parameters
Hello, I've been trying to debug a Bluetooth issue with an app I'm working with. Is there a way to capture the LE Set Scan Parameters HCI event? I've downloaded the Bluetooth debug profile and managed to capture the HCI traffic using the Packet Logger tool. The problem is that I don't see the Scan Parameters event occurring. I can see Advertisement parameters being set (which is odd that the iPhone is doing so, even with Airdrop and BLE disabled). I can see lots of Advertising Reports which indicate that the device is scanning; but I can never catch when the parameters are set for that. I've attached a sample log of me just toggling the Bluetooth off and on. Any insight is appreciated. Thank you
1
0
343
Dec ’23
CoreBluetooth and peripheral UUID
I have a custom framework that allows you to handle all Bluetooth actions, such as connect, scan, etc. Additionally, I have two applications using this framework: a test app and a real app. I'm trying to implement auto-reconnection for turning Bluetooth off/on and out of range. While it works well in my test app, it doesn't in the real app. Here is my logic: Firstly, I scan for a peripheral with a specific service UUID: manager.scanForPeripherals(withServices: [self.targetUuid], options: scanOptions) As a result, I have a CoreBluetooth callback response: func centralManager(_ central: CBCentralManager, didDiscover peripheral: CBPeripheral, advertisementData: [String : Any], rssi RSSI: NSNumber) Then I connect to the peripheral: connect(cbPeripheral, options: options) And as a result: func centralManager(_ central: CBCentralManager, didConnect peripheral: CBPeripheral) After that, I save the UUID as a String. Then, I try to disconnect the peripheral from the phone (turn BT off/on or go out of range) and connect back. I've investigated different behaviours and found that in my test app, I have the same peripheral UUID even after disconnection, but in the real app, the UUID changes. I found this: The UUID will stay constant for a peripheral with randomized addresses for paired devices only for the lifetime of the pairing. If a device is not paired, according to the LE Privacy rules (RRA), the UUID will change as a peer unit is neither capable nor supposed to track a device across changing addresses. And this: Connection attempts do not time out (as stated in the Apple documentation: [link]). Just be sure to also keep a reference to the peripheral object; otherwise, the connection gets canceled. Here is my logic for reconnection in case of being out of range: centralManager(_:didDisconnectPeripheral:error:) [ERROR] - Peripheral was disconnected error -> Optional(Error Domain=CBErrorDomain Code=6 "The connection has timed out unexpectedly." UserInfo={NSLocalizedDescription=The connection has timed out unexpectedly.}) connect(cbPeripheral, options: options) My question is: What can affect UUID changing? Do I need to store a whole Peripheral Device object instead of UUID string?
1
0
595
Dec ’23
Core Bluetooth Bug
Hi developers, I am trying this code to read from 3 bluetooth beacon: class BeaconScanner0: NSObject, CBCentralManagerDelegate { var centralManager: CBCentralManager! var shouldContinueScanning = true // Add a flag to control scanning var i=0 var BeaconRSSI = [0, 0, 0] override init() { super.init() centralManager = CBCentralManager(delegate: self, queue: nil) } func centralManagerDidUpdateState(_ central: CBCentralManager) { if central.state == .unauthorized { print("Bluetooth access is unauthorized. Requesting permission...") centralManager.delegate = self } else if central.state == .poweredOn { print("Bluetooth is powered on. Scanning for beacons...") // Start scanning for all peripherals centralManager.scanForPeripherals(withServices: nil, options: nil) } else { print("Bluetooth is not powered on or available.") } } func centralManager(_ central: CBCentralManager, didDiscover peripheral: CBPeripheral, advertisementData: [String: Any], rssi: NSNumber)->[Int] { print("BeaconRSSI: \(BeaconRSSI)") if let name = peripheral.name { if name.contains("BlueCharm") { if name.contains("79") { BeaconRSSI[0] = rssi.intValue // i += 1 } if name.contains("67") { BeaconRSSI[1] = rssi.intValue // j += 1 } if name.contains("96") { BeaconRSSI[2] = rssi.intValue // k += 1 } } } return BeaconRSSI } } it got back the error (bug!) like below: *** Terminating app due to uncaught exception 'NSInternalInconsistencyException', reason: 'String does not represent a valid UUID' *** First throw call stack: (0x1b361e69c 0x1ab8d7c80 0x1b2b7cdd8 0x1d8062634 0x1d80628a8 0x1d8025130 0x1d8024cd8 0x104a95140 0x104a8baa0 0x104a8b970 0x104a8bac4 0x104a8b818 0x104a8caf0 0x1057c2b34 0x1057c4690 0x104a8cb54 0x104a8cb6c 0x1057c2b34 0x1057c4690 0x104a8cc0c 0x104a8cc68 0x1057c2b34 0x1057c4690 0x104a8cd28 0x104a8cfc0 0x1057c2b34 0x1057c4690 0x104a8d064 0x104a8d61c 0x1057c2b34 0x1057c4690 0x104a8d6c4 0x104a93d98 0x104a93c74 0x1b80c709c 0x1b839a624 0x1b8ac2b68 0x1b8ac0300 0x1b8b308e8 0x1b8b30948 0x1b5794fe0 0x1b4ba9aa8 0x1b4ba9630 0x1b4bafb60 0x1b4ba8e3c 0x1b5a7e03c 0x1b35691b8 0x1b35679ac 0x1b35658ac 0x1b3565478 0x1f6abe4f8 0x1b598f360 0x1b598e99c 0x1b83a04b8 0x1b83a02fc 0x1b8010e90 0x104a9eb3c 0x104a9ec84 0x1d629ddcc) libc++abi: terminating due to uncaught exception of type NSException *** Assertion failure in -[CBUUID initWithString:safe:], CBUUID.m:219 could anyone help me with this problem. Thanks beforehand.
1
0
381
Dec ’23
When iOS17 has a bug and cannot record audio, play the audio to a Bluetooth device
let session = AVAudioSession.sharedInstance() do { try session.setCategory(AVAudioSession.Category.playback) try session.setActive(true) //playAndRecord <AVAudioSessionPortDescription: 0x2828dc2b0, type = Speaker; name = 扬声器; UID = Speaker; selectedDataSource = (null)> //playback <AVAudioSessionPortDescription: 0x28204c1a0, type = BluetoothA2DPOutput; name = M2; UID = 00:02:5C:22:22:11-tacl; selectedDataSource = (null)> print(session.currentRoute.outputs) } catch { print(error) } when I ssession.setCategory(AVAudioSession.Category.playback) audio play output a2dp ble devices. session.currentRoute.outputs print bellow `<AVAudioSessionPortDescription: 0x28204c1a0, type = BluetoothA2DPOutput; name = M2; UID = 00:02:5C:22:22:11-tacl; selectedDataSource = (null)> when I ssession.setCategory(AVAudioSession.Category.playAndRecord) output <AVAudioSessionPortDescription: 0x2828dc2b0, type = Speaker; name = 扬声器; UID = Speaker; selectedDataSource = (null)> BluetoothA2DPOutput is gone. but it is normal in ios15-16. Is there any solution? I want to record audio and play music at the same time. And the music is output from the Bluetooth speaker
1
0
492
Dec ’23
How to make sound output from Bluetooth instead of speakers in IOS 17
When I set the AVAudioSessionCategory avAudioSessionCategory: AVAudioSessionCategory.playAndRecord, sound to come out of the built-in speaker instead of Bluetooth headphones。ios17 。It is normal in IOS 16 or 15 final session = await AudioSession.instance; await session.configure(AudioSessionConfiguration( avAudioSessionCategory: AVAudioSessionCategory.playAndRecord, avAudioSessionCategoryOptions:AVAudioSessionCategoryOptions.allowBluetooth | AVAudioSessionCategoryOptions.allowBluetoothA2dp, avAudioSessionMode: AVAudioSessionMode.defaultMode, avAudioSessionRouteSharingPolicy: AVAudioSessionRouteSharingPolicy.defaultPolicy, avAudioSessionSetActiveOptions: AVAudioSessionSetActiveOptions.none, androidAudioAttributes: const AndroidAudioAttributes( contentType: AndroidAudioContentType.music, flags: AndroidAudioFlags.none, usage: AndroidAudioUsage.media, ), androidAudioFocusGainType: AndroidAudioFocusGainType.gain, androidWillPauseWhenDucked: true, )); How to make sound output from Bluetooth instead of speakers in IOS 17? How to make sound output from Bluetooth instead of speakers in IOS 17?
1
0
474
Dec ’23
CBPeripheral gets stuck in connecting/disconnecting states
I work on an app that operates a HW device that acts as a BLE peripheral. Our BLE code stack has not changed much since 2017 and has been working very well over the years. We recently started seeing a lot of customer complaints and bad App Store reviews that the device was not working. I have been investigating this for several weeks now and I'm struggling to narrow down the cause, but it seems to be a change in iOS. With the same app and device FW the issue is almost exclusively seen on iOS 17.x even though ~40% of our user base is still on iOS 16.x. From my investigation what I see is the CBPeripheral getting stuck in connecting state. When it is in this state advertisements are seen in our app, and other apps are able to connect to the device (nRF Connect for example). If I cancel the connection the CBPeripheral then gets stuck in the disconnecting state. I can only toggle between these two states and it will remain like this for days. I have found that initializing a new CBCentralManger will sometimes "fix" the issue. However, about 50% of the time the new CBCentralManager comes up in the unknown state so CoreBluetooth as a whole seems to be in a weird state. More effective is killing the app and relaunching. But even then sometimes the CBPeripheral immediately gets stuck again and it takes multiple killing/launching the app to get back in a working state. Few points that seem relevant: App has central and peripheral background modes enabled. App uses state restoration, though most of the times I see this issue there was not a state restore that happened. To reproduce the issue the app needs to be in the background for some amount of time, and it happens on foregrounding. We will in some cases scan/connect in the background, but I have reproduced this issue without that. Is anyone else seeing this issue or have ideas what might be causing it?
5
3
934
2w
Clarification on MFi Certification Capabilities for Enhanced Bluetooth Functionality
Hello Apple Developer Community, I represent a team working on an iOS application that interacts with a Bluetooth Low Energy (BLE) module in vehicles. We're exploring advanced functionalities and have a couple of queries: Automatic PIN Handling: Is there a method for our app to programmatically input a PIN for Bluetooth pairing, bypassing the usual popup prompt? We aim to streamline the user experience by eliminating manual PIN entry. Programmatic Bond Management: Can our app directly "forget" a paired Bluetooth device without requiring the user to manually do so in the iOS settings? This feature would significantly enhance our app's usability. MFi Certification Benefits: Would obtaining MFi certification enable any of the above functionalities, or provide us with additional APIs or capabilities to manage Bluetooth connections more effectively? We appreciate any guidance or insights you can provide on these matters. Understanding these capabilities is crucial for the development of our application. Thank you in advance for your assistance. Best regards,
0
0
240
Dec ’23
Missing multiple imports in CoreBluetooth.framework
I've been repeatedly getting the following error when compiling my project: Unknown class name 'CBCentralManagerDelegate'; did you mean 'CBCentralManager' Within CoreBluetooth.framework my CoreBluetooth.h is as follows: /*! * @header * @file CoreBluetooth.h * @framework CoreBluetooth * * @discussion Bluetooth Low Energy framework * * @copyright 2011 Apple, Inc. All rights reserved. */ #ifndef _CORE_BLUETOOTH_H_ #define _CORE_BLUETOOTH_H_ #endif #import <CoreBluetooth/CBDefines.h> #if __OBJC__ #import <CoreBluetooth/CBCentralManager.h> #import <CoreBluetooth/CBPeripheralManager.h> #import <CoreBluetooth/CBPeripheral.h> #import <CoreBluetooth/CBCentral.h> #import <CoreBluetooth/CBService.h> #import <CoreBluetooth/CBCharacteristic.h> #import <CoreBluetooth/CBDescriptor.h> #import <CoreBluetooth/CBError.h> #import <CoreBluetooth/CBUUID.h> #import <CoreBluetooth/CBAdvertisementData.h> #import <CoreBluetooth/CBATTRequest.h> #endif Specifically I'm missing #import <CoreBluetooth/CBCentralManagerDelegate.h> as well as the relevant class within my Headers folder. Does anyone know why this might be the case? I'm using Xcode 15.1 Beta 3.
1
0
307
Nov ’23
visionOS as a BLE peripheral: CBMutableService init unavailable
I'd like to have the visionOS be a peripheral, in BLE terminology. This is required, as the hardware that will act as the central cannot act as peripheral (don't ask). The problem is some initializers I seem to need to advertise a mutable service are not available: 1. 'init(type:primary:)' has been explicitly marked unavailable here (CoreBluetooth.CBMutableService) It would seem that this isn't supported yet. Is this currently possible some other way, or will it be possible in the future?
2
0
322
Nov ’23
Android Device is not Listing For iphone Devices for coreBluetoothScanning
Hello Apple Support Team, As per the business requirement, we have to communicate and exchange data chunks between applications running on iPhones and Android-based or Android phones through Bluetooth interface. We have achieved the requirement through IP/Wifi communication. We are trying to connect to Android and iPhone devices via Bluetooth through an iOS application. We carried out Bluetooth implementation using CoreBluetooth libraries. Below are the findings done by our development team: Core Bluetooth Library Implementation           Importing Core Bluetooth Library in BTConnectionManager class, which uses CBCentralManagerDelegate, CBPeripheralDelegate, CBCentralManager, CBPeripheral as peripheral, [CBPeripheral] array as peripherals array. Using the below methods: centralManagerDidUpdateState, centralManager(_ central: CBCentralManager, didDiscover peripheral: CBPeripheral, advertisementData: [String : Any], rssi RSSI: NSNumber), centralManager(_ central: CBCentralManager, didConnect peripheral: CBPeripheral), peripheral(_ peripheral: CBPeripheral, didDiscoverServices error: Error?), peripheral(_ peripheral: CBPeripheral, didDiscoverCharacteristicsFor service: Service, error: Error?) we are able to scan and connect to BLE devices Findings: We were able to get the list of low-energy devices like Airpods, Earphones and Bluetooth music devices. But Not able to scan Bluetooth high-energy devices like PAX / Android Phones   Please suggest to us the approach to make the Android running devices listed through the Core Bluetooth library. Thanks & Regards
0
0
562
Nov ’23