david blogs
iPhone, blackberry, MS CRM, Java, Objective C
Wednesday, March 20, 2024
ITMS-91053: Missing API declaration - Your app’s code in the file references one or more APIs that require reasons, including the following API categories: NSPrivacyAccessedAPICategoryUserDefaults
Monday, March 4, 2024
Swift Rule Engine using Javascript for your iOS/MacOS application
struct ContentView: View { | |
let scripRunner = JavascriptHandler() | |
var body: some View { | |
VStack { | |
Button { | |
Task { | |
let c1 = Contact(name: "JP", age: 14, knowSwimming: false) | |
let result = try await scripRunner.evaluateFunction(fnName: "validate('\(c1.toJSONString)')") | |
let obj = try JSONDecoder().decode(Result.self, from: Data(result.utf8)) | |
print("obj.result = \(obj.result)") | |
} | |
} label: { | |
Text("Click me") | |
} | |
} | |
.onAppear { | |
Task { | |
try await scripRunner.loadWebViewWithScript(script) | |
} | |
} | |
.padding() | |
} | |
} | |
#Preview { | |
ContentView() | |
} | |
struct Contact: Encodable { | |
let name: String | |
let age: Int | |
let knowSwimming: Bool | |
} | |
struct Result: Decodable { | |
var result: Bool | |
} | |
let script = """ | |
<script type="text/javascript"> | |
function validate(contact) { | |
const contactObj = JSON.parse(contact); | |
if (contactObj.age > 12 && contactObj.knowSwimming == true){ | |
return '{\"result\" : true}'; | |
} | |
return '{\"result\" : false}'; | |
} | |
</script> | |
""" |
import WebKit | |
public class JavascriptHandler: NSObject { | |
enum JSError: Error { | |
case evaluation | |
} | |
private var jsWebView: WKWebView? | |
private var libraryPath: URL? | |
private var continuation: CheckedContinuation<Bool, Never>? | |
public init(_ libraryPath: URL? = nil) { | |
self.libraryPath = libraryPath | |
} | |
private func makeWebView() -> WKWebView { | |
let webView = WKWebView(frame: CGRect.zero, configuration: webViewConfiguration) | |
webView.navigationDelegate = self | |
webView.allowsLinkPreview = true | |
webView.allowsBackForwardNavigationGestures = true | |
webView.uiDelegate = self | |
return webView | |
} | |
private var webViewConfiguration: WKWebViewConfiguration { | |
let config = WKWebViewConfiguration() | |
let source = "delete window.SharedWorker;" | |
let script = WKUserScript(source: source, injectionTime: WKUserScriptInjectionTime.atDocumentStart, forMainFrameOnly: false) | |
config.userContentController.addUserScript(script) | |
return config | |
} | |
@discardableResult | |
@MainActor | |
public func loadWebViewWithScript(_ script: String) async throws -> Bool { | |
jsWebView = makeWebView() | |
if !script.isEmpty { | |
jsWebView?.loadHTMLString(script, baseURL: libraryPath) | |
let result = await withCheckedContinuation { sendable in | |
continuation = sendable | |
} | |
return result | |
} | |
return false | |
} | |
@MainActor | |
public func evaluateFunction(fnName: String) async throws -> String { | |
guard let result = try await jsWebView?.evaluateJavaScript(fnName) else { | |
throw JSError.evaluation | |
} | |
return String(format: "%@", result as! CVarArg) | |
} | |
} | |
extension JavascriptHandler: WKNavigationDelegate, WKUIDelegate { | |
public func webView(_ webView: WKWebView, didFinish navigation: WKNavigation!) { | |
continuation?.resume(returning: true) | |
} | |
public func webView(_ webView: WKWebView, didFail navigation: WKNavigation!, withError error: Error) { | |
continuation?.resume(returning: false) | |
} | |
} | |
extension Encodable { | |
var toJSONString: String { | |
guard let data = try? JSONEncoder().encode(self) else { return "" } | |
return String(decoding: data, as: UTF8.self) | |
} | |
} |
Tuesday, February 27, 2024
Swift async/await - Sample API module with Unit test
Create Swift Package
In Xcode Menu, choose New -> Package from file menu.public class HttpClient { | |
let session: URLSession | |
public init(_ session: URLSession) { | |
self.session = session | |
} | |
public func performRequest(_ request: URLRequest) async throws -> (data: Data, response: URLResponse) { | |
try await session.data(for: request) | |
} | |
} |
platforms: [
.iOS(.v13),
.macOS(.v12)
]
To consume the session tasks, we need url requests, for example assume our app have a feature to fetch the contacts from server. public enum ContactEndPoint { | |
case myContacts | |
public func url(baseURL: URL) -> URLRequest { | |
switch self { | |
case .myContacts: | |
var request = URLRequest(url: baseURL.appendingPathComponent("/api/v1/users")) | |
request.httpMethod = "GET" | |
var requestHeaders = [String: String]() | |
requestHeaders["Content-Type"] = "application/json" | |
request.allHTTPHeaderFields = requestHeaders | |
return request | |
} | |
} | |
} |
public class ContactAPI { | |
let client: HttpClient | |
let baseURL: URL | |
public init(client: HttpClient, baseURL: URL ) { | |
self.client = client | |
self.baseURL = baseURL | |
} | |
public func getMyContacts() async throws { | |
let contactRequest = ContactEndPoint.myContacts.url(baseURL: baseURL) | |
try await client.performRequest(contactRequest) | |
} | |
} |
public struct Contact: Decodable { | |
let contact_ID: Int | |
} | |
enum ContactDataMapper { | |
static func map(_ data: Data, from response: URLResponse) throws -> [Contact] { | |
guard let contacts = try? JSONDecoder().decode([Contact].self, from: data) else { | |
throw APIError.invalidData | |
} | |
return contacts | |
} | |
} | |
public enum APIError: Swift.Error { | |
case invalidData | |
case serverDefined(String) | |
case connectivity | |
} |
Also modify the getMyContacts() func.public func getMyContacts() async throws -> [Contact] {
let contactRequest = ContactEndPoint.myContacts.url(baseURL: baseURL)
let (data, httpResponse) = try await client.performRequest(contactRequest)
return try ContactDataMapper.map(data, from: httpResponse)
}
Create New Unit Test Case
Create protocol HTTPURLSession
And in the HttpClient class, change the type of session variable as HTTPURLSession.public protocol HTTPURLSession {
func data(for request: URLRequest) async throws -> (data: Data, response: HTTPURLResponse)
}
func test_init_doesNotExecuteURLRequest() async {
let (_, session) = makeSUT()
let executedUrls = session.executedURLs
XCTAssertTrue(executedUrls.isEmpty)
}
func test_deliverConnectivityErrorOnClientError() async throws {
let (sut, _) = makeSUT()
do {
_ = try await sut.getMyContacts()
} catch let error {
XCTAssertEqual((error as? APIError), APIError.connectivity)
return
}
XCTFail()
}
func test_deliverErrorOnInvalidJSONWith200Status() async throws {
let url = URL(string: "https://aurl.com")!
let (sut, session) = makeSUT(url: url)
let myContactURL = ContactEndPoint.myContacts.url(baseURL: url).url!
let invalidJSON = """
[
{"contactsssss_ID" : 2 }
]
"""
session.setResponse((invalidJSON.data(using: .utf8)!, responseWithStatusCode(200, url: myContactURL)), for: myContactURL)
do {
_ = try await sut.getMyContacts()
} catch let error {
XCTAssertEqual((error as? APIError), APIError.invalidData)
return
}
XCTFail()
}
func test_load_DeliverErroFor400Status() async throws {
let url = URL(string: "https://aurl.com")!
let (sut, session) = makeSUT(url: url)
let myContactURL = ContactEndPoint.myContacts.url(baseURL: url).url!
session.setResponse(("".data(using: .utf8)!, responseWithStatusCode(400, url: url)), for: myContactURL)
do {
_ = try await sut.getMyContacts()
} catch let error {
XCTAssertEqual((error as? APIError), APIError.serverDefined("400"))
return
}
XCTFail()
}
func test_load_deliversSuccessWith200HTTPResponseWithJSONItems() async throws {
let url = URL(string: "https://aurl.com")!
let (sut, session) = makeSUT(url: url)
let validJSON = """
[
{"contact_ID" : 2 }
]
"""
let myContactURL = ContactEndPoint.myContacts.url(baseURL: url).url!
session.setResponse((validJSON.data(using: .utf8)!, responseWithStatusCode(200, url: url)), for: myContactURL)
do {
let contacts = try await sut.getMyContacts()
XCTAssertEqual(contacts.count, 1)
} catch {
XCTFail()
}
}
@MainActor func test_load_DeliverConnectivityErrorIfTaskIsCancelled() async throws {
let url = URL(string: "https://aurl.com")!
let (sut, session) = makeSUT(url: url)
let dataResponse = """
[
{"contact_ID" : 2 }
]
"""
let myContactURL = ContactEndPoint.myContacts.url(baseURL: url).url!
session.setResponse((dataResponse.data(using: .utf8)!, responseWithStatusCode(200, url: url)), for: myContactURL)
let exp = expectation(description: "Wait for load completion")
let task = Task {
do {
let contacts = try await sut.getMyContacts()
exp.fulfill()
XCTAssertEqual(contacts.count, 0)
} catch let error {
exp.fulfill()
XCTAssertEqual((error as? APIError), APIError.connectivity)
}
}
task.cancel()
await fulfillment(of: [exp])
}