repo_name
stringlengths
6
91
path
stringlengths
8
968
copies
stringclasses
210 values
size
stringlengths
2
7
content
stringlengths
61
1.01M
license
stringclasses
15 values
hash
stringlengths
32
32
line_mean
float64
6
99.8
line_max
int64
12
1k
alpha_frac
float64
0.3
0.91
ratio
float64
2
9.89
autogenerated
bool
1 class
config_or_test
bool
2 classes
has_no_keywords
bool
2 classes
has_few_assignments
bool
1 class
jpush/jchat-swift
JChat/Src/UserModule/ViewController/JCRegisterInfoViewController.swift
1
9255
// // JCRegisterInfoViewController.swift // JChat // // Created by JIGUANG on 2017/5/12. // Copyright © 2017年 HXHG. All rights reserved. // import UIKit import JMessage class JCRegisterInfoViewController: UIViewController { var username: String! var password: String! //MARK: - life cycle override func viewDidLoad() { super.viewDidLoad() _init() } override func viewWillAppear(_ animated: Bool) { super.viewWillAppear(animated) UIApplication.shared.setStatusBarStyle(.lightContent, animated: false) self.navigationController?.setNavigationBarHidden(false, animated: false) } private lazy var nicknameTextField: UITextField = { var textField = UITextField() textField.addTarget(self, action: #selector(textFieldDidChanged(_ :)), for: .editingChanged) textField.clearButtonMode = .whileEditing textField.placeholder = "请输入昵称" textField.font = UIFont.systemFont(ofSize: 16) textField.frame = CGRect(x: 38 + 40 + 15, y: 64 + 40 + 80 + 40, width: self.view.width - 76 - 38, height: 40) return textField }() fileprivate lazy var avatorView: UIImageView = { var avatorView = UIImageView() avatorView.isUserInteractionEnabled = true avatorView.frame = CGRect(x: self.view.centerX - 40, y: 64 + 40, width: 80, height: 80) avatorView.image = UIImage.loadImage("com_icon_upload") let tapGR = UITapGestureRecognizer(target: self, action: #selector(_tapHandler)) avatorView.addGestureRecognizer(tapGR) return avatorView }() private lazy var registerButton: UIButton = { var button = UIButton() button.backgroundColor = UIColor(netHex: 0x2DD0CF) let button_y = 64 + 40 + 80 + 40 + 40 + 38 let button_width = Int(self.view.width - 76) button.frame = CGRect(x: 38, y: button_y, width: button_width, height: 40) button.setTitle("完成", for: .normal) button.layer.cornerRadius = 3.0 button.layer.masksToBounds = true button.addTarget(self, action: #selector(_userRegister), for: .touchUpInside) return button }() fileprivate lazy var tipsLabel: UILabel = { let tipsLabel = UILabel() tipsLabel.frame = CGRect(x: 38, y: 64 + 40 + 80 + 40 + 11 , width: 40, height: 18) tipsLabel.text = "昵称" tipsLabel.font = UIFont.systemFont(ofSize: 16) tipsLabel.textColor = UIColor(netHex: 0x999999) return tipsLabel }() fileprivate lazy var usernameLine: UILabel = { var line = UILabel() line.backgroundColor = UIColor(netHex: 0xD2D2D2) line.alpha = 0.4 line.frame = CGRect(x: 38, y: self.nicknameTextField.y + 40, width: self.view.width - 76, height: 2) return line }() fileprivate lazy var imagePicker: UIImagePickerController = { var picker = UIImagePickerController() picker.sourceType = .camera picker.cameraCaptureMode = .photo picker.delegate = self return picker }() fileprivate var image: UIImage? //MARK: - private func private func _init() { self.title = "补充信息" view.backgroundColor = .white navigationController?.setNavigationBarHidden(false, animated: false) navigationController?.interactivePopGestureRecognizer?.isEnabled = true nicknameTextField.addTarget(self, action: #selector(textFieldDidChanged(_ :)), for: .editingChanged) view.addSubview(avatorView) view.addSubview(nicknameTextField) view.addSubview(registerButton) view.addSubview(tipsLabel) view.addSubview(usernameLine) let tap = UITapGestureRecognizer(target: self, action: #selector(_tapView)) view.addGestureRecognizer(tap) } @objc func textFieldDidChanged(_ textField: UITextField) { if textField.markedTextRange == nil { let text = textField.text! if text.count > 30 { let range = (text.startIndex ..< text.index(text.startIndex, offsetBy: 30)) //let range = Range<String.Index>(text.startIndex ..< text.index(text.startIndex, offsetBy: 30)) let subText = text.substring(with: range) textField.text = subText } } } @objc func _tapView() { view.endEditing(true) } @objc func _tapHandler() { view.endEditing(true) let actionSheet = UIActionSheet(title: nil, delegate: self, cancelButtonTitle: "取消", destructiveButtonTitle: nil, otherButtonTitles: " 从相册中选择", "拍照") actionSheet.tag = 1001 actionSheet.show(in: self.view) } //MARK: - click event @objc func _userRegister() { MBProgressHUD_JChat.showMessage(message: "保存中", toView: self.view) userLogin(withUsername: self.username, password: self.password) } private func userLogin(withUsername: String, password: String) { JMSGUser.login(withUsername: self.username, password: self.password) { (result, error) in MBProgressHUD_JChat.hide(forView: self.view, animated: true) if error == nil { self.setupNickname() self.uploadImage() UserDefaults.standard.set(self.username, forKey: kLastUserName) UserDefaults.standard.set(self.username, forKey: kCurrentUserName) let appDelegate = UIApplication.shared.delegate let window = appDelegate?.window! window?.rootViewController = JCMainTabBarController() } else { MBProgressHUD_JChat.show(text: "登录失败", view: self.view) } } } private func setupNickname() { JMSGUser.updateMyInfo(withParameter: self.nicknameTextField.text!, userFieldType: .fieldsNickname) { (resultObject, error) -> Void in if error == nil { NotificationCenter.default.post(name: Notification.Name(rawValue: kUpdateUserInfo), object: nil) } else { print("error:\(String(describing: error?.localizedDescription))") } } } private func uploadImage() { if let image = image { let imageData = image.jpegData(compressionQuality: 0.8) JMSGUser.updateMyInfo(withParameter: imageData!, userFieldType: .fieldsAvatar, completionHandler: { (result, error) in if error == nil { let avatorData = NSKeyedArchiver.archivedData(withRootObject: imageData!) UserDefaults.standard.set(avatorData, forKey: kLastUserAvator) NotificationCenter.default.post(name: Notification.Name(rawValue: kUpdateUserInfo), object: nil) } }) } else { UserDefaults.standard.removeObject(forKey: kLastUserAvator) } } } extension JCRegisterInfoViewController: UIActionSheetDelegate { func actionSheet(_ actionSheet: UIActionSheet, clickedButtonAt buttonIndex: Int) { switch buttonIndex { case 1: // 从相册中选择 let picker = UIImagePickerController() picker.delegate = self picker.sourceType = .photoLibrary let temp_mediaType = UIImagePickerController.availableMediaTypes(for: picker.sourceType) picker.mediaTypes = temp_mediaType! picker.modalTransitionStyle = .coverVertical self.present(picker, animated: true, completion: nil) case 2: // 拍照 present(imagePicker, animated: true, completion: nil) default: break } } } extension JCRegisterInfoViewController: UINavigationControllerDelegate, UIImagePickerControllerDelegate { // MARK: - UIImagePickerControllerDelegate func imagePickerControllerDidCancel(_ picker: UIImagePickerController) { picker.dismiss(animated: true, completion: nil) } func imagePickerController(_ picker: UIImagePickerController, didFinishPickingMediaWithInfo info: [UIImagePickerController.InfoKey : Any]) { // Local variable inserted by Swift 4.2 migrator. let info = convertFromUIImagePickerControllerInfoKeyDictionary(info) var image = info[convertFromUIImagePickerControllerInfoKey(UIImagePickerController.InfoKey.originalImage)] as! UIImage? image = image?.fixOrientation() self.image = image avatorView.image = image picker.dismiss(animated: true, completion: nil) } } // Helper function inserted by Swift 4.2 migrator. fileprivate func convertFromUIImagePickerControllerInfoKeyDictionary(_ input: [UIImagePickerController.InfoKey: Any]) -> [String: Any] { return Dictionary(uniqueKeysWithValues: input.map {key, value in (key.rawValue, value)}) } // Helper function inserted by Swift 4.2 migrator. fileprivate func convertFromUIImagePickerControllerInfoKey(_ input: UIImagePickerController.InfoKey) -> String { return input.rawValue }
mit
a19716a3dd7cdc2701e75bb11c1ef351
38.213675
158
0.640911
4.95197
false
false
false
false
IBM-Bluemix/hear-the-buzz
client/hear-the-buzz/JSONParser.swift
1
2519
// Copyright 2015 IBM Corp. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. import Foundation class JSONParser { func titlesFromJSON(data: NSData) -> [Tweet] { var titles = [String]() var tweetsData = [Tweet]() do { let json = try NSJSONSerialization.JSONObjectWithData(data, options: []) let tweets = json["tweets"] as? [[String: AnyObject]] for tweet in tweets! { if let message = tweet["message"] as? [String: AnyObject], body = message["body"] as? String { titles.append(body) let tweetData:Tweet = Tweet(); tweetData.message = body tweetData.message = tweetData.message.stringByReplacingOccurrencesOfString("\n", withString: "") if let link = message["link"] as? String { tweetData.link = link } if let actor = message["actor"] as? [String: AnyObject], displayName = actor["displayName"] as? String { tweetData.authorName = displayName if var image = actor["image"] as? String { image = image.stringByReplacingOccurrencesOfString("_normal", withString: "") tweetData.authorPictureUrl = image } } tweetsData.append(tweetData) } } } catch { let logger = IMFLogger(forName:"hear-the-buzz") IMFLogger.setLogLevel(IMFLogLevel.Info) logger.logInfoWithMessages("Error when parsing JSON from Twitter: \(error)") } return tweetsData } }
apache-2.0
33c61b3a56a654792a2d4759d24dffe6
42.448276
120
0.520048
5.725
false
false
false
false
breadwallet/breadwallet-ios
breadwallet/src/Platform/BRWebViewController.swift
1
17784
// // BRWebViewController.swift // BreadWallet // // Created by Samuel Sutch on 12/10/15. // Copyright (c) 2016-2019 Breadwinner AG. All rights reserved. // import Foundation import UIKit import WebKit open class BRWebViewController: UIViewController, WKNavigationDelegate, BRWebSocketClient { var wkProcessPool: WKProcessPool var webView: WKWebView? var bundleName: String var server = BRHTTPServer() var debugEndpoint: String? var mountPoint: String var walletAuthenticator: TransactionAuthenticator var didClose: (() -> Void)? // bonjour debug endpoint establishment - this will configure the debugEndpoint // over bonjour if debugOverBonjour is set to true. this MUST be set to false // for production deploy targets let debugOverBonjour = false let bonjourBrowser = Bonjour() var debugNetService: NetService? // didLoad should be set to true within didLoadTimeout otherwise a view will be shown which // indicates some error. this is to prevent the white-screen-of-death where there is some // javascript exception (or other error) that prevents the content from loading var didLoad = false var didAppear = false var didLoadTimeout = 2500 // we are also a socket server which sends didview/didload events to the listening client(s) var sockets = [String: BRWebSocket]() // this is the data that occasionally gets sent to the above connected sockets var webViewInfo: [String: Any] { return [ "visible": didAppear, "loaded": didLoad ] } var indexUrl: URL { return URL(string: "http://127.0.0.1:\(server.port)\(mountPoint)")! } // Sometimes the webview will open partner widgets. This is the list of hosts the webview will allow. private let hostAllowList: [String] = ["trade-ui.sandbox.coinify.com", "trade-ui.coinify.com", "coinify.lon.netverify.com", "coinify-sandbox.lon.netverify.com", "pay.testwyre.com", "pay.sendwyre.com"] private let messageUIPresenter = MessageUIPresenter() private var notificationObservers = [String: NSObjectProtocol]() private var system: CoreSystem? init(bundleName: String, mountPoint: String = "/", walletAuthenticator: TransactionAuthenticator, system: CoreSystem? = nil) { wkProcessPool = WKProcessPool() self.bundleName = bundleName self.mountPoint = mountPoint self.walletAuthenticator = walletAuthenticator self.system = system super.init(nibName: nil, bundle: nil) if debugOverBonjour { setupBonjour() } } required public init?(coder aDecoder: NSCoder) { fatalError("init(coder:) has not been implemented") } deinit { notificationObservers.values.forEach { observer in NotificationCenter.default.removeObserver(observer) } stopServer() } override open func loadView() { didLoad = false let config = WKWebViewConfiguration() config.processPool = wkProcessPool config.allowsInlineMediaPlayback = false config.allowsAirPlayForMediaPlayback = false config.mediaTypesRequiringUserActionForPlayback = .all config.allowsPictureInPictureMediaPlayback = false let request = URLRequest(url: indexUrl) view = UIView(frame: CGRect.zero) view.backgroundColor = .darkBackground webView = WKWebView(frame: CGRect.zero, configuration: config) webView?.navigationDelegate = self webView?.backgroundColor = .darkBackground webView?.isOpaque = false // prevents white background flash before web content is rendered webView?.alpha = 0.0 _ = webView?.load(request) webView?.autoresizingMask = [UIView.AutoresizingMask.flexibleHeight, UIView.AutoresizingMask.flexibleWidth] webView?.scrollView.contentInsetAdjustmentBehavior = .never view.addSubview(webView!) let center = NotificationCenter.default notificationObservers[UIApplication.didBecomeActiveNotification.rawValue] = center.addObserver(forName: UIApplication.didBecomeActiveNotification, object: nil, queue: .main) { [weak self] (_) in self?.didAppear = true if let info = self?.webViewInfo { self?.sendToAllSockets(data: info) } } notificationObservers[UIApplication.willResignActiveNotification.rawValue] = center.addObserver(forName: UIApplication.willResignActiveNotification, object: nil, queue: .main) { [weak self] (_) in self?.didAppear = false if let info = self?.webViewInfo { self?.sendToAllSockets(data: info) } } self.messageUIPresenter.presenter = self } override open var preferredStatusBarStyle: UIStatusBarStyle { return .lightContent } override open func viewWillAppear(_ animated: Bool) { super.viewWillAppear(animated) edgesForExtendedLayout = .all self.beginDidLoadCountdown() self.navigationController?.setNavigationBarHidden(true, animated: false) } override open func viewDidAppear(_ animated: Bool) { super.viewDidAppear(animated) didAppear = true sendToAllSockets(data: webViewInfo) } override open func viewDidDisappear(_ animated: Bool) { super.viewDidDisappear(animated) didAppear = false sendToAllSockets(data: webViewInfo) } // this should be called when the webview is expected to load content. if the content has not signaled // that is has loaded by didLoadTimeout then an alert will be shown allowing the user to back out // of the faulty webview fileprivate func beginDidLoadCountdown() { let timeout = DispatchTime.now() + .milliseconds(self.didLoadTimeout) DispatchQueue.main.asyncAfter(deadline: timeout) { [weak self] in guard let myself = self else { return } if myself.didAppear && !myself.didLoad { // if the webview did not load the first time lets refresh the bundle. occasionally the bundle // update can fail, so this update should fetch an entirely new copy let activity = BRActivityViewController(message: S.Webview.dismiss) myself.present(activity, animated: true, completion: nil) Backend.apiClient.updateBundles(completionHandler: { results in results.forEach({ _, err in if err != nil { print("[BRWebViewController] error updating bundle: \(String(describing: err))") } // give the webview another chance to load DispatchQueue.main.async { self?.refresh() } // XXX(sam): log this event so we know how frequently it happens DispatchQueue.main.asyncAfter(deadline: timeout) { Store.trigger(name: .showStatusBar) self?.dismiss(animated: true) { self?.notifyUserOfLoadFailure() if let didClose = self?.didClose { didClose() } } } }) }) } } } fileprivate func notifyUserOfLoadFailure() { if self.didAppear && !self.didLoad { let alert = UIAlertController.init( title: S.Alert.error, message: S.Webview.errorMessage, preferredStyle: .alert ) let action = UIAlertAction(title: S.Webview.dismiss, style: .default) { [weak self] _ in self?.closeNow() } alert.addAction(action) self.present(alert, animated: true, completion: nil) } } // signal to the presenter that the webview content successfully loaded fileprivate func webviewDidLoad() { didLoad = true UIView.animate(withDuration: 0.4) { self.webView?.alpha = 1.0 } sendToAllSockets(data: webViewInfo) } fileprivate func closeNow() { Store.trigger(name: .showStatusBar) let didClose = self.didClose dismiss(animated: true, completion: { if let didClose = didClose { didClose() } }) } open func startServer() { do { if !server.isStarted { try server.start() setupIntegrations() } } catch let e { print("\n\n\nSERVER ERROR! \(e)\n\n\n") } } open func stopServer() { if server.isStarted { server.stop() server.resetMiddleware() } } func navigate(to: String) { let js = "window.location = '\(to)';" webView?.evaluateJavaScript(js, completionHandler: { _, error in if let error = error { print("WEBVIEW navigate to error: \(String(describing: error))") } }) } // this will look on the network for any _http._tcp bonjour services whose name // contains th string "webpack" and will set our debugEndpoint to whatever that // resolves to. this allows us to debug bundles over the network without complicated setup fileprivate func setupBonjour() { _ = bonjourBrowser.findService("_http._tcp") { [weak self] (services) in for svc in services { if !svc.name.lowercased().contains("webpack") { continue } self?.debugNetService = svc svc.resolve(withTimeout: 1.0) DispatchQueue.main.asyncAfter(deadline: .now() + .seconds(1)) { [weak self] in guard let netService = self?.debugNetService else { return } self?.debugEndpoint = "http://\(netService.hostName ?? ""):\(netService.port)" print("[BRWebViewController] discovered bonjour debugging service \(String(describing: self?.debugEndpoint))") self?.server.resetMiddleware() self?.setupIntegrations() self?.refresh() } break } } } fileprivate func setupIntegrations() { // proxy api for signing and verification let apiProxy = BRAPIProxy(mountAt: "/_api", client: Backend.apiClient) server.prependMiddleware(middleware: apiProxy) // http router for native functionality let router = BRHTTPRouter() server.prependMiddleware(middleware: router) if let archive = AssetArchive(name: bundleName, apiClient: Backend.apiClient) { // basic file server for static assets let fileMw = BRHTTPFileMiddleware(baseURL: archive.extractedUrl, debugURL: UserDefaults.platformDebugURL) server.prependMiddleware(middleware: fileMw) // middleware to always return index.html for any unknown GET request (facilitates window.history style SPAs) let indexMw = BRHTTPIndexMiddleware(baseURL: fileMw.baseURL) server.prependMiddleware(middleware: indexMw) // enable debug if it is turned on if let debugUrl = debugEndpoint { let url = URL(string: debugUrl) fileMw.debugURL = url indexMw.debugURL = url } } // geo plugin provides access to onboard geo location functionality router.plugin(BRGeoLocationPlugin()) // camera plugin router.plugin(BRCameraPlugin(fromViewController: self)) // wallet plugin provides access to the wallet if let system = system { router.plugin(BRWalletPlugin(walletAuthenticator: walletAuthenticator, system: system)) } // link plugin which allows opening links to other apps router.plugin(BRLinkPlugin(fromViewController: self)) // kvstore plugin provides access to the shared replicated kv store router.plugin(BRKVStorePlugin(client: Backend.apiClient)) // GET /_close closes the browser modal router.get("/_close") { [weak self] (request, _) -> BRHTTPResponse in DispatchQueue.main.async { self?.closeNow() } return BRHTTPResponse(request: request, code: 204) } //GET /_email opens system email dialog // Status codes: // - 200: Presented email UI // - 400: No address param provided router.get("/_email") { [weak self] (request, _) -> BRHTTPResponse in if let email = request.query["address"], email.count == 1 { DispatchQueue.main.async { self?.messageUIPresenter.presentMailCompose(emailAddress: email[0]) } return BRHTTPResponse(request: request, code: 200) } else { return BRHTTPResponse(request: request, code: 400) } } //POST /_email opens system email dialog // Status codes: // - 200: Presented email UI // - 400: No params provided router.post("/_email") { [weak self] (request, _) -> BRHTTPResponse in guard let data = request.body(), let j = try? JSONSerialization.jsonObject(with: data, options: []), let json = j as? [String: String] else { return BRHTTPResponse(request: request, code: 400) } if let email = json["address"] { let subject = json["subject"] let body = json["body"] DispatchQueue.main.async { self?.messageUIPresenter.presentMailCompose(emailAddress: email, subject: subject, body: body) } return BRHTTPResponse(request: request, code: 200) } else { return BRHTTPResponse(request: request, code: 400) } } // GET /_didload signals to the presenter that the content successfully loaded router.get("/_didload") { [weak self] (request, _) -> BRHTTPResponse in DispatchQueue.main.async { self?.webviewDidLoad() } return BRHTTPResponse(request: request, code: 204) } // socket /_webviewinfo will send info about the webview state to client router.websocket("/_webviewinfo", client: self) router.printDebug() } open func preload() { _ = self.view // force webview loading } open func refresh() { let request = URLRequest(url: indexUrl) _ = webView?.load(request) } // MARK: - navigation delegate open func webView(_ webView: WKWebView, decidePolicyFor navigationAction: WKNavigationAction, decisionHandler: @escaping (WKNavigationActionPolicy) -> Void) { let isMainFrameOrWindow = navigationAction.targetFrame?.isMainFrame ?? true if let url = navigationAction.request.url, let host = url.host { // allow all local server targets if let port = (url as NSURL).port, (host == server.listenAddress || port.int32Value == Int32(server.port)) { return decisionHandler(.allow) } // allow iframe targets based on allow list if !isMainFrameOrWindow { return decisionHandler(.allow) } } print("[BRWebViewController disallowing navigation: \(navigationAction)") decisionHandler(.cancel) } // MARK: - socket delegate func sendTo(socket: BRWebSocket, data: [String: Any]) { do { let j = try JSONSerialization.data(withJSONObject: data, options: []) if let s = String(data: j, encoding: .utf8) { socket.request.queue.async { socket.send(s) } } } catch let e { print("LOCATION SOCKET FAILED ENCODE JSON: \(e)") } } func sendToAllSockets(data: [String: Any]) { for (_, s) in sockets { sendTo(socket: s, data: data) } } public func socketDidConnect(_ socket: BRWebSocket) { print("WEBVIEW SOCKET CONNECT \(socket.id)") sockets[socket.id] = socket sendTo(socket: socket, data: webViewInfo) } public func socketDidDisconnect(_ socket: BRWebSocket) { print("WEBVIEW SOCKET DISCONNECT \(socket.id)") sockets.removeValue(forKey: socket.id) } public func socket(_ socket: BRWebSocket, didReceiveText text: String) { print("WEBVIEW SOCKET RECV TEXT \(text)") } public func socket(_ socket: BRWebSocket, didReceiveData data: Data) { print("WEBVIEW SOCKET RECV TEXT \(data.hexString)") } }
mit
349d22d17c52e3b63d4ced5a1a018793
38.696429
131
0.57951
5.327741
false
false
false
false
monsterkodi/krkkl
krkkl/Cubes.swift
1
13796
/* 0000000 000 000 0000000 00000000 0000000 000 000 000 000 000 000 000 000 000 000 0000000 0000000 0000000 000 000 000 000 000 000 000 0000000 0000000 0000000 00000000 0000000 */ import AppKit enum Side: Int { case up = 0, right, left, down, backl, backr, none } enum ColorType: Int { case random=0, list, direction, num } enum Reset: Int { case random = 0, ping, wrap } class Cubes { var preset:[String: AnyObject]? var fps:Double = 60 var cpf:Double = 60 var cubeSize:(x: Int, y: Int) = (0, 0) var pos: (x: Int, y: Int) = (0, 0) var size: (x: Int, y: Int) = (0, 0) var center: (x: Int, y: Int) = (0, 0) var color_top:Double = 0 var color_left:Double = 0 var color_right:Double = 0 var lastDir:Int = 0 var nextDir:Int = 0 var dirIncr:Int = 0 var probSum:Double = 0 var probDir:[Double] = [0,0,0] var keepDir:[Double] = [0,0,0] var reset:Int = -1 // what happens when the screen border is touched: "random", "ping", "wrap" ("center") var cubeCount:Int = 0 var maxCubes:Int = 5000 var colorType = ColorType.list var colorFade:Float = 0 var colorInc:Float = 0 var colorIndex:Int = 0 var colorList:[NSColor] = [] var thisColor = colorRGB([0,0,0]) var nextColor = colorRGB([0,0,0]) var resetColor = colorRGB([0,0,0]) var rgbColor = colorRGB([0,0,0]) func isDone() -> Bool { return cubeCount >= maxCubes } func nextStep() { for _ in 0...Int(cpf) { drawNextCube() } } /* 0000000 00000000 000000000 000 000 00000000 000 000 000 000 000 000 000 0000000 0000000 000 000 000 00000000 000 000 000 000 000 000 0000000 00000000 000 0000000 000 */ func setup(_ preview: Bool, width: Int, height: Int) { color_top = randDblPref("color_top") color_left = randDblPref("color_left") color_right = randDblPref("color_right") dirIncr = randChoice("dir_inc") as! Int size.y = Int(randDblPref("rows")) / (preview ? 2 : 1) cubeSize.y = height/size.y if (cubeSize.y % 2 == 1) { cubeSize.y -= 1 } cubeSize.y = max(2, cubeSize.y) size.y = height/cubeSize.y cubeSize.x = Int(sin(Double.pi/3) * Double(cubeSize.y)) size.x = width/cubeSize.x colorInc = Float(randDblPref("color_fade")) maxCubes = Int(Double(size.y * size.y)*randDblPref("cube_amount")) reset = randChoice("reset") as! Int // _______________________ derivatives cpf = randDblPref("cpf") fps = doublePref("fps") center.x = size.x/2 center.y = size.y/2 pos = center // start at center colorFade = 0 colorIndex = 0 let colorLists = Defaults.stringListToColorLists(preset!["colors"] as! [String]) let colorListIndex = randint(colorLists.count) colorList = colorLists[colorListIndex] if (colorList.count == 0) { colorType = .random } else if (colorList.count == 1 && colorList[0].hex() == "#000000") { colorType = .direction } else { colorType = .list } thisColor = colorRGB([0,0,0]) switch colorType { case .random: nextColor = randColor() case .list: thisColor = colorList[0] nextColor = colorList[0] default: break } rgbColor = thisColor keepDir[Side.up.rawValue] = randDblPref("keep_up") keepDir[Side.left.rawValue] = randDblPref("keep_left") keepDir[Side.right.rawValue] = randDblPref("keep_right") probDir[Side.up.rawValue] = randDblPref("prob_up") probDir[Side.left.rawValue] = randDblPref("prob_left") probDir[Side.right.rawValue] = randDblPref("prob_right") probSum = probDir.reduce(0.0, { $0 + $1 }) cubeCount = 0 if true { print("") print("width \(width)") print("height \(height)") print("numx \(size.x)") print("numy \(size.y)") print("cube \(cubeSize.x) \(cubeSize.y)") print("maxCubes \(maxCubes)") print("fps \(fps)") print("cpf \(cpf)") print("keepDir \(keepDir)") print("probDir \(probDir)") print("probSum \(probSum)") print("colorInc \(colorInc)") print("colorList \(colorListIndex)") print("colorType \(colorTypeName(colorType))") print("reset \(reset)") } } /* 0000000 0000000 000 0000000 00000000 000 000 000 000 000 000 000 000 000 000 000 000 000 000 0000000 000 000 000 000 000 000 000 000 0000000 0000000 0000000 0000000 000 000 */ func chooseNextColor() { switch colorType { case .random: colorFade += colorInc if colorFade >= 100 { colorFade -= 100 thisColor = nextColor nextColor = randColor() } rgbColor = thisColor.fadeTo(nextColor, fade:colorFade/100.0) case .list: colorFade += colorInc if colorFade >= 100 { colorFade -= 100 colorIndex = (colorIndex + 1) % colorList.count thisColor = nextColor nextColor = colorList[colorIndex] } rgbColor = thisColor.fadeTo(nextColor, fade:colorFade/100.0) case .direction: let ci = 0.02 + 0.05 * colorInc/100.0 var r = Float(rgbColor.red()) var g = Float(rgbColor.green()) var b = Float(rgbColor.blue()) let side:Side = Side(rawValue:nextDir)! switch side { case .up: b = clamp(b + ci, low: 0.0, high: 1.0) case .left: r = clamp(r + ci, low: 0.0, high: 1.0) case .right: g = clamp(g + ci, low: 0.0, high: 1.0) case .down: b = clamp(b - ci, low: 0.0, high: 1.0) case .backr: r = clamp(r - ci, low: 0.0, high: 1.0) case .backl: g = clamp(g - ci, low: 0.0, high: 1.0) default: break } if r+g+b < 0.3 { (r,g,b) = (0.1, 0.1, 0.1) } rgbColor = colorRGB([r,g,b]) default: break } } /* 0000000 000 000 0000000 00000000 000 000 000 000 000 000 000 000 000 0000000 0000000 000 000 000 000 000 000 0000000 0000000 0000000 00000000 */ func drawNextCube() { var skip = Side.none nextDir = lastDir if (randdbl() >= keepDir[lastDir%3]) { if dirIncr == 3 { switch randdbl() { case let (prob) where prob <= probDir[Side.up.rawValue]/probSum: nextDir = randint(2) == 0 ? Side.up.rawValue : Side.down.rawValue case let (prob) where (probDir[Side.up.rawValue]/probSum <= prob) && (prob <= probDir[Side.up.rawValue + Side.left.rawValue]/probSum): nextDir = randint(2) == 0 ? Side.left.rawValue : Side.backr.rawValue default: nextDir = randint(2) == 0 ? Side.right.rawValue : Side.backl.rawValue } } else { nextDir = (nextDir + dirIncr)%6 } } lastDir = nextDir let side:Side = Side(rawValue:nextDir)! switch side { case .up: pos.y += 1 case .right: if (pos.x%2)==1 { pos.y -= 1 } pos.x += 1 case .left: if (pos.x%2)==1 { pos.y -= 1 } pos.x -= 1 case .down: pos.y -= 1 if cubeCount > 0 { skip = .up } case .backl: if (pos.x%2)==0 { pos.y += 1 } pos.x -= 1 if cubeCount > 0 { skip = .right } case .backr: if (pos.x%2)==0 { pos.y += 1 } pos.x += 1 if cubeCount > 0 { skip = .left } default: break } if (pos.x < 1 || pos.y < 2 || pos.x > size.x-1 || pos.y > size.y-1) // if screen border is touched { skip = .none lastDir = randint(6) if reset == Reset.random.rawValue { pos.x = randint(size.x) pos.y = randint(size.y) } else if reset == Reset.wrap.rawValue { if (pos.x < 1) { pos.x = size.x-1 } else if (pos.x > size.x-1) { pos.x = 1 } if (pos.y < 2) { pos.y = size.y-2 } else if (pos.y > size.y-1) { pos.y = 2 } } else if reset == Reset.ping.rawValue { if (pos.x < 1) { switch side { case .left: lastDir = Side.backr.rawValue default: lastDir = Side.right.rawValue } pos.x = 1 } else if (pos.x > size.x-1) { switch side { case .backr: lastDir = Side.left.rawValue default: lastDir = Side.backl.rawValue } pos.x = size.x-1 } if (pos.y < 2) { switch side { case .left: lastDir = Side.backr.rawValue case .right: lastDir = Side.backl.rawValue default: lastDir = randflt()>0.5 ? Side.backl.rawValue : Side.backr.rawValue } pos.y = 2 } else if (pos.y > size.y-1) { switch side { case .backr: lastDir = Side.left.rawValue case .backl: lastDir = Side.right.rawValue default: lastDir = randflt()>0.5 ? Side.left.rawValue : Side.right.rawValue } pos.y = size.y-1 } } if colorType == ColorType.direction && reset == Reset.random.rawValue { rgbColor = colorRGB([0,0,0]) } } chooseNextColor() drawCube(skip) cubeCount += 1 } /* 0000000 00000000 0000000 000 000 000 000 000 000 000 000 000 0 000 000 000 0000000 000000000 000000000 000 000 000 000 000 000 000 000 0000000 000 000 000 000 00 00 */ func drawCube(_ skip: Side) { let w = cubeSize.x let h = cubeSize.y let s = h/2 let x = pos.x*w let y = (pos.x%2 == 0) ? (pos.y*h) : (pos.y*h - s) if skip != .up { rgbColor.scale(color_top).set() let path = NSBezierPath() path.move(to: NSPoint(x: x ,y: y)) path.line(to: NSPoint(x: x+w ,y: y+s)) path.line(to: NSPoint(x: x ,y: y+h)) path.line(to: NSPoint(x: x-w ,y: y+s)) path.fill() } if skip != .left { rgbColor.scale(color_left).set() let path = NSBezierPath() path.move(to: NSPoint(x: x ,y: y)) path.line(to: NSPoint(x: x-w ,y: y+s)) path.line(to: NSPoint(x: x-w ,y: y-s)) path.line(to: NSPoint(x: x ,y: y-h)) path.fill() } if skip != .right { rgbColor.scale(color_right).set() let path = NSBezierPath() path.move(to: NSPoint(x: x ,y: y)) path.line(to: NSPoint(x: x+w ,y: y+s)) path.line(to: NSPoint(x: x+w ,y: y-s)) path.line(to: NSPoint(x: x ,y: y-h)) path.fill() } } func randDblPref(_ key:String) -> Double { let dbls = doublesPref(key) return randdblrng(dbls[0], high: dbls[1]) } func randChoice(_ key:String) -> AnyObject { let values = Defaults.presetValueForKey(preset!, key: key) as! [Int] return values[randint(values.count)] as AnyObject } func doublePref(_ key:String) -> Double { return Defaults.presetValueForKey(preset!, key: key) as! Double } func doublesPref(_ key:String) -> [Double] { return Defaults.presetValueForKey(preset!, key: key) as! [Double] } func colorTypeName(_ colorType:ColorType) -> String { switch colorType { case .random: return "Random" case .list: return "List" case .direction: return "Direction" case .num: return "???" } } }
apache-2.0
c3913b4e77862e50da3c0f167ca60898
30.21267
150
0.45274
4.016303
false
false
false
false
4np/UitzendingGemist
UitzendingGemist/NPOEpisode+UI.swift
1
3198
// // NPOEpisode+UI.swift // UitzendingGemist // // Created by Jeroen Wesbeek on 31/07/16. // Copyright © 2016 Jeroen Wesbeek. All rights reserved. // import Foundation import UIKit import NPOKit extension NPOEpisode { public var watchedIndicator: String { // add (partically) watched indicator switch watched { case .unwatched: return UitzendingGemistConstants.unwatchedSymbol case .partially: return UitzendingGemistConstants.partiallyWatchedSymbol case .fully: return UitzendingGemistConstants.watchedSymbol } } func getDisplayName() -> String { var displayName = watchedIndicator // add the episode name if let name = self.name, !name.isEmpty { displayName += name } else if let name = self.program?.name, !name.isEmpty { displayName += name } else { displayName += String.unknownEpisodeName } return displayName } func getTime() -> String? { guard let broadcasted = self.broadcasted else { return nil } let formatter = DateFormatter() formatter.dateFormat = "HH:mm" return formatter.string(from: broadcasted) } func getNames() -> (programName: String, episodeNameAndInfo: String) { // define the program name var programName = watchedIndicator if let name = self.program?.name, !name.isEmpty { programName += name } else { programName += String.unknownProgramName } // define the episode name and time var elements = [String]() // add episode name if let name = self.name, !name.isEmpty { if let tempProgramName = program?.name { var tempName = name // replace program name tempName = tempName.replacingOccurrences(of: tempProgramName, with: "", options: .caseInsensitive, range: nil) // remove garbage from beginning of name if let regex = try? NSRegularExpression(pattern: "^([^a-z0-9]+)", options: .caseInsensitive) { let range = NSRange(0..<tempName.utf16.count) tempName = regex.stringByReplacingMatches(in: tempName, options: .withTransparentBounds, range: range, withTemplate: "") } // capitalize tempName = tempName.capitalized if !tempName.isEmpty { elements.append(tempName) } } else { elements.append(name) } } // add time if let time = getTime() { elements.append(time) } // add duration elements.append(self.duration.timeDisplayValue) let episodeName = elements.joined(separator: UitzendingGemistConstants.separator) return (programName: programName, episodeNameAndInfo: episodeName) } }
apache-2.0
c1b5c78b5d6e474f1d5f8f523a87a4bd
30.653465
140
0.551767
5.464957
false
false
false
false
milseman/swift
stdlib/public/SDK/Dispatch/IO.swift
19
3890
//===----------------------------------------------------------------------===// // // This source file is part of the Swift.org open source project // // Copyright (c) 2014 - 2017 Apple Inc. and the Swift project authors // Licensed under Apache License v2.0 with Runtime Library Exception // // See https://swift.org/LICENSE.txt for license information // See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors // //===----------------------------------------------------------------------===// public extension DispatchIO { public enum StreamType : UInt { case stream = 0 case random = 1 } public struct CloseFlags : OptionSet, RawRepresentable { public let rawValue: UInt public init(rawValue: UInt) { self.rawValue = rawValue } public static let stop = CloseFlags(rawValue: 1) } public struct IntervalFlags : OptionSet, RawRepresentable { public let rawValue: UInt public init(rawValue: UInt) { self.rawValue = rawValue } public init(nilLiteral: ()) { self.rawValue = 0 } public static let strictInterval = IntervalFlags(rawValue: 1) } public class func read(fromFileDescriptor: Int32, maxLength: Int, runningHandlerOn queue: DispatchQueue, handler: @escaping (_ data: DispatchData, _ error: Int32) -> Void) { __dispatch_read(fromFileDescriptor, maxLength, queue) { (data: __DispatchData, error: Int32) in handler(DispatchData(data: data), error) } } public class func write(toFileDescriptor: Int32, data: DispatchData, runningHandlerOn queue: DispatchQueue, handler: @escaping (_ data: DispatchData?, _ error: Int32) -> Void) { __dispatch_write(toFileDescriptor, data as __DispatchData, queue) { (data: __DispatchData?, error: Int32) in handler(data.flatMap { DispatchData(data: $0) }, error) } } public convenience init( type: StreamType, fileDescriptor: Int32, queue: DispatchQueue, cleanupHandler: @escaping (_ error: Int32) -> Void) { self.init(__type: type.rawValue, fd: fileDescriptor, queue: queue, handler: cleanupHandler) } @available(swift, obsoleted: 4) public convenience init( type: StreamType, path: UnsafePointer<Int8>, oflag: Int32, mode: mode_t, queue: DispatchQueue, cleanupHandler: @escaping (_ error: Int32) -> Void) { self.init(__type: type.rawValue, path: path, oflag: oflag, mode: mode, queue: queue, handler: cleanupHandler) } @available(swift, introduced: 4) public convenience init?( type: StreamType, path: UnsafePointer<Int8>, oflag: Int32, mode: mode_t, queue: DispatchQueue, cleanupHandler: @escaping (_ error: Int32) -> Void) { self.init(__type: type.rawValue, path: path, oflag: oflag, mode: mode, queue: queue, handler: cleanupHandler) } public convenience init( type: StreamType, io: DispatchIO, queue: DispatchQueue, cleanupHandler: @escaping (_ error: Int32) -> Void) { self.init(__type: type.rawValue, io: io, queue: queue, handler: cleanupHandler) } public func read(offset: off_t, length: Int, queue: DispatchQueue, ioHandler: @escaping (_ done: Bool, _ data: DispatchData?, _ error: Int32) -> Void) { __dispatch_io_read(self, offset, length, queue) { (done: Bool, data: __DispatchData?, error: Int32) in ioHandler(done, data.flatMap { DispatchData(data: $0) }, error) } } public func write(offset: off_t, data: DispatchData, queue: DispatchQueue, ioHandler: @escaping (_ done: Bool, _ data: DispatchData?, _ error: Int32) -> Void) { __dispatch_io_write(self, offset, data as __DispatchData, queue) { (done: Bool, data: __DispatchData?, error: Int32) in ioHandler(done, data.flatMap { DispatchData(data: $0) }, error) } } public func setInterval(interval: DispatchTimeInterval, flags: IntervalFlags = []) { __dispatch_io_set_interval(self, UInt64(interval.rawValue), flags.rawValue) } public func close(flags: CloseFlags = []) { __dispatch_io_close(self, flags.rawValue) } }
apache-2.0
58b7572dea901f123a5d0ecefbe7ac76
34.688073
178
0.678406
3.666352
false
false
false
false
lizhaojie001/-Demo-
RATreeView-master/Examples/RATreeViewBasicExampleSwift/TreeViewController.swift
1
6112
// // TreeViewController.swift // RATreeViewExamples // // Created by Rafal Augustyniak on 21/11/15. // Copyright © 2015 com.Augustyniak. All rights reserved. // import UIKit import RATreeView class TreeViewController: UIViewController, RATreeViewDelegate, RATreeViewDataSource { var treeView : RATreeView! var data : [DataObject] var editButton : UIBarButtonItem! convenience init() { self.init(nibName : nil, bundle: nil) } override init(nibName nibNameOrNil: String?, bundle nibBundleOrNil: NSBundle?) { data = TreeViewController.commonInit() super.init(nibName: nibNameOrNil, bundle: nibBundleOrNil) } required init?(coder aDecoder: NSCoder) { data = TreeViewController.commonInit() super.init(coder: aDecoder) } override func viewDidLoad() { super.viewDidLoad() view.backgroundColor = UIColor.whiteColor() title = "Things" setupTreeView() updateNavigationBarButtons() } func setupTreeView() -> Void { treeView = RATreeView(frame: view.bounds) treeView.registerNib(UINib.init(nibName: "TreeTableViewCell", bundle: nil), forCellReuseIdentifier: "TreeTableViewCell") treeView.autoresizingMask = UIViewAutoresizing(rawValue:UIViewAutoresizing.FlexibleWidth.rawValue | UIViewAutoresizing.FlexibleHeight.rawValue) treeView.delegate = self; treeView.dataSource = self; treeView.treeFooterView = UIView() treeView.backgroundColor = UIColor.clearColor() view.addSubview(treeView) } func updateNavigationBarButtons() -> Void { let systemItem = treeView.editing ? UIBarButtonSystemItem.Done : UIBarButtonSystemItem.Edit; self.editButton = UIBarButtonItem.init(barButtonSystemItem: systemItem, target: self, action: "editButtonTapped:") self.navigationItem.rightBarButtonItem = self.editButton; } func editButtonTapped(sender : AnyObject) -> Void { treeView.setEditing(!treeView.editing, animated: true) updateNavigationBarButtons() } //MARK: RATreeView data source func treeView(treeView: RATreeView, numberOfChildrenOfItem item: AnyObject?) -> Int { if let item = item as? DataObject { return item.children.count } else { return self.data.count } } func treeView(treeView: RATreeView, child index: Int, ofItem item: AnyObject?) -> AnyObject { if let item = item as? DataObject { return item.children[index] } else { return data[index] as AnyObject } } func treeView(treeView: RATreeView, cellForItem item: AnyObject?) -> UITableViewCell { let cell = treeView.dequeueReusableCellWithIdentifier("TreeTableViewCell") as! TreeTableViewCell let item = item as! DataObject let level = treeView.levelForCellForItem(item) let detailsText = "Number of children \(item.children.count)" cell.selectionStyle = .None cell.setup(withTitle: item.name, detailsText: detailsText, level: level, additionalButtonHidden: false) cell.additionButtonActionBlock = { [weak treeView] cell in guard let treeView = treeView else { return; } let item = treeView.itemForCell(cell) as! DataObject let newItem = DataObject(name: "Added value") item.addChild(newItem) treeView.insertItemsAtIndexes(NSIndexSet.init(index: 0), inParent: item, withAnimation: RATreeViewRowAnimationNone); treeView.reloadRowsForItems([item], withRowAnimation: RATreeViewRowAnimationNone) } return cell } //MARK: RATreeView delegate func treeView(treeView: RATreeView, commitEditingStyle editingStyle: UITableViewCellEditingStyle, forRowForItem item: AnyObject) { guard editingStyle == .Delete else { return; } let item = item as! DataObject let parent = treeView.parentForItem(item) as? DataObject var index = 0 if let parent = parent { parent.children.indexOf({ dataObject in return dataObject === item })! parent.removeChild(item) } else { index = self.data.indexOf({ dataObject in return dataObject === item; })! self.data.removeAtIndex(index) } self.treeView.deleteItemsAtIndexes(NSIndexSet.init(index: index), inParent: parent, withAnimation: RATreeViewRowAnimationRight) if let parent = parent { self.treeView.reloadRowsForItems([parent], withRowAnimation: RATreeViewRowAnimationNone) } } } private extension TreeViewController { static func commonInit() -> [DataObject] { let phone1 = DataObject(name: "Phone 1") let phone2 = DataObject(name: "Phone 2") let phone3 = DataObject(name: "Phone 3") let phone4 = DataObject(name: "Phone 4") let phones = DataObject(name: "Phones", children: [phone1, phone2, phone3, phone4]) let notebook1 = DataObject(name: "Notebook 1") let notebook2 = DataObject(name: "Notebook 2") let computer1 = DataObject(name: "Computer 1", children: [notebook1, notebook2]) let computer2 = DataObject(name: "Computer 2") let computer3 = DataObject(name: "Computer 3") let computers = DataObject(name: "Computers", children: [computer1, computer2, computer3]) let cars = DataObject(name: "Cars") let bikes = DataObject(name: "Bikes") let houses = DataObject(name: "Houses") let flats = DataObject(name: "Flats") let motorbikes = DataObject(name: "motorbikes") let drinks = DataObject(name: "Drinks") let food = DataObject(name: "Food") let sweets = DataObject(name: "Sweets") let watches = DataObject(name: "Watches") let walls = DataObject(name: "Walls") return [phones, computers, cars, bikes, houses, flats, motorbikes, drinks, food, sweets, watches, walls] } }
apache-2.0
6f22b9974feefbc8ff4f27af488e926b
35.813253
151
0.655539
4.85
false
false
false
false
GRSource/GRTabBarController
Example/Controllers/GRThird_RootViewController.swift
1
3170
// // GRThird_RootViewController.swift // GRTabBarController // // Created by iOS_Dev5 on 2017/2/9. // Copyright © 2017年 GRSource. All rights reserved. // import UIKit class GRThird_RootViewController: UITableViewController { override func viewDidLoad() { super.viewDidLoad() self.title = "三" // Uncomment the following line to preserve selection between presentations // self.clearsSelectionOnViewWillAppear = false // Uncomment the following line to display an Edit button in the navigation bar for this view controller. // self.navigationItem.rightBarButtonItem = self.editButtonItem() } override func didReceiveMemoryWarning() { super.didReceiveMemoryWarning() // Dispose of any resources that can be recreated. } // MARK: - Table view data source override func numberOfSections(in tableView: UITableView) -> Int { // #warning Incomplete implementation, return the number of sections return 0 } override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int { // #warning Incomplete implementation, return the number of rows return 0 } /* override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell { let cell = tableView.dequeueReusableCell(withIdentifier: "reuseIdentifier", for: indexPath) // Configure the cell... return cell } */ /* // Override to support conditional editing of the table view. override func tableView(_ tableView: UITableView, canEditRowAt indexPath: IndexPath) -> Bool { // Return false if you do not want the specified item to be editable. return true } */ /* // Override to support editing the table view. override func tableView(_ tableView: UITableView, commit editingStyle: UITableViewCellEditingStyle, forRowAt indexPath: IndexPath) { if editingStyle == .delete { // Delete the row from the data source tableView.deleteRows(at: [indexPath], with: .fade) } else if editingStyle == .insert { // Create a new instance of the appropriate class, insert it into the array, and add a new row to the table view } } */ /* // Override to support rearranging the table view. override func tableView(_ tableView: UITableView, moveRowAt fromIndexPath: IndexPath, to: IndexPath) { } */ /* // Override to support conditional rearranging of the table view. override func tableView(_ tableView: UITableView, canMoveRowAt indexPath: IndexPath) -> Bool { // Return false if you do not want the item to be re-orderable. return true } */ /* // MARK: - Navigation // In a storyboard-based application, you will often want to do a little preparation before navigation override func prepare(for segue: UIStoryboardSegue, sender: Any?) { // Get the new view controller using segue.destinationViewController. // Pass the selected object to the new view controller. } */ }
mit
5c5d2c8696b89a197208528828107612
32.315789
136
0.66951
5.248756
false
false
false
false
shaps80/Peek
Pod/Classes/Helpers/Constraints.swift
1
3972
/* Copyright © 18/10/2017 Shaps Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ import UIKit /// Defines a tuple of views that returns a constraint internal typealias Constraint = (UIView, UIView) -> NSLayoutConstraint extension NSLayoutConstraint { /// Returns this constraint with its priority updated /// /// - Parameter priority: The new priority for this constraint /// - Returns: Returns self. func with(priority: UILayoutPriority) -> NSLayoutConstraint { self.priority = priority return self } } /// Returns a constraint for the specified anchor /// /// - Parameters: /// - keyPath: A keyPath to the source and destination anchor /// - constant: The constant to apply to this constraint /// - priority: The priority to apply to this constraint /// - Returns: A newly configured constraint internal func equal<Axis, Anchor>(_ keyPath: KeyPath<UIView, Anchor>, constant: CGFloat = 0, priority: UILayoutPriority = .defaultHigh) -> Constraint where Anchor: NSLayoutAnchor<Axis> { return equal(keyPath, keyPath, constant: constant, priority: priority) } /// Returns a constraint for the specified anchors /// /// - Parameters: /// - keyPath: A keyPath to the source anchor /// - to: A keyPath to the destination anchor /// - constant: The constant to apply to this constraint /// - priority: The priority to apply to this constraint /// - Returns: A newly configured constraint internal func equal<Axis, Anchor>(_ keyPath: KeyPath<UIView, Anchor>, _ to: KeyPath<UIView, Anchor>, constant: CGFloat = 0, priority: UILayoutPriority = .defaultHigh) -> Constraint where Anchor: NSLayoutAnchor<Axis> { return { view, parent in view[keyPath: keyPath].constraint(equalTo: parent[keyPath: to], constant: constant).with(priority: priority) } } internal func sized<Anchor>(_ keyPath: KeyPath<UIView, Anchor>, constant: CGFloat, priority: UILayoutPriority = .defaultHigh) -> Constraint where Anchor: NSLayoutDimension { return { _, parent in parent[keyPath: keyPath].constraint(equalToConstant: constant).with(priority: priority) } } extension UIView { /// Adds view to otherView, and activates the associated constraints. This also ensures translatesAutoresizingMaskIntoConstraints is disabled. /// /// - Parameters: /// - other: The other view this view will be added to /// - constraints: The constraints to apply internal func addSubview(_ other: UIView, below view: UIView? = nil, constraints: [Constraint]) { if let view = view { insertSubview(other, belowSubview: view) } else { addSubview(other) } other.translatesAutoresizingMaskIntoConstraints = false pin(to: other, constraints: constraints) } internal func pin(to other: UIView, constraints: [Constraint]) { NSLayoutConstraint.activate(constraints.map { $0(self, other) }) } }
mit
6b8d7dafdb16a3838aba6cae0c325602
41.244681
217
0.716444
4.801693
false
false
false
false
tryswift/tryswiftdev
Sources/main.swift
1
1531
do { print("") let arguments = Process.arguments.dropFirst() guard let arg1 = arguments.first else { usage() throw Error.InvalidValue } guard let option = Options(argment: arg1) else { usage() throw Error.InvalidValue } guard let value1 = arguments.dropFirst().first else { usage() throw Error.InvalidValue } guard let value2 = arguments.dropFirst(2).first else { usage() throw Error.InvalidValue } switch option { case .DuplicateReadme: duplicateExistingReadme(existingReadmeDirctoryPath: value1, newReadmeDirectoryPath: value2) case .ReplaceStringsInReadme: replaceStringsInReadme(source: value1, target: value2) case .FindIt: guard value1 == "-name" else { // TODO: For now, support `-name` only. throw Error.UnsupportedOption } findFile(targetOption: "-name", targetName: value2) case .UpdateVersionStrings: try updateVersionStrings(configurationFileFullPath: value1, rootDirectoryPath: value2) case .InstallDevelopmentSnapshot: guard value1 == "-ds" || value1 == "--development-snapshot" else { throw Error.UnsupportedOption } downloadAndInstallSnapshot(snapshotVersion: "swift-DEVELOPMENT-SNAPSHOT-\(value2)") case .Usage: usage() } } catch let error as Error { print(error.description) } catch { // TODO: Error Handling print("Error!!") } print("")
mit
ed23883ceafc95157b0d01d44a6b59bb
29.62
99
0.634226
4.516224
false
false
false
false
Pluto-Y/SwiftyEcharts
SwiftyEchartsTest_iOS/PolylineGraphicSpec.swift
1
5982
// // PolylineGraphicSpec.swift // SwiftyEcharts // // Created by Pluto Y on 02/08/2017. // Copyright © 2017 com.pluto-y. All rights reserved. // import Quick import Nimble @testable import SwiftyEcharts class PolylineGraphicSpec: QuickSpec { override func spec() { describe("For PolylineGraphic.Shape.Smooth") { let valValue: Float = 563.5626 let splineString = "spline" let valSmooth = PolylineGraphic.Shape.Smooth.val(valValue) let splineSmooth = PolylineGraphic.Shape.Smooth.spline it("needs to check the enum case jsonString") { expect(valSmooth.jsonString).to(equal("\(valValue)")) expect(splineSmooth.jsonString).to(equal(splineString.jsonString)) } } let pointShapeValue: [Point] = [[22%, 44%], [44%, 55%], [11%, 44%]] let smoothShapeValue = PolylineGraphic.Shape.Smooth.val(75.37) let smoothConstraintShapeValue = false let shape = PolylineGraphic.Shape() shape.point = pointShapeValue shape.smooth = smoothShapeValue shape.smoothConstraint = smoothConstraintShapeValue describe("For PolylineGraphic.Shape") { it("needs to check the jsonStrin") { let resultDic: [String: Jsonable] = [ "point": pointShapeValue, "smooth": smoothShapeValue, "smoothConstraint": smoothConstraintShapeValue ] expect(shape.jsonString).to(equal(resultDic.jsonString)) } it("needs to check the Enumable") { let shapeByEnums = PolylineGraphic.Shape( .point(pointShapeValue), .smooth(smoothShapeValue), .smoothConstraint(smoothConstraintShapeValue) ) expect(shapeByEnums.jsonString).to(equal(shape.jsonString)) } } describe("For PolylineGraphic") { let typeValue = GraphicType.polyline let idValue = "polylineGraphicIdValue" let actionValue = GraphicAction.remove let leftValue = Position.start let rightValue = Position.middle let bottomValue = Position.right let topValue = Position.insideBottom let boundingValue = GraphicBounding.raw let zValue: Float = 49575375 let zlevelValue: Float = 0.3746324823 let silentValue = true let invisibleValue = true let cursorValue = "polylineGraphicCursorValue" let draggableValue = false let progressiveValue = false let shapeValue = shape let styleValue = CommonGraphicStyle( .lineWidth(5.0), .shadowColor(Color.red), .shadowOffsetY(5.7364), .stroke(Color.green) ) let polylineGraphic = PolylineGraphic() polylineGraphic.id = idValue polylineGraphic.action = actionValue polylineGraphic.left = leftValue polylineGraphic.right = rightValue polylineGraphic.top = topValue polylineGraphic.bottom = bottomValue polylineGraphic.bounding = boundingValue polylineGraphic.z = zValue polylineGraphic.zlevel = zlevelValue polylineGraphic.silent = silentValue polylineGraphic.invisible = invisibleValue polylineGraphic.cursor = cursorValue polylineGraphic.draggable = draggableValue polylineGraphic.progressive = progressiveValue polylineGraphic.shape = shapeValue polylineGraphic.style = styleValue it("needs to check the typeValue") { expect(polylineGraphic.type.jsonString).to(equal(typeValue.jsonString)) } it("needs to check the jsonString") { let resultDic: [String: Jsonable] = [ "type": typeValue, "id": idValue, "$action": actionValue, "left": leftValue, "right": rightValue, "top": topValue, "bottom": bottomValue, "bounding": boundingValue, "z": zValue, "zlevel": zlevelValue, "silent": silentValue, "invisible": invisibleValue, "cursor": cursorValue, "draggable": draggableValue, "progressive": progressiveValue, "shape": shapeValue, "style": styleValue ] expect(polylineGraphic.jsonString).to(equal(resultDic.jsonString)) } it("needs to check the Enumable") { let polylineGraphicByEnums = PolylineGraphic( .id(idValue), .action(actionValue), .left(leftValue), .right(rightValue), .top(topValue), .bottom(bottomValue), .bounding(boundingValue), .z(zValue), .zlevel(zlevelValue), .silent(silentValue), .invisible(invisibleValue), .cursor(cursorValue), .draggable(draggableValue), .progressive(progressiveValue), .shape(shapeValue), .style(styleValue) ) expect(polylineGraphicByEnums.jsonString).to(equal(polylineGraphicByEnums.jsonString)) } } } }
mit
1959c7c8374c77cbb956b3b5e07f02be
38.091503
102
0.524661
5.886811
false
false
false
false
apple/swift
test/Interpreter/objc_implementation_swift_client.swift
2
2799
// REQUIRES: rdar101543397 // // Build objc_implementation.framework // // RUN: %empty-directory(%t) // RUN: %empty-directory(%t/frameworks) // RUN: %empty-directory(%t/frameworks/objc_implementation.framework/Modules/objc_implementation.swiftmodule) // RUN: %empty-directory(%t/frameworks/objc_implementation.framework/Headers) // RUN: cp %S/Inputs/objc_implementation.modulemap %t/frameworks/objc_implementation.framework/Modules/module.modulemap // RUN: cp %S/Inputs/objc_implementation.h %t/frameworks/objc_implementation.framework/Headers // RUN: %target-build-swift-dylib(%t/frameworks/objc_implementation.framework/objc_implementation) -emit-module-path %t/frameworks/objc_implementation.framework/Modules/objc_implementation.swiftmodule/%module-target-triple.swiftmodule -module-name objc_implementation -F %t/frameworks -import-underlying-module -Xlinker -install_name -Xlinker %t/frameworks/objc_implementation.framework/objc_implementation %S/objc_implementation.swift // // Execute this file // // RUN: %empty-directory(%t/swiftmod) // RUN: %target-build-swift %s -module-cache-path %t/swiftmod/mcp -F %t/frameworks -o %t/swiftmod/a.out -module-name main // RUN: %target-codesign %t/swiftmod/a.out // RUN: %target-run %t/swiftmod/a.out | %FileCheck %s // // Execute again, without the swiftmodule this time // // RUN: mv %t/frameworks/objc_implementation.framework/Modules/objc_implementation.swiftmodule %t/frameworks/objc_implementation.framework/Modules/objc_implementation.swiftmodule.disabled // RUN: %empty-directory(%t/clangmod) // RUN: %target-build-swift %s -module-cache-path %t/clangmod/mcp -F %t/frameworks -o %t/clangmod/a.out -module-name main // RUN: %target-codesign %t/clangmod/a.out // RUN: %target-run %t/clangmod/a.out | %FileCheck %s // REQUIRES: executable_test // REQUIRES: objc_interop import Foundation import objc_implementation ImplClass.runTests() // CHECK: someMethod = ImplClass.someMethod() // CHECK: implProperty = 0 // CHECK: implProperty = 42 // CHECK: someMethod = SwiftSubclass.someMethod() // CHECK: implProperty = 0 // CHECK: implProperty = 42 // CHECK: otherProperty = 1 // CHECK: otherProperty = 13 // CHECK: implProperty = 42 let impl = ImplClass() print(impl.someMethod(), impl.implProperty) // CHECK: ImplClass.someMethod() 0 class SwiftClientSubclass: ImplClass { override init() {} var otherProperty = 2 override func someMethod() -> String { "SwiftClientSubclass.someMethod()" } } let swiftClientSub = SwiftClientSubclass() print(swiftClientSub.someMethod()) // CHECK: SwiftClientSubclass.someMethod() print(swiftClientSub.implProperty, swiftClientSub.otherProperty) // CHECK: 0 2 swiftClientSub.implProperty = 3 swiftClientSub.otherProperty = 9 print(swiftClientSub.implProperty, swiftClientSub.otherProperty) // CHECK: 3 9
apache-2.0
b216e726045420dd926ba7ffdd7e1c21
40.776119
435
0.766345
3.649283
false
false
false
false
hooman/swift
test/SILGen/cf_members.swift
5
14652
// RUN: %target-swift-emit-silgen -I %S/../IDE/Inputs/custom-modules %s -enable-objc-interop -I %S/Inputs/usr/include | %FileCheck %s import ImportAsMember func makeMetatype() -> Struct1.Type { return Struct1.self } // CHECK-LABEL: sil [ossa] @$s10cf_members17importAsUnaryInityyF public func importAsUnaryInit() { // CHECK: function_ref @CCPowerSupplyCreateDangerous : $@convention(c) () -> @owned CCPowerSupply var a = CCPowerSupply(dangerous: ()) let f: (()) -> CCPowerSupply = CCPowerSupply.init(dangerous:) a = f(()) } // CHECK-LABEL: sil [ossa] @$s10cf_members3foo{{[_0-9a-zA-Z]*}}F public func foo(_ x: Double) { // CHECK: bb0([[X:%.*]] : $Double): // CHECK: [[GLOBALVAR:%.*]] = global_addr @IAMStruct1GlobalVar // CHECK: [[READ:%.*]] = begin_access [read] [dynamic] [[GLOBALVAR]] : $*Double // CHECK: [[ZZ:%.*]] = load [trivial] [[READ]] let zz = Struct1.globalVar // CHECK: [[WRITE:%.*]] = begin_access [modify] [dynamic] [[GLOBALVAR]] : $*Double // CHECK: assign [[ZZ]] to [[WRITE]] Struct1.globalVar = zz // CHECK: [[Z:%.*]] = project_box // CHECK: [[FN:%.*]] = function_ref @IAMStruct1CreateSimple // CHECK: apply [[FN]]([[X]]) var z = Struct1(value: x) // The metatype expression should still be evaluated even if it isn't // used. // CHECK: [[MAKE_METATYPE:%.*]] = function_ref @$s10cf_members12makeMetatype{{[_0-9a-zA-Z]*}}F // CHECK: apply [[MAKE_METATYPE]]() // CHECK: [[FN:%.*]] = function_ref @IAMStruct1CreateSimple // CHECK: apply [[FN]]([[X]]) z = makeMetatype().init(value: x) // CHECK: [[FN:%.*]] = function_ref @$s10cf_members3fooyySdFSo10IAMStruct1VSdcfu_ : $@convention(thin) (Double) -> Struct1 // CHECK: [[A:%.*]] = thin_to_thick_function [[FN]] // CHECK: [[BORROWED_A:%.*]] = begin_borrow [[A]] let a: (Double) -> Struct1 = Struct1.init(value:) // CHECK: [[NEW_Z_VALUE:%.*]] = apply [[BORROWED_A]]([[X]]) // CHECK: end_borrow [[BORROWED_A]] // CHECK: [[WRITE:%.*]] = begin_access [modify] [unknown] [[Z]] // CHECK: assign [[NEW_Z_VALUE]] to [[WRITE]] // CHECK: end_access [[WRITE]] z = a(x) // TODO: Support @convention(c) references that only capture thin metatype // let b: @convention(c) (Double) -> Struct1 = Struct1.init(value:) // z = b(x) // CHECK: [[WRITE:%.*]] = begin_access [modify] [unknown] [[Z]] : $*Struct1 // CHECK: [[FN:%.*]] = function_ref @IAMStruct1InvertInPlace // CHECK: apply [[FN]]([[WRITE]]) z.invert() // CHECK: [[WRITE:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[WRITE]] // CHECK: store [[ZVAL]] to [trivial] [[ZTMP:%.*]] : // CHECK: [[FN:%.*]] = function_ref @IAMStruct1Rotate : $@convention(c) (@in Struct1, Double) -> Struct1 // CHECK: apply [[FN]]([[ZTMP]], [[X]]) z = z.translate(radians: x) // CHECK: [[READ:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[READ]] // CHECK: [[THUNK:%.*]] = function_ref @$s10cf_members3fooyySdFSo10IAMStruct1VSdcADcfu0_ : $@convention(thin) (Struct1) -> @owned @callee_guaranteed (Double) -> Struct1 // CHECK: [[C:%.*]] = apply [[THUNK]]([[ZVAL]]) // CHECK: [[BORROWED_C:%.*]] = begin_borrow [[C]] // CHECK: [[C_COPY:%.*]] = copy_value [[BORROWED_C]] // CHECK: [[BORROWED_C2:%.*]] = begin_borrow [[C_COPY]] let c: (Double) -> Struct1 = z.translate(radians:) // CHECK: apply [[BORROWED_C2]]([[X]]) // CHECK: destroy_value [[C_COPY]] // CHECK: end_borrow [[BORROWED_C]] z = c(x) // CHECK: [[THUNK:%.*]] = function_ref @$s10cf_members3fooyySdFSo10IAMStruct1VSdcADcfu2_ : $@convention(thin) (Struct1) -> @owned @callee_guaranteed (Double) -> Struct1 // CHECK: [[THICK:%.*]] = thin_to_thick_function [[THUNK]] let d: (Struct1) -> (Double) -> Struct1 = Struct1.translate(radians:) // CHECK: [[READ:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[READ]] // CHECK: [[THICK_BORROW:%.*]] = begin_borrow [[THICK]] // CHECK: apply [[THICK_BORROW]]([[ZVAL]]) // CHECK: end_borrow [[THICK_BORROW]] z = d(z)(x) // TODO: If we implement SE-0042, this should thunk the value Struct1 param // to a const* param to the underlying C symbol. // // let e: @convention(c) (Struct1, Double) -> Struct1 // = Struct1.translate(radians:) // z = e(z, x) // CHECK: [[READ:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[READ]] // CHECK: [[FN:%.*]] = function_ref @IAMStruct1Scale // CHECK: apply [[FN]]([[ZVAL]], [[X]]) z = z.scale(x) // CHECK: [[READ:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[READ]] // CHECK: [[THUNK:%.*]] = function_ref @$s10cf_members3fooyySdFSo10IAMStruct1VSdcADcfu4_ : $@convention(thin) (Struct1) -> @owned @callee_guaranteed (Double) -> Struct1 // CHECK: [[F:%.*]] = apply [[THUNK]]([[ZVAL]]) // CHECK: [[BORROWED_F:%.*]] = begin_borrow [[F]] // CHECK: [[F_COPY:%.*]] = copy_value [[BORROWED_F]] // CHECK: [[BORROWED_F2:%.*]] = begin_borrow [[F_COPY]] let f = z.scale // CHECK: apply [[BORROWED_F2]]([[X]]) // CHECK: destroy_value [[F_COPY]] // CHECK: end_borrow [[BORROWED_F]] z = f(x) // CHECK: [[THUNK:%.*]] = function_ref @$s10cf_members3fooyySdFSo10IAMStruct1VSdcADcfu6_ : $@convention(thin) (Struct1) -> @owned @callee_guaranteed (Double) -> Struct1 // CHECK: thin_to_thick_function [[THUNK]] let g = Struct1.scale // CHECK: [[READ:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[READ]] z = g(z)(x) // TODO: If we implement SE-0042, this should directly reference the // underlying C function. // let h: @convention(c) (Struct1, Double) -> Struct1 = Struct1.scale // z = h(z, x) // CHECK: [[READ:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[READ]] // CHECK: store [[ZVAL]] to [trivial] [[ZTMP:%.*]] : // CHECK: [[ZVAL_2:%.*]] = load [trivial] [[ZTMP]] // CHECK: store [[ZVAL_2]] to [trivial] [[ZTMP_2:%.*]] : // CHECK: [[GET:%.*]] = function_ref @IAMStruct1GetRadius : $@convention(c) (@in Struct1) -> Double // CHECK: apply [[GET]]([[ZTMP_2]]) _ = z.radius // CHECK: [[READ:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[READ]] // CHECK: [[SET:%.*]] = function_ref @IAMStruct1SetRadius : $@convention(c) (Struct1, Double) -> () // CHECK: apply [[SET]]([[ZVAL]], [[X]]) z.radius = x // CHECK: [[READ:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[READ]] // CHECK: [[GET:%.*]] = function_ref @IAMStruct1GetAltitude : $@convention(c) (Struct1) -> Double // CHECK: apply [[GET]]([[ZVAL]]) _ = z.altitude // CHECK: [[WRITE:%.*]] = begin_access [modify] [unknown] [[Z]] : $*Struct1 // CHECK: [[SET:%.*]] = function_ref @IAMStruct1SetAltitude : $@convention(c) (@inout Struct1, Double) -> () // CHECK: apply [[SET]]([[WRITE]], [[X]]) z.altitude = x // CHECK: [[READ:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[READ]] // CHECK: [[GET:%.*]] = function_ref @IAMStruct1GetMagnitude : $@convention(c) (Struct1) -> Double // CHECK: apply [[GET]]([[ZVAL]]) _ = z.magnitude // CHECK: [[FN:%.*]] = function_ref @IAMStruct1StaticMethod // CHECK: apply [[FN]]() var y = Struct1.staticMethod() // CHECK: [[SELF:%.*]] = metatype // CHECK: [[THUNK:%.*]] = function_ref @$s10cf_members3fooyySdFs5Int32VycSo10IAMStruct1Vmcfu8_ : $@convention(thin) (@thin Struct1.Type) -> @owned @callee_guaranteed () -> Int32 // CHECK: [[I:%.*]] = apply [[THUNK]]([[SELF]]) // CHECK: [[BORROWED_I:%.*]] = begin_borrow [[I]] // CHECK: [[I_COPY:%.*]] = copy_value [[BORROWED_I]] // CHECK: [[BORROWED_I2:%.*]] = begin_borrow [[I_COPY]] let i = Struct1.staticMethod // CHECK: apply [[BORROWED_I2]]() // CHECK: destroy_value [[I_COPY]] // CHECK: end_borrow [[BORROWED_I]] y = i() // TODO: Support @convention(c) references that only capture thin metatype // let j: @convention(c) () -> Int32 = Struct1.staticMethod // y = j() // CHECK: [[GET:%.*]] = function_ref @IAMStruct1StaticGetProperty // CHECK: apply [[GET]]() _ = Struct1.property // CHECK: [[SET:%.*]] = function_ref @IAMStruct1StaticSetProperty // CHECK: apply [[SET]](%{{[0-9]+}}) Struct1.property = y // CHECK: [[GET:%.*]] = function_ref @IAMStruct1StaticGetOnlyProperty // CHECK: apply [[GET]]() _ = Struct1.getOnlyProperty // CHECK: [[MAKE_METATYPE:%.*]] = function_ref @$s10cf_members12makeMetatype{{[_0-9a-zA-Z]*}}F // CHECK: apply [[MAKE_METATYPE]]() // CHECK: [[GET:%.*]] = function_ref @IAMStruct1StaticGetProperty // CHECK: apply [[GET]]() _ = makeMetatype().property // CHECK: [[MAKE_METATYPE:%.*]] = function_ref @$s10cf_members12makeMetatype{{[_0-9a-zA-Z]*}}F // CHECK: apply [[MAKE_METATYPE]]() // CHECK: [[SET:%.*]] = function_ref @IAMStruct1StaticSetProperty // CHECK: apply [[SET]](%{{[0-9]+}}) makeMetatype().property = y // CHECK: [[MAKE_METATYPE:%.*]] = function_ref @$s10cf_members12makeMetatype{{[_0-9a-zA-Z]*}}F // CHECK: apply [[MAKE_METATYPE]]() // CHECK: [[GET:%.*]] = function_ref @IAMStruct1StaticGetOnlyProperty // CHECK: apply [[GET]]() _ = makeMetatype().getOnlyProperty // CHECK: [[READ:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[READ]] // CHECK: [[FN:%.*]] = function_ref @IAMStruct1SelfComesLast : $@convention(c) (Double, Struct1) -> () // CHECK: apply [[FN]]([[X]], [[ZVAL]]) z.selfComesLast(x: x) // CHECK: [[READ:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[READ]] let k: (Double) -> () = z.selfComesLast(x:) k(x) let l: (Struct1) -> (Double) -> () = Struct1.selfComesLast(x:) // CHECK: [[READ:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[READ]] l(z)(x) // TODO: If we implement SE-0042, this should thunk to reorder the arguments. // let m: @convention(c) (Struct1, Double) -> () = Struct1.selfComesLast(x:) // m(z, x) // CHECK: [[READ:%.*]] = begin_access [read] [unknown] [[Z]] : $*Struct1 // CHECK: [[ZVAL:%.*]] = load [trivial] [[READ]] // CHECK: [[FN:%.*]] = function_ref @IAMStruct1SelfComesThird : $@convention(c) (Int32, Float, Struct1, Double) -> () // CHECK: apply [[FN]]({{.*}}, {{.*}}, [[ZVAL]], [[X]]) z.selfComesThird(a: y, b: 0, x: x) let n: (Int32, Float, Double) -> () = z.selfComesThird(a:b:x:) n(y, 0, x) let o: (Struct1) -> (Int32, Float, Double) -> () = Struct1.selfComesThird(a:b:x:) o(z)(y, 0, x) // TODO: If we implement SE-0042, this should thunk to reorder the arguments. // let p: @convention(c) (Struct1, Int, Float, Double) -> () // = Struct1.selfComesThird(a:b:x:) // p(z, y, 0, x) } // CHECK: } // end sil function '$s10cf_members3foo{{[_0-9a-zA-Z]*}}F' // CHECK-LABEL: sil private [ossa] @$s10cf_members3fooyySdFSo10IAMStruct1VSdcfu_ : $@convention(thin) (Double) -> Struct1 { // CHECK: bb0([[X:%.*]] : $Double): // CHECK: [[CFUNC:%.*]] = function_ref @IAMStruct1CreateSimple // CHECK: [[RET:%.*]] = apply [[CFUNC]]([[X]]) // CHECK: return [[RET]] // CHECK-LABEL: sil private [ossa] @$s10cf_members3fooyySdFSo10IAMStruct1VSdcADcfu0_ADSdcfu1_ : $@convention(thin) (Double, Struct1) -> Struct1 { // CHECK: bb0([[X:%.*]] : $Double, [[SELF:%.*]] : $Struct1): // CHECK: store [[SELF]] to [trivial] [[TMP:%.*]] : // CHECK: [[CFUNC:%.*]] = function_ref @IAMStruct1Rotate // CHECK: [[RET:%.*]] = apply [[CFUNC]]([[TMP]], [[X]]) // CHECK: return [[RET]] // CHECK-LABEL: sil private [ossa] @$s10cf_members3fooyySdFSo10IAMStruct1VSdcADcfu4_ADSdcfu5_ : $@convention(thin) (Double, Struct1) -> Struct1 { // CHECK: bb0([[X:%.*]] : $Double, [[SELF:%.*]] : $Struct1): // CHECK: [[CFUNC:%.*]] = function_ref @IAMStruct1Scale // CHECK: [[RET:%.*]] = apply [[CFUNC]]([[SELF]], [[X]]) // CHECK: return [[RET]] // CHECK-LABEL: sil private [ossa] @$s10cf_members3fooyySdFs5Int32VycSo10IAMStruct1Vmcfu8_ADycfu9_ : $@convention(thin) (@thin Struct1.Type) -> Int32 { // CHECK: bb0([[SELF:%.*]] : $@thin Struct1.Type): // CHECK: [[CFUNC:%.*]] = function_ref @IAMStruct1StaticMethod // CHECK: [[RET:%.*]] = apply [[CFUNC]]() // CHECK: return [[RET]] // CHECK-LABEL:sil private [ossa] @$s10cf_members3fooyySdFySdcSo10IAMStruct1Vcfu10_ySdcfu11_ : $@convention(thin) (Double, Struct1) -> () { // CHECK: bb0([[X:%.*]] : $Double, [[SELF:%.*]] : $Struct1): // CHECK: [[CFUNC:%.*]] = function_ref @IAMStruct1SelfComesLast // CHECK: apply [[CFUNC]]([[X]], [[SELF]]) // CHECK-LABEL: sil private [ossa] @$s10cf_members3fooyySdFys5Int32V_SfSdtcSo10IAMStruct1Vcfu14_yAD_SfSdtcfu15_ : $@convention(thin) (Int32, Float, Double, Struct1) -> () { // CHECK: bb0([[X:%.*]] : $Int32, [[Y:%.*]] : $Float, [[Z:%.*]] : $Double, [[SELF:%.*]] : $Struct1): // CHECK: [[CFUNC:%.*]] = function_ref @IAMStruct1SelfComesThird // CHECK: apply [[CFUNC]]([[X]], [[Y]], [[SELF]], [[Z]]) // CHECK-LABEL: sil [ossa] @$s10cf_members3bar{{[_0-9a-zA-Z]*}}F public func bar(_ x: Double) { // CHECK: function_ref @CCPowerSupplyCreate : $@convention(c) (Double) -> @owned CCPowerSupply let ps = CCPowerSupply(watts: x) // CHECK: function_ref @CCRefrigeratorCreate : $@convention(c) (CCPowerSupply) -> @owned CCRefrigerator let fridge = CCRefrigerator(powerSupply: ps) // CHECK: function_ref @CCRefrigeratorOpen : $@convention(c) (CCRefrigerator) -> () fridge.open() // CHECK: function_ref @CCRefrigeratorGetPowerSupply : $@convention(c) (CCRefrigerator) -> @autoreleased CCPowerSupply let ps2 = fridge.powerSupply // CHECK: function_ref @CCRefrigeratorSetPowerSupply : $@convention(c) (CCRefrigerator, CCPowerSupply) -> () fridge.powerSupply = ps2 let a: (Double) -> CCPowerSupply = CCPowerSupply.init(watts:) let _ = a(x) let b: (CCRefrigerator) -> () -> () = CCRefrigerator.open b(fridge)() let c = fridge.open c() } // CHECK-LABEL: sil [ossa] @$s10cf_members28importGlobalVarsAsProperties{{[_0-9a-zA-Z]*}}F public func importGlobalVarsAsProperties() -> (Double, CCPowerSupply, CCPowerSupply?) { // CHECK: global_addr @kCCPowerSupplyDC // CHECK: global_addr @kCCPowerSupplyAC // CHECK: global_addr @kCCPowerSupplyDefaultPower return (CCPowerSupply.defaultPower, CCPowerSupply.AC, CCPowerSupply.DC) }
apache-2.0
8a551fd8ebd7bfb17954988e9940818a
48.003344
179
0.591523
3.332272
false
false
false
false
TouchInstinct/LeadKit
TIYandexMapUtils/Sources/Extensions/YMKScreenRect+CameraPositioning.swift
1
2970
// // Copyright (c) 2022 Touch Instinct // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the Software), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED AS IS, WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. // import YandexMapsMobile public extension YMKScreenRect { func cameraPosition(in mapView: YMKMapView, insets: UIEdgeInsets) -> YMKCameraPosition? { let mapWindow: YMKMapWindow = mapView.mapWindow // mapWindow is IUO let center = YMKScreenPoint(x: (topLeft.x + bottomRight.x) / 2, y: (topLeft.y + bottomRight.y) / 2) guard let coordinatePoint = mapWindow.screenToWorld(with: center) else { return nil } let mapInsets: UIEdgeInsets if #available(iOS 11.0, *) { mapInsets = (insets + mapView.safeAreaInsets) * CGFloat(mapWindow.scaleFactor) } else { mapInsets = insets * CGFloat(mapWindow.scaleFactor) } let size = CGSize(width: mapWindow.width(), height: mapWindow.height()) guard let minScale = minScale(for: size, insets: mapInsets) else { return nil } let map = mapWindow.map let newZoom = map.cameraPosition.zoom + log2(minScale) let minZoom = map.getMinZoom() let maxZoom = map.getMaxZoom() return YMKCameraPosition(target: coordinatePoint, zoom: min(max(newZoom, minZoom), maxZoom), azimuth: 0, tilt: 0) } private func minScale(for mapSize: CGSize, insets: UIEdgeInsets) -> Float? { let width = CGFloat(abs(bottomRight.x - topLeft.x)) let height = CGFloat(abs(topLeft.y - bottomRight.y)) if width > 0 || height > 0 { let scaleX = mapSize.width / width - (insets.left + insets.right) / width let scaleY = mapSize.height / height - (insets.top + insets.bottom) / height return Float(min(scaleX, scaleY)) } return nil } }
apache-2.0
b56d4ecf02eaaf8824bbfc4d5bb7412c
38.6
93
0.644108
4.446108
false
false
false
false
Reggian/IOS-Pods-DFU-Library
iOSDFULibrary/Classes/Utilities/Streams/DFUStreamHex.swift
3
3146
/* * Copyright (c) 2016, Nordic Semiconductor * All rights reserved. * * Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * * 1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * * 2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the * documentation and/or other materials provided with the distribution. * * 3. Neither the name of the copyright holder nor the names of its contributors may be used to endorse or promote products derived from this * software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT * HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT * LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON * ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE * USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ internal class DFUStreamHex : DFUStream { fileprivate(set) var currentPart = 1 fileprivate(set) var parts = 1 fileprivate(set) var currentPartType:UInt8 = 0 /// Firmware binaries fileprivate var binaries:Data /// The init packet content fileprivate var initPacketBinaries:Data? fileprivate var firmwareSize:UInt32 = 0 var size:DFUFirmwareSize { switch currentPartType { case FIRMWARE_TYPE_SOFTDEVICE: return DFUFirmwareSize(softdevice: firmwareSize, bootloader: 0, application: 0) case FIRMWARE_TYPE_BOOTLOADER: return DFUFirmwareSize(softdevice: 0, bootloader: firmwareSize, application: 0) // case FIRMWARE_TYPE_APPLICATION: default: return DFUFirmwareSize(softdevice: 0, bootloader: 0, application: firmwareSize) } } var currentPartSize:DFUFirmwareSize { return size } init(urlToHexFile:URL, urlToDatFile:URL?, type:DFUFirmwareType) { let hexData = try? Data.init(contentsOf: urlToHexFile) binaries = IntelHex2BinConverter.convert(hexData) firmwareSize = UInt32(binaries.count) if let dat = urlToDatFile { initPacketBinaries = try? Data.init(contentsOf: dat) } self.currentPartType = type.rawValue } var data:Data { return binaries } var initPacket:Data? { return initPacketBinaries } func hasNextPart() -> Bool { return false } func switchToNextPart() { // do nothing } }
mit
28dfab3ddc05ac8de6746600b6ed9f9e
39.333333
144
0.70979
4.962145
false
false
false
false
lorentey/GlueKit
Sources/ValueMappingForValueField.swift
1
11005
// // SelectOperator.swift // GlueKit // // Created by Károly Lőrentey on 2015-12-06. // Copyright © 2015–2017 Károly Lőrentey. // extension ObservableValueType { /// Map is an operator that implements key path coding and observing. /// Given an observable parent and a key that selects an observable child component (a.k.a "field") of its value, /// `map` returns a new observable that can be used to look up and modify the field and observe its changes /// indirectly through the parent. /// /// @param key: An accessor function that returns a component of self (a field) that is itself observable. /// @returns A new observable that tracks changes to both self and the field returned by `key`. /// /// For example, take the model for a hypothetical group chat system below. /// ``` /// class Account { /// let name: Variable<String> /// let avatar: Variable<Image> /// } /// class Message { /// let author: Variable<Account> /// let text: Variable<String> /// } /// class Room { /// let latestMessage: AnyObservableValue<Message> /// let newMessages: Source<Message> /// let messages: ArrayVariable<Message> /// } /// let currentRoom: Variable<Room> /// ``` /// /// You can create an observable for the latest message in the current room with /// ```Swift /// let observable = currentRoom.map{$0.latestMessage} /// ``` /// Sinks connected to `observable.futureValues` will fire whenever the current room changes, or when a new /// message is posted in the current room. The observable can also be used to simply retrieve the latest /// message at any time. /// public func map<O: ObservableValueType>(_ key: @escaping (Value) -> O) -> AnyObservableValue<O.Value> { return ValueMappingForValueField(parent: self, key: key).anyObservableValue } } /// A source of changes for an Observable field. private final class ValueMappingForValueField<Parent: ObservableValueType, Field: ObservableValueType>: _BaseObservableValue<Field.Value> { typealias Value = Field.Value typealias Change = ValueChange<Value> struct ParentSink: OwnedSink { typealias Owner = ValueMappingForValueField<Parent, Field> unowned let owner: Owner let identifier = 1 func receive(_ update: ValueUpdate<Parent.Value>) { owner.applyParentUpdate(update) } } struct FieldSink: OwnedSink { typealias Owner = ValueMappingForValueField<Parent, Field> unowned let owner: Owner let identifier = 2 func receive(_ update: ValueUpdate<Field.Value>) { owner.applyFieldUpdate(update) } } let parent: Parent let key: (Parent.Value) -> Field private var currentValue: Field.Value? = nil private var field: Field? = nil override var value: Field.Value { if let v = currentValue { return v } return key(parent.value).value } init(parent: Parent, key: @escaping (Parent.Value) -> Field) { self.parent = parent self.key = key } override func activate() { precondition(currentValue == nil) let field = key(parent.value) self.currentValue = field.value subscribe(to: field) parent.add(ParentSink(owner: self)) } override func deactivate() { precondition(currentValue != nil) self.field!.remove(FieldSink(owner: self)) parent.remove(ParentSink(owner: self)) self.field = nil self.currentValue = nil } private func subscribe(to field: Field) { self.field?.remove(FieldSink(owner: self)) self.field = field field.add(FieldSink(owner: self)) } func applyParentUpdate(_ update: ValueUpdate<Parent.Value>) { switch update { case .beginTransaction: beginTransaction() case .change(let change): let field = key(change.new) let old = currentValue! let new = field.value currentValue = new sendChange(ValueChange(from: old, to: new)) subscribe(to: field) case .endTransaction: endTransaction() } } func applyFieldUpdate(_ update: ValueUpdate<Field.Value>) { switch update { case .beginTransaction: beginTransaction() case .change(let change): let old = currentValue! currentValue = change.new sendChange(ValueChange(from: old, to: change.new)) case .endTransaction: endTransaction() } } } extension ObservableValueType { public func flatMap<O: ObservableValueType>(_ key: @escaping (Value) -> O?) -> AnyObservableValue<O.Value?> { return ValueMappingForOptionalValueField(parent: self, key: key).anyObservableValue } } private final class ValueMappingForOptionalValueField<Parent: ObservableValueType, Field: ObservableValueType>: _BaseObservableValue<Field.Value?> { typealias Value = Field.Value? typealias Change = ValueChange<Value> struct ParentSink: OwnedSink { typealias Owner = ValueMappingForOptionalValueField<Parent, Field> unowned let owner: Owner let identifier = 1 func receive(_ update: ValueUpdate<Parent.Value>) { owner.applyParentUpdate(update) } } struct FieldSink: OwnedSink { typealias Owner = ValueMappingForOptionalValueField<Parent, Field> unowned let owner: Owner let identifier = 2 func receive(_ update: ValueUpdate<Field.Value>) { owner.applyFieldUpdate(update) } } let parent: Parent let key: (Parent.Value) -> Field? private var activated = false private var currentValue: Field.Value? = nil private var field: Field? = nil override var value: Value { if activated { return currentValue } return key(parent.value)?.value } init(parent: Parent, key: @escaping (Parent.Value) -> Field?) { self.parent = parent self.key = key } override func activate() { precondition(!activated) activated = true if let field = key(parent.value) { self.currentValue = field.value subscribe(to: field) } else { self.currentValue = nil } parent.add(ParentSink(owner: self)) } override func deactivate() { precondition(activated) self.field?.remove(FieldSink(owner: self)) parent.remove(ParentSink(owner: self)) self.field = nil self.currentValue = nil activated = false } private func subscribe(to field: Field) { self.field?.remove(FieldSink(owner: self)) self.field = field field.add(FieldSink(owner: self)) } func applyParentUpdate(_ update: ValueUpdate<Parent.Value>) { switch update { case .beginTransaction: beginTransaction() case .change(let change): let field = key(change.new) let old = currentValue let new = field?.value currentValue = new sendChange(ValueChange(from: old, to: new)) if let field = field { subscribe(to: field) } case .endTransaction: endTransaction() } } func applyFieldUpdate(_ update: ValueUpdate<Field.Value>) { switch update { case .beginTransaction: beginTransaction() case .change(let change): let old = currentValue currentValue = change.new sendChange(ValueChange(from: old, to: change.new)) case .endTransaction: endTransaction() } } } extension ObservableValueType { /// Map is an operator that implements key path coding and observing. /// Given an observable parent and a key that selects an observable child component (a.k.a "field") of its value, /// `map` returns a new observable that can be used to look up and modify the field and observe its changes /// indirectly through the parent. If the field is updatable, then the result will be, too. /// /// @param key: An accessor function that returns a component of self (a field) that is itself updatable. /// @returns A new updatable that tracks changes to both self and the field returned by `key`. /// /// For example, take the model for a hypothetical group chat system below. /// ``` /// class Account { /// let name: Variable<String> /// let avatar: Variable<Image> /// } /// class Message { /// let author: Variable<Account> /// let text: Variable<String> /// } /// class Room { /// let latestMessage: AnyObservableValue<Message> /// let messages: ArrayVariable<Message> /// let newMessages: Source<Message> /// } /// let currentRoom: Variable<Room> /// ``` /// /// You can create an updatable for the avatar image of the author of the latest message in the current room with /// ```Swift /// let updatable = currentRoom.map{$0.latestMessage}.map{$0.author}.map{$0.avatar} /// ``` /// Sinks connected to `updatable.futureValues` will fire whenever the current room changes, or when a new message is posted /// in the current room, or when the author of that message is changed, or when the current /// author changes their avatar. The updatable can also be used to simply retrieve the avatar at any time, /// or to update it. /// public func map<U: UpdatableValueType>(_ key: @escaping (Value) -> U) -> AnyUpdatableValue<U.Value> { return ValueMappingForUpdatableField<Self, U>(parent: self, key: key).anyUpdatableValue } } private final class ValueMappingForUpdatableField<Parent: ObservableValueType, Field: UpdatableValueType>: _AbstractUpdatableValue<Field.Value> { typealias Value = Field.Value private let _observable: ValueMappingForValueField<Parent, Field> init(parent: Parent, key: @escaping (Parent.Value) -> Field) { self._observable = ValueMappingForValueField<Parent, Field>(parent: parent, key: key) } override var value: Field.Value { get { return _observable.value } set { _observable.key(_observable.parent.value).value = newValue } } override func apply(_ update: Update<ValueChange<Field.Value>>) { return _observable.key(_observable.parent.value).apply(update) } override func add<Sink: SinkType>(_ sink: Sink) where Sink.Value == Update<Change> { _observable.add(sink) } @discardableResult override func remove<Sink: SinkType>(_ sink: Sink) -> Sink where Sink.Value == Update<Change> { return _observable.remove(sink) } }
mit
57d73abeba9e15fcb0a547f311ff1ca5
32.84
148
0.627023
4.658196
false
false
false
false
herveperoteau/TracktionProto2
TracktionProto2/WatchConnectivity/WatchConnectivityLayer.swift
1
2090
// // TrackDataItem.swift // TracktionProto1 // // Created by Hervé PEROTEAU on 03/01/2016. // Copyright © 2016 Hervé PEROTEAU. All rights reserved. // import Foundation let infoEndSession = "END" let keyTrackSessionId = "tSId" let keyDateStart = "DS" let keyDateEnd = "DE" let keyTimeStamp = "TS" let keyAccelerationX = "X" let keyAccelerationY = "Y" let keyAccelerationZ = "Z" let keyInfo = "I" class TrackSession { var trackSessionId: Int = 0 var dateStart: Double = 0.0 var dateEnd: Double = 0.0 var info: String = "" static func fromDictionary(userInfo: [String : AnyObject]) -> TrackSession { let item = TrackSession() item.trackSessionId = userInfo[keyTrackSessionId] as! Int item.dateStart = userInfo[keyDateStart] as! Double item.dateEnd = userInfo[keyDateEnd] as! Double item.info = userInfo[keyInfo] as! String return item } func toDictionary() -> [String : AnyObject] { var userInfo = [String : AnyObject]() userInfo[keyTrackSessionId] = trackSessionId userInfo[keyDateStart] = dateStart userInfo[keyDateEnd] = dateEnd userInfo[keyInfo] = info return userInfo } } class TrackDataItem { var trackSessionId: Int = 0 var timeStamp: Double = 0.0 var accelerationX: Double = 0.0 var accelerationY: Double = 0 var accelerationZ: Double = 0 static func fromDictionary(userInfo: [String : AnyObject]) -> TrackDataItem { let item = TrackDataItem() item.trackSessionId = userInfo[keyTrackSessionId] as! Int item.timeStamp = userInfo[keyTimeStamp] as! Double item.accelerationX = userInfo[keyAccelerationX] as! Double item.accelerationY = userInfo[keyAccelerationY] as! Double item.accelerationZ = userInfo[keyAccelerationZ] as! Double return item } func toDictionary() -> [String : AnyObject] { var userInfo = [String : AnyObject]() userInfo[keyTrackSessionId] = trackSessionId userInfo[keyTimeStamp] = timeStamp userInfo[keyAccelerationX] = accelerationX userInfo[keyAccelerationY] = accelerationY userInfo[keyAccelerationZ] = accelerationZ return userInfo } }
mit
529ec0882e8e33d82649121dad9ebfd6
26.473684
78
0.723527
3.801457
false
true
false
false
AirChen/ACSwiftDemoes
Target11-PorpertyAnimate/ViewController.swift
1
1334
// // ViewController.swift // Target11-PorpertyAnimate // // Created by Air_chen on 2016/11/6. // Copyright © 2016年 Air_chen. All rights reserved. // import UIKit class ViewController: UIViewController { @IBOutlet weak var nameField: UITextField! @IBOutlet weak var keyField: UITextField! @IBOutlet weak var btn: UIButton! override func viewDidLoad() { super.viewDidLoad() // Do any additional setup after loading the view, typically from a nib. nameField.transform = CGAffineTransform.init(translationX: -100, y: 0) keyField.transform = CGAffineTransform.init(translationX: -200, y: 0) btn.transform = CGAffineTransform.init(scaleX: 2, y: 1) } override func viewDidAppear(_ animated: Bool) { super.viewDidAppear(animated) UIView.animate(withDuration: 0.2, animations:{ self.nameField.transform = CGAffineTransform.identity self.keyField.transform = CGAffineTransform.identity }) UIView.animate(withDuration: 0.3, animations: { self.btn.transform = CGAffineTransform.identity }) } override func didReceiveMemoryWarning() { super.didReceiveMemoryWarning() // Dispose of any resources that can be recreated. } }
mit
429271ed587bf0c9dda99c33cbea740f
27.319149
80
0.65139
4.78777
false
false
false
false
dipen30/Qmote
KodiRemote/Pods/UPnAtom/Source/AV Profile/Services/ContentDirectory1Objects.swift
1
8582
// // ContentDirectory1Object.swift // // Copyright (c) 2015 David Robles // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all // copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE // SOFTWARE. import Foundation import Ono // MARK: ContentDirectory1Object /// TODO: For now rooting to NSObject to expose to Objective-C, see Github issue #16 open class ContentDirectory1Object: NSObject { open let objectID: String open let parentID: String open let title: String open let rawType: String open let albumArtURL: URL? init?(xmlElement: ONOXMLElement) { if let objectID = xmlElement.value(forAttribute: "id") as? String, let parentID = xmlElement.value(forAttribute: "parentID") as? String, let title = xmlElement.firstChild(withTag: "title").stringValue(), let rawType = xmlElement.firstChild(withTag: "class").stringValue() { self.objectID = objectID self.parentID = parentID self.title = title self.rawType = rawType if let albumArtURLString = xmlElement.firstChild(withTag: "albumArtURI")?.stringValue() { self.albumArtURL = URL(string: albumArtURLString) } else { albumArtURL = nil } } else { /// TODO: Remove default initializations to simply return nil, see Github issue #11 objectID = "" parentID = "" title = "" rawType = "" albumArtURL = nil super.init() return nil } super.init() } } extension ContentDirectory1Object: ExtendedPrintable { #if os(iOS) public var className: String { return "\(type(of: self))" } #elseif os(OSX) // NSObject.className actually exists on OSX! Who knew. override public var className: String { return "\(type(of: self))" } #endif override open var description: String { var properties = PropertyPrinter() properties.add("id", property: objectID) properties.add("parentID", property: parentID) properties.add("title", property: title) properties.add("class", property: rawType) properties.add("albumArtURI", property: albumArtURL?.absoluteString) return properties.description } } // MARK: - ContentDirectory1Container open class ContentDirectory1Container: ContentDirectory1Object { open let childCount: Int? override init?(xmlElement: ONOXMLElement) { self.childCount = Int(String(describing: xmlElement.value(forAttribute: "childCount"))) super.init(xmlElement: xmlElement) } } /// for objective-c type checking extension ContentDirectory1Object { public func isContentDirectory1Container() -> Bool { return self is ContentDirectory1Container } } /// overrides ExtendedPrintable protocol implementation extension ContentDirectory1Container { override public var className: String { return "\(type(of: self))" } override open var description: String { var properties = PropertyPrinter() properties.add(super.className, property: super.description) properties.add("childCount", property: "\(childCount)") return properties.description } } // MARK: - ContentDirectory1Item open class ContentDirectory1Item: ContentDirectory1Object { open let resourceURL: URL! override init?(xmlElement: ONOXMLElement) { /// TODO: Return nil immediately instead of waiting, see Github issue #11 if let resourceURLString = xmlElement.firstChild(withTag: "res").stringValue() { resourceURL = URL(string: resourceURLString) } else { resourceURL = nil } super.init(xmlElement: xmlElement) guard resourceURL != nil else { return nil } } } /// for objective-c type checking extension ContentDirectory1Object { public func isContentDirectory1Item() -> Bool { return self is ContentDirectory1Item } } /// overrides ExtendedPrintable protocol implementation extension ContentDirectory1Item { override public var className: String { return "\(type(of: self))" } override open var description: String { var properties = PropertyPrinter() properties.add(super.className, property: super.description) properties.add("resourceURL", property: resourceURL?.absoluteString) return properties.description } } // MARK: - ContentDirectory1VideoItem open class ContentDirectory1VideoItem: ContentDirectory1Item { open let bitrate: Int? open let duration: TimeInterval? open let audioChannelCount: Int? open let protocolInfo: String? open let resolution: CGSize? open let sampleFrequency: Int? open let size: Int? override init?(xmlElement: ONOXMLElement) { bitrate = Int(String(describing: xmlElement.firstChild(withTag: "res").value(forAttribute: "bitrate"))) if let durationString = xmlElement.firstChild(withTag: "res").value(forAttribute: "duration") as? String { let durationComponents = durationString.components(separatedBy: ":") var count: Double = 0 var duration: Double = 0 for durationComponent in durationComponents.reversed() { duration += (durationComponent as NSString).doubleValue * pow(60, count) count += 1 } self.duration = TimeInterval(duration) } else { self.duration = nil } audioChannelCount = Int(String(describing: xmlElement.firstChild(withTag: "res").value(forAttribute: "nrAudioChannels"))) protocolInfo = xmlElement.firstChild(withTag: "res").value(forAttribute: "protocolInfo") as? String if let resolutionComponents = (xmlElement.firstChild(withTag: "res").value(forAttribute: "resolution") as? String)?.components(separatedBy: "x"), let width = Int(String(describing: resolutionComponents.first)), let height = Int(String(describing: resolutionComponents.last)) { resolution = CGSize(width: width, height: height) } else { resolution = nil } sampleFrequency = Int(String(describing: xmlElement.firstChild(withTag: "res").value(forAttribute: "sampleFrequency"))) size = Int(String(describing: xmlElement.firstChild(withTag: "res").value(forAttribute: "size"))) super.init(xmlElement: xmlElement) } } /// for objective-c type checking extension ContentDirectory1Object { public func isContentDirectory1VideoItem() -> Bool { return self is ContentDirectory1VideoItem } } /// overrides ExtendedPrintable protocol implementation extension ContentDirectory1VideoItem { override public var className: String { return "\(type(of: self))" } override open var description: String { var properties = PropertyPrinter() properties.add(super.className, property: super.description) properties.add("bitrate", property: "\(bitrate)") properties.add("duration", property: "\(duration)") properties.add("audioChannelCount", property: "\(audioChannelCount)") properties.add("protocolInfo", property: protocolInfo) properties.add("resolution", property: "\(resolution?.width)x\(resolution?.height)") properties.add("sampleFrequency", property: "\(sampleFrequency)") properties.add("size", property: "\(size)") return properties.description } }
apache-2.0
d55faedfc998c21fd4b0611fb9a9f41f
38.916279
153
0.670473
4.901199
false
false
false
false
mklbtz/finch
Tests/TaskManagementTests/TranscoderTests.swift
1
1290
import XCTest import TaskManagement class TranscoderTests: XCTestCase { func testStringToData() throws { let subject = Transcoder<String, Data>.stringToData let original = "test" let encoded = original.data(using: .utf8)! XCTAssertEqual(try subject.encode(original), encoded) XCTAssertEqual(try subject.decode(encoded), original) } func testJsonToData() throws { let subject = Transcoder<[[String:Any]], Data>.jsonToData let original = [["key":"value"]] let encoded = try JSONSerialization.data(withJSONObject: original) XCTAssertEqual(try subject.encode(original), encoded) if let value = try subject.decode(encoded).first?["key"] as? String { XCTAssertEqual(value, original.first?["key"]) } else { XCTFail("json was not decoded correctly") } } func testTaskToJson() throws { let subject = Transcoder<[Task], [[String:Any]]>.taskToJson let original = [buildTask()] let encoded = original.map { $0.jsonObject() } XCTAssertEqual(try subject.decode(encoded), original) if let jsonObject = try subject.encode(original).first, let task = Task(from: jsonObject) { XCTAssertEqual(task, original.first) } else { XCTFail("json was not encoded correctly") } } }
mit
e9d47a51f42420a1027251d09c86f457
28.318182
73
0.678295
4.343434
false
true
false
false
groupme/LibGroupMe
LibGroupMeTests/UserTest.swift
1
1811
import LibGroupMe import Quick import Nimble class UserTestHelper: NSObject { func dmIndex() -> NSDictionary { let path = NSBundle(forClass: NSClassFromString(self.className)!).pathForResource("dms-index", ofType: "json") let data = NSData(contentsOfFile: path!) var error: NSError? var dataDict = NSJSONSerialization.JSONObjectWithData(data!, options:NSJSONReadingOptions.allZeros, error: &error) as! NSDictionary expect(error).to(beNil()) expect(dataDict).toNot(beNil()) return dataDict } } class UserTest: QuickSpec { override func spec() { describe("a list of dm-s") { it("should generate a list of serializable objects") { var dict = UserTestHelper().dmIndex() var dms: Array<User> = Array<User>() if let dmInfos = dict["response"] as? NSArray { expect(dmInfos.count).to(equal(1)) for info in dmInfos { dms.append(User(info: info as! NSDictionary)) } } else { fail() } expect(dms.count).to(equal(1)) for d in dms { expect(d.createdAt).toNot(beNil()) expect(d.updatedAt).toNot(beNil()) expect(d.otherUser).toNot(beNil()) expect(d.otherUser.name).toNot(beNil()) expect(d.otherUser.userID).toNot(beNil()) expect(d.lastMessage).toNot(beNil()) expect(d.lastMessage.text).toNot(beNil()) expect(d.lastMessage.messageID).toNot(beNil()) } } } } }
mit
a71f6edc1800f0777b461c667add1fc7
36.75
139
0.510215
5.030556
false
true
false
false
bradhilton/Piper
Sources/Piper.swift
1
3295
// // Piper.swift // Piper // // Created by Bradley Hilton on 2/1/16. // Copyright © 2016 Brad Hilton. All rights reserved. // import Foundation public protocol Finally { associatedtype Result func finally(queue: NSOperationQueue, handler: Result -> Void) } public struct EmptyOperation : Finally { public func finally(queue: NSOperationQueue, handler: Void -> Void) { queue.addOperationWithBlock { handler() } } } public struct DelayOperation<Input : Finally> : Finally { var input: Input var delay: Double var queue: NSOperationQueue public func finally(queue: NSOperationQueue, handler: Input.Result -> Void) { input.finally(self.queue) { input in let dispatchDelay = dispatch_time(DISPATCH_TIME_NOW, Int64(self.delay * Double(NSEC_PER_SEC))) let dispatchQueue = queue.underlyingQueue ?? dispatch_get_global_queue(QOS_CLASS_DEFAULT, 0) dispatch_after(dispatchDelay, dispatchQueue) { handler(input) } } } init(input: Input, delay: Double, queue: NSOperationQueue = NSOperationQueue()) { self.input = input self.delay = delay self.queue = queue } } public struct Operation<Input : Finally, Out> : Finally { var input: Input var operation: Input.Result -> Out var queue: NSOperationQueue public func finally(queue: NSOperationQueue = NSOperationQueue.mainQueue(), handler: Out -> Void) { input.finally(self.queue) { input in let out = self.operation(input) queue.addOperationWithBlock { handler(out) } } } public func after(delay: Double) -> Operation<DelayOperation<Operation>, Out> { return Operation<DelayOperation<Operation>, Out>(input: DelayOperation(input: self, delay: delay), operation: { $0 }, queue: queue) } public func main<T>(operation: Out -> T) -> Operation<Operation, T> { return queue(NSOperationQueue.mainQueue(), operation: operation) } public func background<T>(operation: Out -> T) -> Operation<Operation, T> { return queue(NSOperationQueue(), operation: operation) } public func queue<T>(queue: NSOperationQueue, operation: Out -> T) -> Operation<Operation, T> { return Operation<Operation, T>(input: self, operation: operation, queue: queue) } public func execute() { finally(NSOperationQueue()) { _ in } } } public func after(delay: Double) -> Operation<DelayOperation<EmptyOperation>, Void> { let queue = NSOperationQueue() return Operation<DelayOperation<EmptyOperation>, Void>(input: DelayOperation(input: EmptyOperation(), delay: delay), operation: { $0 }, queue: queue) } public func main<T>(operation: Void -> T) -> Operation<EmptyOperation, T> { return queue(NSOperationQueue.mainQueue(), operation: operation) } public func background<T>(operation: Void -> T) -> Operation<EmptyOperation, T> { return queue(NSOperationQueue(), operation: operation) } public func queue<T>(queue: NSOperationQueue, operation: Void -> T) -> Operation<EmptyOperation, T> { return Operation<EmptyOperation, T>(input: EmptyOperation(), operation: operation, queue: queue) }
mit
fa3abcc73631c340a4669085c0e6e92f
31.94
153
0.657559
4.397864
false
false
false
false
andrewBatutin/SwiftYamp
SwiftYamp/Models/UserMessageHeaderFrame.swift
1
1566
// // UserMessageHeaderFrame.swift // SwiftYamp // // Created by Andrey Batutin on 6/13/17. // Copyright © 2017 Andrey Batutin. All rights reserved. // import Foundation import ByteBackpacker public struct UserMessageHeaderFrame: Equatable, YampFrame { let uid:[UInt8] let size:UInt8 let uri:String public static func ==(lhs: UserMessageHeaderFrame, rhs: UserMessageHeaderFrame) -> Bool { return lhs.uid == rhs.uid && lhs.size == rhs.size && lhs.uri == rhs.uri } public init(uid: [UInt8], size: UInt8, uri: String) { self.uid = uid self.size = size self.uri = uri } public init(data: Data) throws { let dataSize = data.count if dataSize < 17 { throw SerializationError.WrongDataFrameSize(dataSize) } uid = Array(data.subdata(in: 0..<16)) size = data[16] let offset:Int = 17 + Int(size) if dataSize != offset { throw SerializationError.WrongDataFrameSize(dataSize) } let s = data.subdata(in: 17..<offset) guard let str = String(data: s, encoding: String.Encoding.utf8) else { throw SerializationError.UnexpectedError } uri = str } public func toData() throws -> Data { var r = self.uid r = r + ByteBackpacker.pack(self.size) guard let encStr = self.uri.data(using: .utf8) else{ throw SerializationError.UnexpectedError } var res = Data(bytes: r) res.append(encStr) return res } }
mit
e9d9576e9392abb7be5105230babea73
27.981481
93
0.600639
4.173333
false
false
false
false
longitachi/ZLPhotoBrowser
Example/Example/Kingfisher/General/KingfisherManager.swift
1
33256
// // KingfisherManager.swift // Kingfisher // // Created by Wei Wang on 15/4/6. // // Copyright (c) 2019 Wei Wang <[email protected]> // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. import Foundation /// The downloading progress block type. /// The parameter value is the `receivedSize` of current response. /// The second parameter is the total expected data length from response's "Content-Length" header. /// If the expected length is not available, this block will not be called. public typealias DownloadProgressBlock = ((_ receivedSize: Int64, _ totalSize: Int64) -> Void) /// Represents the result of a Kingfisher retrieving image task. public struct RetrieveImageResult { /// Gets the image object of this result. public let image: KFCrossPlatformImage /// Gets the cache source of the image. It indicates from which layer of cache this image is retrieved. /// If the image is just downloaded from network, `.none` will be returned. public let cacheType: CacheType /// The `Source` which this result is related to. This indicated where the `image` of `self` is referring. public let source: Source /// The original `Source` from which the retrieve task begins. It can be different from the `source` property. /// When an alternative source loading happened, the `source` will be the replacing loading target, while the /// `originalSource` will be kept as the initial `source` which issued the image loading process. public let originalSource: Source } /// A struct that stores some related information of an `KingfisherError`. It provides some context information for /// a pure error so you can identify the error easier. public struct PropagationError { /// The `Source` to which current `error` is bound. public let source: Source /// The actual error happens in framework. public let error: KingfisherError } /// The downloading task updated block type. The parameter `newTask` is the updated new task of image setting process. /// It is a `nil` if the image loading does not require an image downloading process. If an image downloading is issued, /// this value will contain the actual `DownloadTask` for you to keep and cancel it later if you need. public typealias DownloadTaskUpdatedBlock = ((_ newTask: DownloadTask?) -> Void) /// Main manager class of Kingfisher. It connects Kingfisher downloader and cache, /// to provide a set of convenience methods to use Kingfisher for tasks. /// You can use this class to retrieve an image via a specified URL from web or cache. public class KingfisherManager { /// Represents a shared manager used across Kingfisher. /// Use this instance for getting or storing images with Kingfisher. public static let shared = KingfisherManager() // Mark: Public Properties /// The `ImageCache` used by this manager. It is `ImageCache.default` by default. /// If a cache is specified in `KingfisherManager.defaultOptions`, the value in `defaultOptions` will be /// used instead. public var cache: ImageCache /// The `ImageDownloader` used by this manager. It is `ImageDownloader.default` by default. /// If a downloader is specified in `KingfisherManager.defaultOptions`, the value in `defaultOptions` will be /// used instead. public var downloader: ImageDownloader /// Default options used by the manager. This option will be used in /// Kingfisher manager related methods, as well as all view extension methods. /// You can also passing other options for each image task by sending an `options` parameter /// to Kingfisher's APIs. The per image options will overwrite the default ones, /// if the option exists in both. public var defaultOptions = KingfisherOptionsInfo.empty // Use `defaultOptions` to overwrite the `downloader` and `cache`. private var currentDefaultOptions: KingfisherOptionsInfo { return [.downloader(downloader), .targetCache(cache)] + defaultOptions } private let processingQueue: CallbackQueue private convenience init() { self.init(downloader: .default, cache: .default) } /// Creates an image setting manager with specified downloader and cache. /// /// - Parameters: /// - downloader: The image downloader used to download images. /// - cache: The image cache which stores memory and disk images. public init(downloader: ImageDownloader, cache: ImageCache) { self.downloader = downloader self.cache = cache let processQueueName = "com.onevcat.Kingfisher.KingfisherManager.processQueue.\(UUID().uuidString)" processingQueue = .dispatch(DispatchQueue(label: processQueueName)) } // MARK: - Getting Images /// Gets an image from a given resource. /// - Parameters: /// - resource: The `Resource` object defines data information like key or URL. /// - options: Options to use when creating the image. /// - progressBlock: Called when the image downloading progress gets updated. If the response does not contain an /// `expectedContentLength`, this block will not be called. `progressBlock` is always called in /// main queue. /// - downloadTaskUpdated: Called when a new image downloading task is created for current image retrieving. This /// usually happens when an alternative source is used to replace the original (failed) /// task. You can update your reference of `DownloadTask` if you want to manually `cancel` /// the new task. /// - completionHandler: Called when the image retrieved and set finished. This completion handler will be invoked /// from the `options.callbackQueue`. If not specified, the main queue will be used. /// - Returns: A task represents the image downloading. If there is a download task starts for `.network` resource, /// the started `DownloadTask` is returned. Otherwise, `nil` is returned. /// /// - Note: /// This method will first check whether the requested `resource` is already in cache or not. If cached, /// it returns `nil` and invoke the `completionHandler` after the cached image retrieved. Otherwise, it /// will download the `resource`, store it in cache, then call `completionHandler`. @discardableResult public func retrieveImage( with resource: Resource, options: KingfisherOptionsInfo? = nil, progressBlock: DownloadProgressBlock? = nil, downloadTaskUpdated: DownloadTaskUpdatedBlock? = nil, completionHandler: ((Result<RetrieveImageResult, KingfisherError>) -> Void)?) -> DownloadTask? { return retrieveImage( with: resource.convertToSource(), options: options, progressBlock: progressBlock, downloadTaskUpdated: downloadTaskUpdated, completionHandler: completionHandler ) } /// Gets an image from a given resource. /// /// - Parameters: /// - source: The `Source` object defines data information from network or a data provider. /// - options: Options to use when creating the image. /// - progressBlock: Called when the image downloading progress gets updated. If the response does not contain an /// `expectedContentLength`, this block will not be called. `progressBlock` is always called in /// main queue. /// - downloadTaskUpdated: Called when a new image downloading task is created for current image retrieving. This /// usually happens when an alternative source is used to replace the original (failed) /// task. You can update your reference of `DownloadTask` if you want to manually `cancel` /// the new task. /// - completionHandler: Called when the image retrieved and set finished. This completion handler will be invoked /// from the `options.callbackQueue`. If not specified, the main queue will be used. /// - Returns: A task represents the image downloading. If there is a download task starts for `.network` resource, /// the started `DownloadTask` is returned. Otherwise, `nil` is returned. /// /// - Note: /// This method will first check whether the requested `source` is already in cache or not. If cached, /// it returns `nil` and invoke the `completionHandler` after the cached image retrieved. Otherwise, it /// will try to load the `source`, store it in cache, then call `completionHandler`. /// public func retrieveImage( with source: Source, options: KingfisherOptionsInfo? = nil, progressBlock: DownloadProgressBlock? = nil, downloadTaskUpdated: DownloadTaskUpdatedBlock? = nil, completionHandler: ((Result<RetrieveImageResult, KingfisherError>) -> Void)?) -> DownloadTask? { let options = currentDefaultOptions + (options ?? .empty) var info = KingfisherParsedOptionsInfo(options) if let block = progressBlock { info.onDataReceived = (info.onDataReceived ?? []) + [ImageLoadingProgressSideEffect(block)] } return retrieveImage( with: source, options: info, downloadTaskUpdated: downloadTaskUpdated, completionHandler: completionHandler) } func retrieveImage( with source: Source, options: KingfisherParsedOptionsInfo, downloadTaskUpdated: DownloadTaskUpdatedBlock? = nil, completionHandler: ((Result<RetrieveImageResult, KingfisherError>) -> Void)?) -> DownloadTask? { let retrievingContext = RetrievingContext(options: options, originalSource: source) var retryContext: RetryContext? func startNewRetrieveTask( with source: Source, downloadTaskUpdated: DownloadTaskUpdatedBlock? ) { let newTask = self.retrieveImage(with: source, context: retrievingContext) { result in handler(currentSource: source, result: result) } downloadTaskUpdated?(newTask) } func failCurrentSource(_ source: Source, with error: KingfisherError) { // Skip alternative sources if the user cancelled it. guard !error.isTaskCancelled else { completionHandler?(.failure(error)) return } if let nextSource = retrievingContext.popAlternativeSource() { startNewRetrieveTask(with: nextSource, downloadTaskUpdated: downloadTaskUpdated) } else { // No other alternative source. Finish with error. if retrievingContext.propagationErrors.isEmpty { completionHandler?(.failure(error)) } else { retrievingContext.appendError(error, to: source) let finalError = KingfisherError.imageSettingError( reason: .alternativeSourcesExhausted(retrievingContext.propagationErrors) ) completionHandler?(.failure(finalError)) } } } func handler(currentSource: Source, result: (Result<RetrieveImageResult, KingfisherError>)) -> Void { switch result { case .success: completionHandler?(result) case .failure(let error): if let retryStrategy = options.retryStrategy { let context = retryContext?.increaseRetryCount() ?? RetryContext(source: source, error: error) retryContext = context retryStrategy.retry(context: context) { decision in switch decision { case .retry(let userInfo): retryContext?.userInfo = userInfo startNewRetrieveTask(with: source, downloadTaskUpdated: downloadTaskUpdated) case .stop: failCurrentSource(currentSource, with: error) } } } else { // Skip alternative sources if the user cancelled it. guard !error.isTaskCancelled else { completionHandler?(.failure(error)) return } if let nextSource = retrievingContext.popAlternativeSource() { retrievingContext.appendError(error, to: currentSource) startNewRetrieveTask(with: nextSource, downloadTaskUpdated: downloadTaskUpdated) } else { // No other alternative source. Finish with error. if retrievingContext.propagationErrors.isEmpty { completionHandler?(.failure(error)) } else { retrievingContext.appendError(error, to: currentSource) let finalError = KingfisherError.imageSettingError( reason: .alternativeSourcesExhausted(retrievingContext.propagationErrors) ) completionHandler?(.failure(finalError)) } } } } } return retrieveImage( with: source, context: retrievingContext) { result in handler(currentSource: source, result: result) } } private func retrieveImage( with source: Source, context: RetrievingContext, completionHandler: ((Result<RetrieveImageResult, KingfisherError>) -> Void)?) -> DownloadTask? { let options = context.options if options.forceRefresh { return loadAndCacheImage( source: source, context: context, completionHandler: completionHandler)?.value } else { let loadedFromCache = retrieveImageFromCache( source: source, context: context, completionHandler: completionHandler) if loadedFromCache { return nil } if options.onlyFromCache { let error = KingfisherError.cacheError(reason: .imageNotExisting(key: source.cacheKey)) completionHandler?(.failure(error)) return nil } return loadAndCacheImage( source: source, context: context, completionHandler: completionHandler)?.value } } func provideImage( provider: ImageDataProvider, options: KingfisherParsedOptionsInfo, completionHandler: ((Result<ImageLoadingResult, KingfisherError>) -> Void)?) { guard let completionHandler = completionHandler else { return } provider.data { result in switch result { case .success(let data): (options.processingQueue ?? self.processingQueue).execute { let processor = options.processor let processingItem = ImageProcessItem.data(data) guard let image = processor.process(item: processingItem, options: options) else { options.callbackQueue.execute { let error = KingfisherError.processorError( reason: .processingFailed(processor: processor, item: processingItem)) completionHandler(.failure(error)) } return } let finalImage = options.imageModifier?.modify(image) ?? image options.callbackQueue.execute { let result = ImageLoadingResult(image: finalImage, url: nil, originalData: data) completionHandler(.success(result)) } } case .failure(let error): options.callbackQueue.execute { let error = KingfisherError.imageSettingError( reason: .dataProviderError(provider: provider, error: error)) completionHandler(.failure(error)) } } } } private func cacheImage( source: Source, options: KingfisherParsedOptionsInfo, context: RetrievingContext, result: Result<ImageLoadingResult, KingfisherError>, completionHandler: ((Result<RetrieveImageResult, KingfisherError>) -> Void)? ) { switch result { case .success(let value): let needToCacheOriginalImage = options.cacheOriginalImage && options.processor != DefaultImageProcessor.default let coordinator = CacheCallbackCoordinator( shouldWaitForCache: options.waitForCache, shouldCacheOriginal: needToCacheOriginalImage) // Add image to cache. let targetCache = options.targetCache ?? self.cache targetCache.store( value.image, original: value.originalData, forKey: source.cacheKey, options: options, toDisk: !options.cacheMemoryOnly) { _ in coordinator.apply(.cachingImage) { let result = RetrieveImageResult( image: value.image, cacheType: .none, source: source, originalSource: context.originalSource ) completionHandler?(.success(result)) } } // Add original image to cache if necessary. if needToCacheOriginalImage { let originalCache = options.originalCache ?? targetCache originalCache.storeToDisk( value.originalData, forKey: source.cacheKey, processorIdentifier: DefaultImageProcessor.default.identifier, expiration: options.diskCacheExpiration) { _ in coordinator.apply(.cachingOriginalImage) { let result = RetrieveImageResult( image: value.image, cacheType: .none, source: source, originalSource: context.originalSource ) completionHandler?(.success(result)) } } } coordinator.apply(.cacheInitiated) { let result = RetrieveImageResult( image: value.image, cacheType: .none, source: source, originalSource: context.originalSource ) completionHandler?(.success(result)) } case .failure(let error): completionHandler?(.failure(error)) } } @discardableResult func loadAndCacheImage( source: Source, context: RetrievingContext, completionHandler: ((Result<RetrieveImageResult, KingfisherError>) -> Void)?) -> DownloadTask.WrappedTask? { let options = context.options func _cacheImage(_ result: Result<ImageLoadingResult, KingfisherError>) { cacheImage( source: source, options: options, context: context, result: result, completionHandler: completionHandler ) } switch source { case .network(let resource): let downloader = options.downloader ?? self.downloader let task = downloader.downloadImage( with: resource.downloadURL, options: options, completionHandler: _cacheImage ) // The code below is neat, but it fails the Swift 5.2 compiler with a runtime crash when // `BUILD_LIBRARY_FOR_DISTRIBUTION` is turned on. I believe it is a bug in the compiler. // Let's fallback to a traditional style before it can be fixed in Swift. // // https://github.com/onevcat/Kingfisher/issues/1436 // // return task.map(DownloadTask.WrappedTask.download) if let task = task { return .download(task) } else { return nil } case .provider(let provider): provideImage(provider: provider, options: options, completionHandler: _cacheImage) return .dataProviding } } /// Retrieves image from memory or disk cache. /// /// - Parameters: /// - source: The target source from which to get image. /// - key: The key to use when caching the image. /// - url: Image request URL. This is not used when retrieving image from cache. It is just used for /// `RetrieveImageResult` callback compatibility. /// - options: Options on how to get the image from image cache. /// - completionHandler: Called when the image retrieving finishes, either with succeeded /// `RetrieveImageResult` or an error. /// - Returns: `true` if the requested image or the original image before being processed is existing in cache. /// Otherwise, this method returns `false`. /// /// - Note: /// The image retrieving could happen in either memory cache or disk cache. The `.processor` option in /// `options` will be considered when searching in the cache. If no processed image is found, Kingfisher /// will try to check whether an original version of that image is existing or not. If there is already an /// original, Kingfisher retrieves it from cache and processes it. Then, the processed image will be store /// back to cache for later use. func retrieveImageFromCache( source: Source, context: RetrievingContext, completionHandler: ((Result<RetrieveImageResult, KingfisherError>) -> Void)?) -> Bool { let options = context.options // 1. Check whether the image was already in target cache. If so, just get it. let targetCache = options.targetCache ?? cache let key = source.cacheKey let targetImageCached = targetCache.imageCachedType( forKey: key, processorIdentifier: options.processor.identifier) let validCache = targetImageCached.cached && (options.fromMemoryCacheOrRefresh == false || targetImageCached == .memory) if validCache { targetCache.retrieveImage(forKey: key, options: options) { result in guard let completionHandler = completionHandler else { return } options.callbackQueue.execute { result.match( onSuccess: { cacheResult in let value: Result<RetrieveImageResult, KingfisherError> if let image = cacheResult.image { value = result.map { RetrieveImageResult( image: image, cacheType: $0.cacheType, source: source, originalSource: context.originalSource ) } } else { value = .failure(KingfisherError.cacheError(reason: .imageNotExisting(key: key))) } completionHandler(value) }, onFailure: { _ in completionHandler(.failure(KingfisherError.cacheError(reason: .imageNotExisting(key: key)))) } ) } } return true } // 2. Check whether the original image exists. If so, get it, process it, save to storage and return. let originalCache = options.originalCache ?? targetCache // No need to store the same file in the same cache again. if originalCache === targetCache && options.processor == DefaultImageProcessor.default { return false } // Check whether the unprocessed image existing or not. let originalImageCacheType = originalCache.imageCachedType( forKey: key, processorIdentifier: DefaultImageProcessor.default.identifier) let canAcceptDiskCache = !options.fromMemoryCacheOrRefresh let canUseOriginalImageCache = (canAcceptDiskCache && originalImageCacheType.cached) || (!canAcceptDiskCache && originalImageCacheType == .memory) if canUseOriginalImageCache { // Now we are ready to get found the original image from cache. We need the unprocessed image, so remove // any processor from options first. var optionsWithoutProcessor = options optionsWithoutProcessor.processor = DefaultImageProcessor.default originalCache.retrieveImage(forKey: key, options: optionsWithoutProcessor) { result in result.match( onSuccess: { cacheResult in guard let image = cacheResult.image else { assertionFailure("The image (under key: \(key) should be existing in the original cache.") return } let processor = options.processor (options.processingQueue ?? self.processingQueue).execute { let item = ImageProcessItem.image(image) guard let processedImage = processor.process(item: item, options: options) else { let error = KingfisherError.processorError( reason: .processingFailed(processor: processor, item: item)) options.callbackQueue.execute { completionHandler?(.failure(error)) } return } var cacheOptions = options cacheOptions.callbackQueue = .untouch let coordinator = CacheCallbackCoordinator( shouldWaitForCache: options.waitForCache, shouldCacheOriginal: false) targetCache.store( processedImage, forKey: key, options: cacheOptions, toDisk: !options.cacheMemoryOnly) { _ in coordinator.apply(.cachingImage) { let value = RetrieveImageResult( image: processedImage, cacheType: .none, source: source, originalSource: context.originalSource ) options.callbackQueue.execute { completionHandler?(.success(value)) } } } coordinator.apply(.cacheInitiated) { let value = RetrieveImageResult( image: processedImage, cacheType: .none, source: source, originalSource: context.originalSource ) options.callbackQueue.execute { completionHandler?(.success(value)) } } } }, onFailure: { _ in // This should not happen actually, since we already confirmed `originalImageCached` is `true`. // Just in case... options.callbackQueue.execute { completionHandler?( .failure(KingfisherError.cacheError(reason: .imageNotExisting(key: key))) ) } } ) } return true } return false } } class RetrievingContext { var options: KingfisherParsedOptionsInfo let originalSource: Source var propagationErrors: [PropagationError] = [] init(options: KingfisherParsedOptionsInfo, originalSource: Source) { self.originalSource = originalSource self.options = options } func popAlternativeSource() -> Source? { guard var alternativeSources = options.alternativeSources, !alternativeSources.isEmpty else { return nil } let nextSource = alternativeSources.removeFirst() options.alternativeSources = alternativeSources return nextSource } @discardableResult func appendError(_ error: KingfisherError, to source: Source) -> [PropagationError] { let item = PropagationError(source: source, error: error) propagationErrors.append(item) return propagationErrors } } class CacheCallbackCoordinator { enum State { case idle case imageCached case originalImageCached case done } enum Action { case cacheInitiated case cachingImage case cachingOriginalImage } private let shouldWaitForCache: Bool private let shouldCacheOriginal: Bool private let stateQueue: DispatchQueue private var threadSafeState: State = .idle private (set) var state: State { set { stateQueue.sync { threadSafeState = newValue } } get { stateQueue.sync { threadSafeState } } } init(shouldWaitForCache: Bool, shouldCacheOriginal: Bool) { self.shouldWaitForCache = shouldWaitForCache self.shouldCacheOriginal = shouldCacheOriginal let stateQueueName = "com.onevcat.Kingfisher.CacheCallbackCoordinator.stateQueue.\(UUID().uuidString)" self.stateQueue = DispatchQueue(label: stateQueueName) } func apply(_ action: Action, trigger: () -> Void) { switch (state, action) { case (.done, _): break // From .idle case (.idle, .cacheInitiated): if !shouldWaitForCache { state = .done trigger() } case (.idle, .cachingImage): if shouldCacheOriginal { state = .imageCached } else { state = .done trigger() } case (.idle, .cachingOriginalImage): state = .originalImageCached // From .imageCached case (.imageCached, .cachingOriginalImage): state = .done trigger() // From .originalImageCached case (.originalImageCached, .cachingImage): state = .done trigger() default: assertionFailure("This case should not happen in CacheCallbackCoordinator: \(state) - \(action)") } } }
mit
6f8fa2d10a5a45f1ea4263766bd0a24b
43.879892
120
0.579354
6.001805
false
false
false
false
Orion98MC/FSM.swift
FSM.swift
1
3523
// // FSM.swift // A Finite State Machine in Swift // // Copyright © 2017 Thierry Passeron. All rights reserved. // import Foundation public class FSM<StateType: Equatable, EventType: Equatable> { public struct StateTransition: CustomStringConvertible { var event: EventType var state: StateType var target: () -> StateType? init(event: EventType, state: StateType, target: @escaping () -> StateType?) { self.event = event self.state = state self.target = target } public var description: String { return "\(event)@\(state)" } } public class StateDefinition { var state: StateType var onEnter: (() -> Void)? var onLeave: (() -> Void)? var onCycle: (() -> Void)? init(_ state: StateType) { self.state = state } } public var name: String? public var debugMode: Bool = false // Shows some NSLog when set to true private var definitions: [StateDefinition] = [] private var transitions: [StateTransition] = [] private var stateDefinition: StateDefinition { didSet { previousState = oldValue.state } } public var state: StateType { return stateDefinition.state } public var lastEvent: EventType? public var previousState: StateType? public init(withDefinitions definitions: [StateDefinition], configure: ((FSM) -> Void)? = nil) { self.definitions = definitions self.stateDefinition = definitions.first! configure?(self) } public init(withStates states: [StateType], configure: ((FSM) -> Void)? = nil) { self.definitions = states.map({ StateDefinition($0) }) self.stateDefinition = definitions.first! configure?(self) } public func transition(on event: EventType, from state: StateType, to target: @escaping @autoclosure () -> StateType?) { transitions.append(StateTransition(event: event, state: state, target: target)) } public func transition(on event: EventType, from states: [StateType], to target: @escaping @autoclosure () -> StateType?) { for state in states { transitions.append(StateTransition(event: event, state: state, target: target)) } } public func transition(on event: EventType, from state: StateType, with target: @escaping () -> StateType?) { transitions.append(StateTransition(event: event, state: state, target: target)) } public func definedState(_ state: StateType) -> StateDefinition? { return definitions.filter({ $0.state == state }).first } public func setState(_ state: StateType) { if debugMode { NSLog("FSM(\(name ?? "?")) SetState \(state)") } let definition = definedState(state)! definition.state = state guard definition.state != self.state else { stateDefinition = definition stateDefinition.onCycle?() return } stateDefinition.onLeave?() stateDefinition = definition stateDefinition.onEnter?() } public func event(_ event: EventType) { if debugMode { NSLog("FSM(\(name ?? "?")) Event: \(event)") } lastEvent = event guard let transition = transitions.filter({ $0.event == event && $0.state == state }).first else { if debugMode { NSLog("FSM(\(name ?? "?")) No transition for \(event)@\(state) in \(self.transitions)") } return } guard let targetState = transition.target() else { if debugMode { NSLog("FSM(\(name ?? "?")) No target state! State unchanged: \(state)") } return } setState(targetState) } }
mit
3703a961d080c65c686c16cd9350b6e6
29.362069
125
0.647359
4.469543
false
false
false
false
tablexi/txi-ios-bootstrap
Pod/Classes/Managers/ObserverManager.swift
1
4334
// // TypedNotifications.swift // Table XI // // Created by Daniel Hodos on 7/3/15. // Copyright © 2015 Table XI. All rights reserved. import Foundation /// A value object that provides a strongly-typed conceptualization of a Notification. /// /// This uses a generic (A) to hold reference to the payload that is being notified. /// This payload can be: /// /// - a type, e.g. `Notification<String>`, `Notification<SomeCustomStruct>`, etc. /// - a tuple, for when there's multiple pieces to the payload, e.g. `Notification<(index: Int, name: String?)>` /// - `Notificatin<Void>`, for when there's no payload data /// - etc. public struct Notification<A> { public init() {} /// The name of the notification; we generate a random UUID here, since the Notification /// object's identity alone can be used for uniqueness. let name = NSUUID().uuidString /// Posts this notification with the given payload, from the given object. /// /// - Parameters: /// - value: A payload (defined when the Notification is initialized). /// - object: An optional object that is posting this Notification; often this is nil. public func post(value: A, fromObject object: AnyObject?) { let userInfo = ["value": Box(value)] NotificationCenter.default.post(name: NSNotification.Name(rawValue: name), object: object, userInfo: userInfo) } /// Posts this notification with the given payload, but not from any specific object. /// /// - Parameters: /// - value: A payload (defined when the Notification is initialized). public func post(value: A) { post(value: value, fromObject: nil) } } /// A class that provides a way to observe our strongly-typed Notifications via NSNotificationCenter, /// while also automatically cleaning up after themselves (when this object is deinitialized, it removes /// the observer that was added to the notification center). class NotificationObserver { /// When calling addObserverForName, NSNotificationCenter returns some sort of opaque object. /// We don't care what it is, we just need a reference to it so that we can remove it from the /// NSNotificationCenter when this object goes out of scope. private let observer: NSObjectProtocol /// Observes a given notification from a given optional Object. /// /// Parameters: /// - notification: a Notification object /// - object: an optional Object; if nil is passed, then the object that posts the notification will not matter. /// - block: a closure that gets called with the Notification's payload init<A>(_ notification: Notification<A>, fromObject object: AnyObject?, block aBlock: @escaping (A) -> ()) { observer = NotificationCenter.default.addObserver(forName: NSNotification.Name(rawValue: notification.name), object: object, queue: nil) { note in if let value = (note.userInfo?["value"] as? Box<A>)?.unbox { aBlock(value) } else { assert(false, "Couldn't understand user info") } } } /// Observes a given notification. /// /// Parameters: /// - notification: a Notification object /// - block: a closure that gets called with the Notification's payload convenience init<A>(_ notification: Notification<A>, block aBlock: @escaping (A) -> ()) { self.init(notification, fromObject: nil, block: aBlock) } /// When this object goes out of scope, it will remove the observer from the notification /// center, i.e. it will clean up after itself. deinit { NotificationCenter.default.removeObserver(observer) } } public class ObserverManager { var observers = Array<NotificationObserver>() public init(){} public func observeNotification<A>(notification: Notification<A>, block aBlock: @escaping (A) -> ()) { observeNotification(notification: notification, fromObject: nil, block: aBlock) } public func observeNotification<A>(notification: Notification<A>, fromObject object: AnyObject?, block aBlock: @escaping (A) -> ()) { let newObserver = NotificationObserver(notification, fromObject: object, block: aBlock) self.observers.append(newObserver) } } /// Boxing allows for wrapping a value type (e.g. any sort of struct) in a reference type (i.e. a class). final private class Box<T> { let unbox: T init(_ value: T) { self.unbox = value } }
mit
02f80957b779254a34b6594c28eeb386
39.12037
150
0.699746
4.359155
false
false
false
false
Josscii/iOS-Demos
UIWebViewProgressDemo/UIWebViewProgressDemo/ProgressView.swift
1
2408
// // ProgressView.swift // UIWebViewProgressDemo // // Created by Josscii on 2017/8/6. // Copyright © 2017年 Josscii. All rights reserved. // import UIKit class ProgressView: UIView { var progressLayer: CAShapeLayer! var progressPath: UIBezierPath! override init(frame: CGRect) { super.init(frame: frame) progressLayer = CAShapeLayer() progressLayer.frame = bounds progressLayer.strokeColor = UIColor.red.cgColor progressLayer.lineWidth = 2 progressLayer.strokeEnd = 0 let path = UIBezierPath() path.move(to: .zero) path.addLine(to: CGPoint(x: progressLayer.bounds.maxX, y: 0)) progressLayer.path = path.cgPath layer.addSublayer(progressLayer) } required init?(coder aDecoder: NSCoder) { fatalError("init(coder:) has not been implemented") } func startAnimation() { if (progressLayer.animation(forKey: "start") != nil) || (progressLayer.animation(forKey: "finish") != nil) { return } progressLayer.strokeEnd = 0 progressLayer.opacity = 1 let keyFrameAnimation = CAKeyframeAnimation(keyPath: "strokeEnd") keyFrameAnimation.values = [0, 0.5, 0.8] keyFrameAnimation.keyTimes = [0, 0.4, 1] keyFrameAnimation.duration = 10 keyFrameAnimation.isRemovedOnCompletion = false keyFrameAnimation.fillMode = "forwards" progressLayer.add(keyFrameAnimation, forKey: "start") } func finishAnimation() { if (progressLayer.animation(forKey: "finish") != nil) { return } progressLayer.strokeEnd = (progressLayer.presentation()! as CAShapeLayer).strokeEnd progressLayer.removeAnimation(forKey: "start") let anim = CABasicAnimation(keyPath: "strokeEnd") anim.toValue = 1 anim.duration = 0.3 anim.isRemovedOnCompletion = false anim.fillMode = "forwards" anim.delegate = self progressLayer.add(anim, forKey: "finish") } } extension ProgressView: CAAnimationDelegate { func animationDidStop(_ anim: CAAnimation, finished flag: Bool) { progressLayer.strokeEnd = 1 progressLayer.removeAnimation(forKey: "finish") progressLayer.opacity = 0 } }
mit
1b3105f80f4a9ce186bb2dbb3bf11c8e
29.0625
91
0.618295
4.958763
false
false
false
false
nicksweet/Clink
Clink/Classes/Clink.swift
1
16539
// // Clink.swift // clink // // Created by Nick Sweet on 6/16/17. // import Foundation import CoreBluetooth public class Clink: NSObject, BluetoothStateManager { static public let shared = Clink() public var connectedPeerIds: [String] { return self.centralManager.retrieveConnectedPeripherals(withServices: [CBUUID(string: clinkServiceId)]).map { $0.identifier.uuidString } } fileprivate var activePeripherals: [CBPeripheral] = [] fileprivate var activePairingTasks = [PairingTask]() fileprivate var notificationHandlers = [UUID: NotificationHandler]() fileprivate var propertyDescriptors = [PropertyDescriptor]() fileprivate var activeReadRequests = [CBUUID: Data]() fileprivate var readOperations = [ReadOperation]() fileprivate var writeOperations = [WriteOperation]() fileprivate var service = CBMutableService(type: CBUUID(string: clinkServiceId), primary: true) fileprivate lazy var centralManager: CBCentralManager = { return CBCentralManager(delegate: self, queue: Clink.Configuration.dispatchQueue) }() fileprivate lazy var peripheralManager: CBPeripheralManager = { return CBPeripheralManager(delegate: self, queue: Clink.Configuration.dispatchQueue) }() // MARK: - STATIC PEER CRUD METHODS /** Update the value for the given property name of the local peer. Updating local peer attributes via this method will subsequently invoke any registered notification handlers on paired connected remote peers with a notification of case `.updated` and the peers ID as an associated type. - parameters: - value: The new property value of the local peer - property: The name of the local peer property to set as a string */ public static func set(value: Any, forProperty property: Clink.PeerPropertyKey) { Clink.shared.once(manager: Clink.shared.peripheralManager, hasState: .poweredOn, invoke: { res in if case let .error(err) = res { return print(err) } if let propertyDescriptorIndex = Clink.shared.propertyDescriptors.index(where: { $0.name == property }), let propertyDescriptor = Clink.shared.propertyDescriptors.filter({ $0.name == property }).first, let serviceChars = Clink.shared.service.characteristics as? [CBMutableCharacteristic], let char = serviceChars.filter({ $0.uuid.uuidString == propertyDescriptor.characteristicId }).first { Clink.shared.propertyDescriptors[propertyDescriptorIndex] = PropertyDescriptor( name: property, value: value, characteristicId: char.uuid.uuidString ) let writeOperation = WriteOperation( propertyDescriptor: Clink.shared.propertyDescriptors[propertyDescriptorIndex], characteristicId: char.uuid.uuidString) Clink.shared.writeOperations.append(writeOperation) Clink.shared.resumeWriteOperations() } else { var chars = Clink.shared.service.characteristics ?? [CBCharacteristic]() let charId = CBUUID(string: UUID().uuidString) let char = CBMutableCharacteristic(type: charId, properties: .notify, value: nil, permissions: .readable) let service = CBMutableService(type: CBUUID(string: clinkServiceId), primary: true) let propertyDescriptor = PropertyDescriptor( name: property, value: value, characteristicId: charId.uuidString ) chars.append(char) service.characteristics = chars guard let charIdData = charId.uuidString.data(using: .utf8) else { return } Clink.shared.service = service Clink.shared.propertyDescriptors.append(propertyDescriptor) Clink.shared.peripheralManager.removeAllServices() Clink.shared.peripheralManager.add(service) } }) } public static func get<T: ClinkPeer>(peerWithId peerId: String) -> T? { return Clink.Configuration.peerManager.getPeer(withId: peerId) } public static func get(peerWithId peerId: String) -> Clink.DefaultPeer? { return Clink.Configuration.peerManager.getPeer(withId: peerId) } public static func delete(peerWithId peerId: String) { Clink.Configuration.peerManager.delete(peerWithId: peerId) } // MARK: - PRIVATE METHODS fileprivate func connect(peerWithId peerId: String) { Clink.Configuration.dispatchQueue.async { if let uuid = UUID(uuidString: peerId), let i = self.activePeripherals.index(where: { $0.identifier == uuid }), self.activePeripherals[i].state == .connected { return } guard let peripheralId = UUID(uuidString: peerId), let peripheral = self.centralManager.retrievePeripherals(withIdentifiers: [peripheralId]).first else { return } peripheral.delegate = self if let i = self.activePeripherals.index(where: { $0.identifier.uuidString == peerId }) { self.activePeripherals[i] = peripheral } else { self.activePeripherals.append(peripheral) } self.centralManager.connect(peripheral, options: nil) } } private func connectKnownPeers() { self.once(manager: centralManager, hasState: .poweredOn, invoke: { result in switch result { case .error(let err): self.publish(notification: .error(err)) case .success: for peripheralId in Clink.Configuration.peerManager.getKnownPeerIds() { self.connect(peerWithId: peripheralId) } } }) } fileprivate func resumeWriteOperations() { Clink.Configuration.dispatchQueue.async { var successfull = true while successfull { guard let writeOperation = self.writeOperations.first, let chars = self.service.characteristics, let char = chars.filter({ $0.uuid.uuidString == writeOperation.characteristicId }).first as? CBMutableCharacteristic else { break } if let packet = writeOperation.nextPacket() { successfull = self.peripheralManager.updateValue( packet, for: char, onSubscribedCentrals: writeOperation.centrals) if successfull { writeOperation.removeFirstPacketFromQueue() } } else { self.writeOperations.removeFirst() } } } } fileprivate func publish(notification: Clink.Notification) { Clink.Configuration.dispatchQueue.async { for (_, handler) in self.notificationHandlers { handler(notification) } } } // MARK: - PUBLIC METHODS override private init() { super.init() once(manager: peripheralManager, hasState: .poweredOn, invoke: { result in switch result { case .error(let err): self.publish(notification: .error(err)) case .success: self.peripheralManager.add(self.service) self.connectKnownPeers() } }) } /** Calling this method will cause Clink to begin scanning for eligible peers. When the first eligible peer is found, Clink will attempt to connect to it, archive it if successfull, and call any registered notification handlers passing a notification of case `.discovered(ClinkPeer) with the discovered peer as an associated type. Clink will then attempt to maintain a connection to the discovered peer when ever it is in range, handeling reconnects automatically. For a remote peer to become eligible for discovery, it must also be scanning and in close physical proximity (a few inches) */ public func startClinking() { let task = PairingTask() task.delegate = self task.startPairing() activePairingTasks.append(task) } public func stopClinking() { for task in activePairingTasks { task.delegate = nil task.cancelPairing() } activePairingTasks.removeAll() } public func addNotificationHandler(_ handler: @escaping Clink.NotificationHandler) -> Clink.NotificationRegistrationToken { let token = NotificationRegistrationToken() let connectedPeerIds = self.centralManager.retrieveConnectedPeripherals(withServices: [self.service.uuid]).map { $0.identifier.uuidString } notificationHandlers[token] = handler handler(.initial(connectedPeerIds: connectedPeerIds)) return token } public func removeNotificationHandler(forToken token: Clink.NotificationRegistrationToken) { notificationHandlers.removeValue(forKey: token) } } // MARK: - PERIPHERAL MANAGER DELEGATE METHODS extension Clink: CBPeripheralDelegate { public final func peripheral(_ peripheral: CBPeripheral, didModifyServices invalidatedServices: [CBService]) { peripheral.discoverServices([self.service.uuid]) } public final func peripheral(_ peripheral: CBPeripheral, didDiscoverServices error: Error?) { if error != nil { self.publish(notification: .error(.unknownError("\(#function) error"))) } guard let services = peripheral.services else { return } for service in services where service.uuid == self.service.uuid { peripheral.discoverCharacteristics(nil, for: service) } } public final func peripheral(_ peripheral: CBPeripheral, didDiscoverCharacteristicsFor service: CBService, error: Error?) { if error != nil { self.publish(notification: .error(.unknownError("\(#function) error"))) } guard let characteristics = service.characteristics, service.uuid == self.service.uuid else { return } for characteristic in characteristics { peripheral.setNotifyValue(characteristic.properties == .notify, for: characteristic) } } public final func peripheral(_ peripheral: CBPeripheral, didUpdateValueFor characteristic: CBCharacteristic, error: Error?) { guard let dataValue = characteristic.value, characteristic.service.uuid.uuidString == clinkServiceId else { return } let readOperation: ReadOperation if let operation = self.readOperations.filter({ $0.characteristic == characteristic && $0.peripheral == peripheral}).first { readOperation = operation } else { readOperation = ReadOperation(peripheral: peripheral, characteristic: characteristic) readOperation.delegate = self self.readOperations.append(readOperation) } readOperation.append(packet: dataValue) } } // MARK: - CENTRAL MANAGER DELEGATE METHODS extension Clink: CBCentralManagerDelegate { public final func centralManagerDidUpdateState(_ central: CBCentralManager) { // required central manager delegate method. do nothing. } public final func centralManager(_ central: CBCentralManager, didConnect peripheral: CBPeripheral) { peripheral.delegate = self peripheral.discoverServices([self.service.uuid]) publish(notification: .connected(peerWithId: peripheral.identifier.uuidString)) } public final func centralManager( _ central: CBCentralManager, didDisconnectPeripheral peripheral: CBPeripheral, error: Error?) { if error != nil { self.publish(notification: .error(.unknownError("ERROR: \(#function)"))) } let peerId = peripheral.identifier.uuidString self.publish(notification: .disconnected(peerWithId: peerId)) self.connect(peerWithId: peerId) } public final func centralManager(_ central: CBCentralManager, didFailToConnect peripheral: CBPeripheral, error: Error?) { if error != nil { self.publish(notification: .error(.unknownError("ERROR: \(#function)"))) } peripheral.delegate = self if let i = self.activePeripherals.index(where: { $0.identifier == peripheral.identifier }) { self.activePeripherals[i] = peripheral } else { self.activePeripherals.append(peripheral) } self.centralManager.connect(peripheral, options: nil) } } // MARK: - PERIPHERAL MANAGER DELEGATE METHODS extension Clink: CBPeripheralManagerDelegate { public final func peripheralManagerDidUpdateState(_ peripheral: CBPeripheralManager) { // required peripheral manager delegate method. do nothing. } public func peripheralManager(_ peripheral: CBPeripheralManager, central: CBCentral, didSubscribeTo characteristic: CBCharacteristic) { print("did subscribe") guard let prop = propertyDescriptors.filter({ $0.characteristicId == characteristic.uuid.uuidString }).first else { return } let writeOperation = WriteOperation(propertyDescriptor: prop, characteristicId: characteristic.uuid.uuidString) writeOperation.centrals = [central] writeOperations.append(writeOperation) resumeWriteOperations() } public final func peripheralManagerIsReady(toUpdateSubscribers peripheral: CBPeripheralManager) { resumeWriteOperations() } } // MARK: - PAIRING TASK DELEGATE METHODS extension Clink: PairingTaskDelegate { func pairingTask(_ task: PairingTask, didFinishPairingWithPeripheral peripheral: CBPeripheral) { Clink.Configuration.dispatchQueue.async { task.delegate = nil let peerId = peripheral.identifier.uuidString if let i = self.activePairingTasks.index(of: task) { self.activePairingTasks.remove(at: i) } Clink.Configuration.peerManager.createPeer(withId: peerId) self.publish(notification: .clinked(peerWithId: peerId)) self.connect(peerWithId: peerId) } } func pairingTask(_ task: PairingTask, didCatchError error: Clink.OpperationError) { task.delegate = nil if let i = self.activePairingTasks.index(of: task) { self.activePairingTasks.remove(at: i) } self.publish(notification: .error(error)) } } extension Clink: ReadOperationDelegate { func readOperation(operation: ReadOperation, didFailWithError error: ReadOperationError) { switch error { case .couldNotParsePropertyDescriptor: print("couldNotParsePropertyDescriptor") case .noPacketsRecieved: print("no packets recieved") } if let i = readOperations.index(of: operation) { readOperations.remove(at: i) } } func readOperation(operation: ReadOperation, didCompleteWithPropertyDescriptor descriptor: PropertyDescriptor) { Clink.Configuration.peerManager.update( value: descriptor.value, forKey: descriptor.name, ofPeerWithId: operation.peripheral.identifier.uuidString) if let i = readOperations.index(of: operation) { readOperations.remove(at: i) } self.publish(notification: .updated( value: descriptor.value, key: descriptor.name, peerId: operation.peripheral.identifier.uuidString)) } }
mit
662411be4cc63ea482fd10dfdd098cd1
37.915294
147
0.623375
5.637014
false
false
false
false
ccloveswift/CLSCommon
Classes/Core/extension_CGSize.swift
1
1364
// // extension_CGSize.swift // Pods // // Created by Cc on 2017/8/25. // // import Foundation public extension CGSize { /// 当前的size 适配到preview size上,如果size 远小于preview size 不放大 /// /// - Parameter previewSize: 需要显示的大小 /// - Returns: 合适的size public func e_GetMaxFullSize(previewSize: CGSize) -> CGSize { // 图片size 比例 let OrgImgBiLi: CGFloat = self.width / self.height // 1 / 2 let previewBiLi: CGFloat = previewSize.width / previewSize.height // 2 / 1 if OrgImgBiLi > previewBiLi { // 宽缩放到相等 let newW = self.width > previewSize.width ? previewSize.width : self.width let newH = newW / OrgImgBiLi return CGSize(width: newW, height: newH) } else if OrgImgBiLi < previewBiLi { // 高缩放到相等 let newH = self.height > previewSize.height ? previewSize.height : self.height let newW = OrgImgBiLi * newH return CGSize(width: newW, height: newH) } else { // 相等 if (self.width > previewSize.width) { return previewSize } else { return self } } } }
mit
db2857221cbc5dd5dd217365e6aa0f95
26.148936
90
0.523511
4.369863
false
false
false
false
bgerstle/wikipedia-ios
Wikipedia/Code/SDImageCache+PromiseKit.swift
1
1871
// // SDImageCache+PromiseKit.swift // Wikipedia // // Created by Brian Gerstle on 7/1/15. // Copyright (c) 2015 Wikimedia Foundation. All rights reserved. // import Foundation import PromiseKit import SDWebImage public typealias DiskQueryResult = (cancellable: Cancellable?, promise: Promise<(UIImage, ImageOrigin)>) extension SDImageCache { public func queryDiskCacheForKey(key: String) -> DiskQueryResult { let (promise, fulfill, reject) = Promise<(UIImage, ImageOrigin)>.pendingPromise() // queryDiskCache will return nil if the image is in memory let diskQueryOperation: NSOperation? = self.queryDiskCacheForKey(key, done: { image, cacheType -> Void in if image != nil { fulfill((image, asImageOrigin(cacheType))) } else { reject(WMFImageControllerError.DataNotFound) } }) if let diskQueryOperation = diskQueryOperation { // make sure promise is rejected if the operation is cancelled self.KVOController.observe(diskQueryOperation, keyPath: "isCancelled", options: NSKeyValueObservingOptions.New) { _, _, change in let value = change[NSKeyValueChangeNewKey] as! NSNumber if value.boolValue { reject(NSError(domain: NSURLErrorDomain, code: NSURLErrorCancelled, userInfo: nil)) } } // tear down observation when operation finishes self.KVOController.observe(diskQueryOperation, keyPath: "isFinished", options: NSKeyValueObservingOptions()) { [weak self] _, object, _ in self?.KVOController.unobserve(object) } } return (diskQueryOperation, promise) } }
mit
099573f8ec82ccd0aaea7bf3927eedc0
35.686275
113
0.608231
5.551929
false
false
false
false
rudkx/swift
test/ModuleInterface/features.swift
1
6452
// RUN: %empty-directory(%t) // RUN: %target-swift-frontend -typecheck -swift-version 5 -module-name FeatureTest -emit-module-interface-path - -enable-library-evolution -disable-availability-checking %s | %FileCheck %s // REQUIRES: concurrency // REQUIRES: concurrency // Ensure that when we emit a Swift interface that makes use of new features, // the uses of those features are guarded by appropriate #if's that allow older // compilers to skip over the uses of newer features. // CHECK: #if compiler(>=5.3) && $SpecializeAttributeWithAvailability // CHECK: @_specialize(exported: true, kind: full, availability: macOS, introduced: 12; where T == Swift.Int) // CHECK: public func specializeWithAvailability<T>(_ t: T) // CHECK: #else // CHECK: public func specializeWithAvailability<T>(_ t: T) // CHECK: #endif @_specialize(exported: true, availability: macOS 12, *; where T == Int) public func specializeWithAvailability<T>(_ t: T) { } // CHECK: #if compiler(>=5.3) && $Actors // CHECK-NEXT: public actor MyActor // CHECK: @_semantics("defaultActor") nonisolated final public var unownedExecutor: _Concurrency.UnownedSerialExecutor { // CHECK-NEXT: get // CHECK-NEXT: } // CHECK-NEXT: } // CHECK-NEXT: #endif public actor MyActor { } // CHECK: #if compiler(>=5.3) && $Actors // CHECK-NEXT: extension FeatureTest.MyActor public extension MyActor { // CHECK-NOT: $Actors // CHECK: testFunc func testFunc() async { } // CHECK: } // CHECK-NEXT: #endif } // CHECK: #if compiler(>=5.3) && $AsyncAwait // CHECK-NEXT: globalAsync // CHECK-NEXT: #endif public func globalAsync() async { } // CHECK: @_marker public protocol MP { // CHECK-NEXT: } @_marker public protocol MP { } // CHECK: @_marker public protocol MP2 : FeatureTest.MP { // CHECK-NEXT: } @_marker public protocol MP2: MP { } // CHECK-NOT: #if compiler(>=5.3) && $MarkerProtocol // CHECK: public protocol MP3 : AnyObject, FeatureTest.MP { // CHECK-NEXT: } public protocol MP3: AnyObject, MP { } // CHECK: extension FeatureTest.MP2 { // CHECK-NEXT: func inMP2 extension MP2 { public func inMP2() { } } // CHECK: class OldSchool : FeatureTest.MP { public class OldSchool: MP { // CHECK: #if compiler(>=5.3) && $AsyncAwait // CHECK-NEXT: takeClass() // CHECK-NEXT: #endif public func takeClass() async { } } // CHECK: class OldSchool2 : FeatureTest.MP { public class OldSchool2: MP { // CHECK: #if compiler(>=5.3) && $AsyncAwait // CHECK-NEXT: takeClass() // CHECK-NEXT: #endif public func takeClass() async { } } // CHECK: #if compiler(>=5.3) && $RethrowsProtocol // CHECK-NEXT: @rethrows public protocol RP @rethrows public protocol RP { func f() throws -> Bool } // CHECK: public struct UsesRP { public struct UsesRP { // CHECK: #if compiler(>=5.3) && $RethrowsProtocol // CHECK-NEXT: public var value: FeatureTest.RP? { // CHECK-NOT: #if compiler(>=5.3) && $RethrowsProtocol // CHECK: get public var value: RP? { nil } } // CHECK: #if compiler(>=5.3) && $RethrowsProtocol // CHECK-NEXT: public struct IsRP public struct IsRP: RP { // CHECK-NEXT: public func f() public func f() -> Bool { } // CHECK-NOT: $RethrowsProtocol // CHECK-NEXT: public var isF: // CHECK-NEXT: get public var isF: Bool { f() } } // CHECK: #if compiler(>=5.3) && $RethrowsProtocol // CHECK-NEXT: public func acceptsRP public func acceptsRP<T: RP>(_: T) { } // CHECK-NOT: #if compiler(>=5.3) && $MarkerProtocol // CHECK: extension Swift.Array : FeatureTest.MP where Element : FeatureTest.MP { extension Array: FeatureTest.MP where Element : FeatureTest.MP { } // CHECK: } // CHECK-NOT: #if compiler(>=5.3) && $MarkerProtocol // CHECK: extension FeatureTest.OldSchool : Swift.UnsafeSendable { extension OldSchool: UnsafeSendable { } // CHECK-NEXT: } // CHECK: #if compiler(>=5.3) && $GlobalActors // CHECK-NEXT: @globalActor public struct SomeGlobalActor @globalActor public struct SomeGlobalActor { public static let shared = MyActor() } // CHECK: #if compiler(>=5.3) && $AsyncAwait // CHECK-NEXT: func runSomethingSomewhere // CHECK-NEXT: #endif public func runSomethingSomewhere(body: () async -> Void) { } // CHECK: #if compiler(>=5.3) && $Sendable // CHECK-NEXT: func runSomethingConcurrently(body: @Sendable () -> // CHECK-NEXT: #endif public func runSomethingConcurrently(body: @Sendable () -> Void) { } // CHECK: #if compiler(>=5.3) && $Actors // CHECK-NEXT: func stage // CHECK-NEXT: #endif public func stage(with actor: MyActor) { } // CHECK: #if compiler(>=5.3) && $AsyncAwait && $Sendable && $InheritActorContext // CHECK-NEXT: func asyncIsh // CHECK-NEXT: #endif public func asyncIsh(@_inheritActorContext operation: @Sendable @escaping () async -> Void) { } // CHECK: #if compiler(>=5.3) && $AsyncAwait // CHECK-NEXT: #if $UnsafeInheritExecutor // CHECK-NEXT: @_unsafeInheritExecutor public func unsafeInheritExecutor() async // CHECK-NEXT: #else // CHECK-NEXT: public func unsafeInheritExecutor() async // CHECK-NEXT: #endif // CHECK-NEXT: #endif @_unsafeInheritExecutor public func unsafeInheritExecutor() async {} // CHECK: #if compiler(>=5.3) && $AsyncAwait // CHECK-NEXT: #if $UnsafeInheritExecutor // CHECK-NEXT: @_specialize{{.*}} // CHECK-NEXT: @_unsafeInheritExecutor public func multipleSuppressible<T>(value: T) async // CHECK-NEXT: #elsif $SpecializeAttributeWithAvailability // CHECK-NEXT: @_specialize{{.*}} // CHECK-NEXT: public func multipleSuppressible<T>(value: T) async // CHECK-NEXT: #else // CHECK-NEXT: public func multipleSuppressible<T>(value: T) async // CHECK-NEXT: #endif // CHECK-NEXT: #endif @_unsafeInheritExecutor @_specialize(exported: true, availability: SwiftStdlib 5.1, *; where T == Int) public func multipleSuppressible<T>(value: T) async {} // CHECK: #if compiler(>=5.3) && $UnavailableFromAsync // CHECK-NEXT: @_unavailableFromAsync(message: "Test") public func unavailableFromAsyncFunc() // CHECK-NEXT: #else // CHECK-NEXT: public func unavailableFromAsyncFunc() // CHECK-NEXT: #endif @_unavailableFromAsync(message: "Test") public func unavailableFromAsyncFunc() { } // CHECK: #if compiler(>=5.3) && $NoAsyncAvailability // CHECK-NEXT: @available(*, noasync, message: "Test") // CHECK-NEXT: public func noAsyncFunc() // CHECK-NEXT: #else // CHECK-NEXT: public func noAsyncFunc() // CHECK-NEXT: #endif @available(*, noasync, message: "Test") public func noAsyncFunc() { } // CHECK-NOT: extension FeatureTest.MyActor : Swift.Sendable
apache-2.0
f23dcf9d1a079cae0834152c6348b8c8
31.751269
190
0.690174
3.537281
false
true
false
false
verticon/VerticonsToolbox
VerticonsToolbox/Broadcaster.swift
1
3199
// // Broadcaster // VerticonsToolbox // // Created by Robert Vaessen on 4/10/17. // Copyright © 2017 Verticon. All rights reserved. // import Foundation public protocol ListenerManagement { func removeListener() } private protocol ListenerWrapper: class { func deliver(event: Any) } open class Broadcaster<EventType> { public typealias EventHandler = (EventType) -> () fileprivate var wrappers = [ListenerWrapper]() public init() {} public var listenerCount: Int { get { return wrappers.count } } public func broadcast(_ event: EventType) { for wrapper in self.wrappers { wrapper.deliver(event: event) } } // The addListener signature might seem odd. Here is an example usage: // // class Listener { // func eventHandler(data: (String, String)) { // print("Hello \(data.0) \(data.1)") // } // } // // let listener = Listener() // let broadcaster = Broadcaster<(String, String)>() // let manager = broadcaster.addListener(listener, handlerClassMethod: Listener.eventHandler) // broadcaster.broadcast(("Chris", "Lattner")) // Prints "Hello Chris Lattner" // manager.removeListener() // // addListener is taking advantage of the fact that the invocation of a method directly upon a class type // produces a curried function that has captured the class instance argument - have a look at the Wrapper's // deliver method. This is, in fact, how instance methods actually work. The reason for employing this // technique is to proscribe the use of closures with their inherent risk of retain cycles (do you ever forget // to use a capture list such as [unowned self]?). Instead of a closure with a captured self, addListener // receives the instance directly so that it can be stored weakly in the Wrapper, thus ensuring that all // will be well. // open func addListener<ListenerType: AnyObject>(_ listener: ListenerType, handlerClassMethod: @escaping (ListenerType) -> EventHandler) -> ListenerManagement { let wrapper = Wrapper(listener: listener, handlerClassMethod: handlerClassMethod, broadcaster: self) wrappers.append(wrapper) return wrapper } } private class Wrapper<ListenerType: AnyObject, EventType> : ListenerWrapper, ListenerManagement { let broadcaster: Broadcaster<EventType> weak var listener: ListenerType? let handlerClassMethod: (ListenerType) -> (EventType) -> () init(listener: ListenerType, handlerClassMethod: @escaping (ListenerType) -> (EventType) -> (), broadcaster: Broadcaster<EventType>) { self.broadcaster = broadcaster; self.listener = listener self.handlerClassMethod = handlerClassMethod } func deliver(event: Any) { if let listener = listener { handlerClassMethod(listener)(event as! EventType) } else { removeListener() } } func removeListener() { broadcaster.wrappers = broadcaster.wrappers.filter { $0 !== self } } }
mit
3427dd826871a4f62a1c26f675633099
33.76087
162
0.650407
4.823529
false
false
false
false
e78l/swift-corelibs-foundation
Foundation/DateComponentsFormatter.swift
1
7191
// This source file is part of the Swift.org open source project // // Copyright (c) 2014 - 2016 Apple Inc. and the Swift project authors // Licensed under Apache License v2.0 with Runtime Library Exception // // See http://swift.org/LICENSE.txt for license information // See http://swift.org/CONTRIBUTORS.txt for the list of Swift project authors // /* DateComponentsFormatter provides locale-correct and flexible string formatting of quantities of time, such as "1 day" or "1h 10m", as specified by NSDateComponents. For formatting intervals of time (such as "2PM to 5PM"), see DateIntervalFormatter. DateComponentsFormatter is thread-safe, in that calling methods on it from multiple threads will not cause crashes or incorrect results, but it makes no attempt to prevent confusion when one thread sets something and another thread isn't expecting it to change. */ @available(*, unavailable, message: "Not supported in swift-corelibs-foundation") open class DateComponentsFormatter : Formatter { public enum UnitsStyle : Int { case positional // "1:10; may fall back to abbreviated units in some cases, e.g. 3d" case abbreviated // "1h 10m" case short // "1hr, 10min" case full // "1 hour, 10 minutes" case spellOut // "One hour, ten minutes" case brief // "1hr 10min" } public struct ZeroFormattingBehavior : OptionSet { public let rawValue : UInt public init(rawValue: UInt) { self.rawValue = rawValue } public static let none = ZeroFormattingBehavior(rawValue: 0) //drop none, pad none public static let `default` = ZeroFormattingBehavior(rawValue: 1 << 0) //Positional units: drop leading zeros, pad other zeros. All others: drop all zeros. public static let dropLeading = ZeroFormattingBehavior(rawValue: 1 << 1) // Off: "0h 10m", On: "10m" public static let dropMiddle = ZeroFormattingBehavior(rawValue: 1 << 2) // Off: "1h 0m 10s", On: "1h 10s" public static let dropTrailing = ZeroFormattingBehavior(rawValue: 1 << 3) // Off: "1h 0m", On: "1h" public static let dropAll = [ZeroFormattingBehavior.dropLeading, ZeroFormattingBehavior.dropMiddle, ZeroFormattingBehavior.dropTrailing] public static let pad = ZeroFormattingBehavior(rawValue: 1 << 16) // Off: "1:0:10", On: "01:00:10" } public override init() { NSUnsupported() } public required init?(coder: NSCoder) { NSUnsupported() } /* 'obj' must be an instance of NSDateComponents. */ open override func string(for obj: Any?) -> String? { NSUnsupported() } open func string(from components: DateComponents) -> String? { NSUnsupported() } /* Normally, DateComponentsFormatter will calculate as though counting from the current date and time (e.g. in February, 1 month formatted as a number of days will be 28). -stringFromDate:toDate: calculates from the passed-in startDate instead. See 'allowedUnits' for how the default set of allowed units differs from -stringFromDateComponents:. Note that this is still formatting the quantity of time between the dates, not the pair of dates itself. For strings like "Feb 22nd - Feb 28th", use DateIntervalFormatter. */ open func string(from startDate: Date, to endDate: Date) -> String? { NSUnsupported() } /* Convenience method for formatting a number of seconds. See 'allowedUnits' for how the default set of allowed units differs from -stringFromDateComponents:. */ open func string(from ti: TimeInterval) -> String? { NSUnsupported() } open class func localizedString(from components: DateComponents, unitsStyle: UnitsStyle) -> String? { NSUnsupported() } /* Choose how to indicate units. For example, 1h 10m vs 1:10. Default is DateComponentsFormatter.UnitsStyle.positional. */ open var unitsStyle: UnitsStyle /* Bitmask of units to include. Set to 0 to get the default behavior. Note that, especially if the maximum number of units is low, unit collapsing is on, or zero dropping is on, not all allowed units may actually be used for a given NSDateComponents. Default value is the components of the passed-in NSDateComponents object, or years | months | weeks | days | hours | minutes | seconds if passed an NSTimeInterval or pair of NSDates. Allowed units are: NSCalendarUnitYear NSCalendarUnitMonth NSCalendarUnitWeekOfMonth (used to mean "quantity of weeks") NSCalendarUnitDay NSCalendarUnitHour NSCalendarUnitMinute NSCalendarUnitSecond Specifying any other NSCalendarUnits will result in an exception. */ open var allowedUnits: NSCalendar.Unit /* Bitmask specifying how to handle zeros in units. This includes both padding and dropping zeros so that a consistent number digits are displayed, causing updating displays to remain more stable. Default is DateComponentsFormatter.ZeroFormattingBehavior.default. If the combination of zero formatting behavior and style would lead to ambiguous date formats (for example, 1:10 meaning 1 hour, 10 seconds), DateComponentsFormatter will throw an exception. */ open var zeroFormattingBehavior: ZeroFormattingBehavior /* Specifies the locale and calendar to use for formatting date components that do not themselves have calendars. Defaults to NSAutoupdatingCurrentCalendar. If set to nil, uses the gregorian calendar with the en_US_POSIX locale. */ /*@NSCopying*/ open var calendar: Calendar? /* Choose whether non-integer units should be used to handle display of values that can't be exactly represented with the allowed units. For example, if minutes aren't allowed, then "1h 30m" could be formatted as "1.5h". Default is NO. */ open var allowsFractionalUnits: Bool /* Choose whether or not, and at which point, to round small units in large values to zero. Examples: 1h 10m 30s, maximumUnitCount set to 0: "1h 10m 30s" 1h 10m 30s, maximumUnitCount set to 2: "1h 10m" 10m 30s, maximumUnitCount set to 0: "10m 30s" 10m 30s, maximumUnitCount set to 2: "10m 30s" Default is 0, which is interpreted as unlimited. */ open var maximumUnitCount: Int /* Choose whether to express largest units just above the threshold for the next lowest unit as a larger quantity of the lower unit. For example: "1m 3s" vs "63s". Default is NO. */ open var collapsesLargestUnit: Bool /* Choose whether to indicate that the allowed units/insignificant units choices lead to inexact results. In some languages, simply prepending "about " to the string will produce incorrect results; this handles those cases correctly. Default is NO. */ open var includesApproximationPhrase: Bool /* Choose whether to produce strings like "35 minutes remaining". Default is NO. */ open var includesTimeRemainingPhrase: Bool /* Currently unimplemented, will be removed in a future seed. */ open var formattingContext: Context }
apache-2.0
fff7db55f5b01132fcbc09e245ebb64e
55.179688
513
0.709498
4.810033
false
false
false
false
yuxiuyu/TrendBet
TrendBetting_0531换首页/Pods/Charts/Source/Charts/Data/Implementations/Standard/LineChartDataSet.swift
4
5153
// // LineChartDataSet.swift // Charts // // Copyright 2015 Daniel Cohen Gindi & Philipp Jahoda // A port of MPAndroidChart for iOS // Licensed under Apache License 2.0 // // https://github.com/danielgindi/Charts // import Foundation import CoreGraphics open class LineChartDataSet: LineRadarChartDataSet, ILineChartDataSet { @objc(LineChartMode) public enum Mode: Int { case linear case stepped case cubicBezier case horizontalBezier } private func initialize() { // default color circleColors.append(NSUIColor(red: 140.0/255.0, green: 234.0/255.0, blue: 255.0/255.0, alpha: 1.0)) } public required init() { super.init() initialize() } public override init(values: [ChartDataEntry]?, label: String?) { super.init(values: values, label: label) initialize() } // MARK: - Data functions and accessors // MARK: - Styling functions and accessors /// The drawing mode for this line dataset /// /// **default**: Linear open var mode: Mode = Mode.linear private var _cubicIntensity = CGFloat(0.2) /// Intensity for cubic lines (min = 0.05, max = 1) /// /// **default**: 0.2 open var cubicIntensity: CGFloat { get { return _cubicIntensity } set { _cubicIntensity = newValue if _cubicIntensity > 1.0 { _cubicIntensity = 1.0 } if _cubicIntensity < 0.05 { _cubicIntensity = 0.05 } } } /// The radius of the drawn circles. open var circleRadius = CGFloat(8.0) /// The hole radius of the drawn circles open var circleHoleRadius = CGFloat(4.0) open var circleColors = [NSUIColor]() /// - returns: The color at the given index of the DataSet's circle-color array. /// Performs a IndexOutOfBounds check by modulus. open func getCircleColor(atIndex index: Int) -> NSUIColor? { let size = circleColors.count let index = index % size if index >= size { return nil } return circleColors[index] } /// Sets the one and ONLY color that should be used for this DataSet. /// Internally, this recreates the colors array and adds the specified color. open func setCircleColor(_ color: NSUIColor) { circleColors.removeAll(keepingCapacity: false) circleColors.append(color) } open func setCircleColors(_ colors: NSUIColor...) { circleColors.removeAll(keepingCapacity: false) circleColors.append(contentsOf: colors) } /// Resets the circle-colors array and creates a new one open func resetCircleColors(_ index: Int) { circleColors.removeAll(keepingCapacity: false) } /// If true, drawing circles is enabled open var drawCirclesEnabled = true /// - returns: `true` if drawing circles for this DataSet is enabled, `false` ifnot open var isDrawCirclesEnabled: Bool { return drawCirclesEnabled } /// The color of the inner circle (the circle-hole). open var circleHoleColor: NSUIColor? = NSUIColor.white /// `true` if drawing circles for this DataSet is enabled, `false` ifnot open var drawCircleHoleEnabled = true /// - returns: `true` if drawing the circle-holes is enabled, `false` ifnot. open var isDrawCircleHoleEnabled: Bool { return drawCircleHoleEnabled } /// This is how much (in pixels) into the dash pattern are we starting from. open var lineDashPhase = CGFloat(0.0) /// This is the actual dash pattern. /// I.e. [2, 3] will paint [-- -- ] /// [1, 3, 4, 2] will paint [- ---- - ---- ] open var lineDashLengths: [CGFloat]? /// Line cap type, default is CGLineCap.Butt open var lineCapType = CGLineCap.butt /// formatter for customizing the position of the fill-line private var _fillFormatter: IFillFormatter = DefaultFillFormatter() /// Sets a custom IFillFormatter to the chart that handles the position of the filled-line for each DataSet. Set this to null to use the default logic. open var fillFormatter: IFillFormatter? { get { return _fillFormatter } set { _fillFormatter = newValue ?? DefaultFillFormatter() } } // MARK: NSCopying open override func copyWithZone(_ zone: NSZone?) -> AnyObject { let copy = super.copyWithZone(zone) as! LineChartDataSet copy.circleColors = circleColors copy.circleRadius = circleRadius copy.cubicIntensity = cubicIntensity copy.lineDashPhase = lineDashPhase copy.lineDashLengths = lineDashLengths copy.lineCapType = lineCapType copy.drawCirclesEnabled = drawCirclesEnabled copy.drawCircleHoleEnabled = drawCircleHoleEnabled copy.mode = mode return copy } }
apache-2.0
a4b86255cc54cd74522c9925acf1c5c6
27.949438
155
0.608772
4.912297
false
false
false
false
creatubbles/ctb-api-swift
CreatubblesAPIClient/Sources/Requests/Gallery/ChallengesGalleriesRequest.swift
1
2133
// // ChallengesGalleriesRequest.swift // CreatubblesAPIClient // // Copyright (c) 2017 Creatubbles Pte. Ltd. // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. // import Foundation class ChallengesGalleriesRequest: Request { override var method: RequestMethod { return .get } override var parameters: Dictionary<String, AnyObject> { return prepareParameters() } override var endpoint: String { return "galleries" } fileprivate let page: Int? fileprivate let perPage: Int? init(page: Int?, perPage: Int?) { self.page = page self.perPage = perPage } fileprivate func prepareParameters() -> Dictionary<String, AnyObject> { var params = Dictionary<String, AnyObject>() params["filter[challenge]"] = true as AnyObject params["sort"] = "challenge_published_at" as AnyObject if let page = page { params["page"] = page as AnyObject } if let perPage = perPage { params["per_page"] = perPage as AnyObject } return params } }
mit
965e834395a1ff09bd53b438802e2588
37.781818
89
0.691045
4.606911
false
false
false
false
blokadaorg/blokada
ios/App/UI/Settings/LevelView.swift
1
2375
// // This file is part of Blokada. // // This Source Code Form is subject to the terms of the Mozilla Public // License, v. 2.0. If a copy of the MPL was not distributed with this // file, You can obtain one at https://mozilla.org/MPL/2.0/. // // Copyright © 2020 Blocka AB. All rights reserved. // // @author Karol Gusak // import SwiftUI struct LevelView: View { @State var level = 1 @State var animate = false @State var point = UnitPoint(x: 1, y: 1) var body: some View { ZStack(alignment: .leading) { Rectangle() .fill(Color(UIColor.systemGray5)) .mask( Image(systemName: "chart.bar.fill") .resizable() .aspectRatio(contentMode: .fit) ) Rectangle() .fill(LinearGradient(gradient: Gradient(colors: [Color.cActivePlusGradient, Color.cActivePlus]), startPoint: .top, endPoint: point) ) .mask( Image(systemName: "chart.bar.fill") .resizable() .aspectRatio(contentMode: .fit) .mask( HStack { Rectangle() Rectangle().opacity(level >= 2 ? 1 : 0) Rectangle().opacity(level >= 3 ? 1 : 0) } ) ) } // .onAppear { // if self.animate { // withAnimation(Animation.easeInOut(duration: 3).repeatForever(autoreverses: true)) { // self.point = UnitPoint(x: 0, y: 0) // } // } // } } } struct LevelView_Previews: PreviewProvider { static var previews: some View { Group { LevelView(animate: true) .previewLayout(.fixed(width: 256, height: 256)) LevelView(level: 2, animate: true) .previewLayout(.fixed(width: 256, height: 256)) .environment(\.colorScheme, .dark) .background(Color.black) LevelView(level: 3) .previewLayout(.fixed(width: 256, height: 256)) LevelView() .previewLayout(.fixed(width: 128, height: 128)) } } }
mpl-2.0
fb50c1157a5461936e5ac01045378046
31.081081
101
0.478517
4.591876
false
false
false
false
anthonyApptist/Poplur
Poplur/SignUpScreen.swift
1
6259
// // SignUpScreen.swift // Poplur // // Created by Mark Meritt on 2016-11-21. // Copyright © 2016 Apptist. All rights reserved. // import UIKit class SignUpScreen: PoplurScreen { var usernameBtn: CircleButton! var passwordBtn: CircleButton! var nameTextField: CustomTextFieldContainer! var pwTextField: CustomTextFieldContainer! var entered = false let checkMarkImg = UIImage(named: "checkmark") override func viewDidLoad() { super.viewDidLoad() self.name = PoplurScreenName.signUp self.setScreenDirections(current: self, leftScreen: HomeScreen(), rightScreen: nil, downScreen: nil, middleScreen: ProfileScreen(), upScreen: nil) self.setRemoteEnabled(leftFunc: true, rightFunc: false, downFunc: false, middleFunc: false, upFunc: false) } override func viewDidAppear(_ animated: Bool) { super.viewDidAppear(false) backgroundImageView.frame = CGRect(x: 0, y: 0, width: 375, height:667) backgroundImage = UIImage(named: "bitmap")! backgroundImageView.image = backgroundImage let banner = UIView(frame: CGRect(x: 0, y: 354, width: 375, height: 42)) banner.backgroundColor = UIColor.black self.view.addSubview(banner) let label = UILabel(frame: CGRect(x: 31, y: 364, width: 313, height: 21)) label.font = UIFont(name: "MyriadPro-Cond", size: 21.6) label.text = "sign up to begin voting" label.textAlignment = .center label.textColor = UIColor.white label.setSpacing(space: 2.08) self.view.addSubview(label) usernameBtn = CircleButton(frame: CGRect(x: 27, y: 61, width: 95.4, height:91.2)) usernameBtn.addText(string: "name", color: 0) usernameBtn.setColorClear() self.view.addSubview(usernameBtn) passwordBtn = CircleButton(frame: CGRect(x: 27, y: 174.8, width:95.4, height: 91.2)) passwordBtn.addText(string: "pw", color: 0) passwordBtn.setColorClear() self.view.addSubview(passwordBtn) nameTextField = CustomTextFieldContainer(frame: CGRect(x: 134.4, y: 89.5, width:215.6, height: 36.6)) self.view.addSubview(nameTextField) pwTextField = CustomTextFieldContainer(frame: CGRect(x: 134.4, y:201.5, width: 215.6, height: 36.6)) self.view.addSubview(pwTextField) nameTextField.setup(placeholder: "Email", validator: "email", type: "email") pwTextField.setup(placeholder: "Password", validator: "required", type: "password") self.nameTextField.textField.delegate = self self.pwTextField.textField.delegate = self } func textFieldDidBeginEditing(_ textField: UITextField) { ErrorHandler.sharedInstance.errorMessageView.resetImagePosition() if(textField == nameTextField.textField) { self.usernameBtn.animateRadius(scale: 1.5, soundOn: false) } if(textField == pwTextField.textField) { self.passwordBtn.animateRadius(scale: 1.5, soundOn: false) } } override func textFieldDidEndEditing(_ textField: UITextField) { ErrorHandler.sharedInstance.errorMessageView.resetImagePosition() textField.resignFirstResponder() if !entered { if nameTextField.textField.text?.isEmpty == false && pwTextField.textField.text?.isEmpty == false { self.setRemoteEnabled(leftFunc: true, rightFunc: false, downFunc: false, middleFunc: true, upFunc: false) self.remote.middleBtn?.setColourVerifiedGreen() self.remote.middleBtn?.animateWithNewImage(scale: 1.2, soundOn: true, image: checkMarkImg!) self.remote.middleBtn?.addTarget(self, action: #selector(self.loginButtonFunction(_:)), for: .touchUpInside) entered = true } } } func validate(showError: Bool) -> Bool { ErrorHandler.sharedInstance.errorMessageView.resetImagePosition() if(!nameTextField.validate()) { if(showError) { if(nameTextField.validationError == "blank") { ErrorHandler.sharedInstance.show(message: "Email Field Cannot Be Blank", container: self) } if(nameTextField.validationError == "not_email") { ErrorHandler.sharedInstance.show(message: "You should double-check that email address....", container: self) } } return false } if(!pwTextField.validate()) { if(showError) { if(pwTextField.validationError == "blank") { ErrorHandler.sharedInstance.show(message: "Password Field Cannot Be Blank", container: self) } } return false } return true } func loginButtonFunction(_ sender: AnyObject) { _ = validate(showError: true) if(!validate(showError: true)) { return } else { AuthService.instance.login(email: self.nameTextField.textField.text!, password: self.pwTextField.textField.text!) { Completion in if(Completion.0 == nil) { self.app.userDefaults.set(self.nameTextField.textField.text!, forKey: "userName") self.app.userDefaults.synchronize() currentState = remoteStates[4] print("remote state is: " + currentState) NotificationCenter.default.post(name: myNotification, object: nil, userInfo: ["message": currentState]) } else { ErrorHandler.sharedInstance.show(message: Completion.0!, container: self) } } } } override func touchesEnded(_ touches: Set<UITouch>, with event: UIEvent?) { nameTextField.textField.resignFirstResponder() pwTextField.textField.resignFirstResponder() } }
apache-2.0
b2a700825cc4b07313a17edfa9b36feb
34.355932
155
0.597955
4.769817
false
false
false
false
sport1online/PagingMenuController
Example/PagingMenuControllerDemo2/RootViewControoler.swift
3
2841
// // RootViewControoler.swift // PagingMenuControllerDemo // // Created by Cheng-chien Kuo on 5/14/16. // Copyright © 2016 kitasuke. All rights reserved. // import UIKit import PagingMenuController private struct PagingMenuOptions: PagingMenuControllerCustomizable { private let viewController1 = ViewController1() private let viewController2 = ViewController2() fileprivate var componentType: ComponentType { return .all(menuOptions: MenuOptions(), pagingControllers: pagingControllers) } fileprivate var pagingControllers: [UIViewController] { return [viewController1, viewController2] } fileprivate struct MenuOptions: MenuViewCustomizable { var displayMode: MenuDisplayMode { return .segmentedControl } var itemsOptions: [MenuItemViewCustomizable] { return [MenuItem1(), MenuItem2()] } } fileprivate struct MenuItem1: MenuItemViewCustomizable { var displayMode: MenuItemDisplayMode { return .text(title: MenuItemText(text: "First Menu")) } } fileprivate struct MenuItem2: MenuItemViewCustomizable { var displayMode: MenuItemDisplayMode { return .text(title: MenuItemText(text: "Second Menu")) } } } class RootViewControoler: UIViewController { override func viewDidLoad() { super.viewDidLoad() // Do any additional setup after loading the view, typically from a nib. view.backgroundColor = UIColor.white let options = PagingMenuOptions() let pagingMenuController = PagingMenuController(options: options) pagingMenuController.view.frame.origin.y += 64 pagingMenuController.view.frame.size.height -= 64 pagingMenuController.onMove = { state in switch state { case let .willMoveController(menuController, previousMenuController): print(previousMenuController) print(menuController) case let .didMoveController(menuController, previousMenuController): print(previousMenuController) print(menuController) case let .willMoveItem(menuItemView, previousMenuItemView): print(previousMenuItemView) print(menuItemView) case let .didMoveItem(menuItemView, previousMenuItemView): print(previousMenuItemView) print(menuItemView) case .didScrollStart: print("Scroll start") case .didScrollEnd: print("Scroll end") } } addChildViewController(pagingMenuController) view.addSubview(pagingMenuController.view) pagingMenuController.didMove(toParentViewController: self) } }
mit
d114d8f0e92ad24aec6e1ac5cca001a3
34.5
85
0.653873
5.760649
false
false
false
false
iThinkerYZ/Swift_Currying
Swift之柯里化函数/Swift之柯里化函数/ViewController.swift
1
4194
// // ViewController.swift // Swift之柯里化函数 // // Created by yz on 15/4/28. // Copyright (c) 2015年 yz. All rights reserved. // import UIKit class ViewController: UIViewController { override func viewDidLoad() { super.viewDidLoad() // Do any additional setup after loading the view, typically from a nib. // 创建柯里化类的实例 var curryInstance = Curry() /*** 调用手动实现的柯里化函数 **/ var r: Int = curryInstance.add(10)(b: 20)(c: 30) // 可能很多人都是第一次看这样的调用,感觉有点不可思议。 // 让我们回顾下OC创建对象 [[Person alloc] init],这种写法应该都见过吧,就是一下发送了两个消息,alloc返回一个实例,再用实例调用init初始化,上面也是一样,一下调用多个函数,每次调用都会返回一个函数,然后再次调用这个返回的函数。 /***** 柯里化函数分解调用 *****/ // 让我来帮你们拆解下,更容易看懂 // curryInstance.add(10): 调用一个接收参数a,并且返回一个接收参数b的函数,并且这个函数又返回一个接收参数c,返回值为Int类型的函数 // functionB: 一个接收参数b的函数,并且这个函数又返回一个接收参数c,返回值为Int类型的函数 var functionB = curryInstance.add(10) // functionB(b: 20):调用一个接收参数b的函数,并且这个函数又返回一个接收参数c,返回值为Int类型的函数 // functionC: 一个接收参数c,返回值为Int类型的函数 var functionC = functionB(b: 20) // functionC(c: 30): 调用一个接收参数c,返回值为Int类型的函数 // result: 函数的返回值 var res: Int = functionC(c: 30); // 这里会有疑问?,为什么不是调用curryInstance.add(a: 10),而是curryInstance.add(10),functionB(b: 20),functionC(c: 30),怎么就有b,c,这是因为func add(a: Int) -> (b:Int) -> (c: Int) -> Int这个方法中a是第一个参数,默认是没有外部参数名,只有余下的参数才有外部参数名,b,c都属于余下的参数。 /***** 系统的柯里化函数调用 *****/ var result: Int = curryInstance.addCur(10)(b: 20)(c: 30) /***** 系统的柯里化函数拆解调用 *****/ // curryInstance.addCur(10) : 调用一个接收参数a,并且返回一个接收参数b的函数,并且这个函数又返回一个接收参数c,返回值为Int类型的函数 // 注意:Swift是强类型语言,这里没有报错,说明调用系统柯里化函数返回的类型和手动的functionB类型一致 // functionB: 一个接收参数b的函数,并且这个函数又返回一个接收参数c,返回值为Int类型的函数 functionB = curryInstance.addCur(10) // functionC: 一个接收参数c,返回值为Int类型的函数 functionC = functionB(b: 20) // result: 函数的返回值 res = functionC(c: 30) // 打印 60,60,60说明手动实现的柯里化函数,和系统的一样。 println("\(r),\(res),\(result)") /************************************ 华丽的分割线 *********************************************/ /*************************** 实例方法的另一种调用方式(柯里化)************************************/ // 创建柯里化类的实例 var curryingInstance = Currying() // 调用function方法 Currying.function(curryingInstance)() // 拆解调用function方法 // 1.获取function方法 let function = Currying.function(curryingInstance) // 2.调用function方法 function() // 步骤都是一样,首先获取实例方法,在调用实例方法,实例方法怎么调用,就不需要在教了。 } override func didReceiveMemoryWarning() { super.didReceiveMemoryWarning() // Dispose of any resources that can be recreated. } }
apache-2.0
247a851a5181f1d268d9b5215b547fb0
33.385542
218
0.57288
3.711313
false
false
false
false
gobetti/Swift
SocialFramework/SocialFramework/ViewController.swift
1
2965
// // ViewController.swift // SocialFramework // // Created by Carlos Butron on 02/12/14. // // This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public // License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later // version. // This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied // warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. // You should have received a copy of the GNU General Public License along with this program. If not, see // http:/www.gnu.org/licenses/. // import UIKit import Social import Accounts class ViewController: UIViewController { @IBAction func facebook(sender: UIButton) { let url: NSURL = NSURL(string: "http://www.google.es")! let fbController = SLComposeViewController(forServiceType: SLServiceTypeFacebook) fbController.setInitialText("") fbController.addURL(url) let completionHandler = {(result:SLComposeViewControllerResult) -> () in fbController.dismissViewControllerAnimated(true, completion:nil) switch(result){ case SLComposeViewControllerResult.Cancelled: print("User canceled", terminator: "") case SLComposeViewControllerResult.Done: print("User posted", terminator: "") } } fbController.completionHandler = completionHandler self.presentViewController(fbController, animated: true, completion:nil) } @IBAction func twitter(sender: UIButton) { let image: UIImage = UIImage(named: "image2.png")! let twitterController = SLComposeViewController(forServiceType: SLServiceTypeTwitter) twitterController.setInitialText("") twitterController.addImage(image) let completionHandler = {(result:SLComposeViewControllerResult) -> () in twitterController.dismissViewControllerAnimated(true, completion: nil) switch(result){ case SLComposeViewControllerResult.Cancelled: print("User canceled", terminator: "") case SLComposeViewControllerResult.Done: print("User tweeted", terminator: "") } } twitterController.completionHandler = completionHandler self.presentViewController(twitterController, animated: true, completion: nil) } override func viewDidLoad() { super.viewDidLoad() // Do any additional setup after loading the view, typically from a nib. } override func didReceiveMemoryWarning() { super.didReceiveMemoryWarning() // Dispose of any resources that can be recreated. } }
mit
80a0028befb757e68cb3d2f00d5d356f
35.158537
121
0.662395
5.47048
false
false
false
false
jihun-kang/ios_a2big_sdk
A2bigSDK/Animator.swift
1
5239
import UIKit /// Responsible for parsing GIF data and decoding the individual frames. public class Animator { /// Number of frame to buffer. var frameBufferCount = 50 /// Specifies whether GIF frames should be resized. var shouldResizeFrames = false /// Responsible for loading individual frames and resizing them if necessary. var frameStore: FrameStore? /// Tracks whether the display link is initialized. private var displayLinkInitialized: Bool = false /// A delegate responsible for displaying the GIF frames. private weak var delegate: GIFAnimatable! /// Responsible for starting and stopping the animation. private lazy var displayLink: CADisplayLink = { [unowned self] in self.displayLinkInitialized = true let display = CADisplayLink(target: DisplayLinkProxy(target: self), selector: #selector(DisplayLinkProxy.onScreenUpdate)) display.isPaused = true return display }() /// Introspect whether the `displayLink` is paused. var isAnimating: Bool { return !displayLink.isPaused } /// Total frame count of the GIF. var frameCount: Int { return frameStore?.frameCount ?? 0 } /// Creates a new animator with a delegate. /// /// - parameter view: A view object that implements the `GIFAnimatable` protocol. /// /// - returns: A new animator instance. public init(withDelegate delegate: GIFAnimatable) { self.delegate = delegate } /// Checks if there is a new frame to display. fileprivate func updateFrameIfNeeded() { guard let store = frameStore else { return } store.shouldChangeFrame(with: displayLink.duration) { if $0 { delegate.animatorHasNewFrame() } } } /// Prepares the animator instance for animation. /// /// - parameter imageName: The file name of the GIF in the main bundle. /// - parameter size: The target size of the individual frames. /// - parameter contentMode: The view content mode to use for the individual frames. func prepareForAnimation(withGIFNamed imageName: String, size: CGSize, contentMode: UIViewContentMode) { guard let extensionRemoved = imageName.components(separatedBy: ".")[safe: 0], let imagePath = Bundle.main.url(forResource: extensionRemoved, withExtension: "gif"), let data = try? Data(contentsOf: imagePath) else { return } prepareForAnimation(withGIFData: data, size: size, contentMode: contentMode) } /// Prepares the animator instance for animation. /// /// - parameter imageData: GIF image data. /// - parameter size: The target size of the individual frames. /// - parameter contentMode: The view content mode to use for the individual frames. func prepareForAnimation(withGIFData imageData: Data, size: CGSize, contentMode: UIViewContentMode) { frameStore = FrameStore(data: imageData, size: size, contentMode: contentMode, framePreloadCount: frameBufferCount) frameStore?.shouldResizeFrames = shouldResizeFrames frameStore?.prepareFrames() attachDisplayLink() } /// Add the display link to the main run loop. private func attachDisplayLink() { displayLink.add(to: .main, forMode: RunLoopMode.commonModes) } deinit { if displayLinkInitialized { displayLink.invalidate() } } /// Start animating. func startAnimating() { if frameStore?.isAnimatable ?? false { displayLink.isPaused = false } } /// Stop animating. func stopAnimating() { displayLink.isPaused = true } /// Prepare for animation and start animating immediately. /// /// - parameter imageName: The file name of the GIF in the main bundle. /// - parameter size: The target size of the individual frames. /// - parameter contentMode: The view content mode to use for the individual frames. func animate(withGIFNamed imageName: String, size: CGSize, contentMode: UIViewContentMode) { prepareForAnimation(withGIFNamed: imageName, size: size, contentMode: contentMode) startAnimating() } /// Prepare for animation and start animating immediately. /// /// - parameter imageData: GIF image data. /// - parameter size: The target size of the individual frames. /// - parameter contentMode: The view content mode to use for the individual frames. func animate(withGIFData imageData: Data, size: CGSize, contentMode: UIViewContentMode) { prepareForAnimation(withGIFData: imageData, size: size, contentMode: contentMode) startAnimating() } /// Stop animating and nullify the frame store. func prepareForReuse() { stopAnimating() frameStore = nil } /// Gets the current image from the frame store. /// /// - returns: An optional frame image to display. func activeFrame() -> UIImage? { return frameStore?.currentFrameImage } } /// A proxy class to avoid a retain cycyle with the display link. fileprivate class DisplayLinkProxy { /// The target animator. private weak var target: Animator? /// Create a new proxy object with a target animator. /// /// - parameter target: An animator instance. /// /// - returns: A new proxy instance. init(target: Animator) { self.target = target } /// Lets the target update the frame if needed. @objc func onScreenUpdate() { target?.updateFrameIfNeeded() } }
apache-2.0
ecdadeec299969b3f25762ff1e28dd56
33.019481
125
0.71464
4.788848
false
false
false
false
comyarzaheri/Partita
Partita/TunerView.swift
1
5081
// // TunerView.swift // Partita // // Copyright (c) 2015 Comyar Zaheri. All rights reserved. // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to // deal in the Software without restriction, including without limitation the // rights to use, copy, modify, merge, publish, distribute, sublicense, and/or // sell copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING // FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS // IN THE SOFTWARE. // // MARK: Imports import UIKit import WMGaugeView import BFPaperButton // MARK:- TunerView class TunerView: UIView { // MARK: Properties let pitchLabel: UILabel let gaugeView: WMGaugeView let actionButton: BFPaperButton fileprivate let titleLabel: UILabel fileprivate let pitchTitleLabel: UILabel // MARK: Creating a TunerView override init(frame: CGRect) { titleLabel = UILabel() titleLabel.font = UIFont.systemFont(ofSize: 32, weight: UIFontWeightLight) titleLabel.adjustsFontSizeToFitWidth = true titleLabel.textColor = UIColor.textColor() titleLabel.textAlignment = .center titleLabel.text = "Tuner" gaugeView = WMGaugeView() gaugeView.maxValue = 50.0 gaugeView.minValue = -50.0 gaugeView.needleWidth = 0.01 gaugeView.needleHeight = 0.4 gaugeView.scaleDivisions = 10 gaugeView.scaleEndAngle = 270 gaugeView.scaleStartAngle = 90 gaugeView.scaleSubdivisions = 5 gaugeView.showScaleShadow = false gaugeView.needleScrewRadius = 0.05 gaugeView.scaleDivisionsLength = 0.05 gaugeView.scaleDivisionsWidth = 0.007 gaugeView.scaleSubdivisionsLength = 0.02 gaugeView.scaleSubdivisionsWidth = 0.002 gaugeView.backgroundColor = UIColor.clear gaugeView.needleStyle = WMGaugeViewNeedleStyleFlatThin gaugeView.needleScrewStyle = WMGaugeViewNeedleScrewStylePlain gaugeView.innerBackgroundStyle = WMGaugeViewInnerBackgroundStyleFlat gaugeView.scalesubdivisionsaligment = WMGaugeViewSubdivisionsAlignmentCenter gaugeView.scaleFont = UIFont.systemFont(ofSize: 0.05, weight: UIFontWeightUltraLight) pitchTitleLabel = UILabel() pitchTitleLabel.font = UIFont.systemFont(ofSize: 24, weight: UIFontWeightLight) pitchTitleLabel.adjustsFontSizeToFitWidth = true pitchTitleLabel.textColor = UIColor.textColor() pitchTitleLabel.textAlignment = .center pitchTitleLabel.text = "Pitch" pitchLabel = UILabel() pitchLabel.font = UIFont.systemFont(ofSize: 32, weight: UIFontWeightLight) pitchLabel.adjustsFontSizeToFitWidth = true pitchLabel.textColor = UIColor.textColor() pitchLabel.textAlignment = .center pitchLabel.text = "--" actionButton = BFPaperButton(raised: false) actionButton.setTitle("Start", for: .normal) actionButton.backgroundColor = UIColor.actionButtonColor() actionButton.setTitleColor(UIColor.white, for: .normal) actionButton.setTitleColor(UIColor(white: 1.0, alpha: 0.5), for: .highlighted) super.init(frame: frame) addSubview(titleLabel) addSubview(gaugeView) addSubview(pitchTitleLabel) addSubview(pitchLabel) addSubview(actionButton) } required init?(coder aDecoder: NSCoder) { fatalError("init(coder:) has not been implemented") } // MARK: UIView override func layoutSubviews() { super.layoutSubviews() titleLabel.frame = CGRect(x: 0.0, y: 30, width: bounds.width, height: bounds.height / 18.52) gaugeView.frame = CGRect(x: 0, y: ((bounds).height - (bounds).width) / 2.0, width: (bounds).width, height: (bounds).width) pitchTitleLabel.frame = CGRect(x: 0, y: gaugeView.frame.origin.y + 0.85 * (gaugeView.bounds).height, width: (bounds).width, height: (bounds).height / 23.82) pitchLabel.frame = CGRect(x: 0, y: pitchTitleLabel.frame.origin.y + pitchTitleLabel.frame.height, width: bounds.width, height: bounds.height / 18.52) actionButton.frame = CGRect(x: 0, y: (bounds).height - 55, width: (bounds).width, height: 55) actionButton.tapCircleDiameter = 0.75 * (bounds).width } }
mit
4aa6766073df2b5874300a1d8c65ef39
40.308943
164
0.691399
4.648673
false
false
false
false
cemolcay/MusicTheory
Sources/MusicTheory/NoteValue.swift
1
3742
// // NoteValue.swift // MusicTheory iOS // // Created by Cem Olcay on 21.06.2018. // Copyright © 2018 cemolcay. All rights reserved. // // https://github.com/cemolcay/MusicTheory // import Foundation // MARK: - NoteValueType /// Defines the types of note values. public enum NoteValueType: Int, Codable, CaseIterable, Hashable, CustomStringConvertible { /// Four bar notes. case fourBars /// Two bar notes. case twoBars /// One bar note. case oneBar /// Two whole notes. case doubleWhole /// Whole note. case whole /// Half note. case half /// Quarter note. case quarter /// Eighth note. case eighth /// Sixteenth note. case sixteenth /// Thirtysecond note. case thirtysecond /// Sixtyfourth note. case sixtyfourth /// The note value's duration in beats. public var rate: Double { switch self { case .fourBars: return 16.0 / 1.0 case .twoBars: return 8.0 / 1.0 case .oneBar: return 4.0 / 1.0 case .doubleWhole: return 2.0 / 1.0 case .whole: return 1.0 / 1.0 case .half: return 1.0 / 2.0 case .quarter: return 1.0 / 4.0 case .eighth: return 1.0 / 8.0 case .sixteenth: return 1.0 / 16.0 case .thirtysecond: return 1.0 / 32.0 case .sixtyfourth: return 1.0 / 64.0 } } /// Returns the string representation of the note value type. public var description: String { switch self { case .fourBars: return "4 Bars" case .twoBars: return "2 Bars" case .oneBar: return "1 Bar" case .doubleWhole: return "2/1" case .whole: return "1/1" case .half: return "1/2" case .quarter: return "1/4" case .eighth: return "1/8" case .sixteenth: return "1/16" case .thirtysecond: return "1/32" case .sixtyfourth: return "1/64" } } } // MARK: - NoteModifier /// Defines the length of a `NoteValue` public enum NoteModifier: Double, Codable, CaseIterable, CustomStringConvertible { /// No additional length. case `default` = 1 /// Adds half of its own value. case dotted = 1.5 /// Three notes of the same value. case triplet = 0.6667 /// Five of the indicated note value total the duration normally occupied by four. case quintuplet = 0.8 /// The string representation of the modifier. public var description: String { switch self { case .default: return "" case .dotted: return "D" case .triplet: return "T" case .quintuplet: return "Q" } } } // MARK: - NoteValue /// Calculates how many notes of a single `NoteValueType` is equivalent to a given `NoteValue`. /// /// - Parameters: /// - noteValue: The note value to be measured. /// - noteValueType: The note value type to measure the length of the note value. /// - Returns: Returns how many notes of a single `NoteValueType` is equivalent to a given `NoteValue`. public func / (noteValue: NoteValue, noteValueType: NoteValueType) -> Double { return noteValue.modifier.rawValue * noteValueType.rate / noteValue.type.rate } /// Defines the duration of a note beatwise. public struct NoteValue: Codable, CustomStringConvertible { /// Type that represents the duration of note. public var type: NoteValueType /// Modifier for `NoteType` that modifies the duration. public var modifier: NoteModifier /// Initilize the NoteValue with its type and optional modifier. /// /// - Parameters: /// - type: Type of note value that represents note duration. /// - modifier: Modifier of note value. Defaults `default`. public init(type: NoteValueType, modifier: NoteModifier = .default) { self.type = type self.modifier = modifier } /// Returns the string representation of the note value. public var description: String { return "\(type)\(modifier)" } }
mit
877630666cde921c104f241884dd4748
27.340909
103
0.670142
3.737263
false
false
false
false
wuleijun/Zeus
Zeus/Views/BorderButton.swift
1
1065
// // BorderButton.swift // Zeus // // Created by 吴蕾君 on 16/4/12. // Copyright © 2016年 rayjuneWu. All rights reserved. // import UIKit @IBDesignable class BorderButton: UIButton { lazy var topLineLayer:CAShapeLayer = { let topLayer = CAShapeLayer() topLayer.lineWidth = 1 topLayer.strokeColor = UIColor.zeusBorderColor().CGColor return topLayer }() override func didMoveToSuperview() { super.didMoveToSuperview() layer.addSublayer(topLineLayer) } override func layoutSubviews() { super.layoutSubviews() let topPath = UIBezierPath() topPath.moveToPoint(CGPoint(x: 0, y: 0.5)) topPath.addLineToPoint(CGPoint(x: CGRectGetWidth(bounds), y: 0.5)) topLineLayer.path = topPath.CGPath } /* // Only override drawRect: if you perform custom drawing. // An empty implementation adversely affects performance during animation. override func drawRect(rect: CGRect) { // Drawing code } */ }
mit
679c8f263856ea2e9d6520efcee731d7
23.55814
78
0.63447
4.591304
false
false
false
false
davbeck/PG.swift
Sources/pg/Query.swift
1
6972
import Foundation /// An SQL query public struct Query { /// A query specific error /// /// - wrongNumberOfBindings: When updating the bindings of a query, if it has a prepared statement the number of bindings must match the number of prepared bindings. /// - mismatchedBindingType: When updating the bindings of a query, if it has a prepared statement the types of the bindings must match. public enum Error: Swift.Error { case wrongNumberOfBindings case mismatchedBindingType(value: Any?, index: Int, expectedType: Any.Type?) } /// A prepared statement for reuse of a query public final class Statement: Equatable { /// The name of the statement used on the server public let name: String /// The text of the SQL query /// /// This could either represent the entire query (if bindings are empty) or the statement part of the query with `$x` placeholders for the bindings. public let string: String /// The types to use for the statement, or nil to not specify a type public let bindingTypes: [PostgresCodable.Type?] fileprivate init(name: String = UUID().uuidString, string: String, bindingTypes: [PostgresCodable.Type?]) { self.name = name self.string = string self.bindingTypes = bindingTypes } /// Statements are ony equal to themselves, even if 2 different statements have the same name and types. public static func == (_ lhs: Statement, _ rhs: Statement) -> Bool { return lhs === rhs } } /// Indicates if the more complicated extended excecution workflow needs to be used /// /// While any query can use the extended excecution workflow, using the simple query interface is faster because only a single message needs to be sent to the server. However, if the query has bindings or a previously prepared statement it must use the extended workflow. public var needsExtendedExcecution: Bool { if self.bindings.count > 0 || self.statement != nil { return true } else { return false } } /// The statement to use between excecutions of a query /// /// If this is not nil the statement will be reused between calls. If it is nil, a new statement will be generated each time. private(set) public var statement: Statement? /// The types of the bindings values /// /// Due to a limitation in the current version of swift, we cannot get the types of nil values. public var currentBindingTypes: [PostgresCodable.Type?] { return self.bindings.map({ value in if let value = value { return type(of: value) } else { // unfortunately swift doesn't keep track of nil types // maybe in swift 4 we can conform Optional to PostgresCodable when it's wrapped type is? return nil } }) } /// Create and return a new prepared statement for the receiver /// /// Normally a query is prepared and excecuted at the same time. However, if you have a query that gets reused often, even if it's bindings change between calls, you can optimize performance by reusing the same query and statement. /// /// This method generates a statement locally, but does not prepare it with the server. Creating a statement indicates to the Client that the query should be reused. If a query has a statement set, calling `Client.exec` will automatically prepare the statement, and subsequent calls to exec on the same connection will reuse the statement. You can also explicitly prepare it using `Client.prepare`. /// /// - Note: that once a query has a statement set, it's binding types are locked in and an error will be thrown if you try to update them with different types. /// /// - Parameter name: The name to be used for the statement on the server. Names must be uique accross connections and it is recommended that you use the default, which will generate a UUID. /// - Parameter types: The types to use for the prepared statement. Defaulst to `currentBindingTypes`. /// - Returns: The statement that was created. This is also set on the receiver. public mutating func createStatement(withName name: String = UUID().uuidString, types: [PostgresCodable.Type?]? = nil) -> Statement { let statement = Statement(name: name, string: string, bindingTypes: types ?? self.currentBindingTypes) self.statement = statement return statement } /// The text of the SQL query /// /// This could either represent the entire query (if bindings are empty) or the statement part of the query with `$x` placeholders for the bindings. public let string: String /// The values to bind the query to /// /// It is highly recommended that any dynamic or user generated values be used as bindings and not embeded in the query string. Bindings are processed on the server and escaped to avoid SQL injection. public private(set) var bindings: [PostgresCodable?] /// Emitted when the query is excecuted, either successfully or with an error public let completed = EventEmitter<Result<QueryResult>>() /// Update the bindings with new values /// /// If you are reusing a query, you can change the bindings between executions. However the types must match the types in `statement` or an error will be thrown. /// /// If there is no prepared statement for the receiver, this just sets the values in bindings. /// /// - Parameter bindings: The new values to bind to. /// - Throws: Query.Error if there is a prepared statement and it's types do not match. public mutating func update(bindings: [PostgresCodable?]) throws { if let statement = statement { guard bindings.count == statement.bindingTypes.count else { throw Error.wrongNumberOfBindings } // swift 4 should support 3 way zip for (index, (binding, bindingType)) in zip(bindings.indices, zip(bindings, statement.bindingTypes)) { if let binding = binding, type(of: binding) != bindingType { throw Error.mismatchedBindingType(value: binding, index: index, expectedType: bindingType) } } } self.bindings = bindings } /// Create a new query /// /// - Parameters: /// - string: The query string. Note that string interpolation should be strongly avoided. Use bindings instead. /// - bindings: Any value bindings for the query string. Index 0 matches `$1` in the query string. public init(_ string: String, bindings: [PostgresCodable?]) { self.string = string self.bindings = bindings } /// Create a new query /// /// - Parameters: /// - string: The query string. Note that string interpolation should be strongly avoided. Use bindings instead. /// - bindings: Any value bindings for the query string. Index 0 matches `$1` in the query string. public init(_ string: String, _ bindings: PostgresCodable?...) { self.init(string, bindings: bindings) } } extension Query: ExpressibleByStringLiteral { public init(stringLiteral value: String) { self.init(value) } public init(unicodeScalarLiteral value: String) { self.init(value) } public init(extendedGraphemeClusterLiteral value: String) { self.init(value) } }
mit
6983b46173d84f961c2a70104674b928
42.304348
399
0.727625
4.147531
false
false
false
false
ResearchSuite/ResearchSuiteExtensions-iOS
source/Core/Classes/EnhancedMultipleChoice/RSEnhancedMultipleChoiceBaseCellController.swift
1
5169
// // RSEnhancedMultipleChoiceBaseCellController.swift // ResearchSuiteExtensions // // Created by James Kizer on 4/25/18. // import UIKit import ResearchKit open class RSEnhancedMultipleChoiceBaseCellController: NSObject, RSEnhancedMultipleChoiceCellController, RSEnhancedMultipleChoiceCellDelegate, RSEnhancedMultipleChoiceCellControllerGenerator { open class func supports(textChoice: RSTextChoiceWithAuxiliaryAnswer) -> Bool { return textChoice.auxiliaryItem == nil } open class func generate(textChoice: RSTextChoiceWithAuxiliaryAnswer, choiceSelection: RSEnahncedMultipleChoiceSelection?, onValidationFailed: ((String) -> ())?, onAuxiliaryItemResultChanged: (() -> ())?) -> RSEnhancedMultipleChoiceCellController? { return self.init( textChoice: textChoice, choiceSelection: choiceSelection, onValidationFailed: onValidationFailed, onAuxiliaryItemResultChanged: onAuxiliaryItemResultChanged ) } weak var managedCell: RSEnhancedMultipleChoiceCell? open func onClearForReuse(cell: RSEnhancedMultipleChoiceCell) { self.managedCell = nil } open var firstResponderView: UIView? { // assert(self.managedCell != nil) return self.managedCell } var wasFocused: Bool = false open func setFocused(isFocused: Bool) { if isFocused { self.firstResponderView?.becomeFirstResponder() } else { self.firstResponderView?.resignFirstResponder() } } //this needs to be done by child open var isValid: Bool { guard let auxiliaryItem = self.auxiliaryItem else { return true } if auxiliaryItem.isOptional { return true } else { return self.auxiliaryItemResult != nil } } //ok for base open func configureCell(cell: RSEnhancedMultipleChoiceCell, selected: Bool) { assert(selected == self.isSelected) cell.configure(forTextChoice: self.textChoice, delegate: self) // cell.setSelected(self.isSelected, animated: false) cell.updateUI(selected: self.isSelected, animated: false, updateResponder: false) // cell.updateUI(selected: false, animated: false, updateResponder: false) cell.setNeedsLayout() self.managedCell = cell } //ok for base open func clearAnswer() { self.selected = false self.validatedResult = nil } //needs to be implemented by child open var choiceSelection: RSEnahncedMultipleChoiceSelection? { guard self.isSelected else { return nil } assert(self.isValid) guard self.isValid else { return nil } return RSEnahncedMultipleChoiceSelection(identifier: self.textChoice.identifier, value: self.textChoice.value, auxiliaryResult: self.auxiliaryItemResult) } //ok for base open func setSelected(selected: Bool, cell: RSEnhancedMultipleChoiceCell) { self.selected = selected } //ok for base open var identifier: String { return self.textChoice.identifier } //ok for base public let textChoice: RSTextChoiceWithAuxiliaryAnswer //ok for base open var auxiliaryItem: ORKFormItem? { return self.textChoice.auxiliaryItem } //ok for base open var hasAuxiliaryItem: Bool { return self.textChoice.auxiliaryItem != nil } //ok for base open var isSelected: Bool { return self.selected } //needs to be implemented by child public func viewForAuxiliaryItem(item: ORKFormItem, cell: RSEnhancedMultipleChoiceCell) -> UIView? { assertionFailure("Not Implemented") return nil } //ok for base open var isAuxiliaryItemOptional: Bool? { return self.auxiliaryItem?.isOptional } //ok for base open var isAuxiliaryItemValid: Bool? { return false } open var onValidationFailed: ((String) -> ())? open var onAuxiliaryItemResultChanged: (() -> ())? open var auxiliaryItemResult: ORKResult? { return self.validatedResult } open var validatedResult: ORKResult? { didSet { self.onAuxiliaryItemResultChanged?() } } // private var currentText: String? private var selected: Bool required public init?(textChoice: RSTextChoiceWithAuxiliaryAnswer, choiceSelection: RSEnahncedMultipleChoiceSelection?, onValidationFailed: ((String) -> ())?, onAuxiliaryItemResultChanged: (() -> ())?) { self.textChoice = textChoice self.selected = choiceSelection != nil self.validatedResult = choiceSelection?.auxiliaryResult self.onValidationFailed = onValidationFailed self.onAuxiliaryItemResultChanged = onAuxiliaryItemResultChanged //initialize based on choice selection super.init() } }
apache-2.0
49826d44e105403e63d6649bc8845d3e
28.878613
253
0.642097
5.624592
false
false
false
false
tanuva/ampacheclient
AmpacheClient/AlbumDetailViewController.swift
1
2445
// // AlbumDetailViewController.swift // AmpacheClient // // Created by Marcel on 12.10.14. // Copyright (c) 2014 FileTrain. All rights reserved. // import Foundation import AVFoundation import UIKit import CoreData class AlbumDetailViewController: UITableViewController, UITableViewDelegate, UITableViewDataSource { var albums: Array<Album>? var context: NSManagedObjectContext var player: AVQueuePlayer required init(coder aDecoder: NSCoder) { let appDel: AppDelegate = UIApplication.sharedApplication().delegate as AppDelegate context = appDel.managedObjectContext! player = appDel.player! super.init(coder: aDecoder) } override func viewDidLoad() { super.viewDidLoad() } override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) { if(segue.identifier == "showPlayerSegue") { let dest = (segue.destinationViewController as UINavigationController).viewControllers[0] as PlayerViewController let path = (view as UITableView).indexPathForSelectedRow()! let album = albums![path.section] var songs = Array<Song>() for i in path.row ..< album.songs.count { let albumSongs = album.songs.allObjects as Array<Song> songs.append(albumSongs[i]) } dest.setPlaylist(songs) } } // UITableView Data Source override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell { let cellIdentifier: String = "SongCell" //the tablecell is optional to see if we can reuse cell var cell : ButtonTableViewCell? cell = tableView.dequeueReusableCellWithIdentifier(cellIdentifier) as? ButtonTableViewCell if let album = albums?[indexPath.section] { // cell?.textLabel?.text = (album.songs.allObjects[indexPath.row] as Song).name // cell?.detailTextLabel?.text = album.artist.name let songs = album.songs.allObjects cell?.song = songs[indexPath.row] as? Song cell?.lblTitle.text = cell?.song?.name cell?.player = player } else { "Unknown album id: \(indexPath.row)" } return cell! } override func tableView(tableView: UITableView, titleForHeaderInSection section: Int) -> String? { return albums?[section].name ?? "Unknown album" } override func numberOfSectionsInTableView(tableView: UITableView) -> Int { return albums?.count ?? 0 } override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int { return albums?[section].songs.count ?? 0 } }
unlicense
63dcfa86f23811edf3d6694907755227
30.346154
116
0.741513
4.123103
false
false
false
false
debugsquad/Hyperborea
Hyperborea/Controller/CRecent.swift
1
1791
import UIKit class CRecent:CController { private weak var controllerSearch:CSearch! private(set) var model:MRecent? private(set) weak var viewRecent:VRecent! init(controllerSearch:CSearch) { self.controllerSearch = controllerSearch super.init() } required init?(coder:NSCoder) { return nil } override func loadView() { let viewRecent:VRecent = VRecent(controller:self) self.viewRecent = viewRecent view = viewRecent } override func viewDidLoad() { super.viewDidLoad() DispatchQueue.global(qos:DispatchQoS.QoSClass.background).async { [weak self] in self?.asyncLoad() } } override func viewDidAppear(_ animated:Bool) { super.viewDidAppear(animated) parentController.statusBarAppareance(statusBarStyle:UIStatusBarStyle.lightContent) viewRecent.animateShow() } //MARK: private private func asyncLoad() { guard let recent:[DEntry] = MSession.sharedInstance.settings?.recent?.array as? [DEntry] else { return } model = MRecent(entries:recent) viewRecent.refresh() } //MARK: public func back() { parentController.statusBarAppareance(statusBarStyle:UIStatusBarStyle.default) parentController.dismissAnimateOver(completion:nil) } func selectItem(item:MRecentEntry) { back() controllerSearch.showDefinition( wordId:item.wordId, word:item.word, languageRaw:item.languageRaw, region:item.region) } }
mit
236ec8ef8c3bfa378aaf6b1b1c5a19b4
21.111111
94
0.578448
5.016807
false
false
false
false
nheagy/WordPress-iOS
WordPress/Classes/ViewRelated/Plans/PlanComparisonViewController.swift
1
7655
import UIKit import WordPressShared class PlanComparisonViewController: UIViewController { private let embedIdentifier = "PageViewControllerEmbedSegue" @IBOutlet weak var pageControl: UIPageControl! @IBOutlet weak var divider: UIView! @IBOutlet weak var scrollView: UIScrollView! @IBOutlet weak var planStackView: UIStackView! var service: PlanService? = nil var activePlan: Plan? var currentPlan: Plan = defaultPlans[0] { didSet { if currentPlan != oldValue { updateForCurrentPlan() } } } private var currentIndex: Int { return allPlans.indexOf(currentPlan) ?? 0 } private lazy var viewControllers: [PlanDetailViewController] = { return self.allPlans.map { plan in let isActive = self.activePlan == plan let controller = PlanDetailViewController.controllerWithPlan(plan, isActive: isActive) return controller } }() private let allPlans = defaultPlans lazy private var cancelXButton: UIBarButtonItem = { let button = UIBarButtonItem(image: UIImage(named: "gridicons-cross"), style: .Plain, target: self, action: #selector(PlanPostPurchaseViewController.closeTapped)) button.accessibilityLabel = NSLocalizedString("Close", comment: "Dismiss the current view") return button }() class func controllerWithInitialPlan(plan: Plan, activePlan: Plan? = nil, planService: PlanService) -> PlanComparisonViewController { let storyboard = UIStoryboard(name: "Plans", bundle: NSBundle.mainBundle()) let controller = storyboard.instantiateViewControllerWithIdentifier(NSStringFromClass(self)) as! PlanComparisonViewController controller.activePlan = activePlan controller.currentPlan = plan controller.service = planService return controller } override func viewDidLoad() { super.viewDidLoad() view.backgroundColor = WPStyleGuide.greyLighten30() divider.backgroundColor = WPStyleGuide.greyLighten30() pageControl.currentPageIndicatorTintColor = WPStyleGuide.grey() pageControl.pageIndicatorTintColor = WPStyleGuide.grey().colorWithAlphaComponent(0.5) navigationItem.leftBarButtonItem = cancelXButton initializePlanDetailViewControllers() updateForCurrentPlan() fetchFeatures() } private func fetchFeatures() { service?.updateAllPlanFeatures({ [weak self] in self?.viewControllers.forEach { $0.viewModel = .Ready($0.plan) } }, failure: { [weak self] error in self?.viewControllers.forEach { $0.viewModel = .Error(String(error)) } }) } override func viewWillTransitionToSize(size: CGSize, withTransitionCoordinator coordinator: UIViewControllerTransitionCoordinator) { super.viewWillTransitionToSize(size, withTransitionCoordinator: coordinator) // If the view is changing size (e.g. on rotation, or multitasking), scroll to the correct page boundary based on the new size coordinator.animateAlongsideTransition({ context in self.scrollView.setContentOffset(CGPoint(x: CGFloat(self.currentIndex) * size.width, y: 0), animated: false) }, completion: nil) } override func shouldAutorotate() -> Bool { return false } override func viewDidLayoutSubviews() { super.viewDidLayoutSubviews() scrollToPage(currentIndex, animated: false) } func initializePlanDetailViewControllers() { for controller in viewControllers { addChildViewController(controller) controller.view.translatesAutoresizingMaskIntoConstraints = false planStackView.addArrangedSubview(controller.view) controller.view.shouldGroupAccessibilityChildren = true controller.view.widthAnchor.constraintEqualToAnchor(view.widthAnchor, multiplier: 1.0).active = true controller.view.topAnchor.constraintEqualToAnchor(view.topAnchor).active = true controller.view.bottomAnchor.constraintEqualToAnchor(divider.topAnchor).active = true controller.didMoveToParentViewController(self) } } func updateForCurrentPlan() { title = currentPlan.title updatePageControl() for (index, viewController) in viewControllers.enumerate() { viewController.view.accessibilityElementsHidden = index != currentIndex } } // MARK: - IBActions @IBAction private func closeTapped() { dismissViewControllerAnimated(true, completion: nil) } @IBAction func pageControlChanged() { guard !scrollView.dragging else { // If the user is currently dragging, reset the change and ignore it pageControl.currentPage = currentIndex return } // Stop the user interacting whilst we animate a scroll scrollView.userInteractionEnabled = false var targetPage = currentIndex if pageControl.currentPage > currentIndex { targetPage += 1 } else if pageControl.currentPage < currentIndex { targetPage -= 1 } scrollToPage(targetPage, animated: true) } private func updatePageControl() { pageControl?.currentPage = currentIndex } } extension PlanComparisonViewController: UIScrollViewDelegate { func scrollViewDidScroll(scrollView: UIScrollView) { // Ignore programmatic scrolling if scrollView.dragging { currentPlan = allPlans[currentScrollViewPage()] } } override func accessibilityScroll(direction: UIAccessibilityScrollDirection) -> Bool { var targetPage = currentIndex switch direction { case .Right: targetPage -= 1 case .Left: targetPage += 1 default: break } let success = scrollToPage(targetPage, animated: false) if success { accessibilityAnnounceCurrentPlan() } return success } func scrollViewDidEndScrollingAnimation(scrollView: UIScrollView) { scrollView.userInteractionEnabled = true accessibilityAnnounceCurrentPlan() } private func accessibilityAnnounceCurrentPlan() { let currentViewController = viewControllers[currentIndex] UIAccessibilityPostNotification(UIAccessibilityLayoutChangedNotification, currentViewController.planTitleLabel) } private func currentScrollViewPage() -> Int { // Calculate which plan's VC is at the center of the view let pageWidth = scrollView.bounds.width let centerX = scrollView.contentOffset.x + (pageWidth / 2) let currentPage = Int(floor(centerX / pageWidth)) // Keep it within bounds return currentPage.clamp(min: 0, max: allPlans.count - 1) } /// - returns: True if there was valid page to scroll to, false if we've reached the beginning / end private func scrollToPage(page: Int, animated: Bool) -> Bool { guard allPlans.indices.contains(page) else { return false } let pageWidth = view.bounds.width scrollView.setContentOffset(CGPoint(x: CGFloat(page) * pageWidth, y: 0), animated: animated) currentPlan = allPlans[page] return true } }
gpl-2.0
a3fc16c598909445c5510e68cf92a122
34.604651
170
0.654997
5.897535
false
false
false
false
chinlam91/edx-app-ios
Source/DiscussionTopic.swift
3
1489
// // DiscussionTopic.swift // edX // // Created by Akiva Leffert on 7/6/15. // Copyright (c) 2015 edX. All rights reserved. // import UIKit public struct DiscussionTopic { public let id: String? public let name: String? public let children: [DiscussionTopic] public let depth : UInt public let icon : Icon? public init(id: String?, name: String?, children: [DiscussionTopic], depth : UInt = 0, icon : Icon? = nil) { self.id = id self.name = name self.children = children self.depth = depth self.icon = icon } init?(json: JSON, depth : UInt = 0) { if let name = json["name"].string { self.id = json["id"].string self.name = name self.depth = depth self.icon = nil let childJSON = json["children"].array ?? [] self.children = childJSON.mapSkippingNils { return DiscussionTopic(json: $0, depth : depth + 1) } } else { return nil } } public static func linearizeTopics(topics : [DiscussionTopic]) -> [DiscussionTopic] { var result : [DiscussionTopic] = [] var queue : [DiscussionTopic] = Array(topics.reverse()) while queue.count > 0 { let topic = queue.removeLast() result.append(topic) queue.appendContentsOf(Array(topic.children.reverse())) } return result } }
apache-2.0
cf166244ef919b780f05bef1bd7b0d03
27.09434
112
0.553392
4.303468
false
false
false
false
feliperuzg/CleanExample
CleanExampleTests/Authentication/Data/Repository/DataSource/AuthenticationMockDataSourceSpec.swift
1
1241
// // AuthenticationMockDataSourceSpec.swift // CleanExampleTests // // Created by Felipe Ruz on 19-07-17. // Copyright © 2017 Felipe Ruz. All rights reserved. // import XCTest @testable import CleanExample class AuthenticationMockDataSourceSpec: XCTestCase { let locator = AuthenticationServiceLocator() func testAuthenticationDataSourceCanReturnEntity() { let sut = locator.dataSource let exp = expectation(description: "testLoginDataSourceCanReturnEntity") let entity = LoginEntity(userName: "Juan", password: "1234") sut.executeLogin(with: entity) { (token, error) in XCTAssertNotNil(token) XCTAssertNil(error) exp.fulfill() } waitForExpectations(timeout: 3, handler: nil) } func testAuthenticationDataSourceCanReturnError() { let sut = locator.dataSource let exp = expectation(description: "testLoginDataSourceCanReturnError") let entity = LoginEntity(userName: "", password: "") sut.executeLogin(with: entity) { (token, error) in XCTAssertNotNil(error) XCTAssertNil(token) exp.fulfill() } waitForExpectations(timeout: 3, handler: nil) } }
mit
73f0d5d1f7627a7d8ce5ecfcf178f3ec
32.513514
80
0.666129
4.824903
false
true
false
false
gtchance/FirebaseSwift
Source/Firebase.swift
1
9376
// // Firebase.swift // FirebaseSwift // // Created by Graham Chance on 10/15/16. // // import Foundation import Just /// This class models an object that can send requests to Firebase, such as POST, GET PATCH and DELETE. public final class Firebase { /// Google OAuth2 access token public var accessToken: String? /// Legacy Database auth token. You can use the deprecated Firebase Database Secret. /// You should use the new accessToken instead. /// See more details here: https://firebase.google.com/docs/database/rest/auth @available(*, deprecated) public var auth: String? /// Base URL (e.g. http://myapp.firebaseio.com) public let baseURL: String /// Timeout of http operations public var timeout: Double = 30.0 // seconds private let headers = ["Accept": "application/json"] /// Constructor /// /// - Parameters: /// - baseURL: Base URL (e.g. http://myapp.firebaseio.com) /// - auth: Database auth token public init(baseURL: String = "", accessToken: String? = nil) { self.accessToken = accessToken var url = baseURL if url.characters.last != Character("/") { url.append(Character("/")) } self.baseURL = url } /// Performs a synchronous PUT at base url plus given path. /// /// - Parameters: /// - path: path to append to base url /// - value: data to set /// - Returns: value of set data if successful public func setValue(path: String, value: Any) -> [String: Any]? { return put(path: path, value: value) } /// Performs an asynchronous PUT at base url plus given path. /// /// - Parameters: /// - path: path to append to base url. /// - value: data to set /// - asyncCompletion: called on completion with the value of set data if successful. public func setValue(path: String, value: Any, asyncCompletion: @escaping ([String: Any]?) -> Void) { put(path: path, value: value, asyncCompletion: asyncCompletion) } /// Performs a synchronous POST at given path from the base url. /// /// - Parameters: /// - path: path to append to the base url /// - value: data to post /// - Returns: value of posted data if successful public func post(path: String, value: Any) -> [String: Any]? { return write(value: value, path: path, method: .post, complete: nil) } /// Performs an asynchronous POST at given path from the base url. /// /// - Parameters: /// - path: path to append to the base url /// - value: data to post /// - asyncCompletion: called on completion with the value of posted data if successful. public func post(path: String, value: Any, asyncCompletion: @escaping ([String: Any]?) -> Void) { write(value: value, path: path, method: .post, complete: asyncCompletion) } /// Performs an synchronous PUT at given path from the base url. /// /// - Parameters: /// - path: path to append to the base url /// - value: data to put /// - Returns: Value of put data if successful public func put(path: String, value: Any) -> [String: Any]? { return write(value: value, path: path, method: .put, complete: nil) } /// Performs an asynchronous PUT at given path from the base url. /// /// - Parameters: /// - path: path to append to the base url /// - value: data to put /// - asyncCompletion: called on completion with the value of put data if successful. public func put(path: String, value: Any, asyncCompletion: @escaping ([String: Any]?) -> Void) { write(value: value, path: path, method: .put, complete: asyncCompletion) } /// Performs a synchronous PATCH at given path from the base url. /// /// - Parameters: /// - path: path to append to the base url /// - value: data to patch /// - Returns: value of patched data if successful public func patch(path: String, value: Any) -> [String: Any]? { return write(value: value, path: path, method: .patch, complete: nil) } /// Performs an asynchronous PATCH at given path from the base url. /// /// - Parameters: /// - path: path to append to the base url /// - value: value to patch /// - asyncCompletion: called on completion with the value of patched data if successful. public func patch(path: String, value: Any, asyncCompletion: @escaping ([String: Any]?) -> Void) { write(value: value, path: path, method: .patch, complete: asyncCompletion) } /// Performs a synchronous DELETE at given path from the base url. /// /// - Parameter path: path to append to the base url public func delete(path: String) { let url = completeURLWithPath(path: path) _ = HTTPMethod.delete.justRequest(url, [:], [:], nil, headers, [:], nil, [:], false, timeout, nil, nil, nil, nil) } /// Performs an asynchronous DELETE at given path from the base url. /// /// - Parameters: /// - path: path to append to the base url /// - asyncCompletion: called on completion public func delete(path: String, asyncCompletion: @escaping () -> Void) { let url = completeURLWithPath(path: path) _ = HTTPMethod.delete.justRequest(url, [:], [:], nil, headers, [:], nil, [:], false, timeout, nil, nil, nil) { _ in asyncCompletion() } } /// Performs a synchronous GET at given path from the base url. /// /// - Parameters: /// - path: path to append to the base url /// - Returns: resulting data if successful public func get(path: String) -> Any? { return get(path: path, complete: nil) } /// Performs an asynchronous GET at given path from the base url. /// /// - Parameters: /// - path: path to append to the base url /// - asyncCompletion: called on completion with the resulting data if successful. public func get(path: String, asyncCompletion: @escaping ((Any?) -> Void)) { get(path: path, complete: asyncCompletion) } @discardableResult private func get(path: String, complete: ((Any?) -> Void)?) -> Any? { let url = completeURLWithPath(path: path) let completionHandler = createCompletionHandler(method: .get, callback: complete) let httpResult = HTTPMethod.get.justRequest(url, [:], [:], nil, headers, [:], nil, [:], false, timeout, nil, nil, nil, completionHandler) guard complete == nil else { return nil } return process(httpResult: httpResult, method: .get) } @discardableResult private func write(value: Any, path: String, method: HTTPMethod, complete: (([String: Any]?) -> Void)? = nil) -> [String: Any]? { let url = completeURLWithPath(path: path) let json: Any? = JSONSerialization.isValidJSONObject(value) ? value : [".value": value] let callback: ((Any?) -> Void)? = complete == nil ? nil : { result in complete?(result as? [String: Any]) } let completionHandler = createCompletionHandler(method: method, callback: callback) let result = method.justRequest(url, [:], [:], json, headers, [:], nil, [:], false, timeout, nil, nil, nil, completionHandler) guard complete == nil else { return nil } return process(httpResult: result, method: method) as? [String : Any] } private func completeURLWithPath(path: String) -> String { var url = baseURL + path + ".json" if let accessToken = accessToken { url += "?access_token=" + accessToken } else if let auth = auth { url += "?auth=" + auth } return url } private func process(httpResult: HTTPResult, method: HTTPMethod) -> Any? { if let e = httpResult.error { print("ERROR FirebaseSwift-\(method.rawValue) message: \(e.localizedDescription)") return nil } guard httpResult.content != nil else { print("ERROR FirebaseSwift-\(method.rawValue) message: No content in http response.") return nil } if let json = httpResult.contentAsJSONMap() { return json } else { print("ERROR FirebaseSwift-\(method.rawValue) message: Failed to parse json response. Status code: \(String(describing: httpResult.statusCode))") return nil } } private func createCompletionHandler(method: HTTPMethod, callback: ((Any?) -> Void)?) -> ((HTTPResult) -> Void)? { if let callback = callback { let completionHandler: ((HTTPResult) -> Void)? = { result in callback(self.process(httpResult: result, method: method)) } return completionHandler } return nil } }
mit
38283b9ba84773b38ac384cf287fab08
36.806452
157
0.576259
4.566975
false
false
false
false
USAssignmentWarehouse/EnglishNow
EnglishNow/Controller/Chat/DetailChatViewController.swift
1
12938
// // DetailChatViewController.swift // EnglishNow // // Created by Nha T.Tran on 6/11/17. // Copyright © 2017 IceTeaViet. All rights reserved. // import UIKit import Firebase import FirebaseDatabase class DetailChatViewController: UICollectionViewController, UITextFieldDelegate, UICollectionViewDelegateFlowLayout { // MARK: -declare var currentContact: Contact? var messages = [Message]() var isTheFirstLoad: Bool = true override func viewDidLoad() { super.viewDidLoad() navigationItem.title = currentContact?.name collectionView?.contentInset = UIEdgeInsets(top: 8, left: 0, bottom: 58, right: 0) collectionView?.scrollIndicatorInsets = UIEdgeInsets(top: 0, left: 0, bottom: 50, right: 0) collectionView?.alwaysBounceVertical = true collectionView?.backgroundColor = UIColor.white collectionView?.register(ChatMessageCell.self, forCellWithReuseIdentifier: cellId) //to handle event click on anywhere on screen to disappear keyboard let tapGestureRecognizer = UITapGestureRecognizer(target: self, action: #selector(handleTap)) self.collectionView?.backgroundView = UIView(frame:(self.collectionView?.bounds)!) self.collectionView?.backgroundView!.addGestureRecognizer(tapGestureRecognizer) if isTheFirstLoad == true{ isTheFirstLoad = false loadMessage() } setupInputComponents() viewScrollButton() } func handleTap(recognizer: UITapGestureRecognizer) { self.view.endEditing(true) } // MARK: -collectionview datasource override func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int { return messages.count } override func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell { let cell = collectionView.dequeueReusableCell(withReuseIdentifier: cellId, for: indexPath) as! ChatMessageCell let message = messages[indexPath.item] cell.bubbleWidthAnchor?.constant = estimateFrameForText(message.text!).width + 32 //if the message is of other user if message.fromId != Auth.auth().currentUser?.uid{ cell.bubbleView.backgroundColor = UIColor(red:229/255, green: 232/255, blue:232/255, alpha: 1.0) cell.textView.textColor = UIColor.black cell.bubbleViewRightAnchor?.isActive = false cell.bubbleViewLeftAnchor?.isActive = true cell.profileImageView.isHidden = false cell.profileImageView.image = currentContact?.avatar } //if the message is of current user else { cell.bubbleView.backgroundColor = UIColor(red:30/255, green: 136/255, blue: 229/255, alpha: 1.0) cell.textView.textColor = UIColor.white cell.bubbleViewRightAnchor?.isActive = true cell.bubbleViewLeftAnchor?.isActive = false cell.profileImageView.isHidden = true } cell.textView.text = message.text return cell } override func viewWillTransition(to size: CGSize, with coordinator: UIViewControllerTransitionCoordinator) { collectionView?.collectionViewLayout.invalidateLayout() } func collectionView(_ collectionView: UICollectionView, layout collectionViewLayout: UICollectionViewLayout, sizeForItemAt indexPath: IndexPath) -> CGSize { var height: CGFloat = 80 //get estimated height somehow???? if let text = messages[indexPath.item].text { height = estimateFrameForText(text).height + 20 } return CGSize(width: view.frame.width, height: height) } override func collectionView(_ collectionView: UICollectionView, didSelectItemAt indexPath: IndexPath) { self.performSegue(withIdentifier: "SegueProfile", sender: nil) } // MARK: -setup view //to handle event scroll the last item up to func viewScrollButton() { let lastItem = collectionView(self.collectionView!, numberOfItemsInSection: 0) - 1 if (lastItem >= 0){ let indexPath: IndexPath = IndexPath.init(item: lastItem, section: 0) as IndexPath print("lastItem: \(indexPath.row)") self.collectionView?.scrollToItem(at: indexPath, at: .bottom, animated: false) } } lazy var inputTextField: UITextField = { let textField = UITextField() textField.placeholder = "Enter message..." textField.translatesAutoresizingMaskIntoConstraints = false textField.backgroundColor = UIColor.white textField.delegate = self return textField }() let cellId = "cellId" fileprivate func estimateFrameForText(_ text: String) -> CGRect { let size = CGSize(width: 200, height: 1000) let options = NSStringDrawingOptions.usesFontLeading.union(.usesLineFragmentOrigin) return NSString(string: text).boundingRect(with: size, options: options, attributes: [NSFontAttributeName: UIFont.systemFont(ofSize: 16)], context: nil) } func setupInputComponents() { let containerView = UIView() containerView.layer.borderColor = UIColor(red: 213/255,green: 216/255,blue: 220/255,alpha: 1.0).cgColor containerView.layer.borderWidth = 1.0 containerView.translatesAutoresizingMaskIntoConstraints = false view.addSubview(containerView) //ios9 constraint anchors //x,y,w,h containerView.leftAnchor.constraint(equalTo: view.leftAnchor).isActive = true containerView.bottomAnchor.constraint(equalTo: view.bottomAnchor , constant: -40.0).isActive = true containerView.widthAnchor.constraint(equalTo: view.widthAnchor).isActive = true containerView.heightAnchor.constraint(equalToConstant: 50).isActive = true let sendButton = UIButton(type: .system) sendButton.backgroundColor = UIColor.blue sendButton.setTitle("Send", for: UIControlState()) sendButton.translatesAutoresizingMaskIntoConstraints = false sendButton.addTarget(self, action: #selector(handleSend), for: .touchUpInside) containerView.addSubview(sendButton) //x,y,w,h sendButton.rightAnchor.constraint(equalTo: containerView.rightAnchor).isActive = true sendButton.centerYAnchor.constraint(equalTo: containerView.centerYAnchor).isActive = true sendButton.widthAnchor.constraint(equalToConstant: 80).isActive = true sendButton.heightAnchor.constraint(equalTo: containerView.heightAnchor).isActive = true containerView.addSubview(inputTextField) //x,y,w,h inputTextField.leftAnchor.constraint(equalTo: containerView.leftAnchor, constant: 8).isActive = true inputTextField.centerYAnchor.constraint(equalTo: containerView.centerYAnchor).isActive = true inputTextField.rightAnchor.constraint(equalTo: sendButton.leftAnchor).isActive = true inputTextField.heightAnchor.constraint(equalTo: containerView.heightAnchor).isActive = true let separatorLineView = UIView() separatorLineView.backgroundColor = UIColor(red: 220, green: 220, blue: 220, alpha: 1.0) separatorLineView.translatesAutoresizingMaskIntoConstraints = false containerView.addSubview(separatorLineView) //x,y,w,h separatorLineView.leftAnchor.constraint(equalTo: containerView.leftAnchor).isActive = true separatorLineView.topAnchor.constraint(equalTo: containerView.topAnchor).isActive = true separatorLineView.widthAnchor.constraint(equalTo: containerView.widthAnchor).isActive = true separatorLineView.heightAnchor.constraint(equalToConstant: 1).isActive = true } func handleSend() { saveMessage(receiceId: (currentContact?.id)!) } func textFieldShouldReturn(_ textField: UITextField) -> Bool { handleSend() return true } override func didReceiveMemoryWarning() { super.didReceiveMemoryWarning() // Dispose of any resources that can be recreated. } // MARK: -load data from firebase to show on screen func loadMessage(){ if let user = Auth.auth().currentUser{ let queryRef = Database.database().reference().child("message/private").observe(.value, with: { (snapshot) -> Void in //go to each message in private tree for item in snapshot.children { let message = item as! DataSnapshot let uid = message.key //if the message is betweent user and other if uid.range(of:user.uid) != nil{ let listId = uid.components(separatedBy: " ") //if the message is between user and current user if listId[0] == self.currentContact?.id || listId[1] == self.currentContact?.id{ self.messages.removeAll() let temp = message.value as! [String:AnyObject] let numberMessage = temp.count var count = 1 //get all message betweent user nad current user for msg in message.children{ if count < numberMessage { let userDict = (msg as! DataSnapshot).value as! [String:AnyObject] if userDict.count >= 3{ let sender = userDict["sender"] as! String let text = userDict["text"] as! String let time = userDict["time"] as! TimeInterval self.messages.append(Message(fromId: sender, text: text, timestamp: time)) //reload collectionview self.collectionView?.reloadData() self.viewScrollButton() } count += 1 } } } } } }) } } // MARK: -handle send message event func saveMessage(receiceId: String){ let user = Auth.auth().currentUser //create message'id var child : String? if (user?.uid)! > receiceId{ child = (user?.uid)! + " " + receiceId }else{ child = receiceId + " " + (user?.uid)! } let userRef = Database.database().reference().child("message").child("private").child(child!) //save the lastest message userRef.child("lastest_text").setValue(inputTextField.text) let childRef = userRef.childByAutoId() if (user?.uid)! != nil && inputTextField.text != nil && Date.timeIntervalBetween1970AndReferenceDate != nil{ childRef.child("sender").setValue((user?.uid)!) childRef.child("text").setValue(inputTextField.text) childRef.child("time").setValue(Date.timeIntervalBetween1970AndReferenceDate) //messages.append(Message(fromId: user!.uid, text: inputTextField.text!, timestamp: Date.timeIntervalBetween1970AndReferenceDate)) } self.messages.removeAll() inputTextField.text = "" } override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) { self.collectionView?.endEditing(true) } // MARK: - Navigation // In a storyboard-based application, you will often want to do a little preparation before navigation override func prepare(for segue: UIStoryboardSegue, sender: Any?) { if segue.identifier == "SegueProfile"{ let des = segue.destination as! ProfileVC des.currentID = (currentContact?.id)! } } }
apache-2.0
662874fa62479635706e1c3941db2327
39.302181
160
0.593028
5.788367
false
false
false
false
kbelter/SnazzyList
SnazzyList/Classes/src/CollectionView/Services/Cells/ImageGalleryCollectionCell.swift
1
2508
// // ImageGalleryCollectionCell.swift // Dms // // Created by Kevin on 10/29/18. // Copyright © 2018 DMS. All rights reserved. // /// This cell will fit the cases were you need to show an image. /// The size must be define outside the cell, and the image will use that specific size. /// Screenshot: https://github.com/datamindedsolutions/noteworth-ios-documentation/blob/master/CollectionView%20Shared%20Cells/ImageGalleryCollectionCell.png?raw=true final class ImageGalleryCollectionCell: UICollectionViewCell { let mainImageView = UIImageView(image: nil, contentMode: .scaleAspectFill) override init(frame: CGRect) { super.init(frame: .zero) setupViews() setupConstraints() } required init?(coder aDecoder: NSCoder) { fatalError("init(coder:) has not been implemented") } private var configFile: ImageGalleryCollectionCellConfigFile? } extension ImageGalleryCollectionCell: GenericCollectionCellProtocol { func collectionView(collectionView: UICollectionView, cellForItemAt indexPath: IndexPath, with item: Any) { guard let configFile = item as? ImageGalleryCollectionCellConfigFile else { return } self.configFile = configFile mainImageView.contentMode = configFile.contentMode DispatchQueue.main.async { [weak self] in self?.mainImageView.image = configFile.image } } func collectionView(collectionView: UICollectionView, didSelectItemAt indexPath: IndexPath) { guard let configFile = self.configFile else { return } configFile.actions?.tapGalleryImage(image: configFile.image) } } private extension ImageGalleryCollectionCell { private func setupViews() { setupBackground() setupMainImageView() } private func setupMainImageView() { contentView.addSubview(mainImageView) } private func setupConstraints() { mainImageView.bind(withConstant: 0.0, boundType: .full) } } struct ImageGalleryCollectionCellConfigFile { var image: UIImage let contentMode: UIView.ContentMode weak var actions: ImageGalleryTableActions? init(image: UIImage, contentMode: UIView.ContentMode, actions: ImageGalleryTableActions?) { self.image = image self.contentMode = contentMode self.actions = actions } } public protocol ImageGalleryTableActions: class { func tapGalleryImage(image: UIImage) }
apache-2.0
c2a7585cb5e54979e6105f00ab8e5a0d
30.734177
166
0.701237
5.190476
false
true
false
false
RevenueCat/purchases-ios
Sources/Networking/HTTPClient/HTTPStatusCode.swift
1
2100
// // Copyright RevenueCat Inc. All Rights Reserved. // // Licensed under the MIT License (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // https://opensource.org/licenses/MIT // // HTTPStatusCode.swift // // Created by César de la Vega on 4/19/21. // import Foundation enum HTTPStatusCode { case success case createdSuccess case redirect case notModified case invalidRequest case notFoundError case internalServerError case networkConnectTimeoutError case other(Int) private static let knownStatus: Set<HTTPStatusCode> = [ .success, .createdSuccess, .redirect, .notModified, .invalidRequest, .notFoundError, .internalServerError, .networkConnectTimeoutError ] private static let statusByCode: [Int: HTTPStatusCode] = Self.knownStatus.dictionaryWithKeys { $0.rawValue } } extension HTTPStatusCode: RawRepresentable { init(rawValue: Int) { self = Self.statusByCode[rawValue] ?? .other(rawValue) } var rawValue: Int { switch self { case .success: return 200 case .createdSuccess: return 201 case .redirect: return 300 case .notModified: return 304 case .invalidRequest: return 400 case .notFoundError: return 404 case .internalServerError: return 500 case .networkConnectTimeoutError: return 599 case let .other(code): return code } } } extension HTTPStatusCode: ExpressibleByIntegerLiteral { init(integerLiteral value: IntegerLiteralType) { self.init(rawValue: value) } } extension HTTPStatusCode: Hashable {} extension HTTPStatusCode: Codable {} extension HTTPStatusCode { var isSuccessfulResponse: Bool { return 200...299 ~= self.rawValue } var isServerError: Bool { return 500...599 ~= self.rawValue } var isSuccessfullySynced: Bool { return !(self.isServerError || self == .notFoundError) } }
mit
6ac09789a51bfdd4b88f79aae2587d33
21.815217
112
0.660791
4.654102
false
false
false
false
jpedrosa/sua_nc
Sources/socket.swift
2
8970
import Glibc public typealias CSocketAddress = sockaddr public struct SocketAddress { public var hostName: String public var status: Int32 = 0 public init(hostName: String) { self.hostName = hostName } mutating func prepareHints() -> addrinfo { status = 0 // Reset the status in case of subsequent calls. var hints = addrinfo() hints.ai_family = AF_INET hints.ai_socktype = Int32(SOCK_STREAM.rawValue) hints.ai_flags = AI_ADDRCONFIG hints.ai_protocol = Int32(IPPROTO_TCP) return hints } // This returns a value equivalent to a call to the C function inet_addr. // It can be used to supply the address to a line of code such as this one: // address.sin_addr.s_addr = inet_addr(ipString) // E.g. // var sa = SocketAddress(hostName: "google.com") // address.sin_addr.s_addr = sa.ip4ToUInt32() mutating public func ip4ToUInt32() -> UInt32? { var hints = prepareHints() var info = UnsafeMutablePointer<addrinfo>() status = getaddrinfo(hostName, nil, &hints, &info) defer { freeaddrinfo(info) } if status == 0 { return withUnsafePointer(&info.memory.ai_addr.memory) { ptr -> UInt32 in let sin = UnsafePointer<sockaddr_in>(ptr) return sin.memory.sin_addr.s_addr } } return nil } // Obtain the string representation of the resolved IP4 address. mutating public func ip4ToString() -> String? { var hints = prepareHints() var info = UnsafeMutablePointer<addrinfo>() status = getaddrinfo(hostName, nil, &hints, &info) defer { freeaddrinfo(info) } if status == 0 { return withUnsafePointer(&info.memory.ai_addr.memory) { ptr -> String? in let len = INET_ADDRSTRLEN let sin = UnsafePointer<sockaddr_in>(ptr) var sin_addr = sin.memory.sin_addr var descBuffer = [CChar](count: Int(len), repeatedValue: 0) if inet_ntop(AF_INET, &sin_addr, &descBuffer, UInt32(len)) != nil { return String.fromCString(descBuffer) } return nil } } return nil } // Obtain a list of the string representations of the resolved IP4 addresses. mutating public func ip4ToStringList() -> [String]? { var hints = prepareHints() var info = UnsafeMutablePointer<addrinfo>() status = getaddrinfo(hostName, nil, &hints, &info) defer { freeaddrinfo(info) } if status == 0 { var r: [String] = [] var h = info.memory while true { let fam = h.ai_family let len = INET_ADDRSTRLEN var sockaddr = h.ai_addr.memory withUnsafePointer(&sockaddr) { ptr in let sin = UnsafePointer<sockaddr_in>(ptr) var sin_addr = sin.memory.sin_addr var descBuffer = [CChar](count: Int(len), repeatedValue: 0) if inet_ntop(fam, &sin_addr, &descBuffer, UInt32(len)) != nil { r.append(String.fromCString(descBuffer) ?? "") } } let next = h.ai_next if next == nil { break } else { h = next.memory } } return r } return nil } // Obtain the string representation of the resolved IP6 address. mutating public func ip6ToString() -> String? { var hints = prepareHints() hints.ai_family = AF_INET6 var info = UnsafeMutablePointer<addrinfo>() status = getaddrinfo(hostName, nil, &hints, &info) defer { freeaddrinfo(info) } if status == 0 { return withUnsafePointer(&info.memory.ai_addr.memory) { ptr -> String? in let len = INET6_ADDRSTRLEN var sa = [Int8](count: Int(len), repeatedValue: 0) if getnameinfo(&info.memory.ai_addr.memory, UInt32(sizeof(sockaddr_in6)), &sa, UInt32(len), nil, 0, hints.ai_flags) == 0 { return String.fromCString(sa) } return nil } } return nil } // It will try to resolve the IP4 address and will return a C sockaddr based // on it, or the typealias we created for it called CSocketAddress. // This then could be used in a follow up call to the C bind function. // E.g. // if let sa = ip4ToCSocketAddress(port) { // var address = sa // let addrlen = UInt32(sizeofValue(address)) // return bind(fd, &address, addrlen) // } mutating public func ip4ToCSocketAddress(port: UInt16) -> CSocketAddress? { var address = sockaddr_in() address.sin_family = UInt16(AF_INET) if let na = ip4ToUInt32() { address.sin_addr.s_addr = na address.sin_port = port.bigEndian return withUnsafePointer(&address) { ptr -> sockaddr in return UnsafePointer<sockaddr>(ptr).memory } } return nil } // Handy method that does a couple of things in one go. It will first try // to resolve the given address. Upon success, it will try to bind it to the // given socket file descriptor and port. // If it fails to resolve the address it will return nil. And if it fails to // bind it will return -1. // E.g. // var socketAddress = SocketAddress(hostName: "127.0.0.1") // if let br = socketAddress.ip4Bind(fd, port: 9123) { // if br == -1 { // print("Error: Could not start the server. Port may already be " + // "in use by another process.") // exit(1) // } // // Continue the socket setup here. [...] // } else { // print("Error: could not resolve the address.") // let msg = socketAddress.errorMessage ?? "" // print("Error message: \(msg)") // exit(1) // } mutating public func ip4Bind(fd: Int32, port: UInt16) -> Int32? { if let sa = ip4ToCSocketAddress(port) { var address = sa let addrlen = UInt32(sizeofValue(address)) return bind(fd, &address, addrlen) } return nil } // When an address cannot be resolved, this will return an error message that // could be used to inform the user with. public var errorMessage: String? { return String.fromCString(gai_strerror(status)) } } public struct Socket { var fd: Int32 public init(fd: Int32) { self.fd = fd } public func write(string: String) -> Int { return Sys.writeString(fd, string: string) } public func writeBytes(bytes: [UInt8], maxBytes: Int) -> Int { return Sys.writeBytes(fd, bytes: bytes, maxBytes: maxBytes) } public func read(inout buffer: [UInt8], maxBytes: Int) -> Int { return recv(fd, &buffer, maxBytes, 0) } public func close() { Sys.close(fd) } } public class ServerSocket { var socketAddress: SocketAddress var clientAddr = sockaddr_in() var clientAddrLen: UInt32 = 0 var cSocketAddress: CSocketAddress var fd: Int32 public init(hostName: String, port: UInt16) throws { clientAddrLen = UInt32(sizeofValue(clientAddr)) socketAddress = SocketAddress(hostName: hostName) fd = socket(AF_INET, Int32(SOCK_STREAM.rawValue), 0) if fd == -1 { throw ServerSocketError.SocketStart } if fcntl(fd, F_SETFD, FD_CLOEXEC) == -1 { throw ServerSocketError.CloexecSetup } var v = 1 if setsockopt(fd, SOL_SOCKET, SO_REUSEADDR, &v, socklen_t(sizeofValue(v))) == -1 { throw ServerSocketError.ReuseAddrSetup } if let sa = socketAddress.ip4ToCSocketAddress(port) { cSocketAddress = sa var address = sa let addrlen = UInt32(sizeofValue(address)) if bind(fd, &address, addrlen) == -1 { throw ServerSocketError.Bind(message: "Port may be in use by " + "another process.") } listen(fd, SOMAXCONN) } else { throw ServerSocketError.Address(message: socketAddress.errorMessage ?? "") } } public func accept() -> Socket? { let fd = rawAccept() if fd != -1 { return Socket(fd: fd) } return nil } func ensureProcessCleanup() { var sa = sigaction() sigemptyset(&sa.sa_mask) sa.sa_flags = SA_NOCLDWAIT sigaction(SIGCHLD, &sa, nil) } public func spawnAccept(fn: (Socket) -> Void) throws { ensureProcessCleanup(); // Create the child process. let cfd = rawAccept() if cfd == -1 { throw ServerSocketError.Accept } let pid = fork() if pid < 0 { throw ServerSocketError.Fork } if pid == 0 { // This is the child process. defer { // Ensure the process exits cleanly. exit(0) } Sys.close(fd) fn(Socket(fd: cfd)) } else { Sys.close(cfd) } } // Returns the client file descriptor directly. public func rawAccept() -> Int32 { return Glibc.accept(fd, &cSocketAddress, &clientAddrLen) } public func close() { Sys.close(fd) fd = -1 } } enum ServerSocketError: ErrorType { case Address(message: String) case Bind(message: String) case SocketStart case CloexecSetup case ReuseAddrSetup case Fork case Accept }
apache-2.0
fcbad2b62305a1e4175180345fffb4b1
27.47619
79
0.617057
3.844835
false
false
false
false
GrandCentralBoard/GrandCentralBoard
GrandCentralBoard/Widgets/Slack/View/MessageBubbleView.swift
2
2184
// // MessageBubbleView.swift // GrandCentralBoard // // Created by Michał Laskowski on 25.05.2016. // Copyright © 2016 Macoscope. All rights reserved. // import UIKit @IBDesignable final class MessageBubbleView: UIView { private let textToBubbleMargin = UIEdgeInsets(top: 25, left: 33, bottom: 25, right: 43) private lazy var imageView: UIImageView = { [unowned self] in let imageView = UIImageView(image: UIImage(named: "message_bubble")!) imageView.translatesAutoresizingMaskIntoConstraints = false self.addSubview(imageView) return imageView }() private lazy var label: UILabel = { [unowned self] in let label = UILabel() label.translatesAutoresizingMaskIntoConstraints = false label.font = UIFont.systemFontOfSize(40) label.textColor = UIColor.whiteColor() label.numberOfLines = 0 self.addSubview(label) return label }() @IBInspectable var text: String = "" { didSet { label.text = text } } override init(frame: CGRect) { super.init(frame: frame) setConstraints() } required init?(coder aDecoder: NSCoder) { super.init(coder: aDecoder) setConstraints() } private func setConstraints() { label.topAnchor.constraintGreaterThanOrEqualToAnchor(topAnchor, constant: textToBubbleMargin.top).active = true label.leftAnchor.constraintEqualToAnchor(leftAnchor, constant: textToBubbleMargin.left).active = true label.rightAnchor.constraintEqualToAnchor(rightAnchor, constant: -textToBubbleMargin.right).active = true label.bottomAnchor.constraintEqualToAnchor(bottomAnchor, constant: -textToBubbleMargin.bottom).active = true imageView.topAnchor.constraintEqualToAnchor(label.topAnchor, constant: -textToBubbleMargin.top).active = true imageView.leftAnchor.constraintEqualToAnchor(leftAnchor, constant: 0).active = true imageView.rightAnchor.constraintEqualToAnchor(rightAnchor, constant: 0).active = true imageView.bottomAnchor.constraintEqualToAnchor(bottomAnchor, constant: 0).active = true } }
gpl-3.0
b2956b2e45d39537541af8bb72762bca
33.634921
119
0.697984
5.074419
false
false
false
false
kevinup7/S4HeaderExtensions
Tests/S4HeaderExtensions/ContentEncodingTests.swift
1
418
@testable import S4HeaderExtensions import XCTest import S4 class ContentEncodingTests: XCTestCase { func testSingle() { let headers = Headers(["Content-Encoding": "gzip"]) XCTAssert(headers.contentEncoding! == [.gzip]) } func testMultiple() { let headers = Headers(["Content-Encoding": "gzip, chunked"]) XCTAssert(headers.contentEncoding! == [.gzip, .chunked]) } }
mit
a9310b76b069367e6fbc233b3716f977
23.588235
68
0.65311
4.446809
false
true
false
false
imclean/JLDishWashers
JLDishwasher/Images.swift
1
1506
// // Images.swift // JLDishwasher // // Created by Iain McLean on 21/12/2016. // Copyright © 2016 Iain McLean. All rights reserved. // import Foundation public class Images { public var altText : String? public var urls : [String]? /** Returns an array of models based on given dictionary. Sample usage: let images_list = Images.modelsFromDictionaryArray(someDictionaryArrayFromJSON) - parameter array: NSArray from JSON dictionary. - returns: Array of Images Instances. */ public class func modelsFromDictionaryArray(array:NSArray) -> [Images] { var models:[Images] = [] for item in array { models.append(Images(dictionary: item as! NSDictionary)!) } return models } /** Constructs the object based on the given dictionary. Sample usage: let images = Images(someDictionaryFromJSON) - parameter dictionary: NSDictionary from JSON. - returns: Images Instance. */ required public init?(dictionary: NSDictionary) { altText = dictionary["altText"] as? String urls = dictionary["urls"] as? [String] } /** Returns the dictionary representation for the current instance. - returns: NSDictionary. */ public func dictionaryRepresentation() -> NSDictionary { let dictionary = NSMutableDictionary() dictionary.setValue(self.altText, forKey: "altText") return dictionary } }
gpl-3.0
1691af65bf70478745b1dba261c106eb
22.515625
87
0.641196
4.703125
false
false
false
false
gowansg/firefox-ios
Providers/Profile.swift
1
10105
/* This Source Code Form is subject to the terms of the Mozilla Public * License, v. 2.0. If a copy of the MPL was not distributed with this * file, You can obtain one at http://mozilla.org/MPL/2.0/. */ import Foundation import Account import ReadingList import Shared import Storage import Sync import XCGLogger // TODO: same comment as for SyncAuthState.swift! private let log = XCGLogger.defaultInstance() public class NoAccountError: SyncError { public var description: String { return "No account configured." } } class ProfileFileAccessor: FileAccessor { init(profile: Profile) { let profileDirName = "profile.\(profile.localName())" let manager = NSFileManager.defaultManager() // Bug 1147262: First option is for device, second is for simulator. let url = manager.containerURLForSecurityApplicationGroupIdentifier(ExtensionUtils.sharedContainerIdentifier()) ?? manager .URLsForDirectory(.DocumentDirectory, inDomains: .UserDomainMask)[0] as? NSURL let profilePath = url!.path!.stringByAppendingPathComponent(profileDirName) super.init(rootPath: profilePath) } } class CommandDiscardingSyncDelegate: SyncDelegate { func displaySentTabForURL(URL: NSURL, title: String) { // TODO: do something else. log.info("Discarding sent URL \(URL.absoluteString)") } } /** * This exists because the Sync code is extension-safe, and thus doesn't get * direct access to UIApplication.sharedApplication, which it would need to * display a notification. * This will also likely be the extension point for wipes, resets, and * getting access to data sources during a sync. */ class BrowserProfileSyncDelegate: SyncDelegate { let app: UIApplication init(app: UIApplication) { self.app = app } // SyncDelegate func displaySentTabForURL(URL: NSURL, title: String) { log.info("Displaying notification for URL \(URL.absoluteString)") app.registerUserNotificationSettings(UIUserNotificationSettings(forTypes: UIUserNotificationType.Alert, categories: nil)) app.registerForRemoteNotifications() // TODO: localize. let notification = UILocalNotification() /* actions notification.identifier = "tab-" + Bytes.generateGUID() notification.activationMode = UIUserNotificationActivationMode.Foreground notification.destructive = false notification.authenticationRequired = true */ notification.alertTitle = "New tab: \(title)" notification.alertBody = URL.absoluteString! notification.alertAction = nil // TODO: categories // TODO: put the URL into the alert userInfo. // TODO: application:didFinishLaunchingWithOptions: // TODO: // TODO: set additionalActions to bookmark or add to reading list. self.app.presentLocalNotificationNow(notification) } } /** * A Profile manages access to the user's data. */ protocol Profile { var bookmarks: protocol<BookmarksModelFactory, ShareToDestination> { get } // var favicons: Favicons { get } var prefs: Prefs { get } var searchEngines: SearchEngines { get } var files: FileAccessor { get } var history: BrowserHistory { get } // TODO: protocol<BrowserHistory, SyncableHistory>. var favicons: Favicons { get } var readingList: ReadingListService? { get } var passwords: Passwords { get } var thumbnails: Thumbnails { get } // I got really weird EXC_BAD_ACCESS errors on a non-null reference when I made this a getter. // Similar to <http://stackoverflow.com/questions/26029317/exc-bad-access-when-indirectly-accessing-inherited-member-in-swift>. func localName() -> String // URLs and account configuration. var accountConfiguration: FirefoxAccountConfiguration { get } func getAccount() -> FirefoxAccount? func setAccount(account: FirefoxAccount?) func getClients() -> Deferred<Result<[RemoteClient]>> func getClientsAndTabs() -> Deferred<Result<[ClientAndTabs]>> } public class BrowserProfile: Profile { private let name: String weak private var app: UIApplication? init(localName: String, app: UIApplication?) { self.name = localName self.app = app let notificationCenter = NSNotificationCenter.defaultCenter() let mainQueue = NSOperationQueue.mainQueue() notificationCenter.addObserver(self, selector: Selector("onLocationChange:"), name: "LocationChange", object: nil) } // Extensions don't have a UIApplication. convenience init(localName: String) { self.init(localName: localName, app: nil) } @objc func onLocationChange(notification: NSNotification) { if let url = notification.userInfo!["url"] as? NSURL { var site: Site! if let title = notification.userInfo!["title"] as? NSString { site = Site(url: url.absoluteString!, title: title as String) let visit = Visit(site: site, date: NSDate()) history.addVisit(visit, complete: { (success) -> Void in // nothing to do }) } } } deinit { NSNotificationCenter.defaultCenter().removeObserver(self) } func localName() -> String { return name } var files: FileAccessor { return ProfileFileAccessor(profile: self) } lazy var db: BrowserDB = { return BrowserDB(files: self.files) } () lazy var bookmarks: protocol<BookmarksModelFactory, ShareToDestination> = { return BookmarksSqliteFactory(db: self.db) }() lazy var searchEngines: SearchEngines = { return SearchEngines(prefs: self.prefs) } () func makePrefs() -> Prefs { return NSUserDefaultsProfilePrefs(profile: self) } lazy var favicons: Favicons = { return SQLiteFavicons(db: self.db) }() // lazy var ReadingList readingList lazy var prefs: Prefs = { return self.makePrefs() }() lazy var history: BrowserHistory = { return SQLiteHistory(db: self.db) }() lazy var readingList: ReadingListService? = { return ReadingListService(profileStoragePath: self.files.rootPath) }() private lazy var remoteClientsAndTabs: RemoteClientsAndTabs = { return SQLiteRemoteClientsAndTabs(db: self.db) }() private class func syncClientsToStorage(storage: RemoteClientsAndTabs, delegate: SyncDelegate, prefs: Prefs, ready: Ready) -> Deferred<Result<Ready>> { log.debug("Syncing clients to storage.") let clientSynchronizer = ready.synchronizer(ClientsSynchronizer.self, delegate: delegate, prefs: prefs) let success = clientSynchronizer.synchronizeLocalClients(storage, withServer: ready.client, info: ready.info) return success >>== always(ready) } private class func syncTabsToStorage(storage: RemoteClientsAndTabs, delegate: SyncDelegate, prefs: Prefs, ready: Ready) -> Deferred<Result<RemoteClientsAndTabs>> { let tabSynchronizer = ready.synchronizer(TabsSynchronizer.self, delegate: delegate, prefs: prefs) let success = tabSynchronizer.synchronizeLocalTabs(storage, withServer: ready.client, info: ready.info) return success >>== always(storage) } private func getSyncDelegate() -> SyncDelegate { if let app = self.app { return BrowserProfileSyncDelegate(app: app) } return CommandDiscardingSyncDelegate() } public func getClients() -> Deferred<Result<[RemoteClient]>> { if let account = self.account { let authState = account.syncAuthState let syncPrefs = self.prefs.branch("sync") let storage = self.remoteClientsAndTabs let ready = SyncStateMachine.toReady(authState, prefs: syncPrefs) let delegate = self.getSyncDelegate() let syncClients = curry(BrowserProfile.syncClientsToStorage)(storage, delegate, syncPrefs) return ready >>== syncClients >>> { return storage.getClients() } } return deferResult(NoAccountError()) } public func getClientsAndTabs() -> Deferred<Result<[ClientAndTabs]>> { log.info("Account is \(self.account), app is \(self.app)") if let account = self.account { log.debug("Fetching clients and tabs.") let authState = account.syncAuthState let syncPrefs = self.prefs.branch("sync") let storage = self.remoteClientsAndTabs let ready = SyncStateMachine.toReady(authState, prefs: syncPrefs) let delegate = self.getSyncDelegate() let syncClients = curry(BrowserProfile.syncClientsToStorage)(storage, delegate, syncPrefs) let syncTabs = curry(BrowserProfile.syncTabsToStorage)(storage, delegate, syncPrefs) return ready >>== syncClients >>== syncTabs >>> { return storage.getClientsAndTabs() } } return deferResult(NoAccountError()) } lazy var passwords: Passwords = { return SQLitePasswords(db: self.db) }() lazy var thumbnails: Thumbnails = { return SDWebThumbnails(files: self.files) }() let accountConfiguration: FirefoxAccountConfiguration = ProductionFirefoxAccountConfiguration() private lazy var account: FirefoxAccount? = { if let dictionary = KeychainWrapper.objectForKey(self.name + ".account") as? [String: AnyObject] { return FirefoxAccount.fromDictionary(dictionary) } return nil }() func getAccount() -> FirefoxAccount? { return account } func setAccount(account: FirefoxAccount?) { if account == nil { KeychainWrapper.removeObjectForKey(name + ".account") } else { KeychainWrapper.setObject(account!.asDictionary(), forKey: name + ".account") } self.account = account } }
mpl-2.0
68f229b521c378a80d4c72f2b51c426b
33.725086
167
0.665116
5.139878
false
false
false
false
zmian/xcore.swift
Sources/Xcore/Swift/Components/Dates and Timers/Date/Calendar+Component+RawRepresentable.swift
1
2577
// // Xcore // Copyright © 2019 Xcore // MIT license, see LICENSE file for details // import Foundation extension Calendar.Component: RawRepresentable { public init?(rawValue: String) { switch rawValue { case Self.era.rawValue: self = .era case Self.year.rawValue: self = .year case Self.month.rawValue: self = .month case Self.day.rawValue: self = .day case Self.hour.rawValue: self = .hour case Self.minute.rawValue: self = .minute case Self.second.rawValue: self = .second case Self.weekday.rawValue: self = .weekday case Self.weekdayOrdinal.rawValue: self = .weekdayOrdinal case Self.quarter.rawValue: self = .quarter case Self.weekOfMonth.rawValue: self = .weekOfMonth case Self.weekOfYear.rawValue: self = .weekOfYear case Self.yearForWeekOfYear.rawValue: self = .yearForWeekOfYear case Self.nanosecond.rawValue: self = .nanosecond case Self.calendar.rawValue: self = .calendar case Self.timeZone.rawValue: self = .timeZone default: return nil } } public var rawValue: String { switch self { case .era: return "era" case .year: return "year" case .month: return "month" case .day: return "day" case .hour: return "hour" case .minute: return "minute" case .second: return "second" case .weekday: return "weekday" case .weekdayOrdinal: return "weekdayOrdinal" case .quarter: return "quarter" case .weekOfMonth: return "weekOfMonth" case .weekOfYear: return "weekOfYear" case .yearForWeekOfYear: return "yearForWeekOfYear" case .nanosecond: return "nanosecond" case .calendar: return "calendar" case .timeZone: return "timeZone" @unknown default: return "unknown" } } }
mit
24b05821e9f69e737aebf2005cae79ac
28.609195
49
0.466227
5.674009
false
false
false
false
Miguel-Herrero/Swift
Rainy Shiny Cloudy/Rainy Shiny Cloudy/WeatherVC.swift
1
4765
// // WeatherVC.swift // Rainy Shiny Cloudy // // Created by Miguel Herrero on 13/12/16. // Copyright © 2016 Miguel Herrero. All rights reserved. // import UIKit import Alamofire import CoreLocation class WeatherVC: UIViewController { @IBOutlet weak var dateLabel: UILabel! @IBOutlet weak var currentTempLabel: UILabel! @IBOutlet weak var locationLabel: UILabel! @IBOutlet weak var currentTempImage: UIImageView! @IBOutlet weak var currentTempTypeLabel: UILabel! @IBOutlet weak var tableView: UITableView! var currentWeather: CurrentWeather! var forecast: Forecast! var forecasts = [Forecast]() let locationManager = CLLocationManager() var currentLocation: CLLocation! override func viewDidLoad() { super.viewDidLoad() tableView.delegate = self tableView.dataSource = self locationManager.delegate = self locationManager.desiredAccuracy = kCLLocationAccuracyBest locationManager.startMonitoringSignificantLocationChanges() locationManager.startUpdatingLocation() //Step-1 Requesting location updates currentWeather = CurrentWeather() } override func viewDidAppear(_ animated: Bool) { super.viewDidAppear(animated) locationAuthStatus() } func updateMainUI() { dateLabel.text = currentWeather.date currentTempLabel.text = "\(currentWeather.currentTemp) ºC" currentTempTypeLabel.text = currentWeather.weatherType locationLabel.text = currentWeather.cityName currentTempImage.image = UIImage(named: currentWeather.weatherType) tableView.reloadData() } func downloadForecastData(completed: @escaping DownloadComplete) { // DOwnload forecast weather data for TableView let forecastURL = URL(string: FORECAST_URL)! Alamofire.request(forecastURL).responseJSON { (response) in let result = response.result if let dict = result.value as? Dictionary<String, AnyObject> { if let list = dict["list"] as? [Dictionary<String, AnyObject>] { for obj in list { let forecast = Forecast(weatherDict: obj) self.forecasts.append(forecast) } self.forecasts.remove(at: 0) //Remove today from forecast! } } completed() } } } extension WeatherVC: UITableViewDelegate, UITableViewDataSource { func numberOfSections(in tableView: UITableView) -> Int { return 1 } func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int { return forecasts.count } func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell { if let cell = tableView.dequeueReusableCell(withIdentifier: "weatherCell", for: indexPath) as? WeatherCell { let forecast = forecasts[indexPath.row] cell.configureCell(forecast: forecast) return cell } else { return WeatherCell() } } } extension WeatherVC: CLLocationManagerDelegate { func locationManager(_ manager: CLLocationManager, didChangeAuthorization status: CLAuthorizationStatus) { locationAuthStatus() } func locationManager(_ manager: CLLocationManager, didUpdateLocations locations: [CLLocation]) { if CLLocationManager.authorizationStatus() == .authorizedWhenInUse { currentLocation = locationManager.location if currentLocation != nil { locationManager.stopUpdatingLocation() } Location.sharedInstance.latitude = currentLocation.coordinate.latitude Location.sharedInstance.longitude = currentLocation.coordinate.longitude print(Location.sharedInstance.latitude ?? "nada", Location.sharedInstance.longitude ?? "nada") currentWeather.downloadWeatherDetails { //Setup UI to load downloaded data self.downloadForecastData { self.updateMainUI() } } } else { locationManager.requestWhenInUseAuthorization() } } /* * If CLLocation is not authorized, we cannot show any weather info */ func locationAuthStatus() { if CLLocationManager.authorizationStatus() != .authorizedWhenInUse { locationManager.requestWhenInUseAuthorization() } } }
gpl-3.0
9ea66e9f205b7dfa766373e1be540c60
32.076389
116
0.624606
6.044416
false
false
false
false
cameronpit/Unblocker
Unblocker/Program constants.swift
1
2208
// // Program constants.swift // // Unblocker // Swift 3.1 // // Copyright © 2017 Cameron C. Pitcairn. // See the file license.txt in the Unblocker project. // import UIKit /******************************************************************************* Const is a globally-available struct which defines various constants used by the program. ******************************************************************************/ struct Const { static let rows = 6, cols = 6 // Board is always 6 x 6 static let gapRatio = CGFloat(1.0/20) // Ratio of gap between blocks to tile size static let imageTruncation = 10 // rows to ignore at top & bottom of original image static let borderWidth: CGFloat = 15 // Colors for displaying board static let prisonerBlockColor = UIColor.red static let normalBlockColor = UIColor(red: 239/255, green: 195/255, blue: 132/255, alpha: 1) static let rivetColor = UIColor.gray static let boardBackgroundColor = UIColor(red: 106/255, green: 73/255, blue: 30/255, alpha: 1) static let emptyBackgroundColor = UIColor(red: 240/255, green: 240/255, blue: 240/255, alpha: 1) static let escapeColor = UIColor(red: 106/255, green: 73/255, blue: 30/255, alpha: 1) static let normalMessageLabelColor = UIColor.black static let urgentMessageLabelColor = UIColor.red // Color thresholds for scanning image (determined empirically) static let startEscapeRedHiThreshold:UInt8 = 120 // is > red component of escape chute static let endEscapeRedLoThreshold:UInt8 = 130 // is < red component of frame static let startBlackLineRedHiThreshold:UInt8 = 50 // is > red component of horizonal black line static let endBlackLineRedLoThreshold:UInt8 = 70 // is < red component of not-a-black-line static let edgeRedHiThreshold:UInt8 = 125 // is > red component of edge color static let emptyRedHiThreshold:UInt8 = 125 // is > red component of empty color static let redBlockGreenHiThreshold:UInt8 = 100 // is > green component of red block color // Animation timings (in seconds) static let blockViewAnimationDuration = 0.5 static let blockViewAnimationDelay = 0.5 static let boardViewResetAnimationDuration = 0.3 }
mit
41beea700cbee5fe065f96e4bd5b957d
44.979167
99
0.681468
4.172023
false
false
false
false
Antondomashnev/Sourcery
SourceryTests/Stub/Performance-Code/Kiosk/Admin/PasswordAlertViewController.swift
2
1210
import UIKit class PasswordAlertViewController: UIAlertController { class func alertView(completion: @escaping () -> ()) -> PasswordAlertViewController { let alertController = PasswordAlertViewController(title: "Exit Kiosk", message: nil, preferredStyle: .alert) let exitAction = UIAlertAction(title: "Exit", style: .default) { (_) in completion() return } if detectDevelopmentEnvironment() { exitAction.isEnabled = true } else { exitAction.isEnabled = false } let cancelAction = UIAlertAction(title: "Cancel", style: .cancel) { (_) in } alertController.addTextField { (textField) in textField.placeholder = "Exit Password" NotificationCenter.default.addObserver(forName: NSNotification.Name.UITextFieldTextDidChange, object: textField, queue: OperationQueue.main) { (notification) in // compiler crashes when using weak exitAction.isEnabled = textField.text == "Genome401" } } alertController.addAction(exitAction) alertController.addAction(cancelAction) return alertController } }
mit
f1ee5964edff350aaa8643b6822d0ae9
35.666667
172
0.641322
5.525114
false
false
false
false
smartmobilefactory/SMF-iOS-CommonProjectSetupFiles
Plist2swift/Sources/Plist2.swift
1
19626
#!/usr/bin/env xcrun --sdk macosx swift // // main.swift // plist2swift // // Created by Bartosz Swiatek on 12.09.18. // Copyright © 2018 Bartosz Swiatek. All rights reserved. // // Note: Currently Date is not supported import Foundation // MARK: Defaults let configurationKeyName: String = "configurationName" var output: FileHandle? = FileHandle.standardOutput var countOfTabs = 0 // MARK: Helper private func usage() { let executableName = URL(fileURLWithPath: CommandLine.arguments[0]).lastPathComponent print(""" plist2swift code generator Usage: \(executableName) -e enumName [-o outputFile] plist1 plist2 ... i.e. \(executableName) -e Api /path/to/production-configuration.plist /path/to/development-configuration.plist > generated.swift i.e. \(executableName) -e Api -o generated.swift /path/to/production-configuration.plist /path/to/development-configuration.plist """) exit(1) } private func tabs(indentBy: Int = 0) -> String { var tabsString = "" indent(by: indentBy) for _ in 0..<countOfTabs { tabsString += "\t" } return tabsString } private func indent(by indentationLevel: Int = 1) { countOfTabs += indentationLevel } /** Given path to .plist file, it returns a sorted array of tuples - Parameter fromPath: Path to the .plist file - Returns: sorted array of tuples of type (key: String, value: Any) */ private func readPlist(fromPath: String) -> KeyValueTuples? { var format = PropertyListSerialization.PropertyListFormat.xml guard let plistData = FileManager.default.contents(atPath: fromPath), let plistDict = try! PropertyListSerialization.propertyList(from: plistData, options: .mutableContainersAndLeaves, format: &format) as? [String: Any] else { return nil } let tupleArray = plistDict.sorted { (pairOne, pairTwo) -> Bool in return pairOne.key < pairTwo.key } return KeyValueTuples(tuples: tupleArray) } /** Generates the Swift header with date */ private func generateHeader() { print(""" // // Generated by plist2swift - Swift code from plists generator // import Foundation """) } private func isKeyPresentInOptionalDictionary(keyToSearch: String, tupleKey: String, optionalDictionary: [String: [String: String]]) -> Bool { guard let optionalKeysAndTypes = optionalDictionary[keyToSearch] else { return false } let optionalArray = optionalKeysAndTypes.keys return optionalArray.contains(tupleKey) } private func isKeyAvailableInAllPlists(keyToSearch: String, tupleKey: String, tuplesForPlists: [String: KeyValueTuples]) -> Bool { for plistPath in tuplesForPlists.keys { if let tuples = tuplesForPlists[plistPath], let dictionary = tuples[tupleKey] as? Dictionary<String, Any> { if (dictionary.keys.contains(keyToSearch) == false) { return false } } } return true } private func generateProtocol(tuplesForPlists: [String: KeyValueTuples], allKeyValueTuples: [(String, KeyValueTuples)]) -> [String: [String: String]] { var dictionaryWithOptionalValues = [String: [String: String]]() for (tupleKey, tuples) in allKeyValueTuples { let name = tupleKey.uppercaseFirst() let protocolName = name.appending("Protocol") print("protocol \(protocolName) {") indent() var optionalKeysAndTypes = [String: String]() for tuple in tuples.tuples { let isKeyPresentInAllPlists = isKeyAvailableInAllPlists(keyToSearch: tuple.key, tupleKey: tupleKey, tuplesForPlists: tuplesForPlists) var type = typeForValue(tuple.value as Any) if (isKeyPresentInAllPlists == false) { type = "\(type)?" optionalKeysAndTypes[tuple.key] = type } print("\(tabs())var \(tuple.key.lowercaseFirst()): \(type) { get }") } dictionaryWithOptionalValues[tupleKey] = optionalKeysAndTypes print("\(tabs(indentBy: -1))}\n") } return dictionaryWithOptionalValues } /** Generates a protocol with public instance properties. Used to generate protocols that internal structs conform to. - Parameter name: Name of the protocol; "Protocol" will be added to the name as suffix - Parameter tuples: Key Value Tuples to create protocol from - Returns: Protocol name, in case it's needed to be saved for further use */ private func generateProtocol(name: String, tuples: KeyValueTuples) -> String { let protocolName = name.appending("Protocol") print("protocol \(protocolName) {") indent() for tuple in tuples.tuples { let type = typeForValue(tuple.value as Any) print("\(tabs())var \(tuple.key.lowercaseFirst()): \(type) { get }") } print("\(tabs(indentBy: -1))}\n") return protocolName } /** Generate the general protocol with class properties. - Parameter name: Name of the protocol; "Protocol" will be added to the name as suffix - Parameter commonKeys: Keys to generate non-Optional properties from - Parameter oddKeys: Keys to generate Optional properties from - Parameter keysAndTypes: Map with keys and their types */ private func generateProtocol(name: String, commonKeys: [String], oddKeys: [String], keysAndTypes: [String:String]) { print("\(tabs())protocol \(name) {") indent() print("\(tabs())// Common Keys") for commonKey in commonKeys { guard let type = keysAndTypes[commonKey] else { return } print("\(tabs())var \(commonKey.lowercaseFirst()): \(type) { get }") } if (!oddKeys.isEmpty) { print("\n\(tabs())// Optional Keys") for oddKey in oddKeys { guard let type = keysAndTypes[oddKey] else { return } print("\(tabs())var \(oddKey.lowercaseFirst()): \(type)? { get }") } } print("\(tabs(indentBy: -1))}\n") } /** Generate structs out of Dictionaries and make them conform to a given protocol. - Parameters: - name: Name of the struct. Default is 'nil' - the configurationName key will be used to generate the name - tuples: Key Value Tuples to create protocol from - keysAndTypes: Map with keys and their types; Default is 'nil' - A new protocol will be created, the generated struct will conform to this new protocol - oddKeys: Keys to generate Optional properties from - protocolName: Name of the protocol; It has to end with a "Protocol" suffix; Default is 'nil' - the new generated protocol will be used */ private func generateStructs(name key: String? = nil, tuples: KeyValueTuples, keysAndTypes: [String: String]? = nil, oddKeys: [String], protocolName: String? = nil, optionalDictionary: [String: [String: String]]) { var configName: String? = tuples[configurationKeyName] as? String if (configName == nil && key != nil) { configName = key } guard var structName = configName else { return } structName = structName.uppercaseFirst() var localKeysAndTypes = keysAndTypes if (localKeysAndTypes == nil) { localKeysAndTypes = [:] for tuple in tuples.tuples { let key = tuple.key let value = tuple.value if (localKeysAndTypes?[key] == nil) { let type = typeForValue(value) localKeysAndTypes?[key] = type // Generate protocols for Dictionary entries if (type == "Dictionary<String, Any>") { let dictionary = tuples[key] as? Dictionary<String, Any> let sortedDictionary = dictionary?.sorted { (pairOne, pairTwo) -> Bool in return pairOne.key < pairTwo.key } let protocolName = generateProtocol(name: key.uppercaseFirst(), tuples: KeyValueTuples(tuples: sortedDictionary ?? [])) // override type with new protocol localKeysAndTypes?[key] = protocolName } } } } var conformingToProtocol: String = "" if (protocolName != nil) { conformingToProtocol = ": ".appending(protocolName!) } print("\n\(tabs())internal struct \(structName)\(conformingToProtocol) {") indent() var availableKeys = [String]() for tuple in tuples.tuples { let tupleKey = tuple.key let tupleValue = tuple.value availableKeys.append(tupleKey) if (oddKeys.contains(tupleKey)) { continue } guard let type = localKeysAndTypes?[tupleKey] else { return } let isOptional: Bool = { guard let key = key else { return false } return isKeyPresentInOptionalDictionary(keyToSearch: key, tupleKey: tupleKey, optionalDictionary: optionalDictionary) }() switch type { case "String" where (isOptional == false): print("\(tabs())internal let \(tupleKey.lowercaseFirst()): \(type) = \"\(tupleValue)\"") case "String" where (isOptional == true): print("\(tabs())internal var \(tupleKey.lowercaseFirst()): \(type)? = \"\(tupleValue)\"") case "Int" where (isOptional == false): print("\(tabs())internal let \(tupleKey.lowercaseFirst()): \(type) = \(tupleValue)") case "Int" where (isOptional == true): print("\(tabs())internal var \(tupleKey.lowercaseFirst()): \(type)? = \(tupleValue)") case "Bool" where (isOptional == false): let boolString = (((tupleValue as? Bool) == true) ? "true" : "false") print("\(tabs())internal let \(tupleKey.lowercaseFirst()): \(type) = \(boolString)") case "Bool" where (isOptional == true): let boolString = (((tupleValue as? Bool) == true) ? "true" : "false") print("\(tabs())internal var \(tupleKey.lowercaseFirst()): \(type)? = \(boolString)") case "Array<Any>" where (isOptional == false): if let arrayValue = tupleValue as? Array<String> { print("\(tabs())internal let \(tupleKey.lowercaseFirst()): \(type) = \(arrayValue)") } case "Array<Any>" where (isOptional == true): if let arrayValue = tupleValue as? Array<String> { print("\(tabs())internal var \(tupleKey.lowercaseFirst()): \(type)? = \(arrayValue)") } default: // default is a struct // Generate struct from the Dictionaries and Protocols if (type.contains("Protocol")) { let dictionary = tuples[tupleKey] as? Dictionary<String, Any> let sortedDictionary = dictionary?.sorted { (pairOne, pairTwo) -> Bool in return pairOne.key < pairTwo.key } generateStructs(name: tupleKey, tuples: KeyValueTuples(tuples: sortedDictionary ?? []), oddKeys: oddKeys, protocolName: type, optionalDictionary: optionalDictionary) print("\(tabs())internal let \(tupleKey.lowercaseFirst()): \(type) = \(tupleKey.uppercaseFirst())()") } } } guard let key = key, let optionalKeysAndTypes = optionalDictionary[key] else { print("\(tabs(indentBy: -1))}\n") return } let keysAndTypesToAdd = optionalKeysAndTypes.filter { (key: String, type: String) in return (availableKeys.contains(key) == false) } for (key, type) in keysAndTypesToAdd { print("\(tabs())internal var \(key.lowercaseFirst()): \(type) = nil") } print("\(tabs(indentBy: -1))}\n") } /** Generates extensions to structs, conforming to protocol - Parameters: - enumName: Name of the enum containing structs that need to conform to given protocol - protocolName: Name of the protocol to conform to - allTuples: List of Key Value Tuples serialized from plist files - keysAndTypes: Map with keys and their types - oddKeys: Keys to generate Optional properties from */ private func generateExtensions(enumName: String, protocolName: String, allTuples: [KeyValueTuples], keysAndTypes: Dictionary<String, String>, oddKeys: [String], optionalDictionary: [String: [String: String]]) { for tuples in allTuples { guard let caseName = tuples[configurationKeyName] as? String else { return } let structName = caseName.uppercaseFirst() print("\(tabs())extension \(enumName).\(structName): \(protocolName) {") indent() for oddKey in oddKeys { guard let type = keysAndTypes[oddKey] else { return } if (type == "Array<Any>") { print("\(tabs())var \(oddKey.lowercaseFirst()): \(type)? {") let returnValue = tuples[oddKey] as? Array<String> ((returnValue != nil) ? print("\(tabs())return \(returnValue!)") : print("\t\treturn nil")) print("\(tabs())}") } else if (type.contains("Protocol")){ guard tuples[oddKey] != nil else { print("\(tabs())var \(oddKey.lowercaseFirst()): \(type)? {") print("\(tabs(indentBy: 1))return nil") print("\(tabs(indentBy: -1))}") continue } let dictionary = tuples[oddKey] as? Dictionary<String, Any> let sortedDictionary = dictionary?.sorted { (pairOne, pairTwo) -> Bool in return pairOne.key < pairTwo.key } generateStructs(name: oddKey, tuples: KeyValueTuples(tuples: sortedDictionary ?? []), oddKeys: oddKeys, protocolName: type, optionalDictionary: optionalDictionary) print("\(tabs())var \(oddKey.lowercaseFirst()): \(type)? {") print("\(tabs(indentBy: 1))return \(oddKey.uppercaseFirst())()") print("\(tabs(indentBy: -1))}") } else { // String print("\(tabs())var \(oddKey.lowercaseFirst()): \(type)? {") indent() let returnValue = tuples[oddKey] as? String returnValue != nil ? print("\(tabs())return \"\(returnValue!)\"") : print("\(tabs())return nil") print("\(tabs(indentBy: -1))}") } } print("\(tabs(indentBy: -1))}\n") } } /** Generate an enum with structs and properties. - Parameters: - name: Name of the enum - protocolName: Name of the protocol that extensions should conform to - allTuples: List of Key Value Tuples serialized from plist files - keysAndTypes: Map with keys and their types - oddKeys: Keys to generate Optional properties from */ private func generateEnum(name enumName: String, protocolName: String, allTuples: [KeyValueTuples], keysAndTypes: Dictionary<String, String>, oddKeys: [String], optionalDictionary: [String: [String: String]]) { let cases: [String] = allTuples.map { (tuples: KeyValueTuples) in return (tuples[configurationKeyName] as? String ?? "") } print("\(tabs())internal enum \(enumName) {") indent() for caseName in cases { print("\(tabs())case \(caseName.lowercaseFirst())") } for tuples in allTuples { generateStructs(tuples: tuples, keysAndTypes: keysAndTypes, oddKeys: oddKeys, optionalDictionary: optionalDictionary) } print(""" \(tabs())var configuration: \(protocolName) { \(tabs(indentBy: 1))switch self { """) for caseName in cases { let structName = caseName.uppercaseFirst() print("\(tabs())case .\(caseName.lowercaseFirst()):") print("\(tabs())\treturn \(structName)()") } print("\(tabs())}") print("\(tabs(indentBy: -1))}") print("\(tabs(indentBy: -1))}\n") generateExtensions(enumName: enumName, protocolName: protocolName, allTuples: allTuples, keysAndTypes: keysAndTypes, oddKeys: oddKeys, optionalDictionary: optionalDictionary) } /** Map the type of a value to its string representation - Parameter value: Any object you want to get the string type equivalent from; default is "String". Supported types are: String, Bool, Int, Array<Any> and Dictionary<String, Any> - Returns: String that reflects the type of given value */ private func typeForValue(_ value: Any) -> String { switch value { case is String: return "String" case is Bool: return "Bool" case is Int: return "Int" case is Array<Any>: return "Array<Any>" case is Dictionary<String, Any>: return "Dictionary<String, Any>" default: return "String" } } // MARK: Logging extension FileHandle: TextOutputStream { public func write(_ string: String) { guard let data = string.data(using: .utf8) else { return } self.write(data) } } public func print(_ items: Any..., separator: String = " ", terminator: String = "\n") { let localOutput = items.map { "\($0)" }.joined(separator: separator) guard var output = output else { return } Swift.print(localOutput, separator: separator, terminator: terminator, to: &output) } // MARK: String extension String { func uppercaseFirst() -> String { return prefix(1).uppercased() + dropFirst() } func lowercaseFirst() -> String { return prefix(1).lowercased() + dropFirst() } mutating func uppercaseFirst() { self = self.uppercaseFirst() } mutating func lowercaseFirst() { self = self.lowercaseFirst() } } // MARK: - Tuples class KeyValueTuples { var tuples: [(key: String, value: Any)] var keys: [String] { let keys = self.tuples.map { (tuple: (key: String, value: Any)) in return tuple.key } return keys } init(tuples: [(key: String, value: Any)]) { self.tuples = tuples } subscript(_ key: String) -> Any? { get { let tuple = self.tuples.first { (tuple: (key: String, value: Any)) -> Bool in return tuple.key == key } return tuple?.value } } } // MARK: Main let args = CommandLine.arguments var plists = [String]() var enumName: String = "" if (args.count < 4) { usage() } if (args.count >= 6 && args[1] == "-e" && args[3] == "-o") { enumName = args[2] let fileManager = FileManager.default if (fileManager.fileExists(atPath: args[4]) == true) { try? fileManager.removeItem(atPath: args[4]) } fileManager.createFile(atPath: args[4], contents: nil, attributes: nil) output = FileHandle(forWritingAtPath: args[4]) for i in 5...args.count-1 { plists.append(args[i]) } } else if (args.count >= 4 && args[1] == "-e") { enumName = args[2] for i in 3...args.count-1 { plists.append(args[i]) } } else { usage() } let shouldGenerateOddKeys: Bool = CommandLine.arguments.count >= 5 var commonKeys = [String]() var oddKeys = [String]() var keysAndTypes = [String:String]() var allTuples = [KeyValueTuples]() var protocolName: String = enumName.appending("Protocol") var tuplesForPlists = [String: KeyValueTuples]() var allKeyValueTuples = [String: KeyValueTuples]() generateHeader() // gather keys and values... and types for plistPath in plists { guard let tuples = readPlist(fromPath: plistPath) else { print("Couldn't read plist at \(plistPath)") exit(1) } tuplesForPlists[plistPath] = tuples allTuples.append(tuples) let allKeys = tuples.keys if (allKeys.contains(configurationKeyName) == false) { print("Plist doesn't contain \(configurationKeyName) key. Please add it and run the script again") exit(1) } if (commonKeys.count == 0) { commonKeys = allKeys } if (oddKeys.count == 0 && shouldGenerateOddKeys) { oddKeys = allKeys } for key in allKeys { guard let tuple = tuples[key] else { continue } let type = typeForValue(tuple) if (type != "Dictionary<String, Any>") { // Just register the existence of primitive types keysAndTypes[key] = type } else { // Generate protocols for Dictionary entries var dictionary = tuples[key] as? Dictionary<String, Any> ?? [:] // Merge sub-keys in dictionaries from current property list with already known sub-keys from dictionaries // with the same name. if let keyValueTuples = allKeyValueTuples[key] { for knownKey in Set<String>(keyValueTuples.keys).subtracting(Set(dictionary.keys)) { for (tupleKey, tupleValue) in keyValueTuples.tuples { if (tupleKey == knownKey) { dictionary[tupleKey] = tupleValue } } } } allKeyValueTuples[key] = KeyValueTuples(tuples: dictionary.sorted { $0.key < $1.key }) // Generate protocol name keysAndTypes[key] = key.uppercaseFirst().appending("Protocol") } } commonKeys = Array(Set(commonKeys).intersection(allKeys)).sorted() oddKeys = Array(Set(oddKeys).union(allKeys)).sorted() oddKeys = Array(Set(oddKeys).subtracting(commonKeys)).sorted() if (oddKeys.count == 0 && shouldGenerateOddKeys && plists.count > 1 && plists.firstIndex(of: plistPath) == 0) { oddKeys = allKeys } } let allKeyValueTuplesSorted = allKeyValueTuples.sorted(by: { $0.0 < $1.0 }) let optionalDictionary = generateProtocol(tuplesForPlists: tuplesForPlists, allKeyValueTuples: allKeyValueTuplesSorted) generateProtocol(name: protocolName, commonKeys: commonKeys, oddKeys: oddKeys, keysAndTypes: keysAndTypes) generateEnum(name: enumName, protocolName: protocolName, allTuples: allTuples, keysAndTypes: keysAndTypes, oddKeys: oddKeys, optionalDictionary: optionalDictionary)
mit
4c42c4bf4de0cef07788363177b98a88
28.511278
214
0.695185
3.836005
false
false
false
false
silence0201/Swift-Study
Learn/05.控制语句/guard语句.playground/Contents.swift
1
1964
//定义一个Blog(博客)结构体 struct Blog { let name: String? let URL: String? let Author: String? } func ifStyleBlog(blog: Blog) { if let blogName = blog.name { print("博客名:\(blogName)") } else { print("这篇博客没有名字!") } } func guardStyleBlog(blog: Blog) { guard let blogName = blog.name else { print("这篇博客没有名字!") return } print("这篇博客名:\(blogName)") } func ifLongStyleBlog(blog: Blog) { if let blogName = blog.name { print("这篇博客名:\(blogName)") if let blogAuthor = blog.Author { print("这篇博客由\(blogAuthor)写的") if let blogURL = blog.URL { print("这篇博客网址:\(blogURL)") } else { print("这篇博客没有网址!") } } else { print("这篇博客没有作者!") } } else { print("这篇博客没有名字!") } } func guardLongStyleBlog(blog: Blog) { guard let blogName = blog.name else { print("这篇博客没有名字!") return } print("这篇博客名:\(blogName)") guard let blogAuthor = blog.Author else { print("这篇博客没有作者") return } print("这篇博客由\(blogAuthor)写的") guard let blogURL = blog.URL else { print("这篇博客没有网址!") return } print("这篇博客网址:\(blogURL)") } let blog1 = Blog(name: nil, URL: "51work6.com", Author: "Tom") let blog2 = Blog(name: "Tony'Blog", URL: "51work6.com", Author: "Tony") let blog3 = Blog(name: nil, URL: nil, Author: "Tom") let blog4 = Blog(name: "Tony'Blog", URL: "51work6.com", Author: nil) guardStyleBlog(blog: blog1) guardStyleBlog(blog: blog2) guardLongStyleBlog(blog: blog3) guardLongStyleBlog(blog: blog4)
mit
ac911f5631ded7f96d5b31d5b399f67a
19.53012
71
0.546362
3.594937
false
false
false
false
edmw/Volumio_ios
Pods/Eureka/Source/Rows/TextAreaRow.swift
4
12326
// AlertRow.swift // Eureka ( https://github.com/xmartlabs/Eureka ) // // Copyright (c) 2016 Xmartlabs SRL ( http://xmartlabs.com ) // // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. import Foundation public enum TextAreaHeight { case fixed(cellHeight: CGFloat) case dynamic(initialTextViewHeight: CGFloat) } protocol TextAreaConformance: FormatterConformance { var placeholder : String? { get set } var textAreaHeight : TextAreaHeight { get set } } /** * Protocol for cells that contain a UITextView */ public protocol AreaCell : TextInputCell { var textView: UITextView { get } } extension AreaCell { public var textInput: UITextInput { return textView } } open class _TextAreaCell<T> : Cell<T>, UITextViewDelegate, AreaCell where T: Equatable, T: InputTypeInitiable { required public init(style: UITableViewCellStyle, reuseIdentifier: String?) { super.init(style: style, reuseIdentifier: reuseIdentifier) } required public init?(coder aDecoder: NSCoder) { fatalError("init(coder:) has not been implemented") } open lazy var placeholderLabel : UILabel = { let v = UILabel() v.translatesAutoresizingMaskIntoConstraints = false v.numberOfLines = 0 v.textColor = UIColor(white: 0, alpha: 0.22) return v }() open lazy var textView : UITextView = { let v = UITextView() v.translatesAutoresizingMaskIntoConstraints = false return v }() open var dynamicConstraints = [NSLayoutConstraint]() open override func setup() { super.setup() let textAreaRow = row as! TextAreaConformance switch textAreaRow.textAreaHeight { case .dynamic(_): height = { UITableViewAutomaticDimension } textView.isScrollEnabled = false case .fixed(let cellHeight): height = { cellHeight } } textView.keyboardType = .default textView.delegate = self textView.font = .preferredFont(forTextStyle: .body) textView.textContainer.lineFragmentPadding = 0 textView.textContainerInset = UIEdgeInsets.zero placeholderLabel.font = textView.font selectionStyle = .none contentView.addSubview(textView) contentView.addSubview(placeholderLabel) imageView?.addObserver(self, forKeyPath: "image", options: NSKeyValueObservingOptions.old.union(.new), context: nil) setNeedsUpdateConstraints() } deinit { textView.delegate = nil imageView?.removeObserver(self, forKeyPath: "image") } open override func update() { super.update() textLabel?.text = nil detailTextLabel?.text = nil textView.isEditable = !row.isDisabled textView.textColor = row.isDisabled ? .gray : .black textView.text = row.displayValueFor?(row.value) placeholderLabel.text = (row as? TextAreaConformance)?.placeholder placeholderLabel.sizeToFit() placeholderLabel.isHidden = textView.text.characters.count != 0 } open override func cellCanBecomeFirstResponder() -> Bool { return !row.isDisabled && textView.canBecomeFirstResponder } open override func cellBecomeFirstResponder(withDirection: Direction) -> Bool { return textView.becomeFirstResponder() } open override func cellResignFirstResponder() -> Bool { return textView.resignFirstResponder() } open override func observeValue(forKeyPath keyPath: String?, of object: Any?, change: [NSKeyValueChangeKey : Any]?, context: UnsafeMutableRawPointer?) { let obj = object as AnyObject? if let keyPathValue = keyPath, let changeType = change?[NSKeyValueChangeKey.kindKey], obj === imageView && keyPathValue == "image" && (changeType as? NSNumber)?.uintValue == NSKeyValueChange.setting.rawValue { setNeedsUpdateConstraints() updateConstraintsIfNeeded() } } //Mark: Helpers private func displayValue(useFormatter: Bool) -> String? { guard let v = row.value else { return nil } if let formatter = (row as? FormatterConformance)?.formatter, useFormatter { return textView.isFirstResponder ? formatter.editingString(for: v) : formatter.string(for: v) } return String(describing: v) } //MARK: TextFieldDelegate open func textViewDidBeginEditing(_ textView: UITextView) { formViewController()?.beginEditing(of: self) formViewController()?.textInputDidBeginEditing(textView, cell: self) if let textAreaConformance = (row as? TextAreaConformance), let _ = textAreaConformance.formatter, textAreaConformance.useFormatterOnDidBeginEditing ?? textAreaConformance.useFormatterDuringInput { textView.text = self.displayValue(useFormatter: true) } else { textView.text = self.displayValue(useFormatter: false) } } open func textViewDidEndEditing(_ textView: UITextView) { formViewController()?.endEditing(of: self) formViewController()?.textInputDidEndEditing(textView, cell: self) textViewDidChange(textView) textView.text = displayValue(useFormatter: (row as? FormatterConformance)?.formatter != nil) } open func textViewDidChange(_ textView: UITextView) { if let textAreaConformance = row as? TextAreaConformance, case .dynamic = textAreaConformance.textAreaHeight, let tableView = formViewController()?.tableView { let currentOffset = tableView.contentOffset UIView.setAnimationsEnabled(false) tableView.beginUpdates() tableView.endUpdates() UIView.setAnimationsEnabled(true) tableView.setContentOffset(currentOffset, animated: false) } placeholderLabel.isHidden = textView.text.characters.count != 0 guard let textValue = textView.text else { row.value = nil return } guard let fieldRow = row as? FieldRowConformance, let formatter = fieldRow.formatter else { row.value = textValue.isEmpty ? nil : (T.init(string: textValue) ?? row.value) return } if fieldRow.useFormatterDuringInput { let value: AutoreleasingUnsafeMutablePointer<AnyObject?> = AutoreleasingUnsafeMutablePointer<AnyObject?>.init(UnsafeMutablePointer<T>.allocate(capacity: 1)) let errorDesc: AutoreleasingUnsafeMutablePointer<NSString?>? = nil if formatter.getObjectValue(value, for: textValue, errorDescription: errorDesc) { row.value = value.pointee as? T guard var selStartPos = textView.selectedTextRange?.start else { return } let oldVal = textView.text textView.text = row.displayValueFor?(row.value) selStartPos = (formatter as? FormatterProtocol)?.getNewPosition(forPosition: selStartPos, inTextInput: textView, oldValue: oldVal, newValue: textView.text) ?? selStartPos textView.selectedTextRange = textView.textRange(from: selStartPos, to: selStartPos) return } } else { let value: AutoreleasingUnsafeMutablePointer<AnyObject?> = AutoreleasingUnsafeMutablePointer<AnyObject?>.init(UnsafeMutablePointer<T>.allocate(capacity: 1)) let errorDesc: AutoreleasingUnsafeMutablePointer<NSString?>? = nil if formatter.getObjectValue(value, for: textValue, errorDescription: errorDesc) { row.value = value.pointee as? T } } } open func textView(_ textView: UITextView, shouldChangeTextIn range: NSRange, replacementText text: String) -> Bool { return formViewController()?.textInput(textView, shouldChangeCharactersInRange: range, replacementString: text, cell: self) ?? true } open func textViewShouldBeginEditing(_ textView: UITextView) -> Bool { return formViewController()?.textInputShouldBeginEditing(textView, cell: self) ?? true } open func textViewShouldEndEditing(_ textView: UITextView) -> Bool { return formViewController()?.textInputShouldEndEditing(textView, cell: self) ?? true } open override func updateConstraints(){ customConstraints() super.updateConstraints() } open func customConstraints() { contentView.removeConstraints(dynamicConstraints) dynamicConstraints = [] var views : [String: AnyObject] = ["textView": textView, "label": placeholderLabel] dynamicConstraints.append(contentsOf: NSLayoutConstraint.constraints(withVisualFormat: "V:|-[label]", options: [], metrics: nil, views: views)) if let textAreaConformance = row as? TextAreaConformance, case .dynamic(let initialTextViewHeight) = textAreaConformance.textAreaHeight { dynamicConstraints.append(contentsOf: NSLayoutConstraint.constraints(withVisualFormat: "V:|-[textView(>=initialHeight@800)]-|", options: [], metrics: ["initialHeight": initialTextViewHeight], views: views)) } else { dynamicConstraints.append(contentsOf: NSLayoutConstraint.constraints(withVisualFormat: "V:|-[textView]-|", options: [], metrics: nil, views: views)) } if let imageView = imageView, let _ = imageView.image { views["imageView"] = imageView dynamicConstraints.append(contentsOf: NSLayoutConstraint.constraints(withVisualFormat: "H:[imageView]-(15)-[textView]-|", options: [], metrics: nil, views: views)) dynamicConstraints.append(contentsOf: NSLayoutConstraint.constraints(withVisualFormat: "H:[imageView]-(15)-[label]-|", options: [], metrics: nil, views: views)) } else { dynamicConstraints.append(contentsOf: NSLayoutConstraint.constraints(withVisualFormat: "H:|-[textView]-|", options: [], metrics: nil, views: views)) dynamicConstraints.append(contentsOf: NSLayoutConstraint.constraints(withVisualFormat: "H:|-[label]-|", options: [], metrics: nil, views: views)) } contentView.addConstraints(dynamicConstraints) } } open class TextAreaCell : _TextAreaCell<String>, CellType { required public init(style: UITableViewCellStyle, reuseIdentifier: String?) { super.init(style: style, reuseIdentifier: reuseIdentifier) } required public init?(coder aDecoder: NSCoder) { fatalError("init(coder:) has not been implemented") } } open class AreaRow<Cell: CellType>: FormatteableRow<Cell>, TextAreaConformance where Cell: BaseCell, Cell: AreaCell { open var placeholder : String? open var textAreaHeight = TextAreaHeight.fixed(cellHeight: 110) public required init(tag: String?) { super.init(tag: tag) } } open class _TextAreaRow: AreaRow<TextAreaCell> { required public init(tag: String?) { super.init(tag: tag) } } /// A row with a UITextView where the user can enter large text. public final class TextAreaRow: _TextAreaRow, RowType { required public init(tag: String?) { super.init(tag: tag) } }
gpl-3.0
a1b67c317086fd6d027b5fe67644cd9e
41.798611
218
0.676781
5.340555
false
false
false
false
creisterer-db/SwiftCharts
SwiftCharts/AxisValues/ChartAxisValue.swift
2
1461
// // ChartAxisValue.swift // swift_charts // // Created by ischuetz on 01/03/15. // Copyright (c) 2015 ivanschuetz. All rights reserved. // import UIKit /** An axis value, which is represented internally by a double and provides the label which is displayed in the chart (or labels, in the case of working with multiple labels per axis value). This class is not meant to be instantiated directly. Use one of the existing subclasses or create a new one. */ public class ChartAxisValue: Equatable { public let scalar: Double public var text: String { fatalError("Override") } /** Labels that will be displayed on the chart. How this is done depends on the implementation of ChartAxisLayer. In the most common case this will be an array with only one element. */ public var labels: [ChartAxisLabel] { fatalError("Override") } public var hidden: Bool = false { didSet { for label in self.labels { label.hidden = self.hidden } } } public init(scalar: Double) { self.scalar = scalar } public var copy: ChartAxisValue { return self.copy(self.scalar) } public func copy(scalar: Double) -> ChartAxisValue { return ChartAxisValue(scalar: scalar) } } public func ==(lhs: ChartAxisValue, rhs: ChartAxisValue) -> Bool { return lhs.scalar == rhs.scalar }
apache-2.0
276e4f1f2b585f9fc2d9413635c2f2ff
26.055556
190
0.637235
4.565625
false
false
false
false
CodePath2017Group4/travel-app
RoadTripPlanner/PendingInvitationTableViewCell.swift
1
2325
// // PendingInvitationTableViewCell.swift // RoadTripPlanner // // Created by Nanxi Kang on 10/28/17. // Copyright © 2017 RoadTripPlanner. All rights reserved. // import UIKit class PendingInvitationTableViewCell: UITableViewCell { @IBOutlet weak var tripLabel: UILabel! @IBOutlet weak var dateLabel: UILabel! @IBOutlet weak var ownerLabel: UILabel! @IBOutlet weak var acceptButton: UIButton! @IBOutlet weak var rejectButton: UIButton! var index: Int = 0 var delegate: InvitationDelegate? func displayInvitaion(tripMember: TripMember) { let trip = tripMember.trip tripLabel.text = trip.name dateLabel.text = Utils.formatDate(date: trip.date) ownerLabel.text = trip.creator.username if (tripMember.status == InviteStatus.Pending.hashValue) { acceptButton.setImage(UIImage(named: "check-pending"), for: .normal) rejectButton.setImage(UIImage(named: "reject-pending"), for: .normal) } else if (tripMember.status == InviteStatus.Confirmed.hashValue) { acceptButton.setImage(UIImage(named: "check"), for: .normal) rejectButton.setImage(UIImage(named: "reject-pending"), for: .normal) } else if (tripMember.status == InviteStatus.Rejected.hashValue) { acceptButton.setImage(UIImage(named: "check-pending"), for: .normal) rejectButton.setImage(UIImage(named: "reject"), for: .normal) } } override func awakeFromNib() { super.awakeFromNib() } override func setSelected(_ selected: Bool, animated: Bool) { super.setSelected(selected, animated: animated) } @IBAction func confirmButtonTapped(_ sender: Any) { acceptButton.setImage(UIImage(named: "check"), for: .normal) rejectButton.setImage(UIImage(named: "reject-pending"), for: .normal) if let delegate = self.delegate { delegate.confirmInvitation(index: self.index) } } @IBAction func rejectButtonTapped(_ sender: Any) { acceptButton.setImage(UIImage(named: "check-pending"), for: .normal) rejectButton.setImage(UIImage(named: "reject"), for: .normal) if let delegate = self.delegate { delegate.rejectInvitation(index: self.index) } } }
mit
17c3cbfac4ccdbd760639ce27906c5b8
35.888889
81
0.659208
4.435115
false
false
false
false
bitcrowd/tickety-tick
safari/tickety-tick/ViewController.swift
1
1480
// // ViewController.swift // import Cocoa import SafariServices.SFSafariApplication import SafariServices.SFSafariExtensionManager let appName = "tickety-tick" let extensionBundleIdentifier = "net.bitcrowd.tickety-tick.Extension" class ViewController: NSViewController { @IBOutlet var appNameLabel: NSTextField! override func viewDidLoad() { super.viewDidLoad() appNameLabel.stringValue = appName SFSafariExtensionManager .getStateOfSafariExtension(withIdentifier: extensionBundleIdentifier) { state, error in guard let state = state, error == nil else { // Insert code to inform the user that something went wrong. return } DispatchQueue.main.async { if state.isEnabled { self.appNameLabel.stringValue = "\(appName)'s extension is currently on." } else { self.appNameLabel .stringValue = "\(appName)'s extension is currently off. You can turn it on in Safari Extensions preferences." } } } } @IBAction func openSafariExtensionPreferences(_: AnyObject?) { SFSafariApplication .showPreferencesForExtension(withIdentifier: extensionBundleIdentifier) { error in guard error == nil else { // Insert code to inform the user that something went wrong. return } DispatchQueue.main.async { NSApplication.shared.terminate(nil) } } } }
mit
f84402de273adbc191e92bdb606b516f
28.6
109
0.662162
5.156794
false
false
false
false
qutheory/vapor
Sources/Vapor/Error/ErrorSource.swift
2
1274
/// A source-code location. public struct ErrorSource { /// File in which this location exists. public var file: String /// Function in which this location exists. public var function: String /// Line number this location belongs to. public var line: UInt /// Number of characters into the line this location starts at. public var column: UInt /// Optional start/end range of the source. public var range: Range<UInt>? /// Creates a new `SourceLocation` public init( file: String, function: String, line: UInt, column: UInt, range: Range<UInt>? = nil ) { self.file = file self.function = function self.line = line self.column = column self.range = range } } extension ErrorSource { /// Creates a new `ErrorSource` for the current call site. public static func capture( file: String = #file, function: String = #function, line: UInt = #line, column: UInt = #column, range: Range<UInt>? = nil ) -> Self { return self.init( file: file, function: function, line: line, column: column, range: range ) } }
mit
e0392a601c2cad914f919008d01675a3
23.980392
67
0.568289
4.501767
false
false
false
false
auth0/Lock.swift
LockTests/AuthCollectionViewSpec.swift
1
6088
// AuthCollectionViewSpec.swift // // Copyright (c) 2016 Auth0 (http://auth0.com) // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. import UIKit import Quick import Nimble @testable import Lock class AuthCollectionViewSpec: QuickSpec { override func spec() { context("expanded") { describe("height") { it("should return 0 when there are no buttons") { let view = AuthCollectionView(connections: [], mode: .expanded(isLogin: true), insets: UIEdgeInsets.zero, customStyle: [:]) { _ in } expect(view.height) == 0 } it("should just use the button size if there is only one button") { let view = AuthCollectionView(connections: [SocialConnection(name: "social", style: .Facebook)], mode: .expanded(isLogin: true), insets: UIEdgeInsets.zero, customStyle: [:]) { _ in } expect(view.height) == 50 } it("should add padding") { let max = Int(arc4random_uniform(15)) + 2 let connections = mockConnections(count: max) let view = AuthCollectionView(connections: connections, mode: .expanded(isLogin: true), insets: UIEdgeInsets.zero, customStyle: [:]) { _ in } let expected = (max * 50) + (max * 8) - 8 expect(view.height) == CGFloat(expected) } } } context("compact") { describe("height") { it("should return 0 when there are no buttons") { let view = AuthCollectionView(connections: [], mode: .compact, insets: UIEdgeInsets.zero, customStyle: [:]) { _ in } expect(view.height) == 0 } it("should just use the button size if there is only one button") { let view = AuthCollectionView(connections: [SocialConnection(name: "social", style: .Facebook)], mode: .compact, insets: UIEdgeInsets.zero, customStyle: [:]) { _ in } expect(view.height) == 50 } it("should just use the button size for less than 6 buttons") { let connections: [OAuth2Connection] = mockConnections(count: 5) let view = AuthCollectionView(connections: connections, mode: .compact, insets: UIEdgeInsets.zero, customStyle: [:]) { _ in } expect(view.height) == 50 } it("should add padding per row") { let count = Int(arc4random_uniform(15)) + 2 let rows = Int(ceil(Double(count) / 5)) let connections = mockConnections(count: count) let view = AuthCollectionView(connections: connections, mode: .compact, insets: UIEdgeInsets.zero, customStyle: [:]) { _ in } let expected = (rows * 50) + (rows * 8) - 8 expect(view.height) == CGFloat(expected) } } } describe("styling") { func styleButton(_ style: AuthStyle, isLogin: Bool = true) -> AuthButton { return oauth2Buttons(forConnections: [SocialConnection(name: "social0", style: style)], customStyle: [:], isLogin: isLogin, onAction: {_ in }).first! } it("should set proper title") { let button = styleButton(.Facebook) expect(button.title) == "Sign in with Facebook" } it("should set proper title") { let button = styleButton(.Facebook, isLogin: false) expect(button.title) == "Sign up with Facebook" } it("should set color") { let style = AuthStyle.Facebook let button = styleButton(style) expect(button.normalColor) == style.normalColor expect(button.highlightedColor) == style.highlightedColor } it("should set border color") { let style = AuthStyle.Google let button = styleButton(style) expect(button.borderColor) == style.borderColor } it("should set icon") { let style = AuthStyle.Facebook let button = styleButton(style) expect(button.icon).toNot(beNil()) } it("should use custom style") { let style = ["steam": AuthStyle(name: "Steam", color: .white)] let button = oauth2Buttons(forConnections: [SocialConnection(name: "steam", style: AuthStyle(name: "steam"))], customStyle: style, isLogin: true, onAction: {_ in }).first! expect(button.title) == "Sign in with Steam" expect(button.color) == UIColor.white } } } } func mockConnections(count: Int) -> [OAuth2Connection] { return (1...count).map { _ -> OAuth2Connection in return SocialConnection(name: "social", style: .Facebook) } }
mit
d1bd70b0731073e40a8120afd2cfcb27
43.437956
202
0.578187
4.86262
false
false
false
false
bencallis/PMKVObserver
PMKVObserverTests/KVOHelper.swift
1
1296
// // KVOHelper.swift // PMKVObserver // // Created by Kevin Ballard on 11/19/15. // Copyright © 2015 Postmates. All rights reserved. // // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your // option. This file may not be copied, modified, or distributed // except according to those terms. // import Foundation public final class KVOHelper: NSObject { public dynamic var str: String = "" public dynamic var optStr: String? public dynamic var int: Int = 0 public dynamic var bool: Bool = false public dynamic var num: NSNumber = 0 public dynamic var optNum: NSNumber? public dynamic var ary: [String] = [] public dynamic var optAry: [String]? public dynamic var firstName: String? public dynamic var lastName: String? @objc public var computed: String? { switch (firstName, lastName) { case let (a?, b?): return "\(a) \(b)" case let (a?, nil): return a case let (nil, b?): return b case (nil, nil): return nil } } @objc public static let keyPathsForValuesAffectingComputed: Set<String> = ["firstName", "lastName"] }
apache-2.0
4d4ddb81d049443b893bbbf773673ff0
30.585366
104
0.651737
3.900602
false
false
false
false
delba/Sorry
Source/Supporting Files/Utilities.swift
2
4472
// // Utilities.swift // // Copyright (c) 2015-2019 Damien (http://delba.io) // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all // copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE // SOFTWARE. // extension UIApplication { private var topViewController: UIViewController? { var vc = keyWindow?.rootViewController while let presentedVC = vc?.presentedViewController { vc = presentedVC } return vc } func present(_ viewController: UIViewController, animated: Bool = true, completion: (() -> Void)? = nil) { topViewController?.present(viewController, animated: animated, completion: completion) } } extension Bundle { var name: String { return object(forInfoDictionaryKey: "CFBundleName") as? String ?? "" } } extension UIControl.State: Hashable { public var hashValue: Int { return Int(rawValue) } } @propertyWrapper struct UserDefault<T> { let key: String let defaultValue: T init(_ key: String, defaultValue: T) { self.key = key self.defaultValue = defaultValue } var wrappedValue: T { get { return UserDefaults.standard.object(forKey: key) as? T ?? defaultValue } set { UserDefaults.standard.set(newValue, forKey: key) } } } struct Defaults { @UserDefault("permission.requestedNotifications", defaultValue: false) static var requestedNotifications: Bool @UserDefault("permission.requestedLocationAlwaysWithWhenInUse", defaultValue: false) static var requestedLocationAlwaysWithWhenInUse: Bool @UserDefault("permission.requestedMotion", defaultValue: false) static var requestedMotion: Bool @UserDefault("permission.requestedBluetooth", defaultValue: false) static var requestedBluetooth: Bool @UserDefault("permission.statusBluetooth", defaultValue: nil) static var statusBluetooth: PermissionStatus? @UserDefault("permission.stateBluetoothManagerDetermined", defaultValue: false) static var stateBluetoothManagerDetermined: Bool } extension String { static let locationWhenInUseUsageDescription = "NSLocationWhenInUseUsageDescription" static let locationAlwaysUsageDescription = "NSLocationAlwaysUsageDescription" static let microphoneUsageDescription = "NSMicrophoneUsageDescription" static let speechRecognitionUsageDescription = "NSSpeechRecognitionUsageDescription" static let photoLibraryUsageDescription = "NSPhotoLibraryUsageDescription" static let cameraUsageDescription = "NSCameraUsageDescription" static let mediaLibraryUsageDescription = "NSAppleMusicUsageDescription" static let siriUsageDescription = "NSSiriUsageDescription" } extension Selector { static let tapped = #selector(PermissionButton.tapped(_:)) static let highlight = #selector(PermissionButton.highlight(_:)) static let settingsHandler = #selector(DeniedAlert.settingsHandler) } extension OperationQueue { convenience init(_ qualityOfService: QualityOfService) { self.init() self.qualityOfService = qualityOfService } } extension NotificationCenter { func addObserver(_ observer: AnyObject, selector: Selector, name: NSNotification.Name?) { addObserver(observer, selector: selector, name: name!, object: nil) } func removeObserver(_ observer: AnyObject, name: NSNotification.Name?) { removeObserver(observer, name: name, object: nil) } }
mit
7ac3501344e7a53a28c6ffa93ca93062
35.357724
110
0.727191
5.0876
false
false
false
false
zqqf16/SYM
SYM/Convertor.swift
1
10857
// The MIT License (MIT) // // Copyright (c) 2022 zqqf16 // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all // copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE // SOFTWARE. import Foundation import SwiftyJSON protocol Convertor { static func match(_ content: String) -> Bool func convert(_ content: String) -> String } func convertor(for content: String) -> Convertor? { if AppleJsonConvertor.match(content) { return AppleJsonConvertor() } if KeepJsonConvertor.match(content) { return KeepJsonConvertor() } return nil } extension String { func format(_ json: JSON...) -> Self { return String(format: self, arguments: json.map { $0.stringValue }) } } extension Line { func format(_ json: JSON...) -> Self { let value = String(format: self.value, arguments: json.map { $0.stringValue }) return Line(value) } } struct AppleJsonConvertor: Convertor { static func match(_ content: String) -> Bool { let components = split(content) guard components.header != nil, let payload = components.payload else { return false } return payload["coalitionName"].string != nil || payload["crashReporterKey"].string != nil } private static func split(_ content: String) -> (header: JSON?, payload: JSON?) { var header: JSON? var payload: JSON? var lines = content.components(separatedBy: "\n") if let headerData = lines.removeFirst().data(using: .utf8) { header = try? JSON(data: headerData) } if let payloadData = lines.joined(separator: "\n").data(using: .utf8) { payload = try? JSON(data: payloadData) } return (header, payload) } struct Frame: ContentComponent { var string: String init(_ frame: JSON, index: Int, binaryImages: JSON) { let image = binaryImages[frame["imageIndex"].intValue] let address = frame["imageOffset"].intValue + image["base"].intValue // 0 Foundation 0x182348144 xxx + 200 string = Line { String(index).padding(length: 4) image["name"].stringValue.padding(length: 39) "0x%llx ".format(address) if let symbol = frame["symbol"].string, let symbolLocation = frame["symbolLocation"].int { "\(symbol) + \(symbolLocation)" } else { "0x%llx + %d".format(image["base"].int64Value, frame["imageOffset"].intValue) } if let sourceFile = frame["sourceFile"].string, let sourceLine = frame["sourceLine"].int { " (\(sourceFile):\(sourceLine))" } }.string } } struct Thread: ContentComponent { var string: String init(_ thread: JSON, index: Int, binaryImages: JSON) { string = String(builder: { if thread["name"].string != nil { Line { "Thread \(index) name: \(thread["name"].stringValue)" if let queue = thread["queue"].string { " Dispatch queue: \(queue)" } } } else if let queue = thread["queue"].string { Line("Thread \(index) name: Dispatch queue: \(queue)") } if thread["triggered"].boolValue { Line("Thread \(index) Crashed:") } else { Line("Thread \(index):") } for (frameIndex, frame) in thread["frames"].arrayValue.enumerated() { Frame(frame, index: frameIndex, binaryImages: binaryImages) } Line.empty }) } } struct Image: ContentComponent { var string: String init(_ image: JSON) { string = Line { "0x%llx - 0x%llx " .format(image["base"].intValue, image["base"].intValue + image["size"].intValue - 1) "%@ %@ " .format(image["name"].stringValue, image["arch"].stringValue) "<%@> %@" .format(image["uuid"].stringValue.replacingOccurrences(of: "-", with: ""), image["path"].stringValue) }.string } } struct Registers: ContentComponent { var string: String init(_ payload: JSON) { let threads = payload["threads"].arrayValue let triggeredThread = threads.first { thread in thread["triggered"].boolValue } if triggeredThread == nil { string = "" return } let triggeredIndex = payload["faultingThread"].intValue let cpu = payload["cpuType"].stringValue var content = "Thread \(triggeredIndex) crashed with ARM Thread State (\(cpu)):\n" let threadState = triggeredThread!["threadState"] let x = threadState["x"].arrayValue for (index, reg) in x.enumerated() { let id = "x\(index)".padding(length: 6, atLeft: true) content.append("\(id): 0x%016X".format(reg["value"].int64Value)) if index % 4 == 3 { content.append("\n") } } var index = x.count % 4 for name in ["fp", "lr", "sp", "pc", "cpsr", "far", "esr"] { let value = threadState[name]["value"].int64Value let desc = threadState[name]["description"].stringValue let id = "\(name)".padding(length: 6, atLeft: true) content.append("\(id): 0x%016X".format(value)) if desc.count > 0 { content.append(" \(desc)") } if index % 3 == 2 { content.append("\n") } index += 1 } content.append("\n") string = content } } func convert(_ content: String) -> String { let components = Self.split(content) guard let header = components.header, let payload = components.payload else { return content } let _P: (String) -> String = { key in payload[key].stringValue } let _H: (String) -> String = { key in header[key].stringValue } return String(builder: { Line("Incident Identifier: %@").format(_H("incident_id")) Line("CrashReporter Key: %@").format(_P("crashReporterKey")) Line("Hardware Model: %@").format(_P("modelCode")) Line("Process: %@ [%@]").format(_P("procName"), _P("pid")) Line("Path: %@").format(_P("procPath")) Line("Identifier: %@").format(_P("coalitionName")) Line("Version: %@ (%@)").format(_H("app_version"), _H("build_version")) Line("Code Type: %@").format(_P("cpuType")) Line("Role: %@").format(_P("procRole")) Line("Parent Process: %@ [%@]").format(_P("parentProc"), _P("parentPid")) Line("Coalition: %@ [%@]").format(_P("coalitionName"), _P("coalitionID")) Line.empty Line("Date/Time: %@").format(_P("captureTime")) Line("Launch Time: %@").format(_P("procLaunch")) Line("OS Version: %@").format(_H("os_version")) Line("Release Type: %@").format(payload["osVersion"]["releaseType"].stringValue) Line("Baseband Version: %@").format(_P("basebandVersion")) Line("Report Version: 104") Line.empty Line("Exception Type: %@ (%@)") .format(payload["exception"]["type"].stringValue, payload["exception"]["signal"].stringValue) Line("Exception Codes: %@").format(payload["exception"]["codes"].stringValue) if payload["isCorpse"].boolValue { Line("Exception Note: EXC_CORPSE_NOTIFY") } Line("Termination Reason: %@ %@") .format(payload["termination"]["namespace"].stringValue, payload["termination"]["code"].stringValue) Line(payload["termination"]["details"][0].stringValue) Line("Triggered by Thread: %@".format(_P("faultingThread"))) if let asi = payload["asi"].dictionary { Line.empty Line("Application Specific Information:") for (_, value) in asi { for item in value.arrayValue { Line(item.stringValue) } } } if let ktriageinfo = payload["ktriageinfo"].string { Line.empty Line("Kernel Triage: \n\(ktriageinfo)") } Line.empty let binaryImages = payload["usedImages"] let threads = payload["threads"].arrayValue for (index, thread) in threads.enumerated() { Thread(thread, index: index, binaryImages: binaryImages) } Line.empty Registers(payload) Line.empty if payload["vmSummary"].string != nil { Line.empty Line("VM Region Info: \n\(_P("vmSummary"))") } Line.empty Line("Binary Images:") for image in binaryImages.arrayValue { Image(image) } Line.empty Line("EOF") Line.empty }) } }
mit
80e8ca01e718c2bc8409578fe6343399
37.775
121
0.519204
4.808237
false
false
false
false
Viddi/ios-process-button
ProcessButton/ProcessButton/ProcessButton.swift
1
1112
// // ProcessButton.swift // ProcessButton // // Created by Vidar Ottosson on 2/7/15. // Copyright (c) 2015 Vidar Ottosson. All rights reserved. // import UIKit class ProcessButton: FlatButton, FlatButtonDelegate { let LineHeight: CGFloat = 4.0 var processView: ProcessView! override init(frame: CGRect) { super.init(frame: frame) prepareView() } required init(coder aDecoder: NSCoder) { super.init(coder: aDecoder) prepareView() } override func layoutSubviews() { super.layoutSubviews() processView.frame = CGRect(x: 0, y: frame.height - LineHeight, width: frame.width, height: LineHeight) } private func prepareView() { delegate = self processView = ProcessView(frame: CGRect(x: 0, y: frame.height - LineHeight, width: frame.width, height: LineHeight)) addSubview(processView) } func animate(shouldAnimate: Bool) { if shouldAnimate { enabled = false } else { enabled = true } processView.animate(shouldAnimate) } func showSuccess() { animate(false) } func showError() { animate(false) } }
mit
8834b8b98266991321c1e9966c2a1de0
19.592593
120
0.668165
3.971429
false
false
false
false
HongliYu/firefox-ios
ClientTests/ActivityStreamTests.swift
1
1740
/* This Source Code Form is subject to the terms of the Mozilla Public * License, v. 2.0. If a copy of the MPL was not distributed with this * file, You can obtain one at http://mozilla.org/MPL/2.0/. */ import UIKit import XCTest @testable import Client import Shared import Storage import Deferred import SyncTelemetry class ActivityStreamTests: XCTestCase { var profile: MockProfile! var panel: ActivityStreamPanel! override func setUp() { super.setUp() self.profile = MockProfile() self.panel = ActivityStreamPanel(profile: profile) } func testDeletionOfSingleSuggestedSite() { let siteToDelete = panel.defaultTopSites()[0] panel.hideURLFromTopSites(siteToDelete) let newSites = panel.defaultTopSites() XCTAssertFalse(newSites.contains(siteToDelete, f: { (a, b) -> Bool in return a.url == b.url })) } func testDeletionOfAllDefaultSites() { let defaultSites = panel.defaultTopSites() defaultSites.forEach({ panel.hideURLFromTopSites($0) }) let newSites = panel.defaultTopSites() XCTAssertTrue(newSites.isEmpty) } } fileprivate class MockTopSitesHistory: MockableHistory { let mockTopSites: [Site] init(sites: [Site]) { mockTopSites = sites } override func getTopSitesWithLimit(_ limit: Int) -> Deferred<Maybe<Cursor<Site>>> { return deferMaybe(ArrayCursor(data: mockTopSites)) } override func getPinnedTopSites() -> Deferred<Maybe<Cursor<Site>>> { return deferMaybe(ArrayCursor(data: [])) } override func updateTopSitesCacheIfInvalidated() -> Deferred<Maybe<Bool>> { return deferMaybe(true) } }
mpl-2.0
b5bbf892332079e62a114295fe02f060
26.619048
87
0.668966
4.473008
false
true
false
false
narner/AudioKit
Examples/macOS/AudioUnitManager/AudioUnitManager/AudioUnitGenericView.swift
1
2322
// // GenericAudioUnitView.swift // // Created by Ryan Francesconi on 6/27/17. // Copyright © 2017 AudioKit. All rights reserved. // import Cocoa import AVFoundation /// Creates a simple list of parameters linked to sliders class AudioUnitGenericView: NSView { open var name: String = "" open var preferredWidth: CGFloat = 360 open var preferredHeight: CGFloat = 400 override var isFlipped: Bool { return true } open var opaqueBackground: Bool = true open var backgroundColor: NSColor = NSColor.darkGray { didSet { needsDisplay = true } } override func draw(_ dirtyRect: NSRect) { super.draw(dirtyRect) if opaqueBackground { backgroundColor.setFill() let rect = NSMakeRect(0, 0, bounds.width, bounds.height) // let rectanglePath = NSBezierPath(roundedRect: rect, xRadius: 0, yRadius: 0) // let rectanglePath = rect.fill() } } convenience init(au: AVAudioUnit) { self.init() wantsLayer = true if let cname = au.auAudioUnit.componentName { name = cname } let nameField = NSTextField() nameField.isSelectable = false nameField.isBordered = false nameField.isEditable = false nameField.alignment = .center nameField.font = NSFont.boldSystemFont(ofSize: 12) nameField.textColor = NSColor.white nameField.backgroundColor = NSColor.white.withAlphaComponent(0) nameField.stringValue = name nameField.frame = NSRect(x: 0, y: 4, width: preferredWidth, height: 20) addSubview(nameField) guard let tree = au.auAudioUnit.parameterTree else { return } var y = 5 for param in tree.allParameters { y += 24 let slider = AudioUnitParamSlider(audioUnit: au, param: param ) slider.setFrameOrigin(NSPoint(x: 10, y: y)) addSubview(slider) DispatchQueue.main.async { slider.updateValue() } } preferredHeight = CGFloat(y + 50) frame.size = NSSize(width: preferredWidth, height: preferredHeight) } func handleChange(_ sender: NSSlider) { //Swift.print(sender.doubleValue) } }
mit
5201bfc1b2b55468a84727400515bc0d
26.630952
89
0.610513
4.785567
false
false
false
false
PureSwift/Cacao
Sources/Cacao/UIControl.swift
1
8251
// // UIControl.swift // Cacao // // Created by Alsey Coleman Miller on 6/7/17. // import class Foundation.NSNull /// The base class for controls, which are visual elements that convey /// a specific action or intention in response to user interactions. open class UIControl: UIView { // MARK: - Configuring the Control’s Attributes /// The state of the control, specified as a bitmask value. /// /// The value of this property is a bitmask of the constants in the UIControlState type. /// A control can be in more than one state at a time. /// For example, it can be focused and highlighted at the same time. /// You can also get the values for individual states using the properties of this class. open var state: UIControlState { return .normal } // MARK: - Accessing the Control’s Targets and Actions /// Target-Action pairs private var targetActions = [Target: [UIControlEvents: [Selector]]]() /// Associates a target object and action method with the control. public func addTarget(_ target: AnyHashable?, action: Selector, for controlEvents: UIControlEvents) { let target = Target(target) targetActions[target, default: [:]][controlEvents, default: []].append(action) } /// Stops the delivery of events to the specified target object. public func removeTarget(_ target: AnyHashable?, action: Selector, for controlEvents: UIControlEvents) { let target = Target(target) guard let index = targetActions[target, default: [:]][controlEvents, default: []].index(of: action) else { return } targetActions[target, default: [:]][controlEvents, default: []].remove(at: index) } /// Returns the actions performed on a target object when the specified event occurs. /// /// - Parameter target: The target object—that is, an object that has an action method associated with this control. /// You must pass an explicit object for this method to return a meaningful result. /// Specifying `nil` always returns `nil`. /// - Parameter controlEvent: A single control event constant representing the event /// for which you want the list of action methods. /// For a list of possible constants, see `UIControlEvents`. public func actions(forTarget target: AnyHashable?, forControlEvent controlEvent: UIControlEvents) -> [Selector]? { guard let targetValue = target else { return nil } let target = Target(targetValue) return targetActions[target, default: [:]][controlEvent, default: []] } /// Returns the events for which the control has associated actions. /// /// - Returns: A bitmask of constants indicating the events for which this control has associated actions. public var allControlEvents: UIControlEvents { return targetActions .reduce([UIControlEvents](), { $0 + Array($1.value.keys) }) .reduce(UIControlEvents(), { $0.union($1) }) } /// Returns all target objects associated with the control. /// /// - Returns: A set of all target objects associated with the control. /// The returned set may include one or more `NSNull` objects to indicate actions that are dispatched to the responder chain. public var allTargets: Set<AnyHashable> { let targets = targetActions.keys.map { $0.value ?? NSNull() as AnyHashable } return Set(targets) } // MARK: - Triggering Actions /// Calls the specified action method. public func sendAction(_ action: Selector, to target: AnyHashable?, for event: UIEvent?) { let target = target ?? (self.next ?? NSNull()) as AnyHashable action.action(target, self, event) } /// Calls the action methods associated with the specified events. public func sendActions(for controlEvents: UIControlEvents) { for (target, eventActions) in targetActions { let actions = eventActions[controlEvents, default: []] for action in actions { sendAction(action, to: target.value, for: nil) } } } } private extension UIControl { final class Target: Hashable { let value: AnyHashable? init(_ value: AnyHashable? = nil) { self.value = value } var hashValue: Int { return value?.hashValue ?? 0 } static func == (lhs: Target, rhs: Target) -> Bool { return lhs.value == rhs.value } } } /// Cacao extension since Swift doesn't support ObjC runtime (on non-Darwin platforms) public struct Selector: Hashable { public typealias Action = (_ target: AnyHashable, _ sender: AnyObject?, _ event: UIEvent?) -> () public let action: Action public let name: String public init(name: String, action: @escaping Action) { self.name = name self.action = action } public var hashValue: Int { return name.hashValue } public static func == (lhs: Selector, rhs: Selector) -> Bool { return lhs.name == rhs.name } } /// Constants describing the state of a control. /// /// A control can have more than one state at a time. /// Controls can be configured differently based on their state. /// For example, a `UIButton` object can be configured to display one image /// when it is in its normal state and a different image when it is highlighted. public struct UIControlState: OptionSet { public let rawValue: Int public init(rawValue: Int = 0) { self.rawValue = rawValue } /// The normal, or default state of a control—that is, enabled but neither selected nor highlighted. public static let normal = UIControlState(rawValue: 0) public static let highlighted = UIControlState(rawValue: 1 << 0) public static let disabled = UIControlState(rawValue: 1 << 1) public static let selected = UIControlState(rawValue: 1 << 2) public static let focused = UIControlState(rawValue: 1 << 3) public static let application = UIControlState(rawValue: 0x00FF0000) } public struct UIControlEvents: OptionSet { public let rawValue: Int public init(rawValue: Int = 0) { self.rawValue = rawValue } public static let touchDown = UIControlEvents(rawValue: 1 << 0) public static let touchDownRepeat = UIControlEvents(rawValue: 1 << 1) public static let touchDragInside = UIControlEvents(rawValue: 1 << 2) public static let touchDragOutside = UIControlEvents(rawValue: 1 << 3) public static let touchDragEnter = UIControlEvents(rawValue: 1 << 4) public static let touchDragExit = UIControlEvents(rawValue: 1 << 5) public static let touchUpInside = UIControlEvents(rawValue: 1 << 6) public static let touchUpOutside = UIControlEvents(rawValue: 1 << 7) public static let touchCancel = UIControlEvents(rawValue: 1 << 8) public static let valueChanged = UIControlEvents(rawValue: 1 << 12) public static let primaryActionTriggered = UIControlEvents(rawValue: 1 << 13) public static let editingDidBegin = UIControlEvents(rawValue: 1 << 16) public static let editingChanged = UIControlEvents(rawValue: 1 << 17) public static let editingDidEnd = UIControlEvents(rawValue: 1 << 18) public static let editingDidEndOnExit = UIControlEvents(rawValue: 1 << 19) public static let allTouchEvents = UIControlEvents(rawValue: 0x00000FFF) public static let allEditingEvents = UIControlEvents(rawValue: 0x000F0000) public static let applicationReserved = UIControlEvents(rawValue: 0x0F000000) public static let systemReserved = UIControlEvents(rawValue: 0xF0000000) public static let allEvents = UIControlEvents(rawValue: 0xFFFFFFFF) } extension UIControlEvents: Hashable { public var hashValue: Int { return rawValue } }
mit
016019db59fd9b0f56c60bc00ca187f2
35.473451
129
0.648914
5.06638
false
false
false
false
Ehrippura/firefox-ios
Storage/ThirdParty/SwiftData.swift
1
61859
/* This Source Code Form is subject to the terms of the Mozilla Public * License, v. 2.0. If a copy of the MPL was not distributed with this file, * You can obtain one at http://mozilla.org/MPL/2.0/. */ /* * This is a heavily modified version of SwiftData.swift by Ryan Fowler * This has been enhanced to support custom files, correct binding, versioning, * and a streaming results via Cursors. The API has also been changed to use NSError, Cursors, and * to force callers to request a connection before executing commands. Database creation helpers, savepoint * helpers, image support, and other features have been removed. */ // SwiftData.swift // // Copyright (c) 2014 Ryan Fowler // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. import Foundation import UIKit import Deferred import Shared import XCGLogger private let DatabaseBusyTimeout: Int32 = 3 * 1000 private let log = Logger.syncLogger enum SQLiteDBConnectionCreatedResult { case success case failure case needsRecovery } // SQLite standard error codes when the DB file is locked, busy or the disk is // full. These error codes indicate that any issues with writing to the database // are temporary and we should not wipe out and re-create the database file when // we encounter them. enum SQLiteDBRecoverableError: Int { case Busy = 5 case Locked = 6 case ReadOnly = 8 case IOErr = 10 case Full = 13 } /** * Handle to a SQLite database. * Each instance holds a single connection that is shared across all queries. */ open class SwiftData { let filename: String let schema: Schema let files: FileAccessor static var EnableWAL = true static var EnableForeignKeys = true /// Used to keep track of the corrupted databases we've logged. static var corruptionLogsWritten = Set<String>() /// Used for testing. static var ReuseConnections = true /// For thread-safe access to the shared connection. fileprivate let sharedConnectionQueue: DispatchQueue /// Shared connection to this database. fileprivate var sharedConnection: ConcreteSQLiteDBConnection? fileprivate var key: String? fileprivate var prevKey: String? /// A simple state flag to track whether we should accept new connection requests. /// If a connection request is made while the database is closed, a /// FailedSQLiteDBConnection will be returned. fileprivate(set) var closed = false init(filename: String, key: String? = nil, prevKey: String? = nil, schema: Schema, files: FileAccessor) { self.filename = filename self.key = key self.prevKey = prevKey self.schema = schema self.files = files self.sharedConnectionQueue = DispatchQueue(label: "SwiftData queue: \(filename)", attributes: []) // Ensure that multi-thread mode is enabled by default. // See https://www.sqlite.org/threadsafe.html assert(sqlite3_threadsafe() == 2) } fileprivate func getSharedConnection() -> ConcreteSQLiteDBConnection? { var connection: ConcreteSQLiteDBConnection? sharedConnectionQueue.sync { if self.closed { log.warning(">>> Database is closed for \(self.filename)") return } if self.sharedConnection == nil { log.debug(">>> Creating shared SQLiteDBConnection for \(self.filename) on thread \(Thread.current).") self.sharedConnection = ConcreteSQLiteDBConnection(filename: self.filename, flags: SwiftData.Flags.readWriteCreate.toSQL(), key: self.key, prevKey: self.prevKey, schema: self.schema, files: self.files) } connection = self.sharedConnection } return connection } /** * The real meat of all the execute methods. This is used internally to open and * close a database connection and run a block of code inside it. */ func withConnection<T>(_ flags: SwiftData.Flags, synchronous: Bool = false, _ callback: @escaping (_ connection: SQLiteDBConnection) throws -> T) -> Deferred<Maybe<T>> { let deferred = Deferred<Maybe<T>>() /** * We use a weak reference here instead of strongly retaining the connection because we don't want * any control over when the connection deallocs. If the only owner of the connection (SwiftData) * decides to dealloc it, we should respect that since the deinit method of the connection is tied * to the app lifecycle. This is to prevent background disk access causing springboard crashes. */ weak var conn = getSharedConnection() let queue = self.sharedConnectionQueue func doWork() { // By the time this dispatch block runs, it is possible the user has backgrounded the // app and the connection has been dealloc'ed since we last grabbed the reference guard let connection = SwiftData.ReuseConnections ? conn : ConcreteSQLiteDBConnection(filename: filename, flags: flags.toSQL(), key: self.key, prevKey: self.prevKey, schema: self.schema, files: self.files) else { do { _ = try callback(FailedSQLiteDBConnection()) deferred.fill(Maybe(failure: NSError(domain: "mozilla", code: 0, userInfo: [NSLocalizedDescriptionKey: "Could not create a connection"]))) } catch let err as NSError { deferred.fill(Maybe(failure: DatabaseError(err: err))) } return } do { let result = try callback(connection) deferred.fill(Maybe(success: result)) } catch let err as NSError { deferred.fill(Maybe(failure: DatabaseError(err: err))) } } if synchronous { queue.sync { doWork() } } else { queue.async { doWork() } } return deferred } /** * Helper for opening a connection, starting a transaction, and then running a block of code inside it. * The code block can return true if the transaction should be committed. False if we should roll back. */ func transaction<T>(synchronous: Bool = false, _ transactionClosure: @escaping (_ connection: SQLiteDBConnection) throws -> T) -> Deferred<Maybe<T>> { return withConnection(SwiftData.Flags.readWriteCreate, synchronous: synchronous) { connection in try connection.transaction(transactionClosure) } } /// Don't use this unless you know what you're doing. The deinitializer /// should be used to achieve refcounting semantics. func forceClose() { sharedConnectionQueue.sync { self.closed = true self.sharedConnection = nil } } /// Reopens a database that had previously been force-closed. /// Does nothing if this database is already open. func reopenIfClosed() { sharedConnectionQueue.sync { self.closed = false } } public enum Flags { case readOnly case readWrite case readWriteCreate fileprivate func toSQL() -> Int32 { switch self { case .readOnly: return SQLITE_OPEN_READONLY case .readWrite: return SQLITE_OPEN_READWRITE case .readWriteCreate: return SQLITE_OPEN_READWRITE | SQLITE_OPEN_CREATE } } } } /** * Wrapper class for a SQLite statement. * This class helps manage the statement lifecycle. By holding a reference to the SQL connection, we ensure * the connection is never deinitialized while the statement is active. This class is responsible for * finalizing the SQL statement once it goes out of scope. */ private class SQLiteDBStatement { var pointer: OpaquePointer? fileprivate let connection: ConcreteSQLiteDBConnection init(connection: ConcreteSQLiteDBConnection, query: String, args: [Any?]?) throws { self.connection = connection let status = sqlite3_prepare_v2(connection.sqliteDB, query, -1, &pointer, nil) if status != SQLITE_OK { throw connection.createErr("During: SQL Prepare \(query)", status: Int(status)) } if let args = args, let bindError = bind(args) { throw bindError } } /// Binds arguments to the statement. fileprivate func bind(_ objects: [Any?]) -> NSError? { let count = Int(sqlite3_bind_parameter_count(pointer)) if count < objects.count { return connection.createErr("During: Bind", status: 202) } if count > objects.count { return connection.createErr("During: Bind", status: 201) } for (index, obj) in objects.enumerated() { var status: Int32 = SQLITE_OK // Doubles also pass obj as Int, so order is important here. if obj is Double { status = sqlite3_bind_double(pointer, Int32(index+1), obj as! Double) } else if obj is Int { status = sqlite3_bind_int(pointer, Int32(index+1), Int32(obj as! Int)) } else if obj is Bool { status = sqlite3_bind_int(pointer, Int32(index+1), (obj as! Bool) ? 1 : 0) } else if obj is String { typealias CFunction = @convention(c) (UnsafeMutableRawPointer?) -> Void let transient = unsafeBitCast(-1, to: CFunction.self) status = sqlite3_bind_text(pointer, Int32(index+1), (obj as! String).cString(using: String.Encoding.utf8)!, -1, transient) } else if obj is Data { status = sqlite3_bind_blob(pointer, Int32(index+1), ((obj as! Data) as NSData).bytes, -1, nil) } else if obj is Date { let timestamp = (obj as! Date).timeIntervalSince1970 status = sqlite3_bind_double(pointer, Int32(index+1), timestamp) } else if obj is UInt64 { status = sqlite3_bind_double(pointer, Int32(index+1), Double(obj as! UInt64)) } else if obj == nil { status = sqlite3_bind_null(pointer, Int32(index+1)) } if status != SQLITE_OK { return connection.createErr("During: Bind", status: Int(status)) } } return nil } func close() { if nil != self.pointer { sqlite3_finalize(self.pointer) self.pointer = nil } } deinit { if nil != self.pointer { sqlite3_finalize(self.pointer) } } } public protocol SQLiteDBConnection { var lastInsertedRowID: Int { get } var numberOfRowsModified: Int { get } var version: Int { get } func executeChange(_ sqlStr: String) throws -> Void func executeChange(_ sqlStr: String, withArgs args: Args?) throws -> Void func executeQuery<T>(_ sqlStr: String, factory: @escaping ((SDRow) -> T)) -> Cursor<T> func executeQuery<T>(_ sqlStr: String, factory: @escaping ((SDRow) -> T), withArgs args: Args?) -> Cursor<T> func executeQueryUnsafe<T>(_ sqlStr: String, factory: @escaping ((SDRow) -> T), withArgs args: Args?) -> Cursor<T> func transaction<T>(_ transactionClosure: @escaping (_ connection: SQLiteDBConnection) throws -> T) throws -> T func interrupt() func checkpoint() func checkpoint(_ mode: Int32) func vacuum() throws -> Void func setVersion(_ version: Int) throws -> Void } // Represents a failure to open. class FailedSQLiteDBConnection: SQLiteDBConnection { var lastInsertedRowID: Int = 0 var numberOfRowsModified: Int = 0 var version: Int = 0 fileprivate func fail(_ str: String) -> NSError { return NSError(domain: "mozilla", code: 0, userInfo: [NSLocalizedDescriptionKey: str]) } func executeChange(_ sqlStr: String, withArgs args: Args?) throws -> Void { throw fail("Non-open connection; can't execute change.") } func executeChange(_ sqlStr: String) throws -> Void { throw fail("Non-open connection; can't execute change.") } func executeQuery<T>(_ sqlStr: String, factory: @escaping ((SDRow) -> T)) -> Cursor<T> { return Cursor<T>(err: fail("Non-open connection; can't execute query.")) } func executeQuery<T>(_ sqlStr: String, factory: @escaping ((SDRow) -> T), withArgs args: Args?) -> Cursor<T> { return Cursor<T>(err: fail("Non-open connection; can't execute query.")) } func executeQueryUnsafe<T>(_ sqlStr: String, factory: @escaping ((SDRow) -> T), withArgs args: Args?) -> Cursor<T> { return Cursor<T>(err: fail("Non-open connection; can't execute query.")) } func transaction<T>(_ transactionClosure: @escaping (_ connection: SQLiteDBConnection) throws -> T) throws -> T { throw fail("Non-open connection; can't start transaction.") } func interrupt() {} func checkpoint() {} func checkpoint(_ mode: Int32) {} func vacuum() throws -> Void { throw fail("Non-open connection; can't vacuum.") } func setVersion(_ version: Int) throws -> Void { throw fail("Non-open connection; can't set user_version.") } } open class ConcreteSQLiteDBConnection: SQLiteDBConnection { open var lastInsertedRowID: Int { return Int(sqlite3_last_insert_rowid(sqliteDB)) } open var numberOfRowsModified: Int { return Int(sqlite3_changes(sqliteDB)) } open var version: Int { return pragma("user_version", factory: IntFactory) ?? 0 } fileprivate var sqliteDB: OpaquePointer? fileprivate let filename: String fileprivate let schema: Schema fileprivate let files: FileAccessor fileprivate let debug_enabled = false init?(filename: String, flags: Int32, key: String? = nil, prevKey: String? = nil, schema: Schema, files: FileAccessor) { log.debug("Opening connection to \(filename).") self.filename = filename self.schema = schema self.files = files func doOpen() -> Bool { if let failure = openWithFlags(flags) { log.warning("Opening connection to \(filename) failed: \(failure).") return false } if key == nil && prevKey == nil { do { try self.prepareCleartext() } catch { return false } } else { do { try self.prepareEncrypted(flags, key: key, prevKey: prevKey) } catch { return false } } return true } // If we cannot even open the database file, return `nil` to force SwiftData // into using a `FailedSQLiteDBConnection` so we can retry opening again later. if !doOpen() { log.error("Cannot open a database connection to \(filename).") SentryIntegration.shared.sendWithStacktrace(message: "Cannot open a database connection to \(filename).", tag: "SwiftData", severity: .error) return nil } // Now that we've successfully opened a connection to the database file, call // `prepareSchema()`. If it succeeds, our work here is done. If it returns // `.failure`, this means there was a temporary error preventing us from initing // the schema (e.g. SQLITE_BUSY, SQLITE_LOCK, SQLITE_FULL); so we return `nil` to // force SwiftData into using a `FailedSQLiteDBConnection` to retry preparing the // schema again later. However, if it returns `.needsRecovery`, this means there // was a permanent error preparing the schema and we need to move the current // database file to a backup location and start over with a brand new one. switch self.prepareSchema() { case .success: log.debug("Database succesfully created or updated.") case .failure: log.error("Failed to create or update the database schema.") SentryIntegration.shared.sendWithStacktrace(message: "Failed to create or update the database schema.", tag: "SwiftData", severity: .error) return nil case .needsRecovery: log.error("Database schema cannot be created or updated due to an unrecoverable error.") SentryIntegration.shared.sendWithStacktrace(message: "Database schema cannot be created or updated due to an unrecoverable error.", tag: "SwiftData", severity: .error) // We need to close this new connection before we can move the database file to // its backup location. If we cannot even close the connection, something has // gone really wrong. In that case, bail out and return `nil` to force SwiftData // into using a `FailedSQLiteDBConnection` so we can retry again later. if let error = self.closeCustomConnection(immediately: true) { log.error("Cannot close the database connection to begin recovery. \(error.localizedDescription)") SentryIntegration.shared.sendWithStacktrace(message: "Cannot close the database connection to begin recovery. \(error.localizedDescription)", tag: "SwiftData", severity: .error) return nil } // Move the current database file to its backup location. self.moveDatabaseFileToBackupLocation() // If we cannot open the *new* database file (which shouldn't happen), return // `nil` to force SwiftData into using a `FailedSQLiteDBConnection` so we can // retry opening again later. if !doOpen() { log.error("Cannot re-open a database connection to the new database file to begin recovery.") SentryIntegration.shared.sendWithStacktrace(message: "Cannot re-open a database connection to the new database file to begin recovery.", tag: "SwiftData", severity: .error) return nil } // Notify the world that we re-created the database schema. This allows us to // reset Sync and start over in the case of corruption. defer { let baseFilename = URL(fileURLWithPath: self.filename).lastPathComponent NotificationCenter.default.post(name: NotificationDatabaseWasRecreated, object: baseFilename) } // Now that we've got a brand new database file, let's call `prepareSchema()` on // it to re-create the schema. Again, if this fails (it shouldn't), return `nil` // to force SwiftData into using a `FailedSQLiteDBConnection` so we can retry // again later. if self.prepareSchema() != .success { log.error("Cannot re-create the schema in the new database file to complete recovery.") SentryIntegration.shared.sendWithStacktrace(message: "Cannot re-create the schema in the new database file to complete recovery.", tag: "SwiftData", severity: .error) return nil } } } deinit { log.debug("deinit: closing connection on thread \(Thread.current).") self.closeCustomConnection() } fileprivate func setKey(_ key: String?) -> NSError? { sqlite3_key(sqliteDB, key ?? "", Int32((key ?? "").characters.count)) let cursor = executeQuery("SELECT count(*) FROM sqlite_master;", factory: IntFactory, withArgs: nil as Args?) if cursor.status != .success { return NSError(domain: "mozilla", code: 0, userInfo: [NSLocalizedDescriptionKey: "Invalid key"]) } return nil } fileprivate func reKey(_ oldKey: String?, newKey: String?) -> NSError? { sqlite3_key(sqliteDB, oldKey ?? "", Int32((oldKey ?? "").characters.count)) sqlite3_rekey(sqliteDB, newKey ?? "", Int32((newKey ?? "").characters.count)) // Check that the new key actually works sqlite3_key(sqliteDB, newKey ?? "", Int32((newKey ?? "").characters.count)) let cursor = executeQuery("SELECT count(*) FROM sqlite_master;", factory: IntFactory, withArgs: nil as Args?) if cursor.status != .success { return NSError(domain: "mozilla", code: 0, userInfo: [NSLocalizedDescriptionKey: "Rekey failed"]) } return nil } public func setVersion(_ version: Int) throws -> Void { try executeChange("PRAGMA user_version = \(version)") } public func interrupt() { log.debug("Interrupt") sqlite3_interrupt(sqliteDB) } fileprivate func pragma<T: Equatable>(_ pragma: String, expected: T?, factory: @escaping (SDRow) -> T, message: String) throws { let cursorResult = self.pragma(pragma, factory: factory) if cursorResult != expected { log.error("\(message): \(cursorResult.debugDescription), \(expected.debugDescription)") throw NSError(domain: "mozilla", code: 0, userInfo: [NSLocalizedDescriptionKey: "PRAGMA didn't return expected output: \(message)."]) } } fileprivate func pragma<T>(_ pragma: String, factory: @escaping (SDRow) -> T) -> T? { let cursor = executeQueryUnsafe("PRAGMA \(pragma)", factory: factory, withArgs: [] as Args) defer { cursor.close() } return cursor[0] } fileprivate func prepareShared() { if SwiftData.EnableForeignKeys { let _ = pragma("foreign_keys=ON", factory: IntFactory) } // Retry queries before returning locked errors. sqlite3_busy_timeout(self.sqliteDB, DatabaseBusyTimeout) } fileprivate func prepareEncrypted(_ flags: Int32, key: String?, prevKey: String? = nil) throws { // Setting the key needs to be the first thing done with the database. if let _ = setKey(key) { if let err = closeCustomConnection(immediately: true) { log.error("Couldn't close connection: \(err). Failing to open.") throw err } if let err = openWithFlags(flags) { log.error("Error opening database with flags. Error code: \(err.code), \(err)") SentryIntegration.shared.sendWithStacktrace(message: "Error opening database with flags. Error code: \(err.code), \(err)", tag: "SwiftData", severity: .error) throw err } if let err = reKey(prevKey, newKey: key) { // Note: Don't log the error here as it may contain sensitive data. log.error("Unable to encrypt database.") SentryIntegration.shared.sendWithStacktrace(message: "Unable to encrypt database.", tag: "SwiftData", severity: .error) throw err } } if SwiftData.EnableWAL { log.info("Enabling WAL mode.") try pragma("journal_mode=WAL", expected: "wal", factory: StringFactory, message: "WAL journal mode set") } self.prepareShared() } fileprivate func prepareCleartext() throws { // If we just created the DB -- i.e., no tables have been created yet -- then // we can set the page size right now and save a vacuum. // // For where these values come from, see Bug 1213623. // // Note that sqlcipher uses cipher_page_size instead, but we don't set that // because it needs to be set from day one. let desiredPageSize = 32 * 1024 let _ = pragma("page_size=\(desiredPageSize)", factory: IntFactory) let currentPageSize = pragma("page_size", factory: IntFactory) // This has to be done without WAL, so we always hop into rollback/delete journal mode. if currentPageSize != desiredPageSize { try pragma("journal_mode=DELETE", expected: "delete", factory: StringFactory, message: "delete journal mode set") try pragma("page_size=\(desiredPageSize)", expected: nil, factory: IntFactory, message: "Page size set") log.info("Vacuuming to alter database page size from \(currentPageSize ?? 0) to \(desiredPageSize).") do { try vacuum() log.debug("Vacuuming succeeded.") } catch let err as NSError { log.error("Vacuuming failed: \(err.localizedDescription).") } } if SwiftData.EnableWAL { log.info("Enabling WAL mode.") let desiredPagesPerJournal = 16 let desiredCheckpointSize = desiredPagesPerJournal * desiredPageSize let desiredJournalSizeLimit = 3 * desiredCheckpointSize /* * With whole-module-optimization enabled in Xcode 7.2 and 7.2.1, the * compiler seems to eagerly discard these queries if they're simply * inlined, causing a crash in `pragma`. * * Hackily hold on to them. */ let journalModeQuery = "journal_mode=WAL" let autoCheckpointQuery = "wal_autocheckpoint=\(desiredPagesPerJournal)" let journalSizeQuery = "journal_size_limit=\(desiredJournalSizeLimit)" try withExtendedLifetime(journalModeQuery, { try pragma(journalModeQuery, expected: "wal", factory: StringFactory, message: "WAL journal mode set") }) try withExtendedLifetime(autoCheckpointQuery, { try pragma(autoCheckpointQuery, expected: desiredPagesPerJournal, factory: IntFactory, message: "WAL autocheckpoint set") }) try withExtendedLifetime(journalSizeQuery, { try pragma(journalSizeQuery, expected: desiredJournalSizeLimit, factory: IntFactory, message: "WAL journal size limit set") }) } self.prepareShared() } // Creates the database schema in a new database. fileprivate func createSchema() -> Bool { log.debug("Trying to create schema \(self.schema.name) at version \(self.schema.version)") if !schema.create(self) { // If schema couldn't be created, we'll bail without setting the `PRAGMA user_version`. log.debug("Creation failed.") return false } do { try setVersion(schema.version) } catch let error as NSError { log.error("Unable to set the schema version; \(error.localizedDescription)") } return true } // Updates the database schema in an existing database. fileprivate func updateSchema() -> Bool { log.debug("Trying to update schema \(self.schema.name) from version \(self.version) to \(self.schema.version)") if !schema.update(self, from: self.version) { // If schema couldn't be updated, we'll bail without setting the `PRAGMA user_version`. log.debug("Updating failed.") return false } do { try setVersion(schema.version) } catch let error as NSError { log.error("Unable to set the schema version; \(error.localizedDescription)") } return true } // Drops the database schema from an existing database. fileprivate func dropSchema() -> Bool { log.debug("Trying to drop schema \(self.schema.name)") if !self.schema.drop(self) { // If schema couldn't be dropped, we'll bail without setting the `PRAGMA user_version`. log.debug("Dropping failed.") return false } do { try setVersion(0) } catch let error as NSError { log.error("Unable to reset the schema version; \(error.localizedDescription)") } return true } // Checks if the database schema needs created or updated and acts accordingly. // Calls to this function will be serialized to prevent race conditions when // creating or updating the schema. fileprivate func prepareSchema() -> SQLiteDBConnectionCreatedResult { SentryIntegration.shared.addAttributes(["dbSchema.\(schema.name).version": schema.version]) // Get the current schema version for the database. let currentVersion = self.version // If the current schema version for the database matches the specified // `Schema` version, no further action is necessary and we can bail out. // NOTE: This assumes that we always use *ONE* `Schema` per database file // since SQLite can only track a single value in `PRAGMA user_version`. if currentVersion == schema.version { log.debug("Schema \(self.schema.name) already exists at version \(self.schema.version). Skipping additional schema preparation.") return .success } // Set an attribute for Sentry to include with any future error/crash // logs to indicate what schema version we're coming from and going to. SentryIntegration.shared.addAttributes(["dbUpgrade.\(self.schema.name).from": currentVersion, "dbUpgrade.\(self.schema.name).to": self.schema.version]) // This should not ever happen since the schema version should always be // increasing whenever a structural change is made in an app update. guard currentVersion <= schema.version else { log.error("Schema \(self.schema.name) cannot be downgraded from version \(currentVersion) to \(self.schema.version).") SentryIntegration.shared.sendWithStacktrace(message: "Schema \(self.schema.name) cannot be downgraded from version \(currentVersion) to \(self.schema.version).", tag: "SwiftData", severity: .error) return .failure } log.debug("Schema \(self.schema.name) needs created or updated from version \(currentVersion) to \(self.schema.version).") var success = true do { success = try transaction { connection -> Bool in log.debug("Create or update \(self.schema.name) version \(self.schema.version) on \(Thread.current.description).") // If `PRAGMA user_version` is zero, check if we can safely create the // database schema from scratch. if connection.version == 0 { // Query for the existence of the `tableList` table to determine if we are // migrating from an older DB version. let sqliteMasterCursor = connection.executeQueryUnsafe("SELECT COUNT(*) AS number FROM sqlite_master WHERE type = 'table' AND name = 'tableList'", factory: IntFactory, withArgs: [] as Args) let tableListTableExists = sqliteMasterCursor[0] == 1 sqliteMasterCursor.close() // If the `tableList` table doesn't exist, we can simply invoke // `createSchema()` to create a brand new DB from scratch. if !tableListTableExists { log.debug("Schema \(self.schema.name) doesn't exist. Creating.") success = self.createSchema() return success } } log.info("Attempting to update schema from version \(currentVersion) to \(self.schema.version).") SentryIntegration.shared.send(message: "Attempting to update schema from version \(currentVersion) to \(self.schema.version).", tag: "SwiftData", severity: .info) // If we can't create a brand new schema from scratch, we must // call `updateSchema()` to go through the update process. if self.updateSchema() { log.debug("Updated schema \(self.schema.name).") success = true return success } // If we failed to update the schema, we'll drop everything from the DB // and create everything again from scratch. Assuming our schema upgrade // code is correct, this *shouldn't* happen. If it does, log it to Sentry. log.error("Update failed for schema \(self.schema.name) from version \(currentVersion) to \(self.schema.version). Dropping and re-creating.") SentryIntegration.shared.sendWithStacktrace(message: "Update failed for schema \(self.schema.name) from version \(currentVersion) to \(self.schema.version). Dropping and re-creating.", tag: "SwiftData", severity: .error) // If we can't even drop the schema here, something has gone really wrong, so // return `false` which should force us into recovery. if !self.dropSchema() { log.error("Unable to drop schema \(self.schema.name) from version \(currentVersion).") SentryIntegration.shared.sendWithStacktrace(message: "Unable to drop schema \(self.schema.name) from version \(currentVersion).", tag: "SwiftData", severity: .error) success = false return success } // Try to re-create the schema. If this fails, we are out of options and we'll // return `false` which should force us into recovery. success = self.createSchema() return success } } catch let error as NSError { // If we got an error trying to get a transaction, then we either bail out early and return // `.failure` if we think we can retry later or return `.needsRecovery` if the error is not // recoverable. log.error("Unable to get a transaction: \(error.localizedDescription)") SentryIntegration.shared.sendWithStacktrace(message: "Unable to get a transaction: \(error.localizedDescription)", tag: "SwiftData", severity: .error) // Check if the error we got is recoverable (e.g. SQLITE_BUSY, SQLITE_LOCK, SQLITE_FULL). // If so, just return `.failure` so we can retry preparing the schema again later. if let _ = SQLiteDBRecoverableError(rawValue: error.code) { return .failure } // Otherwise, this is a non-recoverable error and we return `.needsRecovery` so the database // file can be backed up and a new one will be created. return .needsRecovery } // If any of our operations inside the transaction failed, this also means we need to go through // the recovery process to re-create the database from scratch. if !success { return .needsRecovery } // No error means we're all good! \o/ return .success } fileprivate func moveDatabaseFileToBackupLocation() { let baseFilename = URL(fileURLWithPath: filename).lastPathComponent // Attempt to make a backup as long as the database file still exists. if files.exists(baseFilename) { log.warning("Couldn't create or update schema \(self.schema.name). Attempting to move \(baseFilename) to another location.") SentryIntegration.shared.sendWithStacktrace(message: "Couldn't create or update schema \(self.schema.name). Attempting to move \(baseFilename) to another location.", tag: "SwiftData", severity: .warning) // Note that a backup file might already exist! We append a counter to avoid this. var bakCounter = 0 var bak: String repeat { bakCounter += 1 bak = "\(baseFilename).bak.\(bakCounter)" } while files.exists(bak) do { try files.move(baseFilename, toRelativePath: bak) let shm = baseFilename + "-shm" let wal = baseFilename + "-wal" log.debug("Moving \(shm) and \(wal)…") if files.exists(shm) { log.debug("\(shm) exists.") try files.move(shm, toRelativePath: bak + "-shm") } if files.exists(wal) { log.debug("\(wal) exists.") try files.move(wal, toRelativePath: bak + "-wal") } log.debug("Finished moving database \(baseFilename) successfully.") } catch let error as NSError { log.error("Unable to move \(baseFilename) to another location. \(error)") SentryIntegration.shared.sendWithStacktrace(message: "Unable to move \(baseFilename) to another location. \(error)", tag: "SwiftData", severity: .error) } } else { // No backup was attempted since the database file did not exist. log.error("The database file \(baseFilename) has been deleted while previously in use.") SentryIntegration.shared.sendWithStacktrace(message: "The database file \(baseFilename) has been deleted while previously in use.", tag: "SwiftData", severity: .info) } } public func checkpoint() { self.checkpoint(SQLITE_CHECKPOINT_FULL) } /** * Blindly attempts a WAL checkpoint on all attached databases. */ public func checkpoint(_ mode: Int32) { guard sqliteDB != nil else { log.warning("Trying to checkpoint a nil DB!") return } log.debug("Running WAL checkpoint on \(self.filename) on thread \(Thread.current).") sqlite3_wal_checkpoint_v2(sqliteDB, nil, mode, nil, nil) log.debug("WAL checkpoint done on \(self.filename).") } public func vacuum() throws -> Void { try executeChange("VACUUM") } /// Creates an error from a sqlite status. Will print to the console if debug_enabled is set. /// Do not call this unless you're going to return this error. fileprivate func createErr(_ description: String, status: Int) -> NSError { var msg = SDError.errorMessageFromCode(status) if debug_enabled { log.debug("SwiftData Error -> \(description)") log.debug(" -> Code: \(status) - \(msg)") } if let errMsg = String(validatingUTF8: sqlite3_errmsg(sqliteDB)) { msg += " " + errMsg if debug_enabled { log.debug(" -> Details: \(errMsg)") } } return NSError(domain: "org.mozilla", code: status, userInfo: [NSLocalizedDescriptionKey: msg]) } /// Open the connection. This is called when the db is created. You should not call it yourself. fileprivate func openWithFlags(_ flags: Int32) -> NSError? { let status = sqlite3_open_v2(filename.cString(using: String.Encoding.utf8)!, &sqliteDB, flags, nil) if status != SQLITE_OK { return createErr("During: Opening Database with Flags", status: Int(status)) } return nil } /// Closes a connection. This is called via deinit. Do not call this yourself. @discardableResult fileprivate func closeCustomConnection(immediately: Bool = false) -> NSError? { log.debug("Closing custom connection for \(self.filename) on \(Thread.current).") // TODO: add a lock here? let db = self.sqliteDB self.sqliteDB = nil // Don't bother trying to call sqlite3_close multiple times. guard db != nil else { log.warning("Connection was nil.") return nil } var status = sqlite3_close(db) if status != SQLITE_OK { log.error("Got status \(status) while attempting to close.") SentryIntegration.shared.sendWithStacktrace(message: "Got status \(status) while attempting to close.", tag: "SwiftData", severity: .error) if immediately { return createErr("During: closing database with flags", status: Int(status)) } // Note that if we use sqlite3_close_v2, this will still return SQLITE_OK even if // there are outstanding prepared statements status = sqlite3_close_v2(db) if status != SQLITE_OK { // Based on the above comment regarding sqlite3_close_v2, this shouldn't happen. log.error("Got status \(status) while attempting to close_v2.") SentryIntegration.shared.sendWithStacktrace(message: "Got status \(status) while attempting to close_v2.", tag: "SwiftData", severity: .error) return createErr("During: closing database with flags", status: Int(status)) } } log.debug("Closed \(self.filename).") return nil } open func executeChange(_ sqlStr: String) throws -> Void { try executeChange(sqlStr, withArgs: nil) } /// Executes a change on the database. open func executeChange(_ sqlStr: String, withArgs args: Args?) throws -> Void { var error: NSError? let statement: SQLiteDBStatement? do { statement = try SQLiteDBStatement(connection: self, query: sqlStr, args: args) } catch let error1 as NSError { error = error1 statement = nil } // Close, not reset -- this isn't going to be reused. defer { statement?.close() } if let error = error { // Special case: Write additional info to the database log in the case of a database corruption. if error.code == Int(SQLITE_CORRUPT) { writeCorruptionInfoForDBNamed(filename, toLogger: Logger.corruptLogger) SentryIntegration.shared.sendWithStacktrace(message: "SQLITE_CORRUPT for DB \(filename), \(error)", tag: "SwiftData", severity: .error) } let message = "SQL error. Error code: \(error.code), \(error) for SQL \(String(sqlStr.characters.prefix(500)))." log.error(message) SentryIntegration.shared.sendWithStacktrace(message: message, tag: "SwiftData", severity: .error) throw error } let status = sqlite3_step(statement!.pointer) if status != SQLITE_DONE && status != SQLITE_OK { throw createErr("During: SQL Step \(sqlStr)", status: Int(status)) } } public func executeQuery<T>(_ sqlStr: String, factory: @escaping ((SDRow) -> T)) -> Cursor<T> { return self.executeQuery(sqlStr, factory: factory, withArgs: nil) } /// Queries the database. /// Returns a cursor pre-filled with the complete result set. public func executeQuery<T>(_ sqlStr: String, factory: @escaping ((SDRow) -> T), withArgs args: Args?) -> Cursor<T> { var error: NSError? let statement: SQLiteDBStatement? do { statement = try SQLiteDBStatement(connection: self, query: sqlStr, args: args) } catch let error1 as NSError { error = error1 statement = nil } // Close, not reset -- this isn't going to be reused, and the FilledSQLiteCursor // consumes everything. defer { statement?.close() } if let error = error { // Special case: Write additional info to the database log in the case of a database corruption. if error.code == Int(SQLITE_CORRUPT) { writeCorruptionInfoForDBNamed(filename, toLogger: Logger.corruptLogger) SentryIntegration.shared.sendWithStacktrace(message: "SQLITE_CORRUPT for DB \(filename), \(error)", tag: "SwiftData", severity: .error) } let message = "SQL error. Error code: \(error.code), \(error) for SQL \(String(sqlStr.characters.prefix(500)))." log.error(message) SentryIntegration.shared.sendWithStacktrace(message: message, tag: "SwiftData", severity: .error) return Cursor<T>(err: error) } return FilledSQLiteCursor<T>(statement: statement!, factory: factory) } func writeCorruptionInfoForDBNamed(_ dbFilename: String, toLogger logger: XCGLogger) { DispatchQueue.global(qos: DispatchQoS.default.qosClass).sync { guard !SwiftData.corruptionLogsWritten.contains(dbFilename) else { return } logger.error("Corrupt DB detected! DB filename: \(dbFilename)") let dbFileSize = ("file://\(dbFilename)".asURL)?.allocatedFileSize() ?? 0 logger.error("DB file size: \(dbFileSize) bytes") logger.error("Integrity check:") let args: [Any?]? = nil let messages = self.executeQueryUnsafe("PRAGMA integrity_check", factory: StringFactory, withArgs: args) defer { messages.close() } if messages.status == CursorStatus.success { for message in messages { logger.error(message) } logger.error("----") } else { logger.error("Couldn't run integrity check: \(messages.statusMessage).") } // Write call stack. logger.error("Call stack: ") for message in Thread.callStackSymbols { logger.error(" >> \(message)") } logger.error("----") // Write open file handles. let openDescriptors = FSUtils.openFileDescriptors() logger.error("Open file descriptors: ") for (k, v) in openDescriptors { logger.error(" \(k): \(v)") } logger.error("----") SwiftData.corruptionLogsWritten.insert(dbFilename) } } /** * Queries the database. * Returns a live cursor that holds the query statement and database connection. * Instances of this class *must not* leak outside of the connection queue! */ public func executeQueryUnsafe<T>(_ sqlStr: String, factory: @escaping ((SDRow) -> T), withArgs args: Args?) -> Cursor<T> { var error: NSError? let statement: SQLiteDBStatement? do { statement = try SQLiteDBStatement(connection: self, query: sqlStr, args: args) } catch let error1 as NSError { error = error1 statement = nil } if let error = error { return Cursor(err: error) } return LiveSQLiteCursor(statement: statement!, factory: factory) } public func transaction<T>(_ transactionClosure: @escaping (_ connection: SQLiteDBConnection) throws -> T) throws -> T { do { try executeChange("BEGIN EXCLUSIVE") } catch let err as NSError { log.error("BEGIN EXCLUSIVE failed. Error code: \(err.code), \(err)") SentryIntegration.shared.sendWithStacktrace(message: "BEGIN EXCLUSIVE failed. Error code: \(err.code), \(err)", tag: "SwiftData", severity: .error) throw err } var result: T do { result = try transactionClosure(self) } catch let err as NSError { log.error("Op in transaction threw an error. Rolling back.") SentryIntegration.shared.sendWithStacktrace(message: "Op in transaction threw an error. Rolling back.", tag: "SwiftData", severity: .error) do { try executeChange("ROLLBACK") } catch let err as NSError { log.error("ROLLBACK after errored op in transaction failed. Error code: \(err.code), \(err)") SentryIntegration.shared.sendWithStacktrace(message: "ROLLBACK after errored op in transaction failed. Error code: \(err.code), \(err)", tag: "SwiftData", severity: .error) throw err } throw err } log.verbose("Op in transaction succeeded. Committing.") do { try executeChange("COMMIT") } catch let err as NSError { log.error("COMMIT failed. Rolling back. Error code: \(err.code), \(err)") SentryIntegration.shared.sendWithStacktrace(message: "COMMIT failed. Rolling back. Error code: \(err.code), \(err)", tag: "SwiftData", severity: .error) do { try executeChange("ROLLBACK") } catch let err as NSError { log.error("ROLLBACK after failed COMMIT failed. Error code: \(err.code), \(err)") SentryIntegration.shared.sendWithStacktrace(message: "ROLLBACK after failed COMMIT failed. Error code: \(err.code), \(err)", tag: "SwiftData", severity: .error) throw err } throw err } return result } } /// Helper for queries that return a single integer result. func IntFactory(_ row: SDRow) -> Int { return row[0] as! Int } /// Helper for queries that return a single String result. func StringFactory(_ row: SDRow) -> String { return row[0] as! String } /// Wrapper around a statement for getting data from a row. This provides accessors for subscript indexing /// and a generator for iterating over columns. open class SDRow: Sequence { // The sqlite statement this row came from. fileprivate let statement: SQLiteDBStatement // The columns of this database. The indices of these are assumed to match the indices // of the statement. fileprivate let columnNames: [String] fileprivate init(statement: SQLiteDBStatement, columns: [String]) { self.statement = statement self.columnNames = columns } // Return the value at this index in the row fileprivate func getValue(_ index: Int) -> Any? { let i = Int32(index) let type = sqlite3_column_type(statement.pointer, i) var ret: Any? = nil switch type { case SQLITE_NULL, SQLITE_INTEGER: //Everyone expects this to be an Int. On Ints larger than 2^31 this will lose information. ret = Int(truncatingBitPattern: sqlite3_column_int64(statement.pointer, i)) case SQLITE_TEXT: if let text = sqlite3_column_text(statement.pointer, i) { return String(cString: text) } case SQLITE_BLOB: if let blob = sqlite3_column_blob(statement.pointer, i) { let size = sqlite3_column_bytes(statement.pointer, i) ret = Data(bytes: blob, count: Int(size)) } case SQLITE_FLOAT: ret = Double(sqlite3_column_double(statement.pointer, i)) default: log.warning("SwiftData Warning -> Column: \(index) is of an unrecognized type, returning nil") } return ret } // Accessor getting column 'key' in the row subscript(key: Int) -> Any? { return getValue(key) } // Accessor getting a named column in the row. This (currently) depends on // the columns array passed into this Row to find the correct index. subscript(key: String) -> Any? { get { if let index = columnNames.index(of: key) { return getValue(index) } return nil } } // Allow iterating through the row. public func makeIterator() -> AnyIterator<Any> { let nextIndex = 0 return AnyIterator() { if nextIndex < self.columnNames.count { return self.getValue(nextIndex) } return nil } } } /// Helper for pretty printing SQL (and other custom) error codes. private struct SDError { fileprivate static func errorMessageFromCode(_ errorCode: Int) -> String { switch errorCode { case -1: return "No error" // SQLite error codes and descriptions as per: http://www.sqlite.org/c3ref/c_abort.html case 0: return "Successful result" case 1: return "SQL error or missing database" case 2: return "Internal logic error in SQLite" case 3: return "Access permission denied" case 4: return "Callback routine requested an abort" case 5: return "The database file is busy" case 6: return "A table in the database is locked" case 7: return "A malloc() failed" case 8: return "Attempt to write a readonly database" case 9: return "Operation terminated by sqlite3_interrupt()" case 10: return "Some kind of disk I/O error occurred" case 11: return "The database disk image is malformed" case 12: return "Unknown opcode in sqlite3_file_control()" case 13: return "Insertion failed because database is full" case 14: return "Unable to open the database file" case 15: return "Database lock protocol error" case 16: return "Database is empty" case 17: return "The database schema changed" case 18: return "String or BLOB exceeds size limit" case 19: return "Abort due to constraint violation" case 20: return "Data type mismatch" case 21: return "Library used incorrectly" case 22: return "Uses OS features not supported on host" case 23: return "Authorization denied" case 24: return "Auxiliary database format error" case 25: return "2nd parameter to sqlite3_bind out of range" case 26: return "File opened that is not a database file" case 27: return "Notifications from sqlite3_log()" case 28: return "Warnings from sqlite3_log()" case 100: return "sqlite3_step() has another row ready" case 101: return "sqlite3_step() has finished executing" // Custom SwiftData errors // Binding errors case 201: return "Not enough objects to bind provided" case 202: return "Too many objects to bind provided" // Custom connection errors case 301: return "A custom connection is already open" case 302: return "Cannot open a custom connection inside a transaction" case 303: return "Cannot open a custom connection inside a savepoint" case 304: return "A custom connection is not currently open" case 305: return "Cannot close a custom connection inside a transaction" case 306: return "Cannot close a custom connection inside a savepoint" // Index and table errors case 401: return "At least one column name must be provided" case 402: return "Error extracting index names from sqlite_master" case 403: return "Error extracting table names from sqlite_master" // Transaction and savepoint errors case 501: return "Cannot begin a transaction within a savepoint" case 502: return "Cannot begin a transaction within another transaction" // Unknown error default: return "Unknown error" } } } /// Provides access to the result set returned by a database query. /// The entire result set is cached, so this does not retain a reference /// to the statement or the database connection. private class FilledSQLiteCursor<T>: ArrayCursor<T> { fileprivate init(statement: SQLiteDBStatement, factory: (SDRow) -> T) { let (data, status, statusMessage) = FilledSQLiteCursor.getValues(statement, factory: factory) super.init(data: data, status: status, statusMessage: statusMessage) } /// Return an array with the set of results and release the statement. fileprivate class func getValues(_ statement: SQLiteDBStatement, factory: (SDRow) -> T) -> ([T], CursorStatus, String) { var rows = [T]() var status = CursorStatus.success var statusMessage = "Success" var count = 0 var columns = [String]() let columnCount = sqlite3_column_count(statement.pointer) for i in 0..<columnCount { let columnName = String(cString: sqlite3_column_name(statement.pointer, i)) columns.append(columnName) } while true { let sqlStatus = sqlite3_step(statement.pointer) if sqlStatus != SQLITE_ROW { if sqlStatus != SQLITE_DONE { // NOTE: By setting our status to failure here, we'll report our count as zero, // regardless of how far we've read at this point. status = CursorStatus.failure statusMessage = SDError.errorMessageFromCode(Int(sqlStatus)) } break } count += 1 let row = SDRow(statement: statement, columns: columns) let result = factory(row) rows.append(result) } return (rows, status, statusMessage) } } /// Wrapper around a statement to help with iterating through the results. private class LiveSQLiteCursor<T>: Cursor<T> { fileprivate var statement: SQLiteDBStatement! // Function for generating objects of type T from a row. fileprivate let factory: (SDRow) -> T // Status of the previous fetch request. fileprivate var sqlStatus: Int32 = 0 // Number of rows in the database // XXX - When Cursor becomes an interface, this should be a normal property, but right now // we can't override the Cursor getter for count with a stored property. fileprivate var _count: Int = 0 override var count: Int { get { if status != .success { return 0 } return _count } } fileprivate var position: Int = -1 { didSet { // If we're already there, shortcut out. if oldValue == position { return } var stepStart = oldValue // If we're currently somewhere in the list after this position // we'll have to jump back to the start. if position < oldValue { sqlite3_reset(self.statement.pointer) stepStart = -1 } // Now step up through the list to the requested position for _ in stepStart..<position { sqlStatus = sqlite3_step(self.statement.pointer) } } } init(statement: SQLiteDBStatement, factory: @escaping (SDRow) -> T) { self.factory = factory self.statement = statement // The only way I know to get a count. Walk through the entire statement to see how many rows there are. var count = 0 self.sqlStatus = sqlite3_step(statement.pointer) while self.sqlStatus != SQLITE_DONE { count += 1 self.sqlStatus = sqlite3_step(statement.pointer) } sqlite3_reset(statement.pointer) self._count = count super.init(status: .success, msg: "success") } // Helper for finding all the column names in this statement. fileprivate lazy var columns: [String] = { // This untangles all of the columns and values for this row when its created let columnCount = sqlite3_column_count(self.statement.pointer) var columns = [String]() for i: Int32 in 0 ..< columnCount { let columnName = String(cString: sqlite3_column_name(self.statement.pointer, i)) columns.append(columnName) } return columns }() override subscript(index: Int) -> T? { get { if status != .success { return nil } self.position = index if self.sqlStatus != SQLITE_ROW { return nil } let row = SDRow(statement: statement, columns: self.columns) return self.factory(row) } } override func close() { statement = nil super.close() } }
mpl-2.0
2feffaa89369795a9dbec3e6fa395471
40.9654
236
0.605396
4.911625
false
false
false
false
sol/aeson
tests/JSONTestSuite/parsers/test_PMJSON_1_2_0/Parser.swift
7
28248
// // Decoder.swift // PMJSON // // Created by Kevin Ballard on 10/8/15. // Copyright © 2016 Postmates. // // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your // option. This file may not be copied, modified, or distributed // except according to those terms. // #if os(Linux) import Glibc #else import Darwin #endif /// A streaming JSON parser that consumes a sequence of unicode scalars. public struct JSONParser<Seq: Sequence>: Sequence where Seq.Iterator.Element == UnicodeScalar { public init(_ seq: Seq, options: JSONParserOptions = []) { base = seq self.options = options } /// Options to apply to the parser. /// See `JSONParserOptions` for details. var options: JSONParserOptions @available(*, deprecated, renamed: "options.strict") public var strict: Bool { get { return options.strict } set { options.strict = newValue } } @available(*, deprecated, renamed: "options.streaming") public var streaming: Bool { get { return options.streaming } set { options.streaming = newValue } } public func makeIterator() -> JSONParserIterator<Seq.Iterator> { return JSONParserIterator(base.makeIterator(), options: options) } private let base: Seq } /// Options that can be used to configure a `JSONParser`. public struct JSONParserOptions { /// If `true`, the parser strictly conforms to RFC 7159. /// If `false`, the parser accepts the following extensions: /// - Trailing commas. /// - Less restrictive about numbers, such as `-01` or `-.123`. /// /// The default value is `false`. public var strict: Bool = false /// If `true`, the parser will parse a stream of json values with optional whitespace delimiters. /// The default value of `false` makes the parser emit an error if there are any non-whitespace /// characters after the first JSON value. /// /// For example, with the input `"[1] [2,3]"`, if `streaming` is `true` the parser will emit /// events for the second JSON array after the first one, but if `streaming` is `false` it will /// emit an error upon encountering the second `[`. /// /// - Note: If `streaming` is `true` and the input is empty (or contains only whitespace), the /// parser will return `nil` instead of emitting an `.unexpectedEOF` error. /// /// The default value is `false`. public var streaming: Bool = false /// Returns a new `JSONParserOptions` with default values. public init() {} /// Returns a new `JSONParserOptions`. /// - Parameter strict: Whether the parser should be strict. Defaults to `false`. /// - Parameter streaming: Whether the parser should operate in streaming mode. Defaults to `false`. public init(strict: Bool = false, streaming: Bool = false) { self.strict = strict self.streaming = streaming } } extension JSONParserOptions: ExpressibleByArrayLiteral { public enum Element { case strict case streaming } public init(arrayLiteral elements: Element...) { for elt in elements { switch elt { case .strict: strict = true case .streaming: streaming = true } } } } /// The iterator for `JSONParser`. public struct JSONParserIterator<Iter: IteratorProtocol>: JSONEventIterator where Iter.Element == UnicodeScalar { public init(_ iter: Iter, options: JSONParserOptions = []) { base = PeekIterator(iter) self.options = options } /// Options to apply to the parser. /// See `JSONParserOptions` for details. public var options: JSONParserOptions @available(*, deprecated, renamed: "options.strict") public var strict: Bool { get { return options.strict } set { options.strict = newValue } } @available(*, deprecated, renamed: "options.strict") public var streaming: Bool { get { return options.streaming } set { options.streaming = newValue } } public mutating func next() -> JSONEvent? { do { // the only states that may loop are parseArrayComma, parseObjectComma, and (if streaming) parseEnd, // which are all guaranteed to shift to other states (if they don't return) so the loop is finite while true { switch state { case .parseArrayComma: switch skipWhitespace() { case ","?: state = .parseArray(first: false) continue case "]"?: try popStack() return .arrayEnd case .some: throw error(.invalidSyntax) case nil: throw error(.unexpectedEOF) } case .parseObjectComma: switch skipWhitespace() { case ","?: state = .parseObjectKey(first: false) continue case "}"?: try popStack() return .objectEnd case .some: throw error(.invalidSyntax) case nil: throw error(.unexpectedEOF) } case .initial: guard let c = skipWhitespace() else { if options.streaming { state = .finished return nil } else { throw error(.unexpectedEOF) } } let evt = try parseValue(c) switch evt { case .arrayStart, .objectStart: break default: state = .parseEnd } return evt case .parseArray(let first): guard let c = skipWhitespace() else { throw error(.unexpectedEOF) } switch c { case "]": if !first && options.strict { throw error(.trailingComma) } try popStack() return .arrayEnd case ",": throw error(.missingValue) default: let evt = try parseValue(c) switch evt { case .arrayStart, .objectStart: break default: state = .parseArrayComma } return evt } case .parseObjectKey(let first): guard let c = skipWhitespace() else { throw error(.unexpectedEOF) } switch c { case "}": if !first && options.strict { throw error(.trailingComma) } try popStack() return .objectEnd case ",", ":": throw error(.missingKey) default: let evt = try parseValue(c) switch evt { case .stringValue: state = .parseObjectValue default: throw error(.nonStringKey) } return evt } case .parseObjectValue: guard skipWhitespace() == ":" else { throw error(.expectedColon) } guard let c = skipWhitespace() else { throw error(.unexpectedEOF) } switch c { case ",", "}": throw error(.missingValue) default: let evt = try parseValue(c) switch evt { case .arrayStart, .objectStart: break default: state = .parseObjectComma } return evt } case .parseEnd: if options.streaming { state = .initial } else if skipWhitespace() != nil { throw error(.trailingCharacters) } else { state = .finished return nil } case .finished: return nil } } } catch let error as JSONParserError { state = .finished return .error(error) } catch { fatalError("unexpected error \(error)") } } private mutating func popStack() throws { if stack.popLast() == nil { fatalError("exhausted stack") } switch stack.last { case .array?: state = .parseArrayComma case .object?: state = .parseObjectComma case nil: state = .parseEnd } } private mutating func parseValue(_ c: UnicodeScalar) throws -> JSONEvent { switch c { case "[": state = .parseArray(first: true) stack.append(.array) return .arrayStart case "{": state = .parseObjectKey(first: true) stack.append(.object) return .objectStart case "\"": var scalars = String.UnicodeScalarView() while let c = bump() { switch c { case "\"": return .stringValue(String(scalars)) case "\\": let c = try bumpRequired() switch c { case "\"", "\\", "/": scalars.append(c) case "b": scalars.append(UnicodeScalar(0x8)) case "f": scalars.append(UnicodeScalar(0xC)) case "n": scalars.append("\n" as UnicodeScalar) case "r": scalars.append("\r" as UnicodeScalar) case "t": scalars.append("\t" as UnicodeScalar) case "u": let codeUnit = try parseFourHex() if UTF16.isLeadSurrogate(codeUnit) { guard try (bumpRequired() == "\\" && bumpRequired() == "u") else { throw error(.invalidSurrogateEscape) } let trail = try parseFourHex() if UTF16.isTrailSurrogate(trail) { let lead = UInt32(codeUnit) let trail = UInt32(trail) // NB: The following is split up to avoid exponential time complexity in the type checker let leadComponent: UInt32 = (lead - 0xD800) << 10 let trailComponent: UInt32 = trail - 0xDC00 let scalar = UnicodeScalar(leadComponent + trailComponent + 0x10000)! scalars.append(scalar) } else { throw error(.invalidSurrogateEscape) } } else if let scalar = UnicodeScalar(codeUnit) { scalars.append(scalar) } else { // Must be a lone trail surrogate throw error(.invalidSurrogateEscape) } default: throw error(.invalidEscape) } case "\0"..."\u{1F}": throw error(.invalidSyntax) default: scalars.append(c) } } throw error(.unexpectedEOF) case "-", "0"..."9": var tempBuffer: ContiguousArray<Int8> if let buffer = replace(&self.tempBuffer, with: nil) { tempBuffer = buffer tempBuffer.removeAll(keepingCapacity: true) } else { tempBuffer = ContiguousArray() tempBuffer.reserveCapacity(12) } defer { self.tempBuffer = tempBuffer } tempBuffer.append(Int8(truncatingBitPattern: c.value)) if options.strict { let digit: UnicodeScalar if c == "-" { guard let c2 = bump(), case "0"..."9" = c2 else { throw error(.invalidNumber) } digit = c2 tempBuffer.append(Int8(truncatingBitPattern: digit.value)) } else { digit = c } if digit == "0", case ("0"..."9")? = base.peek() { // In strict mode, you can't have numbers like 01 throw error(.invalidNumber) } } /// Invoke this after parsing the "e" character. @inline(__always) func parseExponent() throws -> Double { let c = try bumpRequired() tempBuffer.append(Int8(truncatingBitPattern: c.value)) switch c { case "-", "+": guard let c = bump(), case "0"..."9" = c else { throw error(.invalidNumber) } tempBuffer.append(Int8(truncatingBitPattern: c.value)) case "0"..."9": break default: throw error(.invalidNumber) } loop: while let c = base.peek() { switch c { case "0"..."9": bump() tempBuffer.append(Int8(truncatingBitPattern: c.value)) default: break loop } } tempBuffer.append(0) return tempBuffer.withUnsafeBufferPointer({strtod($0.baseAddress, nil)}) } outerLoop: while let c = base.peek() { switch c { case "0"..."9": bump() tempBuffer.append(Int8(truncatingBitPattern: c.value)) case ".": bump() tempBuffer.append(Int8(truncatingBitPattern: c.value)) guard let c = bump(), case "0"..."9" = c else { throw error(.invalidNumber) } tempBuffer.append(Int8(truncatingBitPattern: c.value)) loop: while let c = base.peek() { switch c { case "0"..."9": bump() tempBuffer.append(Int8(truncatingBitPattern: c.value)) case "e", "E": bump() tempBuffer.append(Int8(truncatingBitPattern: c.value)) return try .doubleValue(parseExponent()) default: break loop } } tempBuffer.append(0) return .doubleValue(tempBuffer.withUnsafeBufferPointer({strtod($0.baseAddress, nil)})) case "e", "E": bump() tempBuffer.append(Int8(truncatingBitPattern: c.value)) return try .doubleValue(parseExponent()) default: break outerLoop } } if tempBuffer.count == 1 && tempBuffer[0] == 0x2d /* - */ { throw error(.invalidNumber) } tempBuffer.append(0) let num = tempBuffer.withUnsafeBufferPointer({ ptr -> Int64? in errno = 0 let n = strtoll(ptr.baseAddress, nil, 10) if n == 0 && errno != 0 { return nil } else { return n } }) if let num = num { return .int64Value(num) } // out of range, fall back to Double return .doubleValue(tempBuffer.withUnsafeBufferPointer({strtod($0.baseAddress, nil)})) case "t": let line = self.line, column = self.column guard case "r"? = bump(), case "u"? = bump(), case "e"? = bump() else { throw JSONParserError(code: .invalidSyntax, line: line, column: column) } return .booleanValue(true) case "f": let line = self.line, column = self.column guard case "a"? = bump(), case "l"? = bump(), case "s"? = bump(), case "e"? = bump() else { throw JSONParserError(code: .invalidSyntax, line: line, column: column) } return .booleanValue(false) case "n": let line = self.line, column = self.column guard case "u"? = bump(), case "l"? = bump(), case "l"? = bump() else { throw JSONParserError(code: .invalidSyntax, line: line, column: column) } return .nullValue default: throw error(.invalidSyntax) } } private mutating func skipWhitespace() -> UnicodeScalar? { while let c = bump() { switch c { case " ", "\t", "\n", "\r": continue default: return c } } return nil } private mutating func parseFourHex() throws -> UInt16 { var codepoint: UInt32 = 0 for _ in 0..<4 { let c = try bumpRequired() codepoint <<= 4 switch c { case "0"..."9": codepoint += c.value - 48 case "a"..."f": codepoint += c.value - 87 case "A"..."F": codepoint += c.value - 55 default: throw error(.invalidEscape) } } return UInt16(truncatingBitPattern: codepoint) } @inline(__always) @discardableResult private mutating func bump() -> UnicodeScalar? { let c = base.next() if c == "\n" { line += 1 column = 0 } else { column += 1 } return c } @inline(__always) private mutating func bumpRequired() throws -> UnicodeScalar { guard let c = bump() else { throw error(.unexpectedEOF) } return c } private func error(_ code: JSONParserError.Code) -> JSONParserError { return JSONParserError(code: code, line: line, column: column) } /// The line of the last emitted token. public private(set) var line: UInt = 0 /// The column of the last emitted token. public private(set) var column: UInt = 0 private var base: PeekIterator<Iter> private var state: State = .initial private var stack: [Stack] = [] private var tempBuffer: ContiguousArray<Int8>? } @available(*, renamed: "JSONParserIterator") typealias JSONParserGenerator<Gen: IteratorProtocol> = JSONParserIterator<Gen> where Gen.Element == UnicodeScalar private enum State { /// Initial state case initial /// Parse an element or the end of the array case parseArray(first: Bool) /// Parse a comma or the end of the array case parseArrayComma /// Parse an object key or the end of the array case parseObjectKey(first: Bool) /// Parse a colon followed by an object value case parseObjectValue /// Parse a comma or the end of the object case parseObjectComma /// Parse whitespace or EOF case parseEnd /// Parsing has completed case finished } private enum Stack { case array case object } /// A streaming JSON parser event. public enum JSONEvent: Hashable { /// The start of an object. /// Inside of an object, each key/value pair is emitted as a /// `StringValue` for the key followed by the `JSONEvent` sequence /// that describes the value. case objectStart /// The end of an object. case objectEnd /// The start of an array. case arrayStart /// The end of an array. case arrayEnd /// A boolean value. case booleanValue(Bool) /// A signed 64-bit integral value. case int64Value(Int64) /// A double value. case doubleValue(Double) /// A string value. case stringValue(String) /// The null value. case nullValue /// A parser error. case error(JSONParserError) public var hashValue: Int { switch self { case .objectStart: return 1 case .objectEnd: return 2 case .arrayStart: return 3 case .arrayEnd: return 4 case .booleanValue(let b): return b.hashValue << 4 + 5 case .int64Value(let i): return i.hashValue << 4 + 6 case .doubleValue(let d): return d.hashValue << 4 + 7 case .stringValue(let s): return s.hashValue << 4 + 8 case .nullValue: return 9 case .error(let error): return error.hashValue << 4 + 10 } } public static func ==(lhs: JSONEvent, rhs: JSONEvent) -> Bool { switch (lhs, rhs) { case (.objectStart, .objectStart), (.objectEnd, .objectEnd), (.arrayStart, .arrayStart), (.arrayEnd, .arrayEnd), (.nullValue, .nullValue): return true case let (.booleanValue(a), .booleanValue(b)): return a == b case let (.int64Value(a), .int64Value(b)): return a == b case let (.doubleValue(a), .doubleValue(b)): return a == b case let (.stringValue(a), .stringValue(b)): return a == b case let (.error(a), .error(b)): return a == b default: return false } } } /// An iterator of `JSONEvent`s that records column/line info. public protocol JSONEventIterator: IteratorProtocol { /// The line of the last emitted token. var line: UInt { get } /// The column of the last emitted token. var column: UInt { get } } @available(*, renamed: "JSONEventIterator") public typealias JSONEventGenerator = JSONEventIterator public struct JSONParserError: Error, Hashable, CustomStringConvertible { /// A generic syntax error. public static let invalidSyntax: Code = .invalidSyntax /// An invalid number. public static let invalidNumber: Code = .invalidNumber /// An invalid string escape. public static let invalidEscape: Code = .invalidEscape /// A unicode string escape with an invalid code point. public static let invalidUnicodeScalar: Code = .invalidUnicodeScalar /// A unicode string escape representing a leading surrogate that wasn't followed /// by a trailing surrogate, or a trailing surrogate that wasn't preceeded /// by a leading surrogate. public static let invalidSurrogateEscape: Code = .invalidSurrogateEscape /// A control character in a string. public static let controlCharacterInString: Code = .controlCharacterInString /// A comma was found where a colon was expected in an object. public static let expectedColon: Code = .expectedColon /// A comma or colon was found in an object without a key. public static let missingKey: Code = .missingKey /// An object key was found that was not a string. public static let nonStringKey: Code = .nonStringKey /// A comma or object end was encountered where a value was expected. public static let missingValue: Code = .missingValue /// A trailing comma was found in an array or object. Only emitted when the parser is in strict mode. public static let trailingComma: Code = .trailingComma /// Trailing (non-whitespace) characters found after the close /// of the root value. /// - Note: This error cannot be thrown if the parser is in streaming mode. public static let trailingCharacters: Code = .trailingCharacters /// EOF was found before the root value finished parsing. public static let unexpectedEOF: Code = .unexpectedEOF @available(*, unavailable, renamed: "invalidSurrogateEscape") public static let loneLeadingSurrogateInUnicodeEscape: Code = .invalidSurrogateEscape public let code: Code public let line: UInt public let column: UInt public init(code: Code, line: UInt, column: UInt) { self.code = code self.line = line self.column = column } public var _code: Int { return code.rawValue } public enum Code: Int { /// A generic syntax error. case invalidSyntax /// An invalid number. case invalidNumber /// An invalid string escape. case invalidEscape /// A unicode string escape with an invalid code point. case invalidUnicodeScalar /// A unicode string escape representing a leading surrogate that wasn't followed /// by a trailing surrogate, or a trailing surrogate that wasn't preceeded /// by a leading surrogate. case invalidSurrogateEscape /// A control character in a string. case controlCharacterInString /// A comma was found where a colon was expected in an object. case expectedColon /// A comma or colon was found in an object without a key. case missingKey /// An object key was found that was not a string. case nonStringKey /// A comma or object end was encountered where a value was expected. case missingValue /// A trailing comma was found in an array or object. Only emitted when the parser is in strict mode. case trailingComma /// Trailing (non-whitespace) characters found after the close /// of the root value. /// - Note: This error cannot be thrown if the parser is in streaming mode. case trailingCharacters /// EOF was found before the root value finished parsing. case unexpectedEOF @available(*, unavailable, renamed: "invalidSurrogateEscape") static let loneLeadingSurrogateInUnicodeEscape: Code = .invalidSurrogateEscape public static func ~=(lhs: Code, rhs: Error) -> Bool { if let error = rhs as? JSONParserError { return lhs == error.code } else { return false } } } public var description: String { return "JSONParserError(\(code), line: \(line), column: \(column))" } public var hashValue: Int { return Int(bitPattern: line << 18) ^ Int(bitPattern: column << 4) ^ code.rawValue } public static func ==(lhs: JSONParserError, rhs: JSONParserError) -> Bool { return (lhs.code, lhs.line, lhs.column) == (rhs.code, rhs.line, rhs.column) } } private struct PeekIterator<Base: IteratorProtocol> { init(_ base: Base) { self.base = base } mutating func peek() -> Base.Element? { if let elt = peeked { return elt } let elt = base.next() peeked = .some(elt) return elt } mutating func next() -> Base.Element? { if let elt = peeked { peeked = nil return elt } return base.next() } private var base: Base private var peeked: Base.Element?? } private func replace<T>(_ a: inout T, with b: T) -> T { var b = b swap(&a, &b) return b }
bsd-3-clause
a4045ac315ccef6f36334f881b750471
36.915436
121
0.515772
5.302609
false
false
false
false
s-aska/Justaway-for-iOS
Justaway/HomeTimelineTableViewController.swift
1
1980
// // SearchStatusTableViewController.swift // Justaway // // Created by Shinichiro Aska on 1/25/15. // Copyright (c) 2015 Shinichiro Aska. All rights reserved. // import Foundation import KeyClip import Async class HomeTimelineTableViewController: StatusTableViewController { override func saveCache() { if self.adapter.rows.count > 0 { let statuses = self.adapter.statuses let dictionary = ["statuses": ( statuses.count > 100 ? Array(statuses[0 ..< 100]) : statuses ).map({ $0.dictionaryValue })] _ = KeyClip.save("homeTimeline", dictionary: dictionary as NSDictionary) NSLog("homeTimeline saveCache.") } } override func loadCache(_ success: @escaping ((_ statuses: [TwitterStatus]) -> Void), failure: @escaping ((_ error: NSError) -> Void)) { Async.background { if let cache = KeyClip.load("homeTimeline") as NSDictionary? { if let statuses = cache["statuses"] as? [[String: AnyObject]] { success(statuses.map({ TwitterStatus($0) })) return } } success([TwitterStatus]()) Async.background(after: 0.3, { () -> Void in self.loadData(nil) }) } } override func loadData(_ maxID: String?, success: @escaping ((_ statuses: [TwitterStatus]) -> Void), failure: @escaping ((_ error: NSError) -> Void)) { Twitter.getHomeTimeline(maxID: maxID, success: success, failure: failure) } override func loadData(sinceID: String?, maxID: String?, success: @escaping ((_ statuses: [TwitterStatus]) -> Void), failure: @escaping ((_ error: NSError) -> Void)) { Twitter.getHomeTimeline(maxID: maxID, sinceID: sinceID, success: success, failure: failure) } override func accept(_ status: TwitterStatus) -> Bool { if status.event != nil { return false } return true } }
mit
c874e38228066ff6cd26ef4d80775204
35.666667
171
0.598485
4.680851
false
false
false
false
huangboju/Moots
Examples/SwiftUI/Mac/YouTube-Downloader-for-macOS-master/Youtube Downloader/NSImageView_ScaleAspectFill.swift
1
1327
import Cocoa @IBDesignable class NSImageView_ScaleAspectFill: NSImageView { @IBInspectable var scaleAspectFill : Bool = false override func awakeFromNib() { // Scaling : .scaleNone mandatory if scaleAspectFill { self.imageScaling = .scaleNone } } override func draw(_ dirtyRect: NSRect) { if scaleAspectFill, let _ = self.image { // Compute new Size let imageViewRatio = self.image!.size.height / self.image!.size.width let nestedImageRatio = self.bounds.size.height / self.bounds.size.width var newWidth = self.image!.size.width var newHeight = self.image!.size.height if imageViewRatio > nestedImageRatio { newWidth = self.bounds.size.width newHeight = self.bounds.size.width * imageViewRatio } else { newWidth = self.bounds.size.height / imageViewRatio newHeight = self.bounds.size.height } self.image!.size.width = newWidth self.image!.size.height = newHeight } // Draw AFTER resizing super.draw(dirtyRect) } }
mit
ab818eb01f7d2df66b9937f4040f94ef
29.159091
83
0.532781
5.460905
false
false
false
false
huangboju/QMUI.swift
QMUI.swift/QMUIKit/UIComponents/QMUIToastContentView.swift
1
9489
// // QMUIToastContentView.swift // QMUI.swift // // Created by 黄伯驹 on 2017/7/10. // Copyright © 2017年 伯驹 黄. All rights reserved. // /** * `QMUIToastView`默认使用的contentView。其结构是:customView->textLabel->detailTextLabel等三个view依次往下排列。其中customView可以赋值任意的UIView或者自定义的view。 * * @TODO: 增加多种类型的progressView的支持。 */ class QMUIToastContentView: UIView { /** * 设置一个UIView,可以是:菊花、图片等等 */ var customView: UIView? { willSet { guard let notNilCustomView = customView else { return } notNilCustomView.removeFromSuperview() } didSet { guard let notNilCustomView = customView else { return } addSubview(notNilCustomView) updateCustomViewTintColor() setNeedsLayout() } } /** * 设置第一行大文字label */ var textLabel: UILabel = UILabel() /** * 通过textLabelText设置可以应用textLabelAttributes的样式,如果通过textLabel.text设置则可能导致一些样式失效。 */ var textLabelText: String = "" { didSet { textLabel.attributedText = NSAttributedString(string: textLabelText, attributes: textLabelAttributes) textLabel.textAlignment = .center setNeedsDisplay() } } /** * 设置第二行小文字label */ var detailTextLabel: UILabel = UILabel() /** * 通过detailTextLabelText设置可以应用detailTextLabelAttributes的样式,如果通过detailTextLabel.text设置则可能导致一些样式失效。 */ var detailTextLabelText: String = "" { didSet { detailTextLabel.attributedText = NSAttributedString(string: detailTextLabelText, attributes: detailTextLabelAttributes) detailTextLabel.textAlignment = .center setNeedsDisplay() } } /** * 设置上下左右的padding。 */ var insets: UIEdgeInsets = UIEdgeInsets(top: 16, left: 16, bottom: 16, right: 16) { didSet { setNeedsLayout() } } /** * 设置最小size。 */ var minimumSize: CGSize = .zero { didSet { setNeedsLayout() } } /** * 设置customView的marginBottom */ var customViewMarginBottom: CGFloat = 8 { didSet { setNeedsLayout() } } /** * 设置textLabel的marginBottom */ var textLabelMarginBottom: CGFloat = 4 { didSet { setNeedsLayout() } } /** * 设置detailTextLabel的marginBottom */ var detailTextLabelMarginBottom: CGFloat = 0 { didSet { setNeedsLayout() } } /** * 设置textLabel的attributes */ var textLabelAttributes = [NSAttributedString.Key.font: UIFontBoldMake(16), NSAttributedString.Key.foregroundColor: UIColorWhite, NSAttributedString.Key.paragraphStyle: NSMutableParagraphStyle(lineHeight: 22)] { didSet { if textLabelText.length > 0 { // 刷新label的Attributes let tmpStr = textLabelText textLabelText = tmpStr } } } /** * 设置detailTextLabel的attributes */ var detailTextLabelAttributes = [NSAttributedString.Key.font: UIFontBoldMake(12), NSAttributedString.Key.foregroundColor: UIColorWhite, NSAttributedString.Key.paragraphStyle: NSMutableParagraphStyle(lineHeight: 18)] { didSet { if detailTextLabelText.length > 0 { // 刷新label的Attributes let tmpStr = detailTextLabelText detailTextLabelText = tmpStr } } } override init(frame: CGRect) { super.init(frame: frame) initSubviews() } required init?(coder aDecoder: NSCoder) { super.init(coder: aDecoder) initSubviews() } override func sizeThatFits(_ size: CGSize) -> CGSize { let hasCustomeView = customView != nil let hasTextLabel = textLabel.text?.length ?? 0 > 0 let hasDetailTextLabel = detailTextLabel.text?.length ?? 0 > 0 var width: CGFloat = 0 var height: CGFloat = 0 let maxContentWidth = size.width - insets.horizontalValue let maxContentHeight = size.height - insets.verticalValue if hasCustomeView { width = max(width, customView?.bounds.width ?? 0) height += (customView?.bounds.height ?? 0 + ((hasTextLabel || hasDetailTextLabel) ? customViewMarginBottom : 0)) } if hasTextLabel { let textLabelSize = textLabel.sizeThatFits(CGSize(width: maxContentWidth, height: maxContentHeight)) width = max(width, textLabelSize.width) height += textLabelSize.height + (hasDetailTextLabel ? textLabelMarginBottom : 0) } if hasDetailTextLabel { let detailTextLabelSize = detailTextLabel.sizeThatFits(CGSize(width: maxContentWidth, height: maxContentHeight)) width = max(width, detailTextLabelSize.width) height += (detailTextLabelSize.height + detailTextLabelMarginBottom) } width += insets.horizontalValue height += insets.verticalValue if minimumSize != .zero { width = max(width, minimumSize.width) height = max(height, minimumSize.height) } return CGSize(width: min(size.width, width), height: min(size.height, height)) } override func layoutSubviews() { super.layoutSubviews() let hasCustomView = customView != nil let hasTextLabel = textLabel.text?.length ?? 0 > 0 let hasDetailTextLabel = detailTextLabel.text?.length ?? 0 > 0 let contentWidth = bounds.width let maxContentWidth = contentWidth - insets.horizontalValue var minY = insets.top if hasCustomView { if !hasTextLabel && !hasDetailTextLabel { // 处理有minimumSize的情况 minY = bounds.height.center(customView?.bounds.height ?? 0) } customView?.frame = CGRectFlat(contentWidth.center(customView?.bounds.width ?? 0), minY, customView?.bounds.width ?? 0, customView?.bounds.height ?? 0) minY = customView?.frame.maxY ?? 0 + customViewMarginBottom } if hasTextLabel { let textLabelSize = textLabel.sizeThatFits(CGSize(width: maxContentWidth, height: .greatestFiniteMagnitude)) if !hasCustomView && !hasDetailTextLabel { // 处理有minimumSize的情况 minY = bounds.height.center(textLabelSize.height) } textLabel.frame = CGRectFlat(contentWidth.center(maxContentWidth), minY, maxContentWidth, textLabelSize.height) minY = textLabel.frame.maxY + textLabelMarginBottom } if hasDetailTextLabel { // 暂时没考虑剩余高度不够用的情况 let detailTextLabelSize = detailTextLabel.sizeThatFits(CGSize(width: maxContentWidth, height: .greatestFiniteMagnitude)) if !hasCustomView && !hasTextLabel { // 处理有minimumSize的情况 minY = bounds.height.center(detailTextLabelSize.height) } detailTextLabel.frame = CGRectFlat(contentWidth.center(maxContentWidth), minY, maxContentWidth, detailTextLabelSize.height) } } override func tintColorDidChange() { if customView != nil { updateCustomViewTintColor() } textLabelAttributes[.foregroundColor] = tintColor let tmpStr = textLabelText textLabelText = tmpStr detailTextLabelAttributes[.foregroundColor] = tintColor let detailTmpStr = detailTextLabelText detailTextLabelText = detailTmpStr } private func initSubviews() { textLabel.numberOfLines = 0 textLabel.textAlignment = .center textLabel.textColor = UIColorWhite textLabel.font = UIFontBoldMake(16) textLabel.isOpaque = false addSubview(textLabel) detailTextLabel.numberOfLines = 0 detailTextLabel.textAlignment = .center detailTextLabel.textColor = UIColorWhite detailTextLabel.font = UIFontBoldMake(12) detailTextLabel.isOpaque = false addSubview(detailTextLabel) } private func updateCustomViewTintColor() { guard let notNilCustomView = customView else { return } notNilCustomView.tintColor = tintColor if let imageView = notNilCustomView as? UIImageView { imageView.image = imageView.image?.withRenderingMode(.alwaysTemplate) } if let activityView = notNilCustomView as? UIActivityIndicatorView { activityView.color = tintColor } } }
mit
064d4a69bb7e3ac8957f9b348478c8b5
30.901408
221
0.590177
5.568531
false
false
false
false
huonw/swift
test/SILGen/default_arguments_generic.swift
1
3129
// RUN: %target-swift-emit-silgen -module-name default_arguments_generic -enable-sil-ownership -swift-version 3 %s | %FileCheck %s // RUN: %target-swift-emit-silgen -module-name default_arguments_generic -enable-sil-ownership -swift-version 4 %s | %FileCheck %s func foo<T: ExpressibleByIntegerLiteral>(_: T.Type, x: T = 0) { } struct Zim<T: ExpressibleByIntegerLiteral> { init(x: T = 0) { } init<U: ExpressibleByFloatLiteral>(_ x: T = 0, y: U = 0.5) { } static func zim(x: T = 0) { } static func zang<U: ExpressibleByFloatLiteral>(_: U.Type, _ x: T = 0, y: U = 0.5) { } } // CHECK-LABEL: sil hidden @$S25default_arguments_generic3baryyF : $@convention(thin) () -> () { func bar() { // CHECK: [[FOO_DFLT:%.*]] = function_ref @$S25default_arguments_generic3foo // CHECK: apply [[FOO_DFLT]]<Int> foo(Int.self) // CHECK: [[ZIM_DFLT:%.*]] = function_ref @$S25default_arguments_generic3ZimV3zim // CHECK: apply [[ZIM_DFLT]]<Int> Zim<Int>.zim() // CHECK: [[ZANG_DFLT_0:%.*]] = function_ref @$S25default_arguments_generic3ZimV4zang{{.*}}A0_ // CHECK: apply [[ZANG_DFLT_0]]<Int, Double> // CHECK: [[ZANG_DFLT_1:%.*]] = function_ref @$S25default_arguments_generic3ZimV4zang{{.*}}A1_ // CHECK: apply [[ZANG_DFLT_1]]<Int, Double> Zim<Int>.zang(Double.self) // CHECK: [[ZANG_DFLT_1:%.*]] = function_ref @$S25default_arguments_generic3ZimV4zang{{.*}}A1_ // CHECK: apply [[ZANG_DFLT_1]]<Int, Double> Zim<Int>.zang(Double.self, 22) } protocol Initializable { init() } struct Generic<T: Initializable> { init(_ value: T = T()) {} } struct InitializableImpl: Initializable { init() {} } // CHECK-LABEL: sil hidden @$S25default_arguments_generic17testInitializableyyF func testInitializable() { // The ".init" is required to trigger the crash that used to happen. _ = Generic<InitializableImpl>.init() // CHECK: function_ref @$S25default_arguments_generic7GenericVyACyxGxcfcfA_ : $@convention(thin) <τ_0_0 where τ_0_0 : Initializable> () -> @out τ_0_0 // CHECK: [[INIT:%.+]] = function_ref @$S25default_arguments_generic7GenericVyACyxGxcfC // CHECK: apply [[INIT]]<InitializableImpl>({{%.+}}, {{%.+}}) : $@convention(method) <τ_0_0 where τ_0_0 : Initializable> (@in τ_0_0, @thin Generic<τ_0_0>.Type) -> Generic<τ_0_0> } // CHECK: end sil function '$S25default_arguments_generic17testInitializableyyF' // Local generic functions with default arguments // CHECK-LABEL: sil hidden @$S25default_arguments_generic5outer1tyx_tlF : $@convention(thin) <T> (@in_guaranteed T) -> () func outer<T>(t: T) { func inner1(x: Int = 0) {} // CHECK: [[ARG_GENERATOR:%.*]] = function_ref @$S25default_arguments_generic5outer1tyx_tlF6inner1L_1xySi_tlFfA_ : $@convention(thin) () -> Int // CHECK: [[ARG:%.*]] = apply [[ARG_GENERATOR]]() : $@convention(thin) () -> Int _ = inner1() func inner2(x: Int = 0) { _ = T.self } // CHECK: [[ARG_GENERATOR:%.*]] = function_ref @$S25default_arguments_generic5outer1tyx_tlF6inner2L_1xySi_tlFfA_ : $@convention(thin) <τ_0_0> () -> Int // CHECK: [[ARG:%.*]] = apply [[ARG_GENERATOR]]<T>() : $@convention(thin) <τ_0_0> () -> Int _ = inner2() }
apache-2.0
3bef8e9d8cb90d464576f0f543b46ba8
46.257576
179
0.654376
3.150505
false
false
false
false
channelade/channelade-tvos
Channelade/Channelade/AppDelegate.swift
1
3708
/* Channelade starter app for Apple TV To get this app working for your channel, make sure to do the following: - Add your Channelade account key below - Change the bundle identifier - Add your own artwork (icons and shelf image) */ import UIKit import TVMLKit @UIApplicationMain class AppDelegate: UIResponder, UIApplicationDelegate, TVApplicationControllerDelegate { // MARK: Properties /////////////////////////////////////////////////////// // Edit the following line with // Your Channelade account key /////////////////////////////////////////////////////// static let TVAccountKey = "PUT YOUR ACCOUNT KEY HERE" /////////////////////////////////////////////////////// // That's it! Don't edit anything else below /////////////////////////////////////////////////////// static let TVBaseURL = "https://tvos.channelade.com/" static let TVBootURL = "\(AppDelegate.TVBaseURL)tvos/\(AppDelegate.TVAccountKey)/application.js" var window: UIWindow? var appController: TVApplicationController? // MARK: UIApplication Overrides func application(application: UIApplication, didFinishLaunchingWithOptions launchOptions: [NSObject: AnyObject]?) -> Bool { // Override point for customization after application launch. window = UIWindow(frame: UIScreen.mainScreen().bounds) /* Create the TVApplicationControllerContext for this application and set the properties that will be passed to the `App.onLaunch` function in JavaScript. */ let appControllerContext = TVApplicationControllerContext() /* The JavaScript URL is used to create the JavaScript context for your TVMLKit application. Although it is possible to separate your JavaScript into separate files, to help reduce the launch time of your application we recommend creating minified and compressed version of this resource. This will allow for the resource to be retrieved and UI presented to the user quickly. */ if let javaScriptURL = NSURL(string: AppDelegate.TVBootURL) { appControllerContext.javaScriptApplicationURL = javaScriptURL } appControllerContext.launchOptions["BASEURL"] = AppDelegate.TVBaseURL if let launchOptions = launchOptions as? [String: AnyObject] { for (kind, value) in launchOptions { appControllerContext.launchOptions[kind] = value } } appController = TVApplicationController(context: appControllerContext, window: window, delegate: self) return true } // MARK: TVApplicationControllerDelegate func appController(appController: TVApplicationController, didFinishLaunchingWithOptions options: [String: AnyObject]?) { print("\(__FUNCTION__) invoked with options: \(options)") } func appController(appController: TVApplicationController, didFailWithError error: NSError) { print("\(__FUNCTION__) invoked with error: \(error)") let title = "Error Launching Application" let message = error.localizedDescription let alertController = UIAlertController(title: title, message: message, preferredStyle:.Alert ) self.appController?.navigationController.presentViewController(alertController, animated: true, completion: { () -> Void in // ... }) } func appController(appController: TVApplicationController, didStopWithOptions options: [String: AnyObject]?) { print("\(__FUNCTION__) invoked with options: \(options)") } }
mit
4e03323f0fe2128547989ccab18bb2de
39.758242
131
0.639428
6.058824
false
false
false
false
ryet231ere/DouYuSwift
douyu/douyu/Classes/Main/Controller/BaseAnchorViewController.swift
1
4250
// // BaseAnchorViewController.swift // douyu // // Created by 练锦波 on 2017/3/9. // Copyright © 2017年 练锦波. All rights reserved. // import UIKit private let kItemMargin : CGFloat = 10 private let kHeaderViewH : CGFloat = 50 private let kNormalCellID = "kNormalCellID" private let kHeaderViewID = "kHeaderViewID" let kPrettyCellID = "kPrettyCellID" let kNormalItemW = (kScreenW - 3 * kItemMargin) / 2 let kNormalItemH = kNormalItemW * 3 / 4 let kPrettyItemH = kNormalItemW * 4 / 3 class BaseAnchorViewController: BassViewController { var baseVM : BaseViewModel! lazy var collectionView : UICollectionView = {[unowned self] in // 1.创建布局 let layout = UICollectionViewFlowLayout() layout.itemSize = CGSize(width: kNormalItemW, height: kNormalItemH) layout.minimumLineSpacing = 0 layout.minimumInteritemSpacing = kItemMargin layout.headerReferenceSize = CGSize(width: kScreenW, height: kHeaderViewH) layout.sectionInset = UIEdgeInsets(top: 0, left: kItemMargin, bottom: 0, right: kItemMargin) // 2.创建uicollectionview let collectionView = UICollectionView(frame: self.view.bounds, collectionViewLayout: layout) collectionView.backgroundColor = UIColor.white collectionView.dataSource = self collectionView.delegate = self collectionView.autoresizingMask = [.flexibleHeight, .flexibleWidth] collectionView.register(UINib(nibName: "CollectionNormalCell", bundle: nil), forCellWithReuseIdentifier: kNormalCellID) collectionView.register(UINib(nibName: "CollectionPrettyCell", bundle: nil), forCellWithReuseIdentifier: kPrettyCellID) collectionView.register(UINib(nibName: "CollectionHeaderView", bundle: nil), forSupplementaryViewOfKind: UICollectionElementKindSectionHeader, withReuseIdentifier: kHeaderViewID) return collectionView }() override func viewDidLoad() { super.viewDidLoad() setupUI() loadData() } } extension BaseAnchorViewController { override func setupUI() { contentView = collectionView view.addSubview(collectionView) super.setupUI() } } extension BaseAnchorViewController { func loadData() { } } extension BaseAnchorViewController: UICollectionViewDataSource { func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int { return baseVM.anchorGroups[section].anchors.count } func numberOfSections(in collectionView: UICollectionView) -> Int { return baseVM.anchorGroups.count } func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell { let cell = collectionView.dequeueReusableCell(withReuseIdentifier: kNormalCellID, for: indexPath) as! CollectionNormalCell cell.anchor = baseVM.anchorGroups[indexPath.section].anchors[indexPath.item] return cell } func collectionView(_ collectionView: UICollectionView, viewForSupplementaryElementOfKind kind: String, at indexPath: IndexPath) -> UICollectionReusableView { let headerView = collectionView.dequeueReusableSupplementaryView(ofKind: kind, withReuseIdentifier: kHeaderViewID, for: indexPath) as! CollectionHeaderView headerView.group = baseVM.anchorGroups[indexPath.section] return headerView } } extension BaseAnchorViewController : UICollectionViewDelegate { func collectionView(_ collectionView: UICollectionView, didSelectItemAt indexPath: IndexPath) { let anchor = baseVM.anchorGroups[indexPath.section].anchors[indexPath.item] anchor.isVertical == 0 ? pushNormalRoomVC() : presentShowRoomVC() } private func presentShowRoomVC() { let showRoomVc = RoomShowViewController() present(showRoomVc, animated: true, completion: nil) } private func pushNormalRoomVC() { let normalRoomVc = RoomNormalViewController() navigationController?.pushViewController(normalRoomVc, animated: true) } }
mit
252f233b564406d5838c99e2544fa963
32.784
186
0.705896
5.93118
false
false
false
false
N26-OpenSource/bob
Sources/Bob/APIs/GitHub/GitHub.swift
1
7171
/* * Copyright (c) 2017 N26 GmbH. * * This file is part of Bob. * * Bob is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * Bob is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with Bob. If not, see <http://www.gnu.org/licenses/>. */ import Foundation import HTTP import Vapor enum GitHubError: LocalizedError { case invalidBranch(name: String) case invalidParam(String) case invalidStatus(httpStatus: UInt, body: String?) case decoding(String) public var errorDescription: String? { switch self { case .decoding(let message): return "Decoding error: \(message)" case .invalidBranch(let name): return "The branch '\(name)' does not exists" case .invalidParam(let param): return "Invalid parameter '\(param)'" case .invalidStatus(let httpStatus, let body): var message = "Invalid response status '\(httpStatus)')" body.flatMap { message += " body: \($0)" } return message } } } /// Used for communicating with the GitHub api public class GitHub { /// Configuration needed for authentication with the api public struct Configuration { public let username: String public let personalAccessToken: String public let repoUrl: String /// Initializer for the configuration /// /// - Parameters: /// - username: Username of a user /// - personalAccessToken: Personal access token for that user. Make sure it has repo read/write for the repo you intend to use /// - repoUrl: Url of the repo. Alogn the lines of https://api.github.com/repos/{owner}/{repo} public init(username: String, personalAccessToken: String, repoUrl: String) { self.username = username self.personalAccessToken = personalAccessToken self.repoUrl = repoUrl } } private let authorization: BasicAuthorization private let repoUrl: String private let container: Container public var worker: Worker { return container } public init(config: Configuration, container: Container) { self.authorization = BasicAuthorization(username: config.username, password: config.personalAccessToken) self.repoUrl = config.repoUrl self.container = container } private func uri(at path: String) -> String { return self.repoUrl + path } // MARK: Repository APIs public func branches() throws -> Future<[GitHub.Repos.Branch]> { return try get(uri(at: "/branches?per_page=100")) } public func branch(_ branch: GitHub.Repos.Branch.BranchName) throws -> Future<GitHub.Repos.BranchDetail> { return try get(uri(at: "/branches/" + branch)) } /// Lists the content of a directory public func contents(at path: String, on branch: GitHub.Repos.Branch.BranchName) throws -> Future<[GitHub.Repos.GitContent]> { return try get(uri(at: "/contents/\(path)?ref=" + branch)) } /// Content of a single file public func content(at path: String, on branch: GitHub.Repos.Branch.BranchName) throws -> Future<GitHub.Repos.GitContent> { return try get(uri(at: "/contents/\(path)?ref=" + branch)) } public func tags() throws -> Future<[GitHub.Repos.Tag]> { return try get(uri(at: "/tags")) } /// Returns a list of commits in reverse chronological order /// /// - Parameters: /// - sha: Starting commit /// - page: Index of the requested page /// - perPage: Number of commits per page /// - path: Directory within repository (optional). Only commits with files touched within path will be returned public func commits(after sha: String? = nil, page: Int? = nil, perPage: Int? = nil, path: String? = nil) throws -> Future<[GitHub.Repos.Commit]> { var components = URLComponents(string: "")! var items = [URLQueryItem]() components.path = "/commits" if let sha = sha { items.append(URLQueryItem(name: "sha", value: sha)) } if let page = page { items.append(URLQueryItem(name: "page", value: "\(page)")) } if let perPage = perPage { items.append(URLQueryItem(name: "per_page", value: "\(perPage)")) } if let path = path { items.append(URLQueryItem(name: "path", value: "\(path)")) } components.queryItems = items guard let url = components.url else { throw GitHubError.invalidParam("Could not create commit URL") } let uri = self.uri(at: url.absoluteString) return try get(uri) } // MARK: - Git APIs public func gitCommit(sha: GitHub.Git.Commit.SHA) throws -> Future<GitHub.Git.Commit> { return try get(uri(at: "/git/commits/" + sha)) } public func gitBlob(sha: Git.TreeItem.SHA) throws -> Future<GitHub.Git.Blob> { return try get(uri(at: "/git/blobs/" + sha)) } public func newBlob(data: String) throws -> Future<GitHub.Git.Blob.New.Response> { let blob = GitHub.Git.Blob.New(content: data) return try post(body: blob, to: uri(at: "/git/blobs")) } public func trees(for treeSHA: GitHub.Git.Tree.SHA) throws -> Future<GitHub.Git.Tree> { return try self.get(uri(at: "/git/trees/" + treeSHA + "?recursive=1")) } public func newTree(tree: Tree.New) throws -> Future<Tree> { return try post(body: tree, to: uri(at: "/git/trees")) } /// https://developer.github.com/v3/git/commits/#create-a-commit public func newCommit(by author: Author, message: String, parentSHA: String, treeSHA: String) throws -> Future<GitHub.Git.Commit> { let body = GitCommit.New(message: message, tree: treeSHA, parents: [parentSHA], author: author) return try post(body: body, to: uri(at: "/git/commits")) } public func updateRef(to sha: GitHub.Git.Commit.SHA, on branch: GitHub.Repos.Branch.BranchName) throws -> Future<GitHub.Git.Reference> { let body = GitHub.Git.Reference.Patch(sha: sha) return try post(body: body, to: uri(at: "/git/refs/heads/" + branch), patch: true) } // MARK: - Private private func get<T: Content>(_ uri: String) throws -> Future<T> { return try container.client().get(uri, using: GitHub.decoder, authorization: authorization) } private func post<Body: Content, T: Content>(body: Body, to uri: String, patch: Bool = false ) throws -> Future<T> { return try container.client().post(body: body, to: uri, encoder: GitHub.encoder, using: GitHub.decoder, method: patch ? .PATCH : .POST, authorization: authorization) } }
gpl-3.0
50b140459f3ed1970fc5979606c32426
37.972826
173
0.639939
4.13076
false
false
false
false
february29/Learning
swift/Fch_Contact/Fch_Contact/AppClasses/ViewModel/MainViewModel.swift
1
13341
// // MainViewModel.swift // Fch_Contact // // Created by bai on 2017/11/30. // Copyright © 2017年 北京仙指信息技术有限公司. All rights reserved. // import UIKit import RxSwift import RxDataSources import BAlertView import Alamofire class MainViewModel: NSObject { var loadData = PublishSubject<(Int,String)>(); public var result:Observable<[SectionModel<String, PersonModel>]>? var checkAppShouldUpdateSubject = PublishSubject<Bool>(); public var checkAppShouldUpdateResult:Observable<Result<Any>>? var telBookDBShouldUpDateSubject = PublishSubject<Int>(); public var telBookDBShouldUpDateResult:Observable<Result<Any>>? var telBookListSubject = PublishSubject<Int>(); public var telBookListResult:Observable<Result<Any>>? override init() { super.init(); prepare(); } func prepare(){ result = loadData.flatMapLatest({ (depId,seartchStr) -> Observable<[SectionModel<String, PersonModel>]> in if depId == -1 { return self.getPersonsSorted(deptId: -1); }else if depId > 0{ return self.getPersonsNoSorted(deptId: depId); }else{ return self.getSearchedPersons(searchString: seartchStr); } }) checkAppShouldUpdateResult = checkAppShouldUpdateSubject.flatMapLatest { (isTimeOut) -> Observable<Result<Any>> in return BNetWorkingManager.shared.RxRequset(url: AppUpdate_URL, method: .get); } telBookDBShouldUpDateResult = telBookDBShouldUpDateSubject.flatMapLatest({ (telBookId) -> Observable<Result<Any>> in return BNetWorkingManager.shared.RxRequset(url: "\(TelBook_Detail_URL)/\(telBookId)", method: .get); }) telBookListResult = telBookListSubject.flatMapLatest({ (userId) -> Observable<Result<Any>> in let par = ["userId":userId]; return BNetWorkingManager.shared.RxRequset(url: TelBooksList_URL, method: .post,parameters: par); }) } /// 模糊搜索获取人员 /// /// - Parameter searchString: 搜索字符 /// - Returns: 搜索结果 func getPersons(searchString:String)->Observable<[PersonModel]> { return Observable.create({ (observer) -> Disposable in let persons = DBHelper.sharedInstance.getPersons(searchString: searchString); observer.onNext(persons); observer.onCompleted(); return Disposables.create { } }) } /// 获取整理数据后 将数据整理成列表可用数据 无排序 /// /// - Parameter searchString: 搜索字符 /// - Returns: 搜索结果 func getSearchedPersons(searchString:String)->Observable<[SectionModel<String, PersonModel>]> { return self.getPersons(searchString:searchString).map({ (persons) -> [SectionModel<String, PersonModel>] in return [SectionModel(model: "", items: persons)] }); } /// 根据部门ID 获取部门人员 /// /// - Parameter deptId: 部门ID -1表示全部 /// - Returns: 部门人员 func getPersons(deptId:Int)->Observable<[PersonModel]> { return Observable.create({ (observer) -> Disposable in let persons = DBHelper.sharedInstance.getPersonsFromDB(deptId: deptId); observer.onNext(persons); observer.onCompleted(); return Disposables.create { } }) } /// 根据部门ID获取排序后的人员 /// /// - Parameter deptId: 部门ID -1表示全部 /// - Returns: 人员 func getPersonsSorted(deptId:Int) -> Observable<[SectionModel<String, PersonModel>]> { return self.getPersons(deptId:deptId).map({ (persons) -> [SectionModel<String, PersonModel>] in var dic = Dictionary<String,[PersonModel]>(); for model in persons{ let firstUInt8 = UInt8(pinyinFirstLetter((model.column1 as NSString).character(at: 0))) let firstString = String(Character( UnicodeScalar(firstUInt8))); let hasContains = dic.keys.contains(where: { (key) -> Bool in return key == firstString; }); if !hasContains{ var itemArray = [PersonModel](); itemArray.append(model); dic[firstString] = itemArray; }else{ dic[firstString]?.append(model); } } let sortedArray = dic.sorted(by: { (o1, o2) -> Bool in return o1.key < o2.key; }); var sections:[SectionModel<String,PersonModel>] = []; for item in sortedArray{ sections.append(SectionModel<String, PersonModel>.init(model: item.key, items: item.value)); } return sections; }); } /// 根据部门ID 获取无排序的人员 /// /// - Parameter deptId: 部门ID /// - Returns: 人员 func getPersonsNoSorted(deptId:Int) -> Observable<[SectionModel<String, PersonModel>]> { return self.getPersons(deptId:deptId).map({ (persons) -> [SectionModel<String, PersonModel>] in return [SectionModel(model: "", items: persons)] }); } func reloadData(depId:Int) { loadData.onNext((depId,"")); } func reloadData(searchString:String) { loadData.onNext((-2,searchString)); } // MARK: 网络请求 /// 验证imei 是否可用 /// /// - Parameter successHandler: 验证回掉 func fchCheckImeiVerify(successHandler:@escaping (_ isVerify:Bool)->Void) { let uuid = AppLoginHelper.uuidInKeyChain(); let par = ["imei":uuid]; BNetWorkingManager.shared.request(url: TestIMEIVerify_URL,method: .get, parameters:par) { (response) in if let value = response.result.value as? Dictionary<String, Any> { if let error = value["error"] { let errorStr = error as! String; if errorStr == "验证失败"{ // BAlertModal.sharedInstance().makeToast(errorStr); successHandler(false); self.clearDBAndPostNotification(); }else{ successHandler(true); } }else{ successHandler(true); } }else{ successHandler(true); BAlertModal.sharedInstance().makeToast("网络异常"); } } } /// 下载telBook对应的db文件 /// /// - Parameter telBook: telBook func downLoadDB(telBook:TelBookModel?, finshedHandler:@escaping (_ isSuccess:Bool)->Void) { print("开始下载数据库文件"); if let telBookModel = telBook { let fileName = DBHelper.sharedInstance.getDBSaveName(telBook: telBookModel); let url = "\(DownLoadDB_URL)/\(telBookModel.id!)" BNetWorkingManager.shared.download(url:url, method: .get, parameters: nil, progress: { (progress) in print("\(progress.completedUnitCount)/\(progress.totalUnitCount)"); }, toLocalPath: DBFileSavePath,fileName:fileName) { (response) in if let data = response.result.value { print("文件下载成功:\(String(describing: DBFileSavePath))\(fileName)\\n size:\(data.count)"); //下载成功后重新设置本地的telBook 防止重复提示新数据 UserDefaults.standard.setTelBookModel(model: telBookModel); //发送通知 刷新数据 NotificationCenter.default.post(name:relodDataNotificationName, object: nil); //更新来电提示数据 CallDirectoryExtensionHelper.sharedInstance.reloadExtension(completeHandler: { (supprot, error) in if supprot && error == nil{ print("来电显示数据更新成功"); }else{ print("来电显示数据更新失败或者系统不支持"); } }) finshedHandler(true); }else{ finshedHandler(false); BAlertModal.sharedInstance().makeToast("网络异常"); } } }else{ finshedHandler(false); BAlertModal.sharedInstance().makeToast("数据异常"); } } /// 获取用户电话本列表 ///风驰电话本 /// - Parameters: /// - userId: 用户ID /// - successHandler: 成功回掉 func getUserTelBooks(userId:Int,successHandler:@escaping ()->Void) { print("获取用户电话本列表"); let par = ["userId":userId]; BNetWorkingManager.shared.request(url: TelBooksList_URL, method: .post,parameters:par, completionHandler: { (response) in if let value = response.result.value as? Dictionary<String, Any> { if let error = value["error"] { let errorStr = error as! String; if errorStr.components(separatedBy: "登录超时").count>1{ AppLoginHelper.loginForTimeOut(successHandler: { self.getUserTelBooks(userId: userId, successHandler: successHandler); }) }else{ BAlertModal.sharedInstance().makeToast("登录失败:\(error),请退出重新登录。"); } }else{ let telbookArray = [TimeTelBookModel].deserialize(from:value["list"]as? NSArray); if let telbooks = telbookArray { if telbooks.count > 1{ //多个电话本 print("多个电话本 个数:\(telbooks.count)"); }else if telbooks.count == 1{ //一个电话本 if let telBook = telbooks[0]!.telBook{ UserDefaults.standard.setTelBookModel(model:telBook); self.fchCheckImeiVerify(successHandler: { (isVerify) in if isVerify { self.downLoadDB(telBook: telBook,finshedHandler: { (isSuccessful) in }); }else{ BAlertModal.sharedInstance().makeToast("客户端验证imei失败"); } }) } }else{ BAlertModal.sharedInstance().makeToast("您尚未创建电话本,请登录后台创建"); } }else{ print("数据异常"); } } }else{ BAlertModal.sharedInstance().makeToast("网络异常"); } }); } // MARK: 本地方法 /// 清空数据库并且发送通知 func clearDBAndPostNotification() { DBHelper.sharedInstance.clearDB(); NotificationCenter.default.post(name:relodDataNotificationName, object: nil); } /// 判断电话本是否过期,如果timeNow == ""则根据 days判断 /// /// - Parameters: /// - expiredTime: 过期时间 /// - timeNow: 现在时间 /// - days: 剩余天数 /// - Returns: 是否过期 func checkTelBookExpired(expiredTime:TimeInterval,timeNow:String,days:Int) -> Bool { if timeNow == "" { if days <= 3{ BAlertModal.sharedInstance().makeToast("电话本使用即将到期,请您尽快续费!"); } return days > 0; }else{ let now = BDateTool.sharedInstance.dateFromGMTTimeString(timeString: timeNow); let timeNowTimeInterval = BDateTool.sharedInstance.timeIntervalSince1970FromDate(date: now); if expiredTime - timeNowTimeInterval < 3*24*60*60*1000 { BAlertModal.sharedInstance().makeToast("电话本使用即将到期,请您尽快续费!"); } return expiredTime - timeNowTimeInterval < 0; } } }
mit
a31625e08b7fbf60e5b4b22fbb0a0aa0
33.13079
130
0.508462
5.142036
false
false
false
false
fitpay/fitpay-ios-sdk
FitpaySDK/Crypto/JWT/JWS.swift
1
475
import Foundation struct JWS { let header: JOSEHeader let body: [String: Any] let signature: String? init(token: String) throws { let parts = token.components(separatedBy: ".") guard parts.count == 3 else { throw JWTError.invalidPartCount } self.header = JOSEHeader(headerPayload: parts[0]) self.body = try JWTUtils.decodeJWTPart(parts[1]) self.signature = parts[2] } }
mit
a7a00446d978d09bec3aa837b00fca01
22.75
57
0.585263
4.094828
false
false
false
false
itsaboutcode/WordPress-iOS
WordPress/Classes/Services/RecentSitesService.swift
2
2802
import Foundation /// Recent Sites Notifications /// extension NSNotification.Name { static let WPRecentSitesChanged = NSNotification.Name(rawValue: "RecentSitesChanged") } /// Keep track of recently used sites /// class RecentSitesService: NSObject { // We use the site's URL to identify a site typealias SiteIdentifierType = String // MARK: - Internal variables private let database: KeyValueDatabase private let databaseKey = "RecentSites" private let legacyLastUsedBlogKey = "LastUsedBlogURLDefaultsKey" /// The maximum number of recent sites (read only) /// @objc let maxSiteCount = 3 // MARK: - Initialization /// Initialize the service with the given database /// /// This initializer was meant for testing. You probably want to use the convenience `init()` that uses the standard UserDefaults as the database. /// init(database: KeyValueDatabase) { self.database = database super.init() } /// Initialize the service using the standard UserDefaults as the database. /// convenience override init() { self.init(database: UserDefaults() as KeyValueDatabase) } // MARK: - Public accessors /// Returns a list of recently used sites, up to maxSiteCount. /// @objc var recentSites: [SiteIdentifierType] { return Array(allRecentSites.prefix(maxSiteCount)) } /// Returns a list of all the recently used sites. /// @objc var allRecentSites: [SiteIdentifierType] { if let sites = database.object(forKey: databaseKey) as? [SiteIdentifierType] { return sites } let initializedSites: [SiteIdentifierType] // Migrate previously flagged last blog if let lastUsedBlog = database.object(forKey: legacyLastUsedBlogKey) as? SiteIdentifierType { initializedSites = [lastUsedBlog] } else { initializedSites = [] } database.set(initializedSites, forKey: databaseKey) return initializedSites } /// Marks a site identifier as recently used. We currently use URL as the identifier. /// @objc(touchBlogWithIdentifier:) func touch(site: SiteIdentifierType) { var recent = [site] for recentSite in recentSites where recentSite != site { recent.append(recentSite) } database.set(recent, forKey: databaseKey) NotificationCenter.default.post(name: .WPRecentSitesChanged, object: nil) } /// Marks a Blog as recently used. /// @objc(touchBlog:) func touch(blog: Blog) { guard let url = blog.url else { assertionFailure("Tried to mark as used a Blog without URL") return } touch(site: url) } }
gpl-2.0
abbbfa4de71fe609a3b1701b28b14318
29.456522
150
0.649536
4.847751
false
false
false
false
lorentey/GlueKit
Tests/GlueKitTests/MockSetObserver.swift
1
1287
// // MockSetObserver.swift // GlueKit // // Created by Károly Lőrentey on 2016-10-06. // Copyright © 2015–2017 Károly Lőrentey. // import Foundation import XCTest import GlueKit func describe<Element: Comparable>(_ update: SetUpdate<Element>) -> String { switch update { case .beginTransaction: return "begin" case .change(let change): let removed = change.removed.sorted().map { "\($0)" }.joined(separator: ", ") let inserted = change.inserted.sorted().map { "\($0)" }.joined(separator: ", ") return "[\(removed)]/[\(inserted)]" case .endTransaction: return "end" } } class MockSetObserver<Element: Hashable & Comparable>: MockSinkProtocol { typealias Change = SetChange<Element> let state: MockSinkState<SetUpdate<Element>, String> init() { state = .init({ describe($0) }) } init<Source: SourceType>(_ source: Source) where Source.Value == Update<Change> { state = .init({ describe($0) }) self.subscribe(to: source) } convenience init<Observable: ObservableSetType>(_ observable: Observable) where Observable.Change == Change { self.init(observable.updates) } func receive(_ value: Update<Change>) { state.receive(value) } }
mit
aac15f009b487fbaa7384ae3aac408a8
26.234043
113
0.634375
4.102564
false
false
false
false
qianyu09/AppLove
App Love/Network/ReviewLoading/ReviewLoadManager.swift
1
5565
// // ReviewLoadManager.swift // App Love // // Created by Woodie Dovich on 2016-03-24. // Copyright © 2016 Snowpunch. All rights reserved. // // Mass Multi-threaded page loader that can be safely canceled. // import UIKit class ReviewLoadManager: NSObject, ProgressDelegate { static let sharedInst = ReviewLoadManager() private override init() {} // enforce singleton var reviews = [ReviewModel]() var loadStates = [String:LoadState]() // loading state for every territory. var loadingQueue:NSOperationQueue? var firstQuickUpdate:Bool = false func initializeLoadingStates() { self.loadStates.removeAll() let territories = TerritoryMgr.sharedInst.getSelectedCountryCodes() for code in territories { self.loadStates[code] = LoadState(territory: code) } self.firstQuickUpdate = false } func loadReviews() { clearReviews() initializeLoadingStates() self.loadingQueue = nil self.loadingQueue = NSOperationQueue() self.loadingQueue?.maxConcurrentOperationCount = 4 setNotifications() let nc = NSNotificationCenter.defaultCenter() nc.postNotificationName(Const.loadStart, object: nil) let countryCodes = TerritoryMgr.sharedInst.getSelectedCountryCodes() let allOperationsFinishedOperation = NSBlockOperation() { let nc = NSNotificationCenter.defaultCenter() nc.postNotificationName(Const.allLoadingCompleted, object: self) nc.postNotificationName(Const.displayToolbar, object: self) } if let appId = AppList.sharedInst.getSelectedModel()?.appId { for code in countryCodes { let pageInfo = PageInfo(appId: appId, territory: code) let operation = TerritoryLoadOperation(pageInfo: pageInfo) operation.delegate = self allOperationsFinishedOperation.addDependency(operation) self.loadingQueue?.addOperation(operation) } } NSOperationQueue.mainQueue().addOperation(allOperationsFinishedOperation) } // ProgressDelegate - update bar territory func territoryLoadCompleted(country:String) { //print("territoryLoadCompleted "+country) dispatch_async(dispatch_get_main_queue(), { () -> Void in let data:[String:AnyObject] = ["territory":country] let nc = NSNotificationCenter.defaultCenter() nc.postNotificationName(Const.territoryDone, object:nil, userInfo:data) }) } // ProgressDelegate - update bar territory func territoryLoadStarted(country:String) { //print("territoryLoadStarted "+country) dispatch_async(dispatch_get_main_queue(), { () -> Void in let data:[String:AnyObject] = ["territory":country] let nc = NSNotificationCenter.defaultCenter() nc.postNotificationName(Const.territoryStart, object:nil, userInfo:data) }) } // ProgressDelegate - update bar territory func pageLoaded(territory:String, reviews:[ReviewModel]?) { dispatch_async(dispatch_get_main_queue(), { () -> Void in if reviews == nil { if let loadState = self.loadStates[territory] { loadState.error = true } let data:[String:AnyObject] = ["error":"error","territory":territory] let nc = NSNotificationCenter.defaultCenter() nc.postNotificationName(Const.dataError, object:nil, userInfo:data) } if let newReviews = reviews { if newReviews.count > 0 { self.reviews.appendContentsOf(newReviews) } if let loadState = self.loadStates[territory] { loadState.count += newReviews.count loadState.error = false } if let loadState = self.loadStates[territory] { loadState.error = false let data:[String:AnyObject] = ["loadState":loadState,"territory":territory] let nc = NSNotificationCenter.defaultCenter() nc.postNotificationName(Const.updateAmount, object:nil, userInfo:data) } if self.firstQuickUpdate == false && self.reviews.count > 99 { self.updateTable() } } }) } func updateTable() { let nc = NSNotificationCenter.defaultCenter() nc.postNotificationName(Const.reloadData, object: self) self.firstQuickUpdate = true } func setNotifications() { let nc = NSNotificationCenter.defaultCenter() nc.removeObserver(self) nc.addObserver(self, selector: .updateTableData, name: Const.allLoadingCompleted, object: nil) } func updateTableData(notification: NSNotification) { let nc = NSNotificationCenter.defaultCenter() nc.postNotificationName(Const.reloadData, object: self) } func clearReviews() { reviews.removeAll() loadStates.removeAll() } func cancelLoading() { self.loadingQueue?.cancelAllOperations() } } private extension Selector { static let updateTableData = #selector(ReviewLoadManager.updateTableData(_:)) }
mit
511166dc615add451a5cd50ad1982bd3
35.605263
102
0.606219
5.344861
false
false
false
false
quillford/OctoControl-iOS
OctoControl/TerminalViewController.swift
1
1801
// // TerminalViewController.swift // OctoControl // // Created by quillford on 2/6/15. // Copyright (c) 2015 quillford. All rights reserved. // import UIKit import Starscream class TerminalViewController: UIViewController, WebSocketDelegate { var socket = WebSocket(url: NSURL(scheme: "ws", host: "prusa.local", path: "/sockjs/websocket")!) let ip = userDefaults.stringForKey("ip") let apikey = userDefaults.stringForKey("apikey") @IBOutlet weak var commandField: UITextField! @IBOutlet weak var terminalOutput: UITextView! override func viewDidLoad() { super.viewDidLoad() socket.delegate = self socket.connect() } override func didReceiveMemoryWarning() { super.didReceiveMemoryWarning() // Dispose of any resources that can be recreated. } @IBAction func sendCommand(sender: AnyObject) { OctoPrint.sendGcode(commandField.text, ip: ip!, apikey: apikey!) //dismiss keyboard self.view.endEditing(true) } func updateTerminal(){ //get terminal output from websocket data } override func touchesBegan(touches: NSSet!, withEvent event: UIEvent) { self.view.endEditing(true) } func websocketDidConnect(ws: WebSocket) { println("websocket is connected") } func websocketDidDisconnect(ws: WebSocket, error: NSError?) { if let e = error { println("websocket is disconnected: \(e.localizedDescription)") } } func websocketDidReceiveMessage(ws: WebSocket, text: String) { println("Received text: \(text)") } func websocketDidReceiveData(ws: WebSocket, data: NSData) { println("Received data: \(data.length)") } }
gpl-2.0
c6bd8d982b55bc6438b7dc7258075b64
25.880597
101
0.640755
4.739474
false
false
false
false
amnuaym/TiAppBuilder
Day2/BMICalculator2/BMICalculator/AppDelegate.swift
2
4595
// // AppDelegate.swift // BMICalculator // // Created by Amnuay M on 8/21/17. // Copyright © 2017 Amnuay M. All rights reserved. // import UIKit import CoreData @UIApplicationMain class AppDelegate: UIResponder, UIApplicationDelegate { var window: UIWindow? func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplicationLaunchOptionsKey: Any]?) -> Bool { // Override point for customization after application launch. return true } func applicationWillResignActive(_ application: UIApplication) { // Sent when the application is about to move from active to inactive state. This can occur for certain types of temporary interruptions (such as an incoming phone call or SMS message) or when the user quits the application and it begins the transition to the background state. // Use this method to pause ongoing tasks, disable timers, and invalidate graphics rendering callbacks. Games should use this method to pause the game. } func applicationDidEnterBackground(_ application: UIApplication) { // Use this method to release shared resources, save user data, invalidate timers, and store enough application state information to restore your application to its current state in case it is terminated later. // If your application supports background execution, this method is called instead of applicationWillTerminate: when the user quits. } func applicationWillEnterForeground(_ application: UIApplication) { // Called as part of the transition from the background to the active state; here you can undo many of the changes made on entering the background. } func applicationDidBecomeActive(_ application: UIApplication) { // Restart any tasks that were paused (or not yet started) while the application was inactive. If the application was previously in the background, optionally refresh the user interface. } func applicationWillTerminate(_ application: UIApplication) { // Called when the application is about to terminate. Save data if appropriate. See also applicationDidEnterBackground:. // Saves changes in the application's managed object context before the application terminates. self.saveContext() } // MARK: - Core Data stack lazy var persistentContainer: NSPersistentContainer = { /* The persistent container for the application. This implementation creates and returns a container, having loaded the store for the application to it. This property is optional since there are legitimate error conditions that could cause the creation of the store to fail. */ let container = NSPersistentContainer(name: "BMICalculator") container.loadPersistentStores(completionHandler: { (storeDescription, error) in if let error = error as NSError? { // Replace this implementation with code to handle the error appropriately. // fatalError() causes the application to generate a crash log and terminate. You should not use this function in a shipping application, although it may be useful during development. /* Typical reasons for an error here include: * The parent directory does not exist, cannot be created, or disallows writing. * The persistent store is not accessible, due to permissions or data protection when the device is locked. * The device is out of space. * The store could not be migrated to the current model version. Check the error message to determine what the actual problem was. */ fatalError("Unresolved error \(error), \(error.userInfo)") } }) return container }() // MARK: - Core Data Saving support func saveContext () { let context = persistentContainer.viewContext if context.hasChanges { do { try context.save() } catch { // Replace this implementation with code to handle the error appropriately. // fatalError() causes the application to generate a crash log and terminate. You should not use this function in a shipping application, although it may be useful during development. let nserror = error as NSError fatalError("Unresolved error \(nserror), \(nserror.userInfo)") } } } }
gpl-3.0
ec9d5b83d6a86c4fbd05457b6da7ebd6
48.397849
285
0.685895
5.844784
false
false
false
false
tomburns/ios
FiveCalls/FiveCalls/EditLocationViewController.swift
2
4483
// // EditLocationViewController.swift // FiveCalls // // Created by Ben Scheirman on 1/31/17. // Copyright © 2017 5calls. All rights reserved. // import UIKit import CoreLocation import Crashlytics protocol EditLocationViewControllerDelegate : NSObjectProtocol { func editLocationViewController(_ vc: EditLocationViewController, didUpdateLocation location: UserLocation) func editLocationViewControllerDidCancel(_ vc: EditLocationViewController) } class EditLocationViewController : UIViewController, CLLocationManagerDelegate { weak var delegate: EditLocationViewControllerDelegate? private var lookupLocation: CLLocation? @IBOutlet weak var addressLabel: UILabel! @IBOutlet weak var activityIndicator: UIActivityIndicatorView! private lazy var locationManager: CLLocationManager = { let manager = CLLocationManager() manager.delegate = self return manager }() @IBOutlet weak var useMyLocationButton: UIButton! @IBOutlet weak var addressTextField: UITextField! override var preferredStatusBarStyle: UIStatusBarStyle { return .lightContent } override func viewWillAppear(_ animated: Bool) { super.viewWillAppear(animated) Answers.logCustomEvent(withName:"Screen: Edit Location") addressTextField.becomeFirstResponder() if case .address? = UserLocation.current.locationType { addressTextField.text = UserLocation.current.locationValue } } override func viewWillDisappear(_ animated: Bool) { super.viewWillDisappear(animated) addressTextField.resignFirstResponder() } @IBAction func useMyLocationTapped(_ sender: Any) { if CLLocationManager.authorizationStatus() == .denied { Answers.logCustomEvent(withName:"Action: Denied Location") informUserOfPermissions() } else { Answers.logCustomEvent(withName:"Action: Used Location") locationManager.requestWhenInUseAuthorization() } } @IBAction func cancelTapped(_ sender: Any) { delegate?.editLocationViewControllerDidCancel(self) } @IBAction func submitAddressTapped(_ sender: Any) { Answers.logCustomEvent(withName:"Action: Used Address") UserLocation.current.setFrom(address: addressTextField.text ?? "") { [weak self] updatedLocation in guard let strongSelf = self else { return } strongSelf.delegate?.editLocationViewController(strongSelf, didUpdateLocation: updatedLocation) } } //Mark: CLLocationManagerDelegate methods func informUserOfPermissions() { let alertController = UIAlertController(title: R.string.localizable.locationPermissionDeniedTitle(), message: R.string.localizable.locationPermissionDeniedMessage(), preferredStyle: .alert) let dismiss = UIAlertAction(title: R.string.localizable.dismissTitle(), style: .default ,handler: nil) alertController.addAction(dismiss) let openSettings = UIAlertAction(title: R.string.localizable.openSettingsTitle(), style: .default, handler: { action in guard let url = URL(string: UIApplicationOpenSettingsURLString) else { return } UIApplication.shared.fvc_open(url) }) alertController.addAction(openSettings) present(alertController, animated: true, completion: nil) } func locationManager(_ manager: CLLocationManager, didChangeAuthorization status: CLAuthorizationStatus) { if status == .denied { informUserOfPermissions() } else { useMyLocationButton.isEnabled = false // prevent starting it twice... activityIndicator.startAnimating() manager.startUpdatingLocation() } } func locationManager(_ manager: CLLocationManager, didUpdateLocations locations: [CLLocation]) { guard lookupLocation == nil else { //only want to call delegate one time return } if let location = locations.first { locationManager.stopUpdatingLocation() lookupLocation = location let userLocation = UserLocation.current userLocation.setFrom(location: location) { self.delegate?.editLocationViewController(self, didUpdateLocation: userLocation) } } } }
mit
c7f620871babb628ac3bd24382623eab
36.35
127
0.681392
5.874181
false
false
false
false
haddenkim/dew
Sources/App/Helpers/GeoJSONPoint.swift
1
1123
// // GeoJSONPoint.swift // dew // // Created by Hadden Kim on 4/26/17. // // import MongoKitten import GeoJSON extension Point { init?(_ value: Primitive?) { guard let document = Document(value), let type = String(document["type"]), type == "Point", let coordinates = Array(document["coordinates"]), let longitude = Double(coordinates[0]), let latitudue = Double(coordinates[1]) else { return nil } let position = Position(first: longitude, second: latitudue) self.init(coordinate: position) } init(_ coordinate: Place.Coordinate) { let geoPosition = Position(first: coordinate.longitude, second: coordinate.latitude) self.init(coordinate: geoPosition) } func placeCoordinate() -> Place.Coordinate { let longitude = self.coordinate.values[0] let latitude = self.coordinate.values[1] return (latitude: latitude, longitude: longitude) } }
mit
1b8995f5980f728754bf1ab17cec471d
21.46
92
0.553874
4.758475
false
false
false
false
jarimartens10/wwdc-2015
JMViewController.swift
1
4457
// // JMViewController.swift // // // Created by Jari Martens on 14-04-15. // // import UIKit import MessageUI class JMViewController: UIViewController, JMImageViewDelegate, MFMailComposeViewControllerDelegate { //MARK: - IBOutlets //########################################################### @IBOutlet weak var visualEffectView: UIVisualEffectView! @IBOutlet weak var backgroundImageView: UIImageView! //########################################################### //MARK: - JMImageViewDelegate //########################################################### func didTapImageView(imageView: JMImageView) { let imageInfo = JTSImageInfo() imageInfo.image = imageView.image imageInfo.referenceRect = imageView.frame imageInfo.referenceView = imageView.superview imageInfo.referenceContentMode = imageView.contentMode imageInfo.referenceCornerRadius = imageView.layer.cornerRadius let imageViewer = JTSImageViewController( imageInfo: imageInfo, mode: JTSImageViewControllerMode.Image, backgroundStyle: JTSImageViewControllerBackgroundOptions.Blurred) imageViewer.interactionsDelegate = self imageViewer.showFromViewController(self, transition: JTSImageViewControllerTransition._FromOriginalPosition) } func imageViewerAllowCopyToPasteboard(imageViewer: JTSImageViewController!) -> Bool { return true } func imageViewerDidLongPress(imageViewer: JTSImageViewController!, atRect rect: CGRect) { let controller = UIAlertController(title: "Share", message: "Share this image", preferredStyle: UIAlertControllerStyle.ActionSheet) controller.addAction(UIAlertAction(title: "Mail", style: UIAlertActionStyle.Default, handler: { (action) -> Void in if MFMailComposeViewController.canSendMail() { let composer = MFMailComposeViewController(nibName: nil, bundle: nil) composer.mailComposeDelegate = nil//self composer.addAttachmentData(UIImageJPEGRepresentation(imageViewer.image, 0.9), mimeType: "image/jpeg", fileName: "image.jpg") composer.setSubject("Image") composer.mailComposeDelegate = self imageViewer.presentViewController(composer, animated: true, completion: nil) } else { let alert = UIAlertController( title: "Cannot send email", message: "This device cannot send an email, check your email settings in Preferences", preferredStyle: UIAlertControllerStyle.Alert) alert.addAction(UIAlertAction( title: "OK", style: UIAlertActionStyle.Default, handler: nil)) imageViewer.presentViewController(alert, animated: true, completion: nil) } })) controller.addAction(UIAlertAction(title: "Save", style: UIAlertActionStyle.Default, handler: { (action) -> Void in UIImageWriteToSavedPhotosAlbum(imageViewer.image, nil, nil, nil) })) controller.addAction(UIAlertAction(title: "Cancel", style: UIAlertActionStyle.Cancel, handler: nil)) imageViewer.presentViewController(controller, animated: true, completion: nil) } //########################################################### //MARK: - MFMailComposeViewControllerDelegate //########################################################### func mailComposeController(controller: MFMailComposeViewController!, didFinishWithResult result: MFMailComposeResult, error: NSError!) { controller.dismissViewControllerAnimated(true, completion: nil) } //########################################################### //MARK: - Status bar //########################################################### override func preferredStatusBarStyle() -> UIStatusBarStyle { //If not hidden, display status bar in white text return UIStatusBarStyle.LightContent } override func prefersStatusBarHidden() -> Bool { return true } //########################################################### }
apache-2.0
e42b6f6720f142edfc66c6c1b5b62fa4
39.518182
140
0.571236
6.899381
false
false
false
false
harryzjm/SMWaterFlowLayout
Source/SMWaterFlowLayout.swift
1
8414
// // SMWaterfallFlowLayout.swift // SuperMe // // Created by Magic on 10/10/2017. // Copyright © 2017 SuperMe. All rights reserved. // import Foundation import UIKit public protocol SMWaterFlowLayoutDelegate: class { func collectionView(_ collectionView: UICollectionView, layout collectionViewLayout: SMWaterFlowLayout, constantLength: CGFloat, variableLengthForItemAt indexPath: IndexPath) -> CGFloat } public class SMWaterFlowLayout: UICollectionViewLayout { private let keyPathCollection = #keyPath(UICollectionViewLayout.collectionView) private let keyPathDelegate = #keyPath(UICollectionView.delegate) fileprivate var didAddDelegate = false fileprivate var attArr: [UICollectionViewLayoutAttributes] = [] fileprivate var supplementaryAtts: [UICollectionViewLayoutAttributes] = [] fileprivate var lineHeightArr: [CGFloat] = [0] fileprivate var lineLength: CGFloat = 0 open var scrollDirection: UICollectionViewScrollDirection = .vertical open var lineCount: Int = 3 open var lineSpacing: CGFloat = 0 open var interitemSpacing: CGFloat = 0 open var edgeInset: UIEdgeInsets = .zero open var headerViewLength: CGFloat = 0 open var footerViewLength: CGFloat = 0 fileprivate weak var delegate: SMWaterFlowLayoutDelegate? public override init() { super.init() addObserver(self, forKeyPath: keyPathCollection, options: [.new, .old], context: nil) manage(collectionView: collectionView) } required public init?(coder aDecoder: NSCoder) { fatalError("init(coder:) has not been implemented") } deinit { removeObserver(self, forKeyPath: keyPathCollection) if didAddDelegate { collectionView?.removeObserver(self, forKeyPath: keyPathDelegate) } } override public func prepare() { super.prepare() resetLineInfo() guard let collectV = collectionView, let dataSource = collectV.dataSource else { return } attArr.removeAll() supplementaryAtts.removeAll() let sectionCount = dataSource.numberOfSections?(in: collectV) ?? 1 for section in 0 ..< sectionCount { let itemCount = dataSource.collectionView(collectV, numberOfItemsInSection: section) for row in 0 ..< itemCount { let att = UICollectionViewLayoutAttributes(forCellWith: IndexPath(item: row, section: section)) modify(layout: att) attArr.append(att) } } if headerViewLength > 0 { let header = UICollectionViewLayoutAttributes(forSupplementaryViewOfKind: UICollectionElementKindSectionHeader, with: IndexPath(item: 0, section: 0)) header.frame.size = makeSize(length: headerViewLength) supplementaryAtts.append(header) } if footerViewLength > 0 { let footer = UICollectionViewLayoutAttributes(forSupplementaryViewOfKind: UICollectionElementKindSectionFooter, with: IndexPath(item: 0, section: 1)) footer.frame.size = makeSize(length: footerViewLength) let length = caculateMaxLength() - footerViewLength switch scrollDirection { case .horizontal: footer.frame.origin = CGPoint(x: length, y: 0) case .vertical: footer.frame.origin = CGPoint(x: 0, y: length) } supplementaryAtts.append(footer) } } override public func observeValue(forKeyPath keyPath: String?, of object: Any?, change: [NSKeyValueChangeKey: Any]?, context: UnsafeMutableRawPointer?) { guard let kp = keyPath else { return } switch kp { case keyPathCollection: let new = change?[.newKey] as? UICollectionView let old = change?[.oldKey] as? UICollectionView if didAddDelegate, let v = old { v.removeObserver(self, forKeyPath: keyPathDelegate) didAddDelegate = false } manage(collectionView: new) case keyPathDelegate: manage(delegate: change?[.newKey] as? UICollectionViewDelegate) default: break } } override public func layoutAttributesForItem(at indexPath: IndexPath) -> UICollectionViewLayoutAttributes? { return attArr[indexPath.item] } override public func layoutAttributesForElements(in rect: CGRect) -> [UICollectionViewLayoutAttributes]? { return attArr + supplementaryAtts } override public var collectionViewContentSize: CGSize { return makeSize(length: caculateMaxLength()) } private var beforeSize: CGSize = .zero override public func shouldInvalidateLayout(forBoundsChange newBounds: CGRect) -> Bool { let size = newBounds.size defer { beforeSize = size } return size != beforeSize } } extension SMWaterFlowLayout { fileprivate func manage(collectionView view: UICollectionView?) { guard let collectV = view else { return } collectV.addObserver(self, forKeyPath: keyPathDelegate, options: .new, context: nil) didAddDelegate = true manage(delegate: collectV.delegate) } fileprivate func manage(delegate dg: UICollectionViewDelegate?) { guard let nDelegate = dg as? SMWaterFlowLayoutDelegate else { return } delegate = nDelegate DispatchQueue.main.async { [weak self] in self?.collectionView?.reloadData() } } fileprivate func modify(layout attributes: UICollectionViewLayoutAttributes?) { guard let att = attributes, let collectV = collectionView else { return } let (index, height) = lineHeightArr.enumerated().min { $0.1 < $1.1 } ?? (0, 0) switch scrollDirection { case .vertical: let x = CGFloat(index) * (lineLength + interitemSpacing) + edgeInset.left let y = height let height = delegate?.collectionView(collectV, layout: self, constantLength: lineLength, variableLengthForItemAt: att.indexPath) ?? 0 att.frame = CGRect(x: x, y: y, width: lineLength, height: height) lineHeightArr[index] = y + height + lineSpacing case .horizontal: let x = height let y = CGFloat(index) * (lineLength + lineSpacing) + edgeInset.top let width = delegate?.collectionView(collectV, layout: self, constantLength: lineLength, variableLengthForItemAt: att.indexPath) ?? 0 att.frame = CGRect(x: x, y: y, width: width, height: lineLength) lineHeightArr[index] = x + width + interitemSpacing } } fileprivate func makeSize(length: CGFloat) -> CGSize { switch scrollDirection { case .vertical: return CGSize(width: collectionWidth, height: length) case .horizontal: return CGSize(width: length, height: collectionHeight) } } fileprivate func caculateMaxLength() -> CGFloat { let length = lineHeightArr.max() ?? 0 switch scrollDirection { case .vertical: return length - lineSpacing + edgeInset.bottom + footerViewLength case .horizontal: return length - interitemSpacing + edgeInset.right + footerViewLength } } fileprivate var collectionWidth: CGFloat { return collectionView?.bounds.width ?? 0 } fileprivate var collectionHeight: CGFloat { return collectionView?.bounds.height ?? 0 } fileprivate func reset() { resetLineInfo() invalidateLayout() } fileprivate func resetLineInfo() { lineHeightArr.removeAll() switch scrollDirection { case .vertical: lineCount.forEach { _ in lineHeightArr.append(edgeInset.top + headerViewLength) } lineLength = (collectionWidth - edgeInset.left - edgeInset.right - CGFloat(lineCount-1) * interitemSpacing) / CGFloat(lineCount) case .horizontal: lineCount.forEach { _ in lineHeightArr.append(edgeInset.left + headerViewLength) } lineLength = (collectionHeight - edgeInset.top - edgeInset.bottom - CGFloat(lineCount-1) * lineSpacing) / CGFloat(lineCount) } } } extension Int { fileprivate func forEach(_ body: (Int) -> Void) { (0 ..< self).forEach { (i) in body(i) } } }
mit
cb8ed81a171bf31bbe43bd200b7e8070
37.067873
189
0.654939
5.341587
false
false
false
false
kickstarter/ios-oss
KsApi/models/graphql/adapters/UserEnvelope+GraphUserEnvelopeTemplates.swift
1
959
@testable import KsApi public struct GraphUserEnvelopeTemplates { static let userJSONDict: [String: Any?] = [ "me": [ "chosenCurrency": nil, "email": "[email protected]", "hasPassword": true, "id": "VXNlci0xNDcwOTUyNTQ1", "imageUrl": "https://ksr-qa-ugc.imgix.net/missing_user_avatar.png?ixlib=rb-4.0.2&blur=false&w=1024&h=1024&fit=crop&v=&auto=format&frame=1&q=92&s=e17a7b6f853aa6320cfe67ee783eb3d8", "isAppleConnected": false, "isCreator": false, "isDeliverable": true, "isEmailVerified": true, "name": "Hari Singh", "storedCards": [ "nodes": [ [ "expirationDate": "2023-01-01", "id": "6", "lastFour": "4242", "type": GraphAPI.CreditCardTypes(rawValue: "VISA") as Any ] ], "totalCount": 1 ], "uid": "1470952545" ] ] }
apache-2.0
b0070740c6b127a04f011c1bc67eee91
29.935484
187
0.529718
3.474638
false
false
false
false