repo_name
stringlengths 6
91
| ref
stringlengths 12
59
| path
stringlengths 7
936
| license
stringclasses 15
values | copies
stringlengths 1
3
| content
stringlengths 61
714k
| hash
stringlengths 32
32
| line_mean
float64 4.88
60.8
| line_max
int64 12
421
| alpha_frac
float64 0.1
0.92
| autogenerated
bool 1
class | config_or_test
bool 2
classes | has_no_keywords
bool 2
classes | has_few_assignments
bool 1
class |
---|---|---|---|---|---|---|---|---|---|---|---|---|---|
samdamana/iphone-wikipedia-reader | refs/heads/master | WikiBrowser/AppDelegate.swift | gpl-3.0 | 1 | //
// AppDelegate.swift
// WikiBrowser
//
// Created by u0835059 on 4/19/17.
// Copyright © 2017 Samuel Davidson. All rights reserved.
//
import UIKit
@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate {
var window: UIWindow?
private let wikiCollection = WikipediaCollection()
private var navCtrl:UINavigationController?
private var webView:WikiViewController?
func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplicationLaunchOptionsKey: Any]?) -> Bool {
window = UIWindow()
print("\nMESSAGE FROM SAM:\nThe below error about PLBuildVersion is ok, it is just a warning. I have looked it up and it is because UIWebView uses multiple libraries that share class names. It seems there is no way to hide this, but it isn't anything to worry about.\n")
navCtrl = UINavigationController()
navCtrl?.automaticallyAdjustsScrollViewInsets = false
webView = WikiViewController()
webView?.automaticallyAdjustsScrollViewInsets = false
navCtrl?.viewControllers = [webView!]
window?.rootViewController = navCtrl!
window?.makeKeyAndVisible()
application.isStatusBarHidden = true
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:.
}
}
| 598d7f64770422ce01d4c508d4ffb14a | 45.9375 | 285 | 0.730027 | false | false | false | false |
KeithPiTsui/Pavers | refs/heads/swift5 | Pavers/Sources/UI/Sugar/UIImage+Extension.swift | mit | 1 | import UIKit
public extension UIImage {
convenience init(color: UIColor, size: CGSize = CGSize(width: 1, height: 1)) {
let rect = CGRect(origin: CGPoint.zero, size: size)
UIGraphicsBeginImageContextWithOptions(size, true, 0)
color.setFill()
UIRectFill(rect)
let image = UIGraphicsGetImageFromCurrentImageContext()
UIGraphicsEndImageContext()
self.init(cgImage: (image?.cgImage!)!)
}
var hasContent: Bool { return cgImage != nil || ciImage != nil }
func scale(to size: CGSize) -> UIImage? {
UIGraphicsBeginImageContextWithOptions(size, false, 0)
defer { UIGraphicsEndImageContext() }
self.draw(in: CGRect(0, 0, size.width, size.height))
return UIGraphicsGetImageFromCurrentImageContext()
}
func drawing(in tintColor: UIColor) -> UIImage? {
UIGraphicsBeginImageContextWithOptions(self.size, false, self.scale)
defer { UIGraphicsEndImageContext() }
tintColor.set()
self.draw(in: .init(origin: .zero, size: self.size))
return UIGraphicsGetImageFromCurrentImageContext()
}
}
| fe5ae82f71ba196b45091012387f60e0 | 30.411765 | 80 | 0.706929 | false | false | false | false |
renzifeng/ZFZhiHuDaily | refs/heads/master | ZFZhiHuDaily/Other/Config/ZFThemeConfig.swift | apache-2.0 | 1 | //
// ZFThemeConfig.swift
// ZFZhiHuDaily
//
// Created by 任子丰 on 16/2/19.
// Copyright © 2016年 任子丰. All rights reserved.
//
import UIKit
/// view的背景颜色
let BG_COLOR = DKColorWithColors(UIColor.whiteColor(), RGB(52, 52, 52))
/// Cell的背景颜色
let CELL_COLOR = DKColorWithColors(UIColor.whiteColor(), RGB(39, 39, 39))
/// cell上文字的颜色
let CELL_TITLE = DKColorWithRGB(0x343434,0xffffff)
/// TableHeader的颜色
let TAB_HEADER = DKColorWithColors(ThemeColor, RGB(52, 52, 52))
/// 根据alpha值,设置主题的颜色
func ThemeColorWithAlpha(alpha : CGFloat) -> DKColorPicker {
return DKColorWithColors(RGBA(0, 130, 210, alpha),RGBA(52, 52, 52, alpha))
}
/// Table分割线的颜色
let TAB_SEPAROTOR = DKColorWithRGB(0xaaaaaa, 0x313131) | 2a7818462dad9cf878047c37e933c69c | 23.344828 | 78 | 0.719149 | false | false | false | false |
ztyjr888/WeChat | refs/heads/master | WeChat/Contact/Person/CommentDetailView.swift | apache-2.0 | 1 | //
// CommentDetailView.swift
// WeChat
//
// Created by Smile on 16/1/26.
// Copyright © 2016年 [email protected]. All rights reserved.
//
import UIKit
class CommentDetailView: UIView {
let imageWidth:CGFloat = 20
let imageHeight:CGFloat = 20
var nameLabel:CGFloat = 0
var imageBigWidth:CGFloat = 60
var imageBigHeight:CGFloat = 80
var imageSmallWidth:CGFloat = 40//多张小图宽度
var imageSmallHeight:CGFloat = 40//多张小图高度
var smallImagePadding:CGFloat = 5//多张小图间空白
var beforeDayLabel:CGFloat = 0//几天前
var rightImgWidth:CGFloat = 15//右侧图片宽度
var rightImgHeight:CGFloat = 7//右侧图片高度
var topPadding:CGFloat = 10//上边空白
var leftPadding:CGFloat = 15//左边空白
var rightPadding:CGFloat = 15//右边空白
var isLayedOut:Bool = false
//要传入的值
var info:Info!
init(frame: CGRect,info:Info) {
super.init(frame: frame)
self.info = info
}
required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
}
override func layoutSubviews() {
super.layoutSubviews()
if !isLayedOut {
isLayedOut = true
}
}
//MARKS: 创建页面元素
func create(){
}
}
| ea3ca814c52829390ad084c0c4a5d933 | 20.508475 | 68 | 0.603625 | false | false | false | false |
007HelloWorld/DouYuZhiBo | refs/heads/develop | Apps/Forum17/2017/Pods/Alamofire/Source/NetworkReachabilityManager.swift | apache-2.0 | 117 | //
// NetworkReachabilityManager.swift
//
// Copyright (c) 2014-2016 Alamofire Software Foundation (http://alamofire.org/)
//
// 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.
//
#if !os(watchOS)
import Foundation
import SystemConfiguration
/// The `NetworkReachabilityManager` class listens for reachability changes of hosts and addresses for both WWAN and
/// WiFi network interfaces.
///
/// Reachability can be used to determine background information about why a network operation failed, or to retry
/// network requests when a connection is established. It should not be used to prevent a user from initiating a network
/// request, as it's possible that an initial request may be required to establish reachability.
public class NetworkReachabilityManager {
/// Defines the various states of network reachability.
///
/// - unknown: It is unknown whether the network is reachable.
/// - notReachable: The network is not reachable.
/// - reachable: The network is reachable.
public enum NetworkReachabilityStatus {
case unknown
case notReachable
case reachable(ConnectionType)
}
/// Defines the various connection types detected by reachability flags.
///
/// - ethernetOrWiFi: The connection type is either over Ethernet or WiFi.
/// - wwan: The connection type is a WWAN connection.
public enum ConnectionType {
case ethernetOrWiFi
case wwan
}
/// A closure executed when the network reachability status changes. The closure takes a single argument: the
/// network reachability status.
public typealias Listener = (NetworkReachabilityStatus) -> Void
// MARK: - Properties
/// Whether the network is currently reachable.
public var isReachable: Bool { return isReachableOnWWAN || isReachableOnEthernetOrWiFi }
/// Whether the network is currently reachable over the WWAN interface.
public var isReachableOnWWAN: Bool { return networkReachabilityStatus == .reachable(.wwan) }
/// Whether the network is currently reachable over Ethernet or WiFi interface.
public var isReachableOnEthernetOrWiFi: Bool { return networkReachabilityStatus == .reachable(.ethernetOrWiFi) }
/// The current network reachability status.
public var networkReachabilityStatus: NetworkReachabilityStatus {
guard let flags = self.flags else { return .unknown }
return networkReachabilityStatusForFlags(flags)
}
/// The dispatch queue to execute the `listener` closure on.
public var listenerQueue: DispatchQueue = DispatchQueue.main
/// A closure executed when the network reachability status changes.
public var listener: Listener?
private var flags: SCNetworkReachabilityFlags? {
var flags = SCNetworkReachabilityFlags()
if SCNetworkReachabilityGetFlags(reachability, &flags) {
return flags
}
return nil
}
private let reachability: SCNetworkReachability
private var previousFlags: SCNetworkReachabilityFlags
// MARK: - Initialization
/// Creates a `NetworkReachabilityManager` instance with the specified host.
///
/// - parameter host: The host used to evaluate network reachability.
///
/// - returns: The new `NetworkReachabilityManager` instance.
public convenience init?(host: String) {
guard let reachability = SCNetworkReachabilityCreateWithName(nil, host) else { return nil }
self.init(reachability: reachability)
}
/// Creates a `NetworkReachabilityManager` instance that monitors the address 0.0.0.0.
///
/// Reachability treats the 0.0.0.0 address as a special token that causes it to monitor the general routing
/// status of the device, both IPv4 and IPv6.
///
/// - returns: The new `NetworkReachabilityManager` instance.
public convenience init?() {
var address = sockaddr_in()
address.sin_len = UInt8(MemoryLayout<sockaddr_in>.size)
address.sin_family = sa_family_t(AF_INET)
guard let reachability = withUnsafePointer(to: &address, { pointer in
return pointer.withMemoryRebound(to: sockaddr.self, capacity: MemoryLayout<sockaddr>.size) {
return SCNetworkReachabilityCreateWithAddress(nil, $0)
}
}) else { return nil }
self.init(reachability: reachability)
}
private init(reachability: SCNetworkReachability) {
self.reachability = reachability
self.previousFlags = SCNetworkReachabilityFlags()
}
deinit {
stopListening()
}
// MARK: - Listening
/// Starts listening for changes in network reachability status.
///
/// - returns: `true` if listening was started successfully, `false` otherwise.
@discardableResult
public func startListening() -> Bool {
var context = SCNetworkReachabilityContext(version: 0, info: nil, retain: nil, release: nil, copyDescription: nil)
context.info = Unmanaged.passUnretained(self).toOpaque()
let callbackEnabled = SCNetworkReachabilitySetCallback(
reachability,
{ (_, flags, info) in
let reachability = Unmanaged<NetworkReachabilityManager>.fromOpaque(info!).takeUnretainedValue()
reachability.notifyListener(flags)
},
&context
)
let queueEnabled = SCNetworkReachabilitySetDispatchQueue(reachability, listenerQueue)
listenerQueue.async {
self.previousFlags = SCNetworkReachabilityFlags()
self.notifyListener(self.flags ?? SCNetworkReachabilityFlags())
}
return callbackEnabled && queueEnabled
}
/// Stops listening for changes in network reachability status.
public func stopListening() {
SCNetworkReachabilitySetCallback(reachability, nil, nil)
SCNetworkReachabilitySetDispatchQueue(reachability, nil)
}
// MARK: - Internal - Listener Notification
func notifyListener(_ flags: SCNetworkReachabilityFlags) {
guard previousFlags != flags else { return }
previousFlags = flags
listener?(networkReachabilityStatusForFlags(flags))
}
// MARK: - Internal - Network Reachability Status
func networkReachabilityStatusForFlags(_ flags: SCNetworkReachabilityFlags) -> NetworkReachabilityStatus {
guard isNetworkReachable(with: flags) else { return .notReachable }
var networkStatus: NetworkReachabilityStatus = .reachable(.ethernetOrWiFi)
#if os(iOS)
if flags.contains(.isWWAN) { networkStatus = .reachable(.wwan) }
#endif
return networkStatus
}
func isNetworkReachable(with flags: SCNetworkReachabilityFlags) -> Bool {
let isReachable = flags.contains(.reachable)
let needsConnection = flags.contains(.connectionRequired)
let canConnectAutomatically = flags.contains(.connectionOnDemand) || flags.contains(.connectionOnTraffic)
let canConnectWithoutUserInteraction = canConnectAutomatically && !flags.contains(.interventionRequired)
return isReachable && (!needsConnection || canConnectWithoutUserInteraction)
}
}
// MARK: -
extension NetworkReachabilityManager.NetworkReachabilityStatus: Equatable {}
/// Returns whether the two network reachability status values are equal.
///
/// - parameter lhs: The left-hand side value to compare.
/// - parameter rhs: The right-hand side value to compare.
///
/// - returns: `true` if the two values are equal, `false` otherwise.
public func ==(
lhs: NetworkReachabilityManager.NetworkReachabilityStatus,
rhs: NetworkReachabilityManager.NetworkReachabilityStatus)
-> Bool
{
switch (lhs, rhs) {
case (.unknown, .unknown):
return true
case (.notReachable, .notReachable):
return true
case let (.reachable(lhsConnectionType), .reachable(rhsConnectionType)):
return lhsConnectionType == rhsConnectionType
default:
return false
}
}
#endif
| 8fc1b534e195729240881cf42b13b47e | 37.918455 | 122 | 0.70644 | false | false | false | false |
Paladinfeng/Weibo-Swift | refs/heads/master | Weibo/Weibo/Classes/View/Main/View/PFTabBar.swift | mit | 1 | //
// PFTabBar.swift
// Weibo
//
// Created by Paladinfeng on 15/12/5.
// Copyright © 2015年 Paladinfeng. All rights reserved.
//
import UIKit
class PFTabBar: UITabBar {
var clickCompose: (()->())?
override init(frame: CGRect) {
super.init(frame: frame)
setupUI()
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
private func setupUI() {
// 设置它为了解决导航栏push时变黑得BUG
backgroundImage = UIImage(named: "tabbar_background")
addSubview(composeBtn)
}
override func layoutSubviews() {
super.layoutSubviews()
composeBtn.center = CGPoint(x: frame.width * 0.5, y: frame.height * 0.5)
let itemW = frame.width / 5
var index = 0
for childView in subviews{
if childView.isKindOfClass(NSClassFromString("UITabBarButton")!){
childView.frame.size.width = itemW
childView.frame.origin.x = CGFloat(index) * itemW
index++
if index == 2 {
index++
}
}
}
}
// MARK: - 懒加载控件
lazy var composeBtn: UIButton = {
let btn = UIButton()
btn.addTarget(self, action: "didClickCompose", forControlEvents: .TouchUpInside)
//img
btn.setImage(UIImage(named: "tabbar_compose_icon_add"), forState: .Normal)
btn.setImage(UIImage(named: "tabbar_compose_icon_add_highlighted"), forState: .Highlighted)
//backgroundImg
btn.setBackgroundImage(UIImage(named: "tabbar_compose_button"), forState: .Normal)
btn.setBackgroundImage(UIImage(named: "tabbar_compose_button_highlighted"), forState: .Highlighted)
btn.sizeToFit()
return btn
}()
@objc private func didClickCompose() {
clickCompose?()
}
}
| 578db39f12b937780b5f18847844675f | 22.788889 | 107 | 0.519383 | false | false | false | false |
pantuspavel/PPEventRegistryAPI | refs/heads/master | PPEventRegistryAPI/PPEventRegistryAPITests/Classes/PPEventRegistryAPISpec.swift | mit | 1 | //
// PPEventRegistryAPI.swift
// PPEventRegistryAPI
//
// Created by Pavel Pantus on 7/14/16.
// Copyright © 2016 Pavel Pantus. All rights reserved.
//
import Quick
import Nimble
import OHHTTPStubs
@testable import PPEventRegistryAPI
class PPEventRegistryAPISpec: QuickSpec {
override func spec() {
var api = PPEventRegistryAPI()
beforeEach {
api = PPEventRegistryAPI()
api.state = .loggedIn(email: "[email protected]", password: "pwd")
OHHTTPStubs.onStubActivation { request, stub, response in
print("[OHHTTPStubs] Request to \(request.url!) has been stubbed with \(stub.name)")
}
};
afterEach {
OHHTTPStubs.removeAllStubs()
};
it("Login returns nil error in case of success") {
PPLoginOperation.stubSuccess()
waitUntil { done in
api.login("[email protected]", password: "password") { error in
expect(Thread.current).to(equal(Thread.main))
expect(error).to(beNil())
done()
}
}
}
it("Login returns an unknown user error in case of failure") {
PPLoginOperation.stubUserNotFound()
waitUntil { done in
api.login("[email protected]", password: "password") { error in
expect(Thread.current).to(equal(Thread.main))
expect(error).to(equal(PPError.UnknownUser))
done()
}
}
}
it("Login returns a missing data error in case of an empty input") {
PPLoginOperation.stubUserMissingData()
waitUntil { done in
api.login("", password: "") { error in
expect(Thread.current).to(equal(Thread.main))
expect(error).to(equal(PPError.MissingData))
done()
}
}
}
it("Login returns an appropriate error in case of transport error") {
PPTransport.stubErrorResponse()
waitUntil { done in
api.login("", password: "") { error in
expect(error!).to(equal(PPError.NetworkError("The operation couldn’t be completed. (NSURLErrorDomain error -1009.)")))
done()
}
}
}
it("Get Event returns an event object in case of success") {
PPGetEventOperation.stubSuccess()
waitUntil { done in
api.getEvent(withID: 123) { result in
expect(Thread.current).to(equal(Thread.main))
expect(result.value).toNot(beNil())
done()
}
}
}
it("Get Event returns an error and no event object in case of event was not found") {
PPGetEventOperation.stubEventNotFound()
waitUntil { done in
api.getEvent(withID: 44808387) { result in
expect(Thread.current).to(equal(Thread.main))
expect(result.error!.debugDescription).to(equal("Error: Provided event uri (44808387) is not a valid event uri"))
done()
}
}
}
it("Get Event returns an appropriate error in case of transport error") {
PPTransport.stubErrorResponse()
waitUntil { done in
api.getEvent(withID: 44808387) { result in
expect(result.error!).to(equal(PPError.NetworkError("The operation couldn’t be completed. (NSURLErrorDomain error -1009.)")))
done()
}
}
}
it("Get Event returns an appropriate error in case of an empty response") {
PPGetEventOperation.stubEmptyResponse()
waitUntil { done in
api.getEvent(withID: 44808387) { result in
expect(result.error!).to(equal(PPError.Error("Event Not Found")))
done()
}
}
}
it("Recent Articles return new articles in case of available") {
PPRecentArticlesOperation.stubSuccess()
waitUntil { done in
api.getRecentArticles(count: 3) { result in
expect(Thread.current).to(equal(Thread.main))
expect(result.value).to(haveCount(3))
done()
}
}
}
it("Recent Articles return empty array in case of no new articles") {
PPRecentArticlesOperation.stubNoArticlesFound()
waitUntil { done in
api.getRecentArticles(count: 10) { result in
expect(Thread.current).to(equal(Thread.main))
expect(result.value).to(haveCount(0))
done()
}
}
}
it("Recent Articles return an appropriate error in case of transport error") {
PPTransport.stubErrorResponse()
waitUntil { done in
api.getRecentArticles(count: 10) { result in
expect(result.error!).to(equal(PPError.NetworkError("The operation couldn’t be completed. (NSURLErrorDomain error -1009.)")))
done()
}
}
}
describe("schedule") {
beforeEach {
api.state = .loggedOut
}
it("returns Log In Needed error in logged out state") {
waitUntil { done in
let operation = PPAsyncOperation(controller: .Event, method: .Post, parameters: [:])
operation.completionHandler = { result in
expect(Thread.current).to(equal(Thread.main))
expect(result.error!.debugDescription).to(equal("LogInNeeded"))
expect(operation.transport).to(beNil())
expect(operation.modelMapper).to(beNil())
done()
}
api.schedule(operation)
}
}
it("adds login operation in logged out state") {
PPLoginOperation.stubSuccess()
waitUntil { done in
api.login("[email protected]", password: "password") { error in
expect(Thread.current).to(equal(Thread.main))
expect(error).to(beNil())
done()
}
}
}
}
}
}
| 98fba03d74fcf168cf5708cc5f265c3f | 33.880208 | 145 | 0.505152 | false | false | false | false |
4faramita/TweeBox | refs/heads/master | TweeBox/SearchTimelineTableViewController.swift | mit | 1 | //
// Created by 4faramita on 2017/8/24.
// Copyright (c) 2017 4faramita. All rights reserved.
//
import Foundation
import UIKit
class SearchTimelineTableViewController: TimelineTableViewController {
var query: String? {
didSet {
refreshTimeline(handler: nil)
}
}
var resultType: SearchResultType {
return .recent
}
@IBAction func done(_ sender: UIBarButtonItem) {
dismiss(animated: true, completion: nil)
}
override func setAndPerformSegueForHashtag() {
let destinationViewController = UIStoryboard(name: "Main", bundle: nil).instantiateViewController(withIdentifier: "SearchTimelineViewController")
let segue = UIStoryboardSegue(identifier: "Show Tweets with Hashtag", source: self, destination: destinationViewController) {
self.navigationController?.show(destinationViewController, sender: self)
}
self.prepare(for: segue, sender: self)
segue.perform()
}
override func refreshTimeline(handler: (() -> Void)?) {
let replyTimelineParams = SearchTweetParams(
query: self.query ?? "",
resultType: self.resultType,
until: nil,
sinceID: nil, // this two will be managed
maxID: nil, // in timeline data retriever
includeEntities: true,
resourceURL: ResourceURL.search_tweets
)
let searchTimeline = SearchTimeline(
maxID: maxID,
sinceID: sinceID,
fetchNewer: fetchNewer,
resourceURL: replyTimelineParams.resourceURL,
params: replyTimelineParams
)
searchTimeline.fetchData { [weak self] (maxID, sinceID, tweets) in
if (self?.maxID == nil) && (self?.sinceID == nil) {
if let sinceID = sinceID {
self?.sinceID = sinceID
}
if let maxID = maxID {
self?.maxID = maxID
}
} else {
if (self?.fetchNewer)! {
if let sinceID = sinceID {
self?.sinceID = sinceID
}
} else {
if let maxID = maxID {
self?.maxID = maxID
}
}
}
print(">>> tweets >> \(tweets.count)")
if tweets.count > 0 {
self?.insertNewTweets(with: tweets)
let cells = self?.tableView.visibleCells
if cells != nil {
for cell in cells! {
let indexPath = self?.tableView.indexPath(for: cell)
if let tweetCell = cell as? GeneralTweetTableViewCell {
tweetCell.section = indexPath?.section
}
}
}
}
if let handler = handler {
handler()
}
}
}
}
| 6131f6b74e4baadb261d0a5532e1e124 | 29.211538 | 153 | 0.497454 | false | false | false | false |
socialbanks/ios-wallet | refs/heads/master | SocialWallet/ReceiveVC.swift | mit | 1 | //
// ReceiveVC.swift
// SocialWallet
//
// Created by Mauricio de Oliveira on 5/16/15.
// Copyright (c) 2015 SocialBanks. All rights reserved.
//
import UIKit
import Parse
class ReceiveVC: BaseVC, UITextFieldDelegate {
var wallet:Wallet?
@IBOutlet weak var descriptionField: UITextField!
@IBOutlet weak var qrCodeImageView: UIImageView!
override func viewDidLoad() {
super.viewDidLoad()
self.descriptionField.delegate = self
/*
let filter2data = CIFilter(name: "CIPhotoEffectChrome")
filter2data.setValue(CIImage(image: imageView.image), forKey: kCIInputImageKey)
self.filter2image.image = UIImage(CIImage: filter2data.outputImage)
*/
}
@IBAction func generateAction(sender: AnyObject) {
let address = wallet!.getBitcoinAddress()
let stringData:String = "{\"bitcoin\":\"" + address + "\",\"receiverDescription\":\"" + descriptionField.text! + "\"}"
let data:NSData = stringData.dataUsingEncoding(NSUTF8StringEncoding)!
let qrFilter:CIFilter = CIFilter(name: "CIQRCodeGenerator")
qrFilter.setValue(data, forKey: "inputMessage")
qrFilter.setValue("M", forKey: "inputCorrectionLevel")
self.qrCodeImageView.image = nil
self.qrCodeImageView.image = UIImage(CIImage: qrFilter.outputImage)
qrCodeImageView.layer.magnificationFilter = kCAFilterNearest
self.qrCodeImageView.setNeedsDisplay()
qrCodeImageView.layer.magnificationFilter = kCAFilterNearest
}
// MARK: UITextField delegate
func textFieldShouldReturn(textField: UITextField) -> Bool {
textField.resignFirstResponder()
return true
}
}
| b2e0e24f56c234d0c188690bdc41b743 | 31.163636 | 126 | 0.664217 | false | false | false | false |
mukeshthawani/UXMPDFKit | refs/heads/master | Pod/Classes/Renderer/PDFPageTileLayer.swift | mit | 2 | //
// PDFPageTileLayer.swift
// Pods
//
// Created by Chris Anderson on 3/5/16.
//
//
import UIKit
internal class PDFPageTileLayer: CATiledLayer {
override init() {
super.init()
levelsOfDetail = 12
levelsOfDetailBias = levelsOfDetail - 1
let mainScreen = UIScreen.main
let screenScale = mainScreen.scale
let screenBounds = mainScreen.bounds
let width = screenBounds.size.width * screenScale
let height = screenBounds.size.height * screenScale
let max = width < height ? height : width
let sizeOfTiles: CGFloat = max < 512.0 ? 512.0 : 1024.0
tileSize = CGSize(width: sizeOfTiles, height: sizeOfTiles)
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
override init(layer: Any) {
super.init(layer: layer)
}
}
| 37c28d6636fb637ae8bb2c3bb4bfb37f | 23.102564 | 66 | 0.601064 | false | false | false | false |
ps2/rileylink_ios | refs/heads/dev | RileyLinkKit/PumpOpsSession.swift | mit | 1 | //
// PumpOpsSynchronous.swift
// RileyLink
//
// Created by Pete Schwamb on 3/12/16.
// Copyright © 2016 Pete Schwamb. All rights reserved.
//
import Foundation
import LoopKit
import RileyLinkBLEKit
public protocol PumpOpsSessionDelegate: AnyObject {
func pumpOpsSession(_ session: PumpOpsSession, didChange state: PumpState)
func pumpOpsSessionDidChangeRadioConfig(_ session: PumpOpsSession)
}
public class PumpOpsSession {
private(set) public var pump: PumpState {
didSet {
delegate.pumpOpsSession(self, didChange: pump)
}
}
public let settings: PumpSettings
private let messageSender: PumpMessageSender
private unowned let delegate: PumpOpsSessionDelegate
public init(settings: PumpSettings, pumpState: PumpState, messageSender: PumpMessageSender, delegate: PumpOpsSessionDelegate) {
self.settings = settings
self.pump = pumpState
self.messageSender = messageSender
self.delegate = delegate
}
}
// MARK: - Wakeup and power
extension PumpOpsSession {
private static let minimumTimeBetweenWakeAttempts = TimeInterval(minutes: 1)
/// Attempts to send initial short wakeup message that kicks off the wakeup process.
///
/// If successful, still does not fully wake up the pump - only alerts it such that the longer wakeup message can be sent next.
///
/// - Throws:
/// - PumpCommandError.command containing:
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unexpectedResponse
/// - PumpOpsError.unknownResponse
private func sendWakeUpBurst() throws {
// Skip waking up if we recently tried
guard pump.lastWakeAttempt == nil || pump.lastWakeAttempt!.timeIntervalSinceNow <= -PumpOpsSession.minimumTimeBetweenWakeAttempts
else {
return
}
pump.lastWakeAttempt = Date()
let shortPowerMessage = PumpMessage(settings: settings, type: .powerOn)
if pump.pumpModel == nil || !pump.pumpModel!.hasMySentry {
// Older pumps have a longer sleep cycle between wakeups, so send an initial burst
do {
let _: PumpAckMessageBody = try messageSender.getResponse(to: shortPowerMessage, responseType: .pumpAck, repeatCount: 255, timeout: .milliseconds(1), retryCount: 0)
}
catch { }
}
do {
let _: PumpAckMessageBody = try messageSender.getResponse(to: shortPowerMessage, responseType: .pumpAck, repeatCount: 255, timeout: .seconds(12), retryCount: 0)
} catch let error as PumpOpsError {
throw PumpCommandError.command(error)
}
}
private func isPumpResponding() -> Bool {
do {
let _: GetPumpModelCarelinkMessageBody = try messageSender.getResponse(to: PumpMessage(settings: settings, type: .getPumpModel), responseType: .getPumpModel, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 1)
return true
} catch {
return false
}
}
/// - Throws:
/// - PumpCommandError.command
/// - PumpCommandError.arguments
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unexpectedResponse
/// - PumpOpsError.unknownResponse
private func wakeup(_ duration: TimeInterval = TimeInterval(minutes: 1)) throws {
guard !pump.isAwake else {
return
}
// Send a short message to the pump to see if its radio is still powered on
if isPumpResponding() {
// TODO: Convert logging
NSLog("Pump responding despite our wake timer having expired. Extending timer")
// By my observations, the pump stays awake > 1 minute past last comms. Usually
// About 1.5 minutes, but we'll make it a minute to be safe.
pump.awakeUntil = Date(timeIntervalSinceNow: TimeInterval(minutes: 1))
return
}
// Command
try sendWakeUpBurst()
// Arguments
do {
let longPowerMessage = PumpMessage(settings: settings, type: .powerOn, body: PowerOnCarelinkMessageBody(duration: duration))
let _: PumpAckMessageBody = try messageSender.getResponse(to: longPowerMessage, responseType: .pumpAck, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
} catch let error as PumpOpsError {
throw PumpCommandError.arguments(error)
} catch {
assertionFailure()
}
// TODO: Convert logging
NSLog("Power on for %.0f minutes", duration.minutes)
pump.awakeUntil = Date(timeIntervalSinceNow: duration)
}
}
// MARK: - Single reads
extension PumpOpsSession {
/// Retrieves the pump model from either the state or from the cache
///
/// - Parameter usingCache: Whether the pump state should be checked first for a known pump model
/// - Returns: The pump model
/// - Throws:
/// - PumpCommandError.command
/// - PumpCommandError.arguments
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unexpectedResponse
/// - PumpOpsError.unknownResponse
public func getPumpModel(usingCache: Bool = true) throws -> PumpModel {
if usingCache, let pumpModel = pump.pumpModel {
return pumpModel
}
try wakeup()
let body: GetPumpModelCarelinkMessageBody = try messageSender.getResponse(to: PumpMessage(settings: settings, type: .getPumpModel), responseType: .getPumpModel, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
guard let pumpModel = PumpModel(rawValue: body.model) else {
throw PumpOpsError.unknownPumpModel(body.model)
}
pump.pumpModel = pumpModel
return pumpModel
}
/// Retrieves the pump firmware version
///
/// - Returns: The pump firmware version as string
/// - Throws:
/// - PumpCommandError.command
/// - PumpCommandError.arguments
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unexpectedResponse
/// - PumpOpsError.unknownResponse
public func getPumpFirmwareVersion() throws -> String {
try wakeup()
let body: GetPumpFirmwareVersionMessageBody = try messageSender.getResponse(to: PumpMessage(settings: settings, type: .readFirmwareVersion), responseType: .readFirmwareVersion, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
return body.version
}
/// - Throws:
/// - PumpCommandError.command
/// - PumpCommandError.arguments
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unexpectedResponse
/// - PumpOpsError.unknownResponse
public func getBatteryStatus() throws -> GetBatteryCarelinkMessageBody {
try wakeup()
return try messageSender.getResponse(to: PumpMessage(settings: settings, type: .getBattery), responseType: .getBattery, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
}
/// - Throws:
/// - PumpCommandError.command
/// - PumpCommandError.arguments
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unexpectedResponse
/// - PumpOpsError.unknownResponse
internal func getPumpStatus() throws -> ReadPumpStatusMessageBody {
try wakeup()
return try messageSender.getResponse(to: PumpMessage(settings: settings, type: .readPumpStatus), responseType: .readPumpStatus, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
}
/// - Throws:
/// - PumpCommandError.command
/// - PumpCommandError.arguments
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unexpectedResponse
/// - PumpOpsError.unknownResponse
public func getSettings() throws -> ReadSettingsCarelinkMessageBody {
try wakeup()
return try messageSender.getResponse(to: PumpMessage(settings: settings, type: .readSettings), responseType: .readSettings, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
}
/// Reads the pump's time, returning a set of DateComponents in the pump's presumed time zone.
///
/// - Returns: The pump's time components including timeZone
/// - Throws:
/// - PumpCommandError.command
/// - PumpCommandError.arguments
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unexpectedResponse
/// - PumpOpsError.unknownResponse
public func getTime() throws -> DateComponents {
try wakeup()
let response: ReadTimeCarelinkMessageBody = try messageSender.getResponse(to: PumpMessage(settings: settings, type: .readTime), responseType: .readTime, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
var components = response.dateComponents
components.timeZone = pump.timeZone
return components
}
/// Reads Basal Schedule from the pump
///
/// - Returns: The pump's standard basal schedule
/// - Throws:
/// - PumpCommandError.command
/// - PumpCommandError.arguments
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unexpectedResponse
/// - PumpOpsError.unknownResponse
public func getBasalSchedule(for profile: BasalProfile = .standard) throws -> BasalSchedule? {
try wakeup()
var isFinished = false
var message = PumpMessage(settings: settings, type: profile.readMessageType)
var scheduleData = Data()
while (!isFinished) {
let body: DataFrameMessageBody = try messageSender.getResponse(to: message, responseType: profile.readMessageType, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
scheduleData.append(body.contents)
isFinished = body.isLastFrame
message = PumpMessage(settings: settings, type: .pumpAck)
}
return BasalSchedule(rawValue: scheduleData)
}
/// - Throws:
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unexpectedResponse
/// - PumpOpsError.unknownResponse
public func getOtherDevicesIDs() throws -> ReadOtherDevicesIDsMessageBody {
try wakeup()
return try messageSender.getResponse(to: PumpMessage(settings: settings, type: .readOtherDevicesIDs), responseType: .readOtherDevicesIDs, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
}
/// - Throws:
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unexpectedResponse
/// - PumpOpsError.unknownResponse
public func getOtherDevicesEnabled() throws -> Bool {
try wakeup()
let response: ReadOtherDevicesStatusMessageBody = try messageSender.getResponse(to: PumpMessage(settings: settings, type: .readOtherDevicesStatus), responseType: .readOtherDevicesStatus, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
return response.isEnabled
}
/// - Throws:
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unexpectedResponse
/// - PumpOpsError.unknownResponse
public func getRemoteControlIDs() throws -> ReadRemoteControlIDsMessageBody {
try wakeup()
return try messageSender.getResponse(to: PumpMessage(settings: settings, type: .readRemoteControlIDs), responseType: .readRemoteControlIDs, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
}
}
// MARK: - Aggregate reads
public struct PumpStatus: Equatable {
// Date components read from the pump, along with PumpState.timeZone
public let clock: DateComponents
public let batteryVolts: Measurement<UnitElectricPotentialDifference>
public let batteryStatus: BatteryStatus
public let suspended: Bool
public let bolusing: Bool
public let reservoir: Double
public let model: PumpModel
public let pumpID: String
}
extension PumpOpsSession {
/// Reads the current insulin reservoir volume and the pump's date
///
/// - Returns:
/// - The reservoir volume, in units of insulin
/// - DateCompoments representing the pump's clock
/// - Throws:
/// - PumpCommandError.command
/// - PumpCommandError.arguments
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unknownResponse
public func getRemainingInsulin() throws -> (units: Double, clock: DateComponents) {
let pumpModel = try getPumpModel()
let pumpClock = try getTime()
let reservoir: ReadRemainingInsulinMessageBody = try messageSender.getResponse(to: PumpMessage(settings: settings, type: .readRemainingInsulin), responseType: .readRemainingInsulin, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
return (
units: reservoir.getUnitsRemaining(insulinBitPackingScale: pumpModel.insulinBitPackingScale),
clock: pumpClock
)
}
/// Reads clock, reservoir, battery, bolusing, and suspended state from pump
///
/// - Returns: The pump status
/// - Throws:
/// - PumpCommandError
/// - PumpOpsError
public func getCurrentPumpStatus() throws -> PumpStatus {
let pumpModel = try getPumpModel()
let battResp = try getBatteryStatus()
let status = try getPumpStatus()
let (reservoir, clock) = try getRemainingInsulin()
return PumpStatus(
clock: clock,
batteryVolts: Measurement(value: battResp.volts, unit: UnitElectricPotentialDifference.volts),
batteryStatus: battResp.status,
suspended: status.suspended,
bolusing: status.bolusing,
reservoir: reservoir,
model: pumpModel,
pumpID: settings.pumpID
)
}
}
// MARK: - Command messages
extension PumpOpsSession {
/// - Throws: `PumpCommandError` specifying the failure sequence
private func runCommandWithArguments<T: MessageBody>(_ message: PumpMessage, responseType: MessageType = .pumpAck, retryCount: Int = 3) throws -> T {
do {
try wakeup()
let shortMessage = PumpMessage(packetType: message.packetType, address: message.address.hexadecimalString, messageType: message.messageType, messageBody: CarelinkShortMessageBody())
let _: PumpAckMessageBody = try messageSender.getResponse(to: shortMessage, responseType: .pumpAck, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
} catch let error as PumpOpsError {
throw PumpCommandError.command(error)
}
do {
return try messageSender.getResponse(to: message, responseType: responseType, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: retryCount)
} catch let error as PumpOpsError {
throw PumpCommandError.arguments(error)
}
}
/// - Throws: `PumpCommandError` specifying the failure sequence
public func pressButton(_ type: ButtonPressCarelinkMessageBody.ButtonType) throws {
let message = PumpMessage(settings: settings, type: .buttonPress, body: ButtonPressCarelinkMessageBody(buttonType: type))
let _: PumpAckMessageBody = try runCommandWithArguments(message)
}
/// - Throws: `PumpCommandError` specifying the failure sequence
public func setSuspendResumeState(_ state: SuspendResumeMessageBody.SuspendResumeState) throws {
let message = PumpMessage(settings: settings, type: .suspendResume, body: SuspendResumeMessageBody(state: state))
let _: PumpAckMessageBody = try runCommandWithArguments(message)
}
/// - Throws: PumpCommandError
public func selectBasalProfile(_ profile: BasalProfile) throws {
let message = PumpMessage(settings: settings, type: .selectBasalProfile, body: SelectBasalProfileMessageBody(newProfile: profile))
let _: PumpAckMessageBody = try runCommandWithArguments(message)
}
/// - Throws: PumpCommandError
public func setMaxBasalRate(unitsPerHour: Double) throws {
guard let body = ChangeMaxBasalRateMessageBody(maxBasalUnitsPerHour: unitsPerHour) else {
throw PumpCommandError.command(PumpOpsError.pumpError(PumpErrorCode.maxSettingExceeded))
}
let message = PumpMessage(settings: settings, type: .setMaxBasalRate, body: body)
let _: PumpAckMessageBody = try runCommandWithArguments(message)
}
/// - Throws: PumpCommandError
public func setMaxBolus(units: Double) throws {
guard let body = ChangeMaxBolusMessageBody(pumpModel: try getPumpModel(), maxBolusUnits: units) else {
throw PumpCommandError.command(PumpOpsError.pumpError(PumpErrorCode.maxSettingExceeded))
}
let message = PumpMessage(settings: settings, type: .setMaxBolus, body: body)
let _: PumpAckMessageBody = try runCommandWithArguments(message)
}
/// Changes the current temporary basal rate
///
/// - Parameters:
/// - unitsPerHour: The new basal rate, in Units per hour
/// - duration: The duration of the rate
/// - Returns:
/// - .success: A bool that indicates if the dose was confirmed successful
/// - .failure: An error describing why the command failed
public func setTempBasal(_ unitsPerHour: Double, duration: TimeInterval) -> Result<Bool,PumpCommandError> {
let message = PumpMessage(settings: settings, type: .changeTempBasal, body: ChangeTempBasalCarelinkMessageBody(unitsPerHour: unitsPerHour, duration: duration))
do {
try wakeup()
} catch {
// Certain failure, as we haven't sent actual command yet; wakeup failed
return .failure(.command(error as? PumpOpsError ?? PumpOpsError.rfCommsFailure(String(describing: error))))
}
do {
let shortMessage = PumpMessage(packetType: message.packetType, address: message.address.hexadecimalString, messageType: message.messageType, messageBody: CarelinkShortMessageBody())
let _: PumpAckMessageBody = try messageSender.getResponse(to: shortMessage, responseType: .pumpAck, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
} catch {
// Certain failure, as we haven't sent actual command yet; just preflight short command
return .failure(.command(error as? PumpOpsError ?? PumpOpsError.rfCommsFailure(String(describing: error))))
}
var uncertainFailureError: PumpCommandError?
do {
let _: PumpAckMessageBody = try messageSender.getResponse(to: message, responseType: .pumpAck, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 1)
// Even in success case, we try to verify, below
} catch PumpOpsError.pumpError(let errorCode) {
return .failure(.arguments(.pumpError(errorCode)))
} catch PumpOpsError.unknownPumpErrorCode(let errorCode) {
return .failure(.arguments(.unknownPumpErrorCode(errorCode)))
} catch {
// Some pumps do not ACK a successful temp basal. Check manually to see if it was successful.
uncertainFailureError = .command(error as? PumpOpsError ?? PumpOpsError.rfCommsFailure(String(describing: error)))
}
do {
let response: ReadTempBasalCarelinkMessageBody = try messageSender.getResponse(to: PumpMessage(settings: settings, type: .readTempBasal), responseType: .readTempBasal, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
// Duration is always whole minute values
if response.timeRemaining == duration && response.rateType == .absolute {
return .success(true)
} else {
// readTempBasal does not match what we attempted to command
if let failureError = uncertainFailureError {
return .failure(failureError)
}
// successful readTempBasal shows no temp basal running, so we failed
return .failure(PumpCommandError.arguments(PumpOpsError.rfCommsFailure("Confirmed that temp basal failed, and ")))
}
} catch {
// unsuccessful readTempBasal; assume command reached pump, but we're uncertain
return .success(false)
}
}
/// Changes the pump's clock to the specified date components in the system time zone
///
/// - Parameter generator: A closure which returns the desired date components. An exeception is raised if the date components are not valid.
/// - Throws: PumpCommandError
public func setTime(_ generator: () -> DateComponents) throws {
try wakeup()
do {
let shortMessage = PumpMessage(settings: settings, type: .changeTime)
let _: PumpAckMessageBody = try messageSender.getResponse(to: shortMessage, responseType: .pumpAck, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
} catch let error as PumpOpsError {
throw PumpCommandError.command(error)
}
do {
let components = generator()
let message = PumpMessage(settings: settings, type: .changeTime, body: ChangeTimeCarelinkMessageBody(dateComponents: components)!)
let _: PumpAckMessageBody = try messageSender.getResponse(to: message, responseType: .pumpAck, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
self.pump.timeZone = components.timeZone?.fixed ?? .currentFixed
} catch let error as PumpOpsError {
throw PumpCommandError.arguments(error)
}
}
public func setTimeToNow(in timeZone: TimeZone? = nil) throws {
let timeZone = timeZone ?? pump.timeZone
try setTime { () -> DateComponents in
var calendar = Calendar(identifier: .gregorian)
calendar.timeZone = timeZone
var components = calendar.dateComponents([.year, .month, .day, .hour, .minute, .second], from: Date())
components.timeZone = timeZone
return components
}
}
/// Sets a bolus
///
/// *Note: Use at your own risk!*
///
/// - Parameters:
/// - units: The number of units to deliver
/// - cancelExistingTemp: If true, additional pump commands will be issued to clear any running temp basal. Defaults to false.
/// - Throws: SetBolusError describing the certainty of the underlying error
public func setNormalBolus(units: Double) throws {
let pumpModel: PumpModel
try wakeup()
pumpModel = try getPumpModel()
let status = try getPumpStatus()
if status.bolusing {
throw PumpOpsError.bolusInProgress
}
if status.suspended {
throw PumpOpsError.pumpSuspended
}
let message = PumpMessage(settings: settings, type: .bolus, body: BolusCarelinkMessageBody(units: units, insulinBitPackingScale: pumpModel.insulinBitPackingScale))
let _: PumpAckMessageBody = try runCommandWithArguments(message, retryCount: 0)
return
}
/// - Throws: PumpCommandError
public func setRemoteControlEnabled(_ enabled: Bool) throws {
let message = PumpMessage(settings: settings, type: .setRemoteControlEnabled, body: SetRemoteControlEnabledMessageBody(enabled: enabled))
let _: PumpAckMessageBody = try runCommandWithArguments(message)
}
/// - Throws: PumpCommandError
public func setRemoteControlID(_ id: Data, atIndex index: Int) throws {
guard let body = ChangeRemoteControlIDMessageBody(id: id, index: index) else {
throw PumpCommandError.command(PumpOpsError.pumpError(PumpErrorCode.maxSettingExceeded))
}
let message = PumpMessage(settings: settings, type: .setRemoteControlID, body: body)
let _: PumpAckMessageBody = try runCommandWithArguments(message)
}
/// - Throws: PumpCommandError
public func removeRemoteControlID(atIndex index: Int) throws {
guard let body = ChangeRemoteControlIDMessageBody(id: nil, index: index) else {
throw PumpCommandError.command(PumpOpsError.pumpError(PumpErrorCode.maxSettingExceeded))
}
let message = PumpMessage(settings: settings, type: .setRemoteControlID, body: body)
let _: PumpAckMessageBody = try runCommandWithArguments(message)
}
/// - Throws: `PumpCommandError` specifying the failure sequence
public func setBasalSchedule(_ basalSchedule: BasalSchedule, for profile: BasalProfile) throws {
let frames = DataFrameMessageBody.dataFramesFromContents(basalSchedule.rawValue)
guard let firstFrame = frames.first else {
return
}
let type: MessageType
switch profile {
case .standard:
type = .setBasalProfileStandard
case .profileA:
type = .setBasalProfileA
case .profileB:
type = .setBasalProfileB
}
let message = PumpMessage(settings: settings, type: type, body: firstFrame)
let _: PumpAckMessageBody = try runCommandWithArguments(message)
for nextFrame in frames.dropFirst() {
let message = PumpMessage(settings: settings, type: type, body: nextFrame)
do {
let _: PumpAckMessageBody = try messageSender.getResponse(to: message, responseType: .pumpAck, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
} catch let error as PumpOpsError {
throw PumpCommandError.arguments(error)
}
}
}
public func getStatistics() throws -> RileyLinkStatistics {
return try messageSender.getRileyLinkStatistics()
}
}
// MARK: - MySentry (Watchdog) pairing
extension PumpOpsSession {
/// Pairs the pump with a virtual "watchdog" device to enable it to broadcast periodic status packets. Only pump models x23 and up are supported.
///
/// - Parameter watchdogID: A 3-byte address for the watchdog device.
/// - Throws:
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unexpectedResponse
/// - PumpOpsError.unknownResponse
public func changeWatchdogMarriageProfile(_ watchdogID: Data) throws {
let commandTimeout = TimeInterval(seconds: 30)
// Wait for the pump to start polling
guard let encodedData = try messageSender.listenForPacket(onChannel: 0, timeout: commandTimeout)?.data else {
throw PumpOpsError.noResponse(during: "Watchdog listening")
}
guard let packet = MinimedPacket(encodedData: encodedData) else {
throw PumpOpsError.couldNotDecode(rx: encodedData, during: "Watchdog listening")
}
guard let findMessage = PumpMessage(rxData: packet.data) else {
// Unknown packet type or message type
throw PumpOpsError.unknownResponse(rx: packet.data, during: "Watchdog listening")
}
guard findMessage.address.hexadecimalString == settings.pumpID && findMessage.packetType == .mySentry,
let findMessageBody = findMessage.messageBody as? FindDeviceMessageBody, let findMessageResponseBody = MySentryAckMessageBody(sequence: findMessageBody.sequence, watchdogID: watchdogID, responseMessageTypes: [findMessage.messageType])
else {
throw PumpOpsError.unknownResponse(rx: packet.data, during: "Watchdog listening")
}
// Identify as a MySentry device
let findMessageResponse = PumpMessage(packetType: .mySentry, address: settings.pumpID, messageType: .pumpAck, messageBody: findMessageResponseBody)
let linkMessage = try messageSender.sendAndListen(findMessageResponse, repeatCount: 0, timeout: commandTimeout, retryCount: 3)
guard let
linkMessageBody = linkMessage.messageBody as? DeviceLinkMessageBody,
let linkMessageResponseBody = MySentryAckMessageBody(sequence: linkMessageBody.sequence, watchdogID: watchdogID, responseMessageTypes: [linkMessage.messageType])
else {
throw PumpOpsError.unexpectedResponse(linkMessage, from: findMessageResponse)
}
// Acknowledge the pump linked with us
let linkMessageResponse = PumpMessage(packetType: .mySentry, address: settings.pumpID, messageType: .pumpAck, messageBody: linkMessageResponseBody)
try messageSender.send(linkMessageResponse)
}
}
// MARK: - Tuning
private extension PumpRegion {
var scanFrequencies: [Measurement<UnitFrequency>] {
let scanFrequencies: [Double]
switch self {
case .worldWide:
scanFrequencies = [868.25, 868.30, 868.35, 868.40, 868.45, 868.50, 868.55, 868.60, 868.65]
case .northAmerica, .canada:
scanFrequencies = [916.45, 916.50, 916.55, 916.60, 916.65, 916.70, 916.75, 916.80]
}
return scanFrequencies.map {
return Measurement<UnitFrequency>(value: $0, unit: .megahertz)
}
}
}
enum RXFilterMode: UInt8 {
case wide = 0x50 // 300KHz
case narrow = 0x90 // 150KHz
}
public struct FrequencyTrial {
public var tries: Int = 0
public var successes: Int = 0
public var avgRSSI: Double = -99
public var frequency: Measurement<UnitFrequency>
init(frequency: Measurement<UnitFrequency>) {
self.frequency = frequency
}
}
public struct FrequencyScanResults {
public var trials: [FrequencyTrial]
public var bestFrequency: Measurement<UnitFrequency>
}
extension PumpOpsSession {
/// - Throws:
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.rfCommsFailure
public func tuneRadio(attempts: Int = 3) throws -> FrequencyScanResults {
let region = self.settings.pumpRegion
do {
let results = try scanForPump(in: region.scanFrequencies, fallback: pump.lastValidFrequency, tries: attempts)
pump.lastValidFrequency = results.bestFrequency
pump.lastTuned = Date()
delegate.pumpOpsSessionDidChangeRadioConfig(self)
return results
} catch let error as PumpOpsError {
throw error
} catch let error as LocalizedError {
throw PumpOpsError.deviceError(error)
}
}
/// - Throws: PumpOpsError.deviceError
private func setRXFilterMode(_ mode: RXFilterMode) throws {
let drate_e = UInt8(0x9) // exponent of symbol rate (16kbps)
let chanbw = mode.rawValue
do {
try messageSender.updateRegister(.mdmcfg4, value: chanbw | drate_e)
} catch let error as LocalizedError {
throw PumpOpsError.deviceError(error)
}
}
/// - Throws:
/// - PumpOpsError.deviceError
/// - RileyLinkDeviceError
func configureRadio(for region: PumpRegion, frequency: Measurement<UnitFrequency>?) throws {
try messageSender.resetRadioConfig()
switch region {
case .worldWide:
//try session.updateRegister(.mdmcfg4, value: 0x59)
try setRXFilterMode(.wide)
//try session.updateRegister(.mdmcfg3, value: 0x66)
//try session.updateRegister(.mdmcfg2, value: 0x33)
try messageSender.updateRegister(.mdmcfg1, value: 0x62)
try messageSender.updateRegister(.mdmcfg0, value: 0x1A)
try messageSender.updateRegister(.deviatn, value: 0x13)
case .northAmerica, .canada:
//try session.updateRegister(.mdmcfg4, value: 0x99)
try setRXFilterMode(.narrow)
//try session.updateRegister(.mdmcfg3, value: 0x66)
//try session.updateRegister(.mdmcfg2, value: 0x33)
try messageSender.updateRegister(.mdmcfg1, value: 0x61)
try messageSender.updateRegister(.mdmcfg0, value: 0x7E)
try messageSender.updateRegister(.deviatn, value: 0x15)
}
if let frequency = frequency {
try messageSender.setBaseFrequency(frequency)
}
}
/// - Throws:
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.rfCommsFailure
/// - LocalizedError
private func scanForPump(in frequencies: [Measurement<UnitFrequency>], fallback: Measurement<UnitFrequency>?, tries: Int = 3) throws -> FrequencyScanResults {
var trials = [FrequencyTrial]()
let middleFreq = frequencies[frequencies.count / 2]
do {
// Needed to put the pump in listen mode
try messageSender.setBaseFrequency(middleFreq)
try wakeup()
} catch {
// Continue anyway; the pump likely heard us, even if we didn't hear it.
}
for freq in frequencies {
var trial = FrequencyTrial(frequency: freq)
try messageSender.setBaseFrequency(freq)
var sumRSSI = 0
for _ in 1...tries {
// Ignore failures here
let rfPacket = try? messageSender.sendAndListenForPacket(PumpMessage(settings: settings, type: .getPumpModel), repeatCount: 0, timeout: .milliseconds(130), retryCount: 3)
if let rfPacket = rfPacket,
let pkt = MinimedPacket(encodedData: rfPacket.data),
let response = PumpMessage(rxData: pkt.data), response.messageType == .getPumpModel
{
sumRSSI += rfPacket.rssi
trial.successes += 1
}
trial.tries += 1
}
// Mark each failure as a -99 rssi, so we can use highest rssi as best freq
sumRSSI += -99 * (trial.tries - trial.successes)
trial.avgRSSI = Double(sumRSSI) / Double(trial.tries)
trials.append(trial)
}
let sortedTrials = trials.sorted(by: { (a, b) -> Bool in
return a.avgRSSI > b.avgRSSI
})
guard sortedTrials.first!.successes > 0 else {
try messageSender.setBaseFrequency(fallback ?? middleFreq)
throw PumpOpsError.rfCommsFailure("No pump responses during scan")
}
let results = FrequencyScanResults(
trials: trials,
bestFrequency: sortedTrials.first!.frequency
)
try messageSender.setBaseFrequency(results.bestFrequency)
return results
}
}
// MARK: - Pump history
extension PumpOpsSession {
/// Fetches history entries which occurred on or after the specified date.
///
/// It is possible for Minimed Pumps to non-atomically append multiple history entries with the same timestamp, for example, `BolusWizardEstimatePumpEvent` may appear and be read before `BolusNormalPumpEvent` is written. Therefore, the `startDate` parameter is used as part of an inclusive range, leaving the client to manage the possibility of duplicates.
///
/// History timestamps are reconciled with UTC based on the `timeZone` property of PumpState, as well as recorded clock change events.
///
/// - Parameter startDate: The earliest date of events to retrieve
/// - Returns:
/// - An array of fetched history entries, in ascending order of insertion
/// - The pump model
/// - Throws:
/// - PumpCommandError.command
/// - PumpCommandError.arguments
/// - PumpOpsError.couldNotDecode
/// - PumpOpsError.crosstalk
/// - PumpOpsError.deviceError
/// - PumpOpsError.noResponse
/// - PumpOpsError.unknownResponse
/// - HistoryPageError.invalidCRC
/// - HistoryPageError.unknownEventType
public func getHistoryEvents(since startDate: Date) throws -> ([TimestampedHistoryEvent], PumpModel) {
try wakeup()
let pumpModel = try getPumpModel()
var events = [TimestampedHistoryEvent]()
pages: for pageNum in 0..<16 {
// TODO: Convert logging
NSLog("Fetching page %d", pageNum)
let pageData: Data
do {
pageData = try getHistoryPage(pageNum)
} catch PumpCommandError.arguments(let error) {
if case PumpOpsError.pumpError(.pageDoesNotExist) = error {
return (events, pumpModel)
}
throw PumpCommandError.arguments(error)
}
var idx = 0
let chunkSize = 256
while idx < pageData.count {
let top = min(idx + chunkSize, pageData.count)
let range = Range(uncheckedBounds: (lower: idx, upper: top))
// TODO: Convert logging
NSLog(String(format: "HistoryPage %02d - (bytes %03d-%03d): ", pageNum, idx, top-1) + pageData.subdata(in: range).hexadecimalString)
idx = top
}
let page = try HistoryPage(pageData: pageData, pumpModel: pumpModel)
let (timestampedEvents, hasMoreEvents, _) = page.timestampedEvents(after: startDate, timeZone: pump.timeZone, model: pumpModel)
events = timestampedEvents + events
if !hasMoreEvents {
break
}
}
return (events, pumpModel)
}
private func getHistoryPage(_ pageNum: Int) throws -> Data {
var frameData = Data()
let msg = PumpMessage(settings: settings, type: .getHistoryPage, body: GetHistoryPageCarelinkMessageBody(pageNum: pageNum))
var curResp: GetHistoryPageCarelinkMessageBody = try runCommandWithArguments(msg, responseType: .getHistoryPage)
var expectedFrameNum = 1
while(expectedFrameNum == curResp.frameNumber) {
frameData.append(curResp.frame)
expectedFrameNum += 1
let msg = PumpMessage(settings: settings, type: .pumpAck)
if !curResp.lastFrame {
curResp = try messageSender.getResponse(to: msg, responseType: .getHistoryPage, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
} else {
try messageSender.send(msg)
break
}
}
guard frameData.count == 1024 else {
throw PumpOpsError.rfCommsFailure("Short history page: \(frameData.count) bytes. Expected 1024")
}
return frameData
}
}
// MARK: - Glucose history
extension PumpOpsSession {
private func logGlucoseHistory(pageData: Data, pageNum: Int) {
var idx = 0
let chunkSize = 256
while idx < pageData.count {
let top = min(idx + chunkSize, pageData.count)
let range = Range(uncheckedBounds: (lower: idx, upper: top))
// TODO: Convert logging
NSLog(String(format: "GlucosePage %02d - (bytes %03d-%03d): ", pageNum, idx, top-1) + pageData.subdata(in: range).hexadecimalString)
idx = top
}
}
/// Fetches glucose history entries which occurred on or after the specified date.
///
/// History timestamps are reconciled with UTC based on the `timeZone` property of PumpState, as well as recorded clock change events.
///
/// - Parameter startDate: The earliest date of events to retrieve
/// - Returns: An array of fetched history entries, in ascending order of insertion
/// - Throws:
public func getGlucoseHistoryEvents(since startDate: Date) throws -> [TimestampedGlucoseEvent] {
try wakeup()
var events = [TimestampedGlucoseEvent]()
let currentGlucosePage: ReadCurrentGlucosePageMessageBody = try messageSender.getResponse(to: PumpMessage(settings: settings, type: .readCurrentGlucosePage), responseType: .readCurrentGlucosePage, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
let startPage = Int(currentGlucosePage.pageNum)
//max lookback of 15 pages or when page is 0
let endPage = max(startPage - 15, 0)
pages: for pageNum in stride(from: startPage, to: endPage - 1, by: -1) {
// TODO: Convert logging
NSLog("Fetching page %d", pageNum)
var pageData: Data
var page: GlucosePage
do {
pageData = try getGlucosePage(UInt32(pageNum))
// logGlucoseHistory(pageData: pageData, pageNum: pageNum)
page = try GlucosePage(pageData: pageData)
if page.needsTimestamp && pageNum == startPage {
// TODO: Convert logging
NSLog(String(format: "GlucosePage %02d needs a new sensor timestamp, writing...", pageNum))
let _ = try writeGlucoseHistoryTimestamp()
//fetch page again with new sensor timestamp
pageData = try getGlucosePage(UInt32(pageNum))
logGlucoseHistory(pageData: pageData, pageNum: pageNum)
page = try GlucosePage(pageData: pageData)
}
} catch PumpOpsError.pumpError {
break pages
}
for event in page.events.reversed() {
var timestamp = event.timestamp
timestamp.timeZone = pump.timeZone
if event is UnknownGlucoseEvent {
continue pages
}
if let date = timestamp.date {
if date < startDate && event is SensorTimestampGlucoseEvent {
// TODO: Convert logging
NSLog("Found reference event at (%@) to be before startDate(%@)", date as NSDate, startDate as NSDate)
break pages
} else {
events.insert(TimestampedGlucoseEvent(glucoseEvent: event, date: date), at: 0)
}
}
}
}
return events
}
private func getGlucosePage(_ pageNum: UInt32) throws -> Data {
var frameData = Data()
let msg = PumpMessage(settings: settings, type: .getGlucosePage, body: GetGlucosePageMessageBody(pageNum: pageNum))
var curResp: GetGlucosePageMessageBody = try runCommandWithArguments(msg, responseType: .getGlucosePage)
var expectedFrameNum = 1
while(expectedFrameNum == curResp.frameNumber) {
frameData.append(curResp.frame)
expectedFrameNum += 1
let msg = PumpMessage(settings: settings, type: .pumpAck)
if !curResp.lastFrame {
curResp = try messageSender.getResponse(to: msg, responseType: .getGlucosePage, repeatCount: 0, timeout: MinimedPumpMessageSender.standardPumpResponseWindow, retryCount: 3)
} else {
try messageSender.send(msg)
break
}
}
guard frameData.count == 1024 else {
throw PumpOpsError.rfCommsFailure("Short glucose history page: \(frameData.count) bytes. Expected 1024")
}
return frameData
}
public func writeGlucoseHistoryTimestamp() throws -> Void {
try wakeup()
let shortWriteTimestamp = PumpMessage(settings: settings, type: .writeGlucoseHistoryTimestamp)
let _: PumpAckMessageBody = try messageSender.getResponse(to: shortWriteTimestamp, responseType: .pumpAck, repeatCount: 0, timeout: .seconds(12), retryCount: 3)
}
}
| 61f2bb9c31b95a7839b1c214cd6cc644 | 41.872321 | 360 | 0.648863 | false | false | false | false |
RamonGilabert/RamonGilabert | refs/heads/master | RamonGilabert/RamonGilabert/SoundManager.swift | mit | 1 | import UIKit
import AVFoundation
struct Sound {
static let MenuDisplayURL: NSURL = NSBundle.mainBundle().URLForResource("menu-display", withExtension: "wav")!
static let MenuTapURL: NSURL = NSBundle.mainBundle().URLForResource("menu-tap", withExtension: "wav")!
static let DismissTipURL: NSURL = NSBundle.mainBundle().URLForResource("dismiss-tips", withExtension: "wav")!
}
class SoundManager: NSObject {
let menuDisplaySound = AVAudioPlayer(contentsOfURL: Sound.MenuDisplayURL, error: nil)
let menuTappedSound = AVAudioPlayer(contentsOfURL: Sound.MenuTapURL, error: nil)
let dismissTips = AVAudioPlayer(contentsOfURL: Sound.DismissTipURL, error: nil)
}
| cb7e27440ea9269b582fc3d8c1e815d6 | 44.4 | 114 | 0.76652 | false | false | false | false |
Snail93/iOSDemos | refs/heads/dev | SnailSwiftDemos/Pods/JTAppleCalendar/Sources/InternalQueryFunctions.swift | apache-2.0 | 2 | //
// InternalQueryFunctions.swift
//
// Copyright (c) 2016-2017 JTAppleCalendar (https://github.com/patchthecode/JTAppleCalendar)
//
// 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 JTAppleCalendarView {
func validForwardAndBackwordSelectedIndexes(forIndexPath indexPath: IndexPath) -> Set<IndexPath> {
var retval: Set<IndexPath> = []
if let validForwardIndex = calendarViewLayout.indexPath(direction: .next, of: indexPath.section, item: indexPath.item),
validForwardIndex.section == indexPath.section,
selectedCellData[validForwardIndex] != nil {
retval.insert(validForwardIndex)
}
if
let validBackwardIndex = calendarViewLayout.indexPath(direction: .previous, of: indexPath.section, item: indexPath.item),
validBackwardIndex.section == indexPath.section,
selectedCellData[validBackwardIndex] != nil {
retval.insert(validBackwardIndex)
}
return retval
}
func targetPointForItemAt(indexPath: IndexPath) -> CGPoint? {
guard let targetCellFrame = calendarViewLayout.layoutAttributesForItem(at: indexPath)?.frame else { // Jt101 This was changed !!
return nil
}
let theTargetContentOffset: CGFloat = scrollDirection == .horizontal ? targetCellFrame.origin.x : targetCellFrame.origin.y
var fixedScrollSize: CGFloat = 0
switch scrollingMode {
case .stopAtEachSection, .stopAtEachCalendarFrame, .nonStopToSection:
if scrollDirection == .horizontal || (scrollDirection == .vertical && !calendarViewLayout.thereAreHeaders) {
// Horizontal has a fixed width.
// Vertical with no header has fixed height
fixedScrollSize = calendarViewLayout.sizeOfContentForSection(0)
} else {
// JT101 will remodel this code. Just a quick fix
fixedScrollSize = calendarViewLayout.sizeOfContentForSection(0)
}
case .stopAtEach(customInterval: let customVal):
fixedScrollSize = customVal
default:
break
}
var section = theTargetContentOffset / fixedScrollSize
let roundedSection = round(section)
if abs(roundedSection - section) < errorDelta { section = roundedSection }
section = CGFloat(Int(section))
let destinationRectOffset = (fixedScrollSize * section)
var x: CGFloat = 0
var y: CGFloat = 0
if scrollDirection == .horizontal {
x = destinationRectOffset
} else {
y = destinationRectOffset
}
return CGPoint(x: x, y: y)
}
func calendarOffsetIsAlreadyAtScrollPosition(forOffset offset: CGPoint) -> Bool {
var retval = false
// If the scroll is set to animate, and the target content
// offset is already on the screen, then the
// didFinishScrollingAnimation
// delegate will not get called. Once animation is on let's
// force a scroll so the delegate MUST get caalled
let theOffset = scrollDirection == .horizontal ? offset.x : offset.y
let divValue = scrollDirection == .horizontal ? frame.width : frame.height
let sectionForOffset = Int(theOffset / divValue)
let calendarCurrentOffset = scrollDirection == .horizontal ? contentOffset.x : contentOffset.y
if calendarCurrentOffset == theOffset || (scrollingMode.pagingIsEnabled() && (sectionForOffset == currentSection())) {
retval = true
}
return retval
}
func calendarOffsetIsAlreadyAtScrollPosition(forIndexPath indexPath: IndexPath) -> Bool {
var retval = false
// If the scroll is set to animate, and the target content offset
// is already on the screen, then the didFinishScrollingAnimation
// delegate will not get called. Once animation is on let's force
// a scroll so the delegate MUST get caalled
if let attributes = calendarViewLayout.layoutAttributesForItem(at: indexPath) { // JT101 this was changed!!!!
let layoutOffset: CGFloat
let calendarOffset: CGFloat
if scrollDirection == .horizontal {
layoutOffset = attributes.frame.origin.x
calendarOffset = contentOffset.x
} else {
layoutOffset = attributes.frame.origin.y
calendarOffset = contentOffset.y
}
if calendarOffset == layoutOffset {
retval = true
}
}
return retval
}
func indexPathOfdateCellCounterPath(_ date: Date, dateOwner: DateOwner) -> IndexPath? {
if (cachedConfiguration.generateInDates == .off ||
cachedConfiguration.generateInDates == .forFirstMonthOnly) &&
cachedConfiguration.generateOutDates == .off {
return nil
}
var retval: IndexPath?
if dateOwner != .thisMonth {
// If the cell is anything but this month, then the cell belongs
// to either a previous of following month
// Get the indexPath of the counterpartCell
let counterPathIndex = pathsFromDates([date])
if !counterPathIndex.isEmpty {
retval = counterPathIndex[0]
}
} else {
// If the date does belong to this month,
// then lets find out if it has a counterpart date
if date < startOfMonthCache || date > endOfMonthCache {
return retval
}
guard let dayIndex = calendar.dateComponents([.day], from: date).day else {
print("Invalid Index")
return nil
}
if case 1...13 = dayIndex {
// then check the previous month
// get the index path of the last day of the previous month
let periodApart = calendar.dateComponents([.month], from: startOfMonthCache, to: date)
guard
let monthSectionIndex = periodApart.month, monthSectionIndex - 1 >= 0 else {
// If there is no previous months,
// there are no counterpart dates
return retval
}
let previousMonthInfo = monthInfo[monthSectionIndex - 1]
// If there are no postdates for the previous month,
// then there are no counterpart dates
if previousMonthInfo.outDates < 1 || dayIndex > previousMonthInfo.outDates {
return retval
}
guard
let prevMonth = calendar.date(byAdding: .month, value: -1, to: date),
let lastDayOfPrevMonth = calendar.endOfMonth(for: prevMonth) else {
assert(false, "Error generating date in indexPathOfdateCellCounterPath(). Contact the developer on github")
return retval
}
let indexPathOfLastDayOfPreviousMonth = pathsFromDates([lastDayOfPrevMonth])
if indexPathOfLastDayOfPreviousMonth.isEmpty {
print("out of range error in indexPathOfdateCellCounterPath() upper. This should not happen. Contact developer on github")
return retval
}
let lastDayIndexPath = indexPathOfLastDayOfPreviousMonth[0]
var section = lastDayIndexPath.section
var itemIndex = lastDayIndexPath.item + dayIndex
// Determine if the sections/item needs to be adjusted
let extraSection = itemIndex / collectionView(self, numberOfItemsInSection: section)
let extraIndex = itemIndex % collectionView(self, numberOfItemsInSection: section)
section += extraSection
itemIndex = extraIndex
let reCalcRapth = IndexPath(item: itemIndex, section: section)
retval = reCalcRapth
} else if case 25...31 = dayIndex { // check the following month
let periodApart = calendar.dateComponents([.month], from: startOfMonthCache, to: date)
let monthSectionIndex = periodApart.month!
if monthSectionIndex + 1 >= monthInfo.count {
return retval
}
// If there is no following months, there are no counterpart dates
let followingMonthInfo = monthInfo[monthSectionIndex + 1]
if followingMonthInfo.inDates < 1 {
return retval
}
// If there are no predates for the following month then there are no counterpart dates
let lastDateOfCurrentMonth = calendar.endOfMonth(for: date)!
let lastDay = calendar.component(.day, from: lastDateOfCurrentMonth)
let section = followingMonthInfo.startSection
let index = dayIndex - lastDay + (followingMonthInfo.inDates - 1)
if index < 0 {
return retval
}
retval = IndexPath(item: index, section: section)
}
}
return retval
}
func sizesForMonthSection() -> [AnyHashable:CGFloat] {
var retval: [AnyHashable:CGFloat] = [:]
guard
let headerSizes = calendarDelegate?.calendarSizeForMonths(self),
headerSizes.defaultSize > 0 else {
return retval
}
// Build the default
retval["default"] = headerSizes.defaultSize
// Build the every-month data
if let allMonths = headerSizes.months {
for (size, months) in allMonths {
for month in months {
assert(retval[month] == nil, "You have duplicated months. Please revise your month size data.")
retval[month] = size
}
}
}
// Build the specific month data
if let specificSections = headerSizes.dates {
for (size, dateArray) in specificSections {
let paths = pathsFromDates(dateArray)
for path in paths {
retval[path.section] = size
}
}
}
return retval
}
func pathsFromDates(_ dates: [Date]) -> [IndexPath] {
var returnPaths: [IndexPath] = []
for date in dates {
if calendar.startOfDay(for: date) >= startOfMonthCache! && calendar.startOfDay(for: date) <= endOfMonthCache! {
let periodApart = calendar.dateComponents([.month], from: startOfMonthCache, to: date)
let day = calendar.dateComponents([.day], from: date).day!
guard let monthSectionIndex = periodApart.month else { continue }
let currentMonthInfo = monthInfo[monthSectionIndex]
if let indexPath = currentMonthInfo.indexPath(forDay: day) {
returnPaths.append(indexPath)
}
}
}
return returnPaths
}
func cellStateFromIndexPath(_ indexPath: IndexPath,
withDateInfo info: (date: Date, owner: DateOwner)? = nil,
cell: JTAppleCell? = nil,
isSelected: Bool? = nil,
selectionType: SelectionType? = nil) -> CellState {
let validDateInfo: (date: Date, owner: DateOwner)
if let nonNilDateInfo = info {
validDateInfo = nonNilDateInfo
} else {
guard let newDateInfo = dateOwnerInfoFromPath(indexPath) else {
developerError(string: "Error this should not be nil. Contact developer Jay on github by opening a request")
return CellState(isSelected: false,
text: "",
dateBelongsTo: .thisMonth,
date: Date(),
day: .sunday,
row: { return 0 },
column: { return 0 },
dateSection: { return (range: (Date(), Date()), month: 0, rowCount: 0) },
selectedPosition: {return .left},
cell: {return nil},
selectionType: nil)
}
validDateInfo = newDateInfo
}
let date = validDateInfo.date
let dateBelongsTo = validDateInfo.owner
let currentDay = calendar.component(.day, from: date)
let componentWeekDay = calendar.component(.weekday, from: date)
let cellText = String(describing: currentDay)
let dayOfWeek = DaysOfWeek(rawValue: componentWeekDay)!
let selectedPosition = { [unowned self] () -> SelectionRangePosition in
let selectedDates = self.selectedDatesSet
if !selectedDates.contains(date) || selectedDates.isEmpty { return .none }
let dateBefore = self.cachedConfiguration.calendar.date(byAdding: .day, value: -1, to: date)!
let dateAfter = self.cachedConfiguration.calendar.date(byAdding: .day, value: 1, to: date)!
let dateBeforeIsSelected = selectedDates.contains(dateBefore)
let dateAfterIsSelected = selectedDates.contains(dateAfter)
var position: SelectionRangePosition
if dateBeforeIsSelected, dateAfterIsSelected {
position = .middle
} else if !dateBeforeIsSelected, dateAfterIsSelected {
position = .left
} else if dateBeforeIsSelected, !dateAfterIsSelected {
position = .right
} else if !dateBeforeIsSelected, !dateAfterIsSelected {
position = .full
} else {
position = .none
}
return position
}
let cellState = CellState(
isSelected: isSelected ?? (selectedCellData[indexPath] != nil),
text: cellText,
dateBelongsTo: dateBelongsTo,
date: date,
day: dayOfWeek,
row: { return indexPath.item / maxNumberOfDaysInWeek },
column: { return indexPath.item % maxNumberOfDaysInWeek },
dateSection: { [unowned self] in
return self.monthInfoFromSection(indexPath.section)!
},
selectedPosition: selectedPosition,
cell: { return cell },
selectionType: selectionType
)
return cellState
}
func monthInfoFromSection(_ section: Int) -> (range: (start: Date, end: Date), month: Int, rowCount: Int)? {
guard let monthIndex = monthMap[section] else {
return nil
}
let monthData = monthInfo[monthIndex]
guard
let monthDataMapSection = monthData.sectionIndexMaps[section],
let indices = monthData.boundaryIndicesFor(section: monthDataMapSection) else {
return nil
}
let startIndexPath = IndexPath(item: indices.startIndex, section: section)
let endIndexPath = IndexPath(item: indices.endIndex, section: section)
guard
let startDate = dateOwnerInfoFromPath(startIndexPath)?.date,
let endDate = dateOwnerInfoFromPath(endIndexPath)?.date else {
return nil
}
if let monthDate = calendar.date(byAdding: .month, value: monthIndex, to: startDateCache) {
let monthNumber = calendar.dateComponents([.month], from: monthDate)
let numberOfRowsForSection = monthData.numberOfRows(for: section, developerSetRows: cachedConfiguration.numberOfRows)
return ((startDate, endDate), monthNumber.month!, numberOfRowsForSection)
}
return nil
}
func dateSegmentInfoFrom(visible indexPaths: [IndexPath]) -> DateSegmentInfo {
var inDates = [(Date, IndexPath)]()
var monthDates = [(Date, IndexPath)]()
var outDates = [(Date, IndexPath)]()
for indexPath in indexPaths {
let info = dateOwnerInfoFromPath(indexPath)
if let validInfo = info {
switch validInfo.owner {
case .thisMonth:
monthDates.append((validInfo.date, indexPath))
case .previousMonthWithinBoundary, .previousMonthOutsideBoundary:
inDates.append((validInfo.date, indexPath))
default:
outDates.append((validInfo.date, indexPath))
}
}
}
let retval = DateSegmentInfo(indates: inDates, monthDates: monthDates, outdates: outDates)
return retval
}
func dateOwnerInfoFromPath(_ indexPath: IndexPath) -> (date: Date, owner: DateOwner)? { // Returns nil if date is out of scope
guard let monthIndex = monthMap[indexPath.section] else {
return nil
}
let monthData = monthInfo[monthIndex]
// Calculate the offset
let offSet: Int
var numberOfDaysToAddToOffset: Int = 0
switch monthData.sectionIndexMaps[indexPath.section]! {
case 0:
offSet = monthData.inDates
default:
offSet = 0
let currentSectionIndexMap = monthData.sectionIndexMaps[indexPath.section]!
numberOfDaysToAddToOffset = monthData.sections[0..<currentSectionIndexMap].reduce(0, +)
numberOfDaysToAddToOffset -= monthData.inDates
}
var dayIndex = 0
var dateOwner: DateOwner = .thisMonth
let date: Date?
if indexPath.item >= offSet && indexPath.item + numberOfDaysToAddToOffset < monthData.numberOfDaysInMonth + offSet {
// This is a month date
dayIndex = monthData.startDayIndex + indexPath.item - offSet + numberOfDaysToAddToOffset
date = calendar.date(byAdding: .day, value: dayIndex, to: startOfMonthCache)
} else if indexPath.item < offSet {
// This is a preDate
dayIndex = indexPath.item - offSet + monthData.startDayIndex
date = calendar.date(byAdding: .day, value: dayIndex, to: startOfMonthCache)
if date! < startOfMonthCache {
dateOwner = .previousMonthOutsideBoundary
} else {
dateOwner = .previousMonthWithinBoundary
}
} else {
// This is a postDate
dayIndex = monthData.startDayIndex - offSet + indexPath.item + numberOfDaysToAddToOffset
date = calendar.date(byAdding: .day, value: dayIndex, to: startOfMonthCache)
if date! > endOfMonthCache {
dateOwner = .followingMonthOutsideBoundary
} else {
dateOwner = .followingMonthWithinBoundary
}
}
guard let validDate = date else { return nil }
return (validDate, dateOwner)
}
}
| 3984e4ae4f3b9c0abe6df9378d69011e | 46.124711 | 142 | 0.589071 | false | false | false | false |
nikHowlett/WatchHealthMedicalDoctor | refs/heads/master | mobile WatchKit Extension/SleepScaleInterfaceController.swift | mit | 1 | //
// SleepScaleInterfaceController.swift
// nikdeployer
//
// Created by MAC-ATL019922 on 6/11/15.
// Copyright (c) 2015 UCB+nikhowlett. All rights reserved.
//
import WatchKit
import Foundation
class SleepScaleInterfaceController: WKInterfaceController {
var painnumber = 4
var janet = "Tiredness: 5"
var Nub = 1
//@IBOutlet weak var painlabel: WKInterfaceLabel!
@IBOutlet weak var painlabel: WKInterfaceLabel!
override func awakeWithContext(context: AnyObject?) {
super.awakeWithContext(context)
//if let diang = context as? sendables {
// println("this worked \(diang.dataName)")
//}
// Configure interface objects here.
}
override func willActivate() {
// This method is called when watch view controller is about to be visible to user
super.willActivate()
}
@IBAction func sendthatshit() {
let date = NSDate()
let vrun = "I would say I am \(Nub) out of ten tired."
let total = "\(date) \(janet)"
let dict: Dictionary = ["message": total]
print("datahasbeensent", appendNewline: false)
WKInterfaceController.openParentApplication(dict, reply: {(reply, error) -> Void in print("Data has been sent to target: parent iOS app - UCB Pharma", appendNewline: false)
})
}
/*
@IBAction func SubmitData() {
var imcompilingshit = "\(date) \(michaelnorris)"
let dict: Dictionary = ["message": imcompilingshit]
WKInterfaceController.openParentApplication(dict, reply: {(reply, error) -> Void in println("Data has been sent to target: parent iOS app - UCB Pharma")
})
}
*/
/*var userInfo = [
"scheduleLocalNotification": true,
"category": "someCategory",
"alertTitle": "How was your sleep:",
"alertBody": "How was your sleep",
"fireDate": NSDate(timeIntervalSinceNow: 6),
"applicationIconBadgeNumber": 1,
"soundName": UILocalNotificationDefaultSoundName
]
// Register notifications in iOS
WKInterfaceController.openParentApplication(userInfo) {
(replyInfo, error) -> Void in
// Callback here if needed
}
*/
/*@IBAction func painslider(value: Float) {
Nub = Int(value * 1)
janet = "Tiredness: \(Nub)"
painlabel.setText
//this is a test(janet)
}
*/
@IBAction func painslider(value: Float) {
Nub = Int(value * 1)
janet = "Tiredness: \(Nub)"
painlabel.setText(janet)
}
override func contextForSegueWithIdentifier(segueIdentifier: String) -> AnyObject? {
/*if segueIdentifier == "sch" {
println("the pain has been sent")
return sendables(dataname: "I would say I am \(Nub) out of ten tired.")
}*/
let date = NSDate()
let vrun = "I would say I am \(Nub) out of ten tired."
let total = "\(date) \(janet)"
let dict: Dictionary = ["message": total]
print("datahasbeensent", appendNewline: false)
WKInterfaceController.openParentApplication(dict, reply: {(reply, error) -> Void in print("Data has been sent to target: parent iOS app - UCB Pharma", appendNewline: false)
})
//println("the pain has not been sent!")
return sendables(dataname: "I am not experiencing any pain currently.")
}
override func didDeactivate() {
// This method is called when watch view controller is no longer visible
super.didDeactivate()
}
}
| 2aa68eef4ff7c9f615a5cb0f8682b1f0 | 32.330189 | 180 | 0.626946 | false | false | false | false |
Faryn/CycleMaps | refs/heads/master | Acornote_iOS/Pods/Cache/Source/Shared/Storage/AsyncStorage.swift | apache-2.0 | 2 | import Foundation
import Dispatch
/// Manipulate storage in a "all async" manner.
/// The completion closure will be called when operation completes.
public class AsyncStorage<T> {
public let innerStorage: HybridStorage<T>
public let serialQueue: DispatchQueue
public init(storage: HybridStorage<T>, serialQueue: DispatchQueue) {
self.innerStorage = storage
self.serialQueue = serialQueue
}
}
extension AsyncStorage {
public func entry(forKey key: String, completion: @escaping (Result<Entry<T>>) -> Void) {
serialQueue.async { [weak self] in
guard let `self` = self else {
completion(Result.error(StorageError.deallocated))
return
}
do {
let anEntry = try self.innerStorage.entry(forKey: key)
completion(Result.value(anEntry))
} catch {
completion(Result.error(error))
}
}
}
public func removeObject(forKey key: String, completion: @escaping (Result<()>) -> Void) {
serialQueue.async { [weak self] in
guard let `self` = self else {
completion(Result.error(StorageError.deallocated))
return
}
do {
try self.innerStorage.removeObject(forKey: key)
completion(Result.value(()))
} catch {
completion(Result.error(error))
}
}
}
public func setObject(
_ object: T,
forKey key: String,
expiry: Expiry? = nil,
completion: @escaping (Result<()>) -> Void) {
serialQueue.async { [weak self] in
guard let `self` = self else {
completion(Result.error(StorageError.deallocated))
return
}
do {
try self.innerStorage.setObject(object, forKey: key, expiry: expiry)
completion(Result.value(()))
} catch {
completion(Result.error(error))
}
}
}
public func removeAll(completion: @escaping (Result<()>) -> Void) {
serialQueue.async { [weak self] in
guard let `self` = self else {
completion(Result.error(StorageError.deallocated))
return
}
do {
try self.innerStorage.removeAll()
completion(Result.value(()))
} catch {
completion(Result.error(error))
}
}
}
public func removeExpiredObjects(completion: @escaping (Result<()>) -> Void) {
serialQueue.async { [weak self] in
guard let `self` = self else {
completion(Result.error(StorageError.deallocated))
return
}
do {
try self.innerStorage.removeExpiredObjects()
completion(Result.value(()))
} catch {
completion(Result.error(error))
}
}
}
public func object(forKey key: String, completion: @escaping (Result<T>) -> Void) {
entry(forKey: key, completion: { (result: Result<Entry<T>>) in
completion(result.map({ entry in
return entry.object
}))
})
}
public func existsObject(
forKey key: String,
completion: @escaping (Result<Bool>) -> Void) {
object(forKey: key, completion: { (result: Result<T>) in
completion(result.map({ _ in
return true
}))
})
}
}
public extension AsyncStorage {
func transform<U>(transformer: Transformer<U>) -> AsyncStorage<U> {
let storage = AsyncStorage<U>(
storage: innerStorage.transform(transformer: transformer),
serialQueue: serialQueue
)
return storage
}
}
| 234d1d3cf035d1961aa5f53ba484d77c | 25.147287 | 92 | 0.618737 | false | false | false | false |
ESGIProjects/SwifTools | refs/heads/master | SwifTools/SwifTools/STQuickActions.swift | bsd-3-clause | 1 | //
// STQuickActions.swift
// SwifTools
//
// Created by Jason Pierna on 10/02/2017.
// Copyright © 2017 Jason Pierna & Kévin Le. All rights reserved.
//
import Foundation
public class STQuickActions {
/**
Singleton.
*/
public static let shared = STQuickActions()
private init() {}
/**
Enumerates every quick action position (1 to 4)
*/
public enum Action: String {
case first, second, third, fourth
}
var items = [UIApplicationShortcutItem]()
var handlers = [Action: () -> Bool]()
/**
Adds a new Home Screen Quick Action to the application.
- parameter title: The Quick Action's title
- parameter subtitle: The Quick Action's subtitletitle
- parameter icon: The Quick Action's icon
- parameter userInfo: The Quick Action's userInfo
- parameter handler: Block of code triggered by the quick action.
*/
public func add(title: String, subtitle: String? = nil, icon: UIApplicationShortcutIconType? = nil, userInfo: [AnyHashable : Any]? = nil, handler: (() -> Bool)? = nil) {
var image: UIApplicationShortcutIcon?
if let icon = icon {
image = UIApplicationShortcutIcon(type: icon)
}
if items.count < 4 {
let type = shortcutType(count: items.count)
let shortcut = UIApplicationShortcutItem(type: type.rawValue, localizedTitle: title, localizedSubtitle: subtitle, icon: image, userInfo: userInfo)
items.append(shortcut)
UIApplication.shared.shortcutItems = items
if let handler = handler {
handlers[type] = handler
}
}
else {
NSLog("SwifTools: Maximum quick actions reached")
}
}
/**
Removes a Home Screen Quick Action.
- parameter type: The type of the quick action to remove.
*/
public func remove(_ type: Action) {
let index = items.index(where: { shortcut in
return shortcut.type == type.rawValue
})
if let index = index {
items.remove(at: index)
let handlerIndex = handlers.index(where: { (key, _) in
return key == type
})
if let handlerIndex = handlerIndex {
handlers.remove(at: handlerIndex)
}
UIApplication.shared.shortcutItems = items
}
}
/**
Removes all Home Screen Quick Actions.
*/
public func removeAll() {
items.removeAll()
handlers.removeAll()
UIApplication.shared.shortcutItems = nil
}
/**
Handles the Quick Action when triggered. This method should be called inside AppDelegate's performAction method.
- parameter shortcutItem: the shortcut item triggered.
- parameter completionHandler: pass true if the quick action is handled.
*/
public func performAction(shortcutItem: UIApplicationShortcutItem, completionHandler: @escaping (Bool) -> Void) {
if let type = STQuickActions.Action(rawValue: shortcutItem.type) {
let manager = STQuickActions.shared
completionHandler(manager.handle(type))
}
else {
completionHandler(false)
}
}
/**
Returns the handler to a specific quick action.
- parameter type: The type of the wanted quick action.
*/
public func handle(_ type: Action) -> Bool {
if let handler = handlers[type] {
return handler()
}
return false
}
private func shortcutType(count: Int) -> Action {
switch count {
case 0:
return .first
case 1:
return .second
case 2:
return .third
case 3:
return .fourth
default:
return .first
}
}
}
| 18bf2203b238c6366774b48a8d524d68 | 28.036232 | 173 | 0.568755 | false | false | false | false |
tristanchu/FlavorFinder | refs/heads/master | FlavorFinder/FlavorFinder/SearchIngredientsViewController.swift | mit | 1 | //
// SearchIngredientsViewController.swift
// FlavorFinder
//
// Created by Jaki Kimball on 2/10/16.
// Copyright © 2016 TeamFive. All rights reserved.
//
// Most of this was intiially written by Courtney for the EditListPage class.
// Tweaked for reuse by Jaki so that it could be shared by the AddToFavViewController class.
//
import Foundation
import UIKit
import Parse
class SearchIngredientsViewController: GotNaviViewController, UISearchBarDelegate, UITableViewDelegate, UITableViewDataSource {
// MARK: Properties: ----------------------------------------------------
var ingredientSearchBar : UISearchBar?
var searchTable : UITableView?
var activeSearch : Bool = false
var allIngredients : [PFIngredient]?
var filteredResults : [PFIngredient] = []
let CELL_IDENTIFIER = "searchResultCell"
// MARK: Override methods: ----------------------------------------------
/* viewDidLoad:
- Additional setup after loading the view
*/
override func viewDidLoad() {
if !isUserLoggedIn() {
self.navigationController?.popToRootViewControllerAnimated(true)
return
}
super.viewDidLoad()
// set up delegates search bar and table view:
ingredientSearchBar?.delegate = self
searchTable?.delegate = self
searchTable?.dataSource = self
// set up table view details:
searchTable?.separatorStyle = UITableViewCellSeparatorStyle.None
}
/* viewDidAppear:
- Setup when user goes into page
*/
override func viewDidAppear(animated: Bool) {
if !isUserLoggedIn() {
self.navigationController?.popToRootViewControllerAnimated(true)
return
}
super.viewDidAppear(animated)
// Hide search bar results on load:
searchTable?.hidden = true
}
// MARK: Delegate/DataSource protocol functions ----------------------
func searchBarTextDidBeginEditing(searchBar: UISearchBar) {
activeSearch = true
}
func searchBarTextDidEndEditing(searchBar: UISearchBar) {
activeSearch = false
searchTable?.hidden = true
}
func searchBarCancelButtonClicked(searchBar: UISearchBar) {
activeSearch = false
searchTable?.hidden = true
}
func searchBarSearchButtonClicked(searchBar: UISearchBar) {
activeSearch = false
searchTable?.hidden = true
}
/* searchBar
- gives table view ingredients filtered by search:
*/
func searchBar(searchBar: UISearchBar, textDidChange searchText: String) {
// fills filteredResults based on text entered
filteredResults = getPossibleIngredients(searchText)
if filteredResults.isEmpty {
activeSearch = false
searchTable?.hidden = true
} else {
activeSearch = true
searchTable?.hidden = false
}
self.searchTable?.reloadData()
}
func numberOfSectionsInTableView(tableView: UITableView) -> Int {
return 1
}
/* tableView -- UITableViewDelegate func
- returns number of rows to display
*/
func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
if activeSearch {
return filteredResults.count
}
// have no cells if no search:
return 0
}
/* tableView - UITableViewDelegate func
- cell logic
*/
func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
let cell = searchTable?.dequeueReusableCellWithIdentifier(
CELL_IDENTIFIER, forIndexPath: indexPath)
// set cell label:
cell?.textLabel?.text = filteredResults[indexPath.item].name
// Give cell a chevron:
cell?.accessoryType = UITableViewCellAccessoryType.DisclosureIndicator
return cell!
}
/* tableView -> happens on selection of row
- sets selected row to current search
- goes to search result view
*/
func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath) {
// make selected row the current search:
let selected : PFIngredient = filteredResults[indexPath.row]
gotSelectedIngredient(selected)
}
// MARK: Functions to be overridden by child classes
/* gotSelectedIngredient
- do whatever you need to do with the selected ingredient from search
*/
func gotSelectedIngredient(selected: PFIngredient) {}
} | 3d256065498f5f467f1015e2f4eac963 | 29.89404 | 127 | 0.633362 | false | false | false | false |
hackiftekhar/IQKeyboardManager | refs/heads/master | Demo/Swift_Demo/ViewController/TextViewSpecialCaseViewController.swift | mit | 1 | //
// TextViewSpecialCaseViewController.swift
// IQKeyboard
//
// Created by Iftekhar on 23/09/14.
// Copyright (c) 2014 Iftekhar. All rights reserved.
//
import UIKit
class TextViewSpecialCaseViewController: UIViewController, UITextViewDelegate, UIPopoverPresentationControllerDelegate {
@IBOutlet var buttonPush: UIButton!
@IBOutlet var buttonPresent: UIButton!
override func viewDidLoad() {
super.viewDidLoad()
if self.navigationController == nil {
buttonPush.isHidden = true
buttonPresent.setTitle("Dismiss", for: .normal)
}
}
override func viewWillAppear (_ animated: Bool) {
super.viewWillAppear(animated)
}
func textView(_ textView: UITextView, shouldChangeTextIn range: NSRange, replacementText text: String) -> Bool {
if text == "\n" {
textView.resignFirstResponder()
}
return true
}
@IBAction func presentClicked (_ barButton: UIButton!) {
if (navigationController) != nil {
if let controller = self.storyboard?.instantiateViewController(withIdentifier: "TextViewSpecialCaseViewController") {
present(controller, animated: true, completion: nil)
}
} else {
dismiss(animated: true, completion: nil)
}
}
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
guard let identifier = segue.identifier else {
return
}
if identifier == "SettingsNavigationController" {
let controller = segue.destination
controller.modalPresentationStyle = .popover
controller.popoverPresentationController?.barButtonItem = sender as? UIBarButtonItem
let heightWidth = max(UIScreen.main.bounds.width, UIScreen.main.bounds.height)
controller.preferredContentSize = CGSize(width: heightWidth, height: heightWidth)
controller.popoverPresentationController?.delegate = self
}
}
func adaptivePresentationStyle(for controller: UIPresentationController) -> UIModalPresentationStyle {
return .none
}
func prepareForPopoverPresentation(_ popoverPresentationController: UIPopoverPresentationController) {
self.view.endEditing(true)
}
override var shouldAutorotate: Bool {
return true
}
}
| 93df532671945d41e216e3137e30bd93 | 28.7875 | 129 | 0.665967 | false | false | false | false |
RyanHWillis/InfinityEngine | refs/heads/master | InfinityEngine/Classes/InfinityEngine.swift | mit | 1 | // InfinityEngine
//
// Copyright Ryan Willis (c) 2016
//
// 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
public struct InfinityParams {
var placeholderCount: Int
var loadingView: UIView
var bufferHeight: CGFloat
public init(placeholderCount: Int, loadingView: UIView, bufferHeight: CGFloat = kBufferHeight) {
self.placeholderCount = placeholderCount
self.loadingView = loadingView
self.bufferHeight = bufferHeight
}
}
open class InfinityEngine {
public static let shared = InfinityEngine()
static var sharedTableInstances = [TableViewEngine]()
static var sharedCollectionInstances = [CollectionViewEngine]()
public var params: InfinityParams!
public func setup(withParams params: InfinityParams) {
self.params = params
}
}
// ∞ + 🚒// ∞ + 🚒// ∞ + 🚒// ∞ + 🚒// ∞ + 🚒// ∞ + 🚒// ∞ + 🚒// ∞ + 🚒// ∞ + 🚒// ∞ + 🚒// ∞ + 🚒// ∞ + 🚒
| 2c924cfc34a2adf452822a6912abd5d3 | 37.811321 | 100 | 0.670394 | false | false | false | false |
NqiOS/DYTV-swift | refs/heads/master | DYTV/DYTV/Classes/Main/Controller/NQAnchorViewController.swift | mit | 1 | //
// NQAnchorViewController.swift
// DYTV
//
// Created by djk on 17/3/10.
// Copyright © 2017年 NQ. All rights reserved.
//
import UIKit
// MARK:- 定义常量
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
// MARK:- 定义NQAnchorViewController类
class NQAnchorViewController: NQBaseViewController {
// MARK:- 定义属性
var baseVM : NQBaseViewModel!
// MARK:- 懒加载属性
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
//把当前控制器的view添加到不同大小的其他view里时,设置自动拉伸大小
collectionView.autoresizingMask = [.flexibleHeight, .flexibleWidth]
collectionView.register(UINib(nibName: "NQCollectionNormalCell", bundle: nil), forCellWithReuseIdentifier: kNormalCellID)
collectionView.register(UINib(nibName: "NQCollectionPrettyCell", bundle: nil), forCellWithReuseIdentifier: kPrettyCellID)
collectionView.register(UINib(nibName: "NQCollectionHeaderView", bundle: nil), forSupplementaryViewOfKind: UICollectionElementKindSectionHeader, withReuseIdentifier: kHeaderViewID)
return collectionView
}()
override func viewDidLoad() {
super.viewDidLoad()
//设置UI
setupUI()
//请求数据
loadData()
}
}
// MARK:- 设置UI界面
extension NQAnchorViewController{
override func setupUI(){
//1.给父类中内容View的引用进行赋值
contentView = collectionView
//2.添加collectionView
view.addSubview(collectionView)
//3.调用super.setupUI()
super.setupUI()
}
}
// MARK:- 请求数据
extension NQAnchorViewController{
func loadData(){
}
}
// MARK:- 遵守UICollectionView的数据源
extension NQAnchorViewController : UICollectionViewDataSource{
func numberOfSections(in collectionView: UICollectionView) -> Int {
if baseVM == nil {
return 3
}
return baseVM.anchorGroups.count
}
func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
if baseVM == nil {
return 5
}
return baseVM.anchorGroups[section].anchors.count
}
func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
let cell = collectionView.dequeueReusableCell(withReuseIdentifier: kNormalCellID, for: indexPath) as! NQCollectionNormalCell
if baseVM == nil {
return cell
}
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! NQCollectionHeaderView
if baseVM == nil {
return headerView
}
headerView.group = baseVM.anchorGroups[indexPath.section]
return headerView
}
}
// MARK:- 遵守UICollectionView的代理协议
extension NQAnchorViewController : UICollectionViewDelegate{
func collectionView(_ collectionView: UICollectionView, didSelectItemAt indexPath: IndexPath) {
//1.取出对应的主播信息
let anchor = baseVM.anchorGroups[indexPath.section].anchors[indexPath.item]
//2.判断是秀场房间&普通房间
anchor.isVertical == 0 ? pushNormalRoomVc() : presentShowRoomVc()
}
private func presentShowRoomVc(){
//1.创建showRoomVc
let showRoomVc = NQRoomShowViewController()
//2.以Modal方式弹出
present(showRoomVc, animated: true, completion: nil)
}
private func pushNormalRoomVc(){
//1.创建NormalRoomVc
let normalRoomVc = NQRoomNormalViewController()
//2.以Push方式弹出
navigationController?.pushViewController(normalRoomVc, animated: true)
}
}
| 779098df5c81a11612bb92206dda1d86 | 32.425676 | 188 | 0.678593 | false | false | false | false |
tomohisa/SwiftSlackBotter | refs/heads/master | Sources/SlackDirectMessage.swift | mit | 1 | // SlackDirectMessage.swift
// The MIT License (MIT)
//
// Copyright (c) 2016 J-Tech Creations, Inc.
//
// 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 Axis
public struct SlackDirectMessage : MapConvertible {
let is_org_shared : Bool = false
let id : String? = nil
let is_im : Bool = false
// let created : String? = nil
let user : String? = nil
let unread_count : Int? = nil
let has_pins : Bool = false
let unread_count_display : Int? = nil
// let is_open : Bool? = false
}
| d10a2e6b142aea9149739b985f9d02ac | 42.542857 | 81 | 0.73622 | false | false | false | false |
lanjing99/iOSByTutorials | refs/heads/master | iOS 9 by tutorials/05-multitasking/starter/Travelog/Travelog/TextViewController.swift | mit | 1 | /*
* Copyright (c) 2015 Razeware LLC
*
* 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
class TextViewController: UIViewController {
@IBOutlet private var textView: UITextView!
// MARK: ActionProtocol
typealias SaveActionBlock = ((text: String) -> Void)
typealias CancelActionBlock = (() -> Void)
var saveActionBlock: SaveActionBlock?
var cancelActionBlock: CancelActionBlock?
// MARK: Public
func setText(text: String?) {
textView.text = text
}
// MARK: Life Cycle
override func viewDidLoad() {
super.viewDidLoad()
// Position text view respecting the readableContentGuide.
let readableContentGuide = view.readableContentGuide
var constraints = view.constraints
constraints += [
textView.leadingAnchor.constraintEqualToAnchor(readableContentGuide.leadingAnchor),
textView.trailingAnchor.constraintEqualToAnchor(readableContentGuide.trailingAnchor),
]
NSLayoutConstraint.activateConstraints(constraints)
}
override func viewDidAppear(animated: Bool) {
textView.becomeFirstResponder()
}
// MARK: IBActions
@IBAction func cancelButtonTapped(sender: UIBarButtonItem?) {
guard let cancelActionBlock = cancelActionBlock else { return }
cancelActionBlock()
}
@IBAction func saveButtonTapped(sender: UIBarButtonItem?) {
guard let saveActionBlock = saveActionBlock else { return }
saveActionBlock(text: textView.text)
}
} | f146a33998e657211a947c81459121ef | 32.567568 | 91 | 0.748288 | false | false | false | false |
coach-plus/ios | refs/heads/master | CoachPlus/models/News.swift | mit | 1 | //
// News.swift
// CoachPlus
//
// Created by Maurice Breit on 04.08.17.
// Copyright © 2017 Mathandoro GbR. All rights reserved.
//
import Foundation
import Foundation
import SwiftyJSON
class News:JSONable, BackJSONable {
enum Fields:String {
case id = "_id"
case title = "title"
case text = "text"
case author = "author"
case eventId = "event"
case created = "created"
}
var id: String
var title: String
var text: String
var author: User?
var eventId: String
var created: Date
init(id:String, title:String, text:String, author:User, eventId:String, created:Date) {
self.id = id
self.title = title
self.text = text
self.author = author
self.eventId = eventId
self.created = created
}
required init(json:JSON) {
self.id = json[Fields.id.rawValue].stringValue
self.title = json[Fields.title.rawValue].stringValue
self.text = json[Fields.text.rawValue].stringValue
let author = json[Fields.author.rawValue]
if (author.type != .string) {
self.author = User(json: author)
}
self.eventId = json[Fields.eventId.rawValue].stringValue
self.created = json[Fields.created.rawValue].stringValue.toDate()
}
func toJson() -> JSON {
let json: JSON = [
Fields.id.rawValue: self.id,
Fields.title.rawValue: self.title,
Fields.text.rawValue: self.text,
Fields.author.rawValue: self.author?.toJson(),
Fields.eventId.rawValue: self.eventId,
Fields.created.rawValue: self.created.toString()]
return json
}
func dateTimeString() -> String {
return self.created.simpleFormatted()
}
}
| 0127f26eaa15002edf8d0bb24292cc6c | 26.176471 | 91 | 0.590909 | false | false | false | false |
wslp0314/fakeDouyu | refs/heads/master | fakeDouyu/fakeDouyu/Classes/Tools/ExtenTion/UIBarbuttonItem+Extention.swift | apache-2.0 | 1 | //
// UIBarbuttonItem+Extention.swift
// fakeDouyu
//
// Created by wslp0314 on 2017/8/17.
// Copyright © 2017年 goout. All rights reserved.
//
import UIKit
extension UIBarButtonItem {
class func creatItem(normalIcon: UIImage , highlightIcon: UIImage) -> UIBarButtonItem {
let btn = UIButton()
let point = CGPoint(x: 0, y: 0)
let size = CGSize(width: 40, height: 40)
btn.setImage(normalIcon, for: .normal)
btn.setImage(highlightIcon, for: .highlighted)
btn.frame = CGRect(origin: point, size: size)
return UIBarButtonItem(customView: btn)
}
/* 在系统类的扩展函数 扩充构造函数时 只能 扩充 便利构造函数
(构造函数前 必须要加 convenience)
(在构造函数 里面实现 self.init 函数)-----相当于 return 这个的类函数
*/
convenience init(normalIcon: UIImage , highlightIcon: UIImage , size : CGSize) {
let btn = UIButton()
let point = CGPoint(x: 0, y: 0)
btn.setImage(normalIcon, for: .normal)
btn.setImage(highlightIcon, for: .highlighted)
btn.frame = CGRect(origin: point, size: size)
self.init(customView: btn)
}
}
| e4dcee06ecd136f2676ba0676e03d7ba | 31.676471 | 91 | 0.628263 | false | false | false | false |
wenghengcong/Coderpursue | refs/heads/master | BeeFun/Pods/SwiftMessages/SwiftMessages/KeyboardTrackingView.swift | mit | 1 | //
// KeyboardTrackingView.swift
// SwiftMessages
//
// Created by Timothy Moose on 5/20/19.
// Copyright © 2019 SwiftKick Mobile. All rights reserved.
//
import UIKit
public protocol KeyboardTrackingViewDelegate: class {
func keyboardTrackingViewWillChange(change: KeyboardTrackingView.Change, userInfo: [AnyHashable : Any])
func keyboardTrackingViewDidChange(change: KeyboardTrackingView.Change, userInfo: [AnyHashable : Any])
}
/// A view that adjusts it's height based on keyboard hide and show notifications.
/// Pin it to the bottom of the screen using Auto Layout and then pin views that
/// should avoid the keyboard to the top of it. Supply an instance of this class
/// on `SwiftMessages.Config.keyboardTrackingView` or `SwiftMessagesSegue.keyboardTrackingView`
/// for automatic keyboard avoidance for the entire SwiftMessages view or view controller.
open class KeyboardTrackingView: UIView {
public enum Change {
case show
case hide
case frame
}
public weak var delegate: KeyboardTrackingViewDelegate?
/// Typically, when a view controller is not being displayed, keyboard
/// tracking should be paused to avoid responding to keyboard events
/// caused by other view controllers or apps. Setting `isPaused = true` in
/// `viewWillAppear` and `isPaused = false` in `viewWillDisappear` usually works. This class
/// automatically pauses and resumes when the app resigns and becomes active, respectively.
open var isPaused = false {
didSet {
if !isPaused {
isAutomaticallyPaused = false
}
}
}
/// The margin to maintain between the keyboard and the top of the view.
@IBInspectable open var topMargin: CGFloat = 0
override public init(frame: CGRect) {
super.init(frame: frame)
postInit()
}
required public init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
}
open override func awakeFromNib() {
super.awakeFromNib()
postInit()
}
private var isAutomaticallyPaused = false
private var heightConstraint: NSLayoutConstraint!
private func postInit() {
translatesAutoresizingMaskIntoConstraints = false
heightConstraint = heightAnchor.constraint(equalToConstant: 0)
heightConstraint.isActive = true
NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow(_:)), name: UIResponder.keyboardWillShowNotification, object: nil)
NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow(_:)), name: UIResponder.keyboardWillChangeFrameNotification, object: nil)
NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide(_:)), name: UIResponder.keyboardWillHideNotification, object: nil)
NotificationCenter.default.addObserver(self, selector: #selector(pause), name: UIApplication.willResignActiveNotification, object: nil)
NotificationCenter.default.addObserver(self, selector: #selector(resume), name: UIApplication.didBecomeActiveNotification, object: nil)
backgroundColor = .clear
}
@objc private func keyboardWillChangeFrame(_ notification: Notification) {
show(change: .frame, notification)
}
@objc private func keyboardWillShow(_ notification: Notification) {
show(change: .show, notification)
}
@objc private func keyboardWillHide(_ notification: Notification) {
guard !(isPaused || isAutomaticallyPaused),
let userInfo = (notification as NSNotification).userInfo else { return }
guard heightConstraint.constant != 0 else { return }
delegate?.keyboardTrackingViewWillChange(change: .hide, userInfo: userInfo)
animateKeyboardChange(change: .hide, height: 0, userInfo: userInfo)
}
@objc private func pause() {
isAutomaticallyPaused = true
}
@objc private func resume() {
isAutomaticallyPaused = false
}
private func show(change: Change, _ notification: Notification) {
guard !(isPaused || isAutomaticallyPaused),
let userInfo = (notification as NSNotification).userInfo,
let value = userInfo[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue else { return }
let keyboardRect = value.cgRectValue
let thisRect = convert(bounds, to: nil)
let newHeight = max(0, thisRect.maxY - keyboardRect.minY) + topMargin
guard heightConstraint.constant != newHeight else { return }
delegate?.keyboardTrackingViewWillChange(change: change, userInfo: userInfo)
animateKeyboardChange(change: change, height: newHeight, userInfo: userInfo)
}
private func animateKeyboardChange(change: Change, height: CGFloat, userInfo: [AnyHashable: Any]) {
self.heightConstraint.constant = height
if let durationNumber = userInfo[UIResponder.keyboardAnimationDurationUserInfoKey] as? NSNumber,
let curveNumber = userInfo[UIResponder.keyboardAnimationCurveUserInfoKey] as? NSNumber {
CATransaction.begin()
CATransaction.setCompletionBlock {
self.delegate?.keyboardTrackingViewDidChange(change: change, userInfo: userInfo)
}
UIView.beginAnimations(nil, context: nil)
UIView.setAnimationDuration(durationNumber.doubleValue)
UIView.setAnimationCurve(UIView.AnimationCurve(rawValue: curveNumber.intValue)!)
UIView.setAnimationBeginsFromCurrentState(true)
self.superview?.layoutIfNeeded()
UIView.commitAnimations()
CATransaction.commit()
}
}
}
| 307d860f9c595504255764a2253c787d | 43.069767 | 163 | 0.706772 | false | false | false | false |
bjarnoldus/textsearchr | refs/heads/master | textsearchr/SwiftAddressBookWrapper.swift | mit | 1 | //
// SwiftAddressBookWrapper.swift
// textsearchr
//
// Created by Jeroen Arnoldus on 29-12-14.
// Copyright (c) 2014 Repleo. All rights reserved.
//
import UIKit
import AddressBook
//MARK: global address book variable
var swiftAddressBook : SwiftAddressBook? {
get {
if let instance = swiftAddressBookInstance {
return instance
}
else {
swiftAddressBookInstance = SwiftAddressBook(0)
return swiftAddressBookInstance
}
}
}
//MARK: private address book store
private var swiftAddressBookInstance : SwiftAddressBook?
//MARK: Address Book
class SwiftAddressBook {
var internalAddressBook : ABAddressBook!
private init?(_ dummy : Int) {
var err : Unmanaged<CFError>? = nil
let ab = ABAddressBookCreateWithOptions(nil, &err)
if err == nil {
internalAddressBook = ab.takeRetainedValue()
}
else {
return nil
}
}
class func authorizationStatus() -> ABAuthorizationStatus {
return ABAddressBookGetAuthorizationStatus()
}
func requestAccessWithCompletion( completion : (Bool, CFError?) -> Void ) {
ABAddressBookRequestAccessWithCompletion(internalAddressBook) {(let b : Bool, c : CFError!) -> Void in completion(b,c)}
}
func hasUnsavedChanges() -> Bool {
return ABAddressBookHasUnsavedChanges(internalAddressBook)
}
func save() -> CFError? {
return errorIfNoSuccess { ABAddressBookSave(self.internalAddressBook, $0)}
}
func revert() {
ABAddressBookRevert(internalAddressBook)
}
func addRecord(record : SwiftAddressBookRecord) -> CFError? {
return errorIfNoSuccess { ABAddressBookAddRecord(self.internalAddressBook, record.internalRecord, $0) }
}
func removeRecord(record : SwiftAddressBookRecord) -> CFError? {
return errorIfNoSuccess { ABAddressBookRemoveRecord(self.internalAddressBook, record.internalRecord, $0) }
}
// //This function does not yet work
// func registerExternalChangeCallback(callback: (AnyObject) -> Void) {
// //call some objective C function (c function pointer does not work in swift)
// }
//
// //This function does not yet work
// func unregisterExternalChangeCallback(callback: (AnyObject) -> Void) {
// //call some objective C function (c function pointer does not work in swift)
// }
//MARK: person records
var personCount : Int {
get {
return ABAddressBookGetPersonCount(internalAddressBook)
}
}
func personWithRecordId(recordId : Int32) -> SwiftAddressBookPerson? {
return SwiftAddressBookRecord(record: ABAddressBookGetPersonWithRecordID(internalAddressBook, recordId).takeUnretainedValue()).convertToPerson()
}
var allPeople : [SwiftAddressBookPerson]? {
get {
return convertRecordsToPersons(ABAddressBookCopyArrayOfAllPeople(internalAddressBook).takeRetainedValue())
}
}
func allPeopleInSource(source : SwiftAddressBookSource) -> [SwiftAddressBookPerson]? {
return convertRecordsToPersons(ABAddressBookCopyArrayOfAllPeopleInSource(internalAddressBook, source.internalRecord).takeRetainedValue())
}
func allPeopleInSourceWithSortOrdering(source : SwiftAddressBookSource, ordering : SwiftAddressBookOrdering) -> [SwiftAddressBookPerson]? {
return convertRecordsToPersons(ABAddressBookCopyArrayOfAllPeopleInSourceWithSortOrdering(internalAddressBook, source.internalRecord, ordering.abPersonSortOrderingValue).takeRetainedValue())
}
func peopleWithName(name : String) -> [SwiftAddressBookPerson]? {
let string : CFString = name as CFString
return convertRecordsToPersons(ABAddressBookCopyPeopleWithName(internalAddressBook, string).takeRetainedValue())
}
//MARK: group records
func groupWithRecordId(recordId : Int32) -> SwiftAddressBookGroup? {
return SwiftAddressBookRecord(record: ABAddressBookGetGroupWithRecordID(internalAddressBook, recordId).takeUnretainedValue()).convertToGroup()
}
var groupCount : Int {
get {
return ABAddressBookGetGroupCount(internalAddressBook)
}
}
var arrayOfAllGroups : [SwiftAddressBookGroup]? {
get {
return convertRecordsToGroups(ABAddressBookCopyArrayOfAllGroups(internalAddressBook).takeRetainedValue())
}
}
func allGroupsInSource(source : SwiftAddressBookSource) -> [SwiftAddressBookGroup]? {
return convertRecordsToGroups(ABAddressBookCopyArrayOfAllGroupsInSource(internalAddressBook, source.internalRecord).takeRetainedValue())
}
//MARK: sources
var defaultSource : SwiftAddressBookSource? {
get {
return SwiftAddressBookSource(record: ABAddressBookCopyDefaultSource(internalAddressBook).takeRetainedValue())
}
}
func sourceWithRecordId(sourceId : Int32) -> SwiftAddressBookSource? {
return SwiftAddressBookSource(record: ABAddressBookGetSourceWithRecordID(internalAddressBook, sourceId).takeUnretainedValue())
}
var allSources : [SwiftAddressBookSource]? {
get {
return convertRecordsToSources(ABAddressBookCopyArrayOfAllSources(internalAddressBook).takeRetainedValue())
}
}
}
//MARK: Wrapper for ABAddressBookRecord
class SwiftAddressBookRecord {
var internalRecord : ABRecord
init(record : ABRecord) {
internalRecord = record
}
func convertToSource() -> SwiftAddressBookSource? {
if ABRecordGetRecordType(internalRecord) == UInt32(kABSourceType) {
let source = SwiftAddressBookSource(record: internalRecord)
return source
}
else {
return nil
}
}
func convertToGroup() -> SwiftAddressBookGroup? {
if ABRecordGetRecordType(internalRecord) == UInt32(kABGroupType) {
let group = SwiftAddressBookGroup(record: internalRecord)
return group
}
else {
return nil
}
}
func convertToPerson() -> SwiftAddressBookPerson? {
if ABRecordGetRecordType(internalRecord) == UInt32(kABPersonType) {
let person = SwiftAddressBookPerson(record: internalRecord)
return person
}
else {
return nil
}
}
}
//MARK: Wrapper for ABAddressBookRecord of type ABSource
class SwiftAddressBookSource : SwiftAddressBookRecord {
var sourceType : SwiftAddressBookSourceType {
get {
let sourceType : CFNumber = ABRecordCopyValue(internalRecord, kABSourceTypeProperty).takeRetainedValue() as CFNumber
var rawSourceType : Int32? = nil
CFNumberGetValue(sourceType, CFNumberGetType(sourceType), &rawSourceType)
return SwiftAddressBookSourceType(abSourceType: rawSourceType!)
}
}
var searchable : Bool {
get {
let sourceType : CFNumber = ABRecordCopyValue(internalRecord, kABSourceTypeProperty).takeRetainedValue() as CFNumber
var rawSourceType : Int32? = nil
CFNumberGetValue(sourceType, CFNumberGetType(sourceType), &rawSourceType)
let andResult = kABSourceTypeSearchableMask & rawSourceType!
return andResult != 0
}
}
var sourceName : String {
return ABRecordCopyValue(internalRecord, kABSourceNameProperty).takeRetainedValue() as CFString
}
}
//MARK: Wrapper for ABAddressBookRecord of type ABGroup
class SwiftAddressBookGroup : SwiftAddressBookRecord {
var name : String {
get {
return ABRecordCopyValue(internalRecord, kABGroupNameProperty).takeRetainedValue() as CFString
}
}
class func create() -> SwiftAddressBookGroup {
return SwiftAddressBookGroup(record: ABGroupCreate().takeRetainedValue())
}
class func createInSource(source : SwiftAddressBookSource) -> SwiftAddressBookGroup {
return SwiftAddressBookGroup(record: ABGroupCreateInSource(source.internalRecord).takeRetainedValue())
}
var allMembers : [SwiftAddressBookPerson]? {
get {
return convertRecordsToPersons(ABGroupCopyArrayOfAllMembers(internalRecord).takeRetainedValue())
}
}
func allMembersWithSortOrdering(ordering : SwiftAddressBookOrdering) -> [SwiftAddressBookPerson]? {
return convertRecordsToPersons(ABGroupCopyArrayOfAllMembersWithSortOrdering(internalRecord, ordering.abPersonSortOrderingValue).takeRetainedValue())
}
func addMember(person : SwiftAddressBookPerson) -> CFError? {
return errorIfNoSuccess { ABGroupAddMember(self.internalRecord, person.internalRecord, $0) }
}
func removeMember(person : SwiftAddressBookPerson) -> CFError? {
return errorIfNoSuccess { ABGroupRemoveMember(self.internalRecord, person.internalRecord, $0) }
}
var source : SwiftAddressBookSource {
get {
return SwiftAddressBookSource(record: ABGroupCopySource(internalRecord).takeRetainedValue())
}
}
}
//MARK: Wrapper for ABAddressBookRecord of type ABPerson
class SwiftAddressBookPerson : SwiftAddressBookRecord {
class func create() -> SwiftAddressBookPerson {
return SwiftAddressBookPerson(record: ABPersonCreate().takeRetainedValue())
}
class func createInSource(source : SwiftAddressBookSource) -> SwiftAddressBookPerson {
return SwiftAddressBookPerson(record: ABPersonCreateInSource(source.internalRecord).takeRetainedValue())
}
class func createInSourceWithVCard(source : SwiftAddressBookSource, vCard : String) -> [SwiftAddressBookPerson]? {
let data : NSData? = vCard.dataUsingEncoding(NSUTF8StringEncoding, allowLossyConversion: true)
let abPersons : NSArray? = ABPersonCreatePeopleInSourceWithVCardRepresentation(source.internalRecord, data).takeRetainedValue()
var swiftPersons = [SwiftAddressBookPerson]()
if let persons = abPersons {
for person : ABRecord in persons {
let swiftPerson = SwiftAddressBookPerson(record: person)
swiftPersons.append(swiftPerson)
}
}
if swiftPersons.count != 0 {
return swiftPersons
}
else {
return nil
}
}
class func createVCard(people : [SwiftAddressBookPerson]) -> String {
let peopleArray : NSArray = people.map{$0.internalRecord}
let data : NSData = ABPersonCreateVCardRepresentationWithPeople(peopleArray).takeRetainedValue()
return NSString(data: data, encoding: NSUTF8StringEncoding)!
}
class func ordering() -> SwiftAddressBookOrdering {
return SwiftAddressBookOrdering(ordering: ABPersonGetSortOrdering())
}
class func comparePeopleByName(person1 : SwiftAddressBookPerson, person2 : SwiftAddressBookPerson, ordering : SwiftAddressBookOrdering) -> CFComparisonResult {
return ABPersonComparePeopleByName(person1, person2, ordering.abPersonSortOrderingValue)
}
//MARK: Personal Information
func setImage(image : UIImage) -> CFError? {
let imageData : NSData = UIImagePNGRepresentation(image)
return errorIfNoSuccess { ABPersonSetImageData(self.internalRecord, CFDataCreate(nil, UnsafePointer(imageData.bytes), imageData.length), $0) }
}
var image : UIImage? {
get {
return UIImage(data: ABPersonCopyImageData(internalRecord).takeRetainedValue())
}
}
func imageDataWithFormat(format : SwiftAddressBookPersonImageFormat) -> UIImage? {
return UIImage(data: ABPersonCopyImageDataWithFormat(internalRecord, format.abPersonImageFormat).takeRetainedValue())
}
func hasImageData() -> Bool {
return ABPersonHasImageData(internalRecord)
}
func removeImage() -> CFError? {
return errorIfNoSuccess { ABPersonRemoveImageData(self.internalRecord, $0) }
}
var allLinkedPeople : [SwiftAddressBookPerson]? {
get {
return convertRecordsToPersons(ABPersonCopyArrayOfAllLinkedPeople(internalRecord).takeRetainedValue() as CFArray)
}
}
var source : SwiftAddressBookSource {
get {
return SwiftAddressBookSource(record: ABPersonCopySource(internalRecord).takeRetainedValue())
}
}
var compositeNameDelimiterForRecord : String {
get {
return ABPersonCopyCompositeNameDelimiterForRecord(internalRecord).takeRetainedValue()
}
}
var compositeNameFormat : SwiftAddressBookCompositeNameFormat {
get {
return SwiftAddressBookCompositeNameFormat(format: ABPersonGetCompositeNameFormatForRecord(internalRecord))
}
}
var firstName : String? {
get {
return extractStringProperty(kABPersonFirstNameProperty)
}
set {
setSingleValueProperty(kABPersonFirstNameProperty, NSString(string: newValue))
}
}
var lastName : String? {
get {
return extractStringProperty(kABPersonLastNameProperty)
}
set {
setSingleValueProperty(kABPersonLastNameProperty, NSString(string: newValue))
}
}
var middleName : String? {
get {
return extractStringProperty(kABPersonMiddleNameProperty)
}
set {
setSingleValueProperty(kABPersonMiddleNameProperty, NSString(string: newValue))
}
}
var prefix : String? {
get {
return extractProperty(kABPersonPrefixProperty)
}
set {
setSingleValueProperty(kABPersonPrefixProperty, NSString(string: newValue))
}
}
var suffix : String? {
get {
return extractProperty(kABPersonSuffixProperty)
}
set {
setSingleValueProperty(kABPersonSuffixProperty, NSString(string: newValue))
}
}
var nickname : String? {
get {
return extractProperty(kABPersonNicknameProperty)
}
set {
setSingleValueProperty(kABPersonNicknameProperty, NSString(string: newValue))
}
}
var firstNamePhonetic : String? {
get {
return extractProperty(kABPersonFirstNamePhoneticProperty)
}
set {
setSingleValueProperty(kABPersonFirstNamePhoneticProperty, NSString(string: newValue))
}
}
var lastNamePhonetic : String? {
get {
return extractProperty(kABPersonLastNamePhoneticProperty)
}
set {
setSingleValueProperty(kABPersonLastNamePhoneticProperty, NSString(string: newValue))
}
}
var middleNamePhonetic : String? {
get {
return extractProperty(kABPersonMiddleNamePhoneticProperty)
}
set {
setSingleValueProperty(kABPersonMiddleNamePhoneticProperty, NSString(string: newValue))
}
}
var organization : String? {
get {
return extractProperty(kABPersonOrganizationProperty)
}
set {
setSingleValueProperty(kABPersonOrganizationProperty, NSString(string: newValue))
}
}
var jobTitle : String? {
get {
return extractProperty(kABPersonJobTitleProperty)
}
set {
setSingleValueProperty(kABPersonJobTitleProperty, NSString(string: newValue))
}
}
var department : String? {
get {
return extractProperty(kABPersonDepartmentProperty)
}
set {
setSingleValueProperty(kABPersonDepartmentProperty, NSString(string: newValue))
}
}
var emails : Array<MultivalueEntry<String>>? {
get {
return extractMultivalueProperty(kABPersonEmailProperty)
}
set {
// setMultivalueProperty(kABPersonEmailProperty, convertMultivalueEntries(newValue, converter: { NSString(string : $0) }))
}
}
var birthday : NSDate? {
get {
return extractProperty(kABPersonBirthdayProperty)
}
set {
setSingleValueProperty(kABPersonBirthdayProperty, newValue)
}
}
var note : String? {
get {
return extractProperty(kABPersonNoteProperty)
}
set {
setSingleValueProperty(kABPersonNoteProperty, NSString(string: newValue))
}
}
var creationDate : NSDate? {
get {
return extractProperty(kABPersonCreationDateProperty)
}
set {
setSingleValueProperty(kABPersonCreationDateProperty, newValue)
}
}
var modificationDate : NSDate? {
get {
return extractProperty(kABPersonModificationDateProperty)
}
set {
setSingleValueProperty(kABPersonModificationDateProperty, newValue)
}
}
var addresses : Array<MultivalueEntry<Dictionary<SwiftAddressBookAddressProperty,AnyObject>>>? {
get {
return extractMultivalueProperty(kABPersonAddressProperty)
}
set {
setMultivalueDictionaryProperty(kABPersonAddressProperty, newValue, { NSString(string: $0.abAddressProperty) }, {$0} )
}
}
var dates : Array<MultivalueEntry<NSDate>>? {
get {
return extractMultivalueProperty(kABPersonDateProperty)
}
set {
setMultivalueProperty(kABPersonDateProperty, newValue)
}
}
var type : SwiftAddressBookPersonType? {
get {
return SwiftAddressBookPersonType(type : extractProperty(kABPersonMiddleNameProperty))
}
set {
setSingleValueProperty(kABPersonMiddleNameProperty, newValue?.abPersonType)
}
}
var phoneNumbers : Array<MultivalueEntry<String>>? {
get {
return extractMultivalueProperty(kABPersonPhoneProperty)
}
set {
// setMultivalueProperty(kABPersonPhoneProperty, convertMultivalueEntries(newValue, converter: {NSString(string: $0)}))
}
}
var instantMessage : Array<MultivalueEntry<Dictionary<SwiftAddressBookInstantMessagingProperty,String>>>? {
get {
return extractMultivalueProperty(kABPersonInstantMessageProperty)
}
set {
setMultivalueDictionaryProperty(kABPersonInstantMessageProperty, newValue, keyConverter: { NSString(string: $0.abInstantMessageProperty) }, valueConverter: { NSString(string: $0) })
}
}
var socialProfiles : Array<MultivalueEntry<Dictionary<SwiftAddressBookSocialProfileProperty,String>>>? {
get {
return extractMultivalueProperty(kABPersonSocialProfileProperty)
}
set {
setMultivalueDictionaryProperty(kABPersonSocialProfileProperty, newValue, keyConverter: { NSString(string: $0.abSocialProfileProperty) }, valueConverter: { NSString(string : $0) } )
}
}
var urls : Array<MultivalueEntry<String>>? {
get {
return extractMultivalueProperty(kABPersonURLProperty)
}
set {
// setMultivalueProperty(kABPersonURLProperty, convertMultivalueEntries(newValue, converter: { NSString(string : $0) }))
}
}
var relatedNames : Array<MultivalueEntry<String>>? {
get {
return extractMultivalueProperty(kABPersonRelatedNamesProperty)
}
set {
// setMultivalueProperty(kABPersonRelatedNamesProperty, convertMultivalueEntries(newValue, converter: { NSString(string : $0) }))
}
}
var alternateBirthday : Dictionary<String, AnyObject>? {
get {
return extractProperty(kABPersonAlternateBirthdayProperty)
}
set {
let dict : NSDictionary? = newValue
setSingleValueProperty(kABPersonAlternateBirthdayProperty, dict)
}
}
//MARK: generic methods to set and get person properties
//BJA Patch
private func extractProperty<T>(propertyName : ABPropertyID) -> T? {
let result: AnyObject? = ABRecordCopyValue(self.internalRecord, propertyName)?.takeRetainedValue();
if result != nil {
return result as? T;
}
return nil;
}
private func extractStringProperty(propertyName : ABPropertyID) -> String? {
var result:String = ""
if let _result = ABRecordCopyValue(self.internalRecord, propertyName)? {
var addressBookWrapper: AddressBookWrapper = AddressBookWrapper()
var __result:AnyObject = _result.takeRetainedValue()
result = addressBookWrapper.anyObjectToString(__result)
// let __result = convertCfTypeToString(_result)
// if let ___result = __result {
// result = ___result;
// }
}
return result;
}
/*
private func convertCfTypeToString(cfValue: Unmanaged<AnyObject>!) -> String? {
let value = Unmanaged<CFStringRef>.fromOpaque(cfValue.toOpaque()).takeUnretainedValue() as CFStringRef?
let typeid=CFGetTypeID(value!)
println(typeid)
if typeid == CFStringGetTypeID() {
return value
} else {
return nil
}
} */
/* private func extractProperty<T>(propertyName : ABPropertyID) -> T? {
return ABRecordCopyValue(self.internalRecord, propertyName).takeRetainedValue() as? T
}*/
private func setSingleValueProperty<T : AnyObject>(key : ABPropertyID,_ value : T?) {
ABRecordSetValue(self.internalRecord, key, value, nil)
}
private func extractMultivalueProperty<T>(propertyName : ABPropertyID) -> Array<MultivalueEntry<T>>? {
var array = Array<MultivalueEntry<T>>()
let multivalue : ABMultiValue? = extractProperty(propertyName)
for i : Int in 0..<(ABMultiValueGetCount(multivalue)) {
let value : T? = ABMultiValueCopyValueAtIndex(multivalue, i).takeRetainedValue() as? T
if let v : T = value {
let id : Int = Int(ABMultiValueGetIdentifierAtIndex(multivalue, i))
if let label : String = ABMultiValueCopyLabelAtIndex(multivalue, i)?.takeRetainedValue() {
array.append(MultivalueEntry(value: v, label: label, id: id))
}
}
}
if array.count > 0 {
return array
}
else {
return nil
}
}
private func convertDictionary<T,U, V : AnyObject, W : AnyObject where V : Hashable>(d : Dictionary<T,U>?, keyConverter : (T) -> V, valueConverter : (U) -> W ) -> NSDictionary? {
if let d2 = d {
var dict = Dictionary<V,W>()
for key in d2.keys {
dict[keyConverter(key)] = valueConverter(d2[key]!)
}
return dict
}
else {
return nil
}
}
private func convertMultivalueEntries<T,U : AnyObject>(multivalue : Array<MultivalueEntry<T>>?, converter : (T) -> U) -> Array<MultivalueEntry<U>>? {
return multivalue?.map { m -> MultivalueEntry<U> in
return MultivalueEntry(value: converter(m.value), label: m.label, id: m.id)
}
}
private func setMultivalueProperty<T : AnyObject>(key : ABPropertyID,_ multivalue : Array<MultivalueEntry<T>>?) {
/* if(multivalue == nil) {
ABRecordSetValue(internalRecord, key, ABMultiValueCreateMutable(ABMultiValueGetPropertyType(extractProperty(key))).takeRetainedValue(), nil)
}
let abMultivalue: ABMutableMultiValue = ABMultiValueCreateMutableCopy(extractProperty(key)).takeRetainedValue()
var identifiers = Array<Int>()
for i : Int in 0..<(ABMultiValueGetCount(abMultivalue)) {
identifiers.append(Int(ABMultiValueGetIdentifierAtIndex(abMultivalue, i)))
}
for m : MultivalueEntry in multivalue! {
if contains(identifiers, m.id) {
let index = ABMultiValueGetIndexForIdentifier(abMultivalue, Int32(m.id))
ABMultiValueReplaceValueAtIndex(abMultivalue, m.value, index)
ABMultiValueReplaceLabelAtIndex(abMultivalue, m.label, index)
identifiers.removeAtIndex(find(identifiers,m.id)!)
}
else {
ABMultiValueAddValueAndLabel(abMultivalue, m.value, m.label, nil)
}
}
for i in identifiers {
ABMultiValueRemoveValueAndLabelAtIndex(abMultivalue, ABMultiValueGetIndexForIdentifier(abMultivalue,Int32(i)))
}
ABRecordSetValue(internalRecord, key, abMultivalue, nil)*/
}
private func setMultivalueDictionaryProperty<T,U, V : AnyObject,W : AnyObject where V : Hashable >(key : ABPropertyID,_ multivalue : Array<MultivalueEntry<Dictionary<T,U>>>?,keyConverter : (T) -> V , valueConverter : (U)-> W) {
// let array = convertMultivalueEntries(multivalue, converter: { d -> NSDictionary in
// return self.convertDictionary(d, keyConverter: keyConverter, valueConverter: valueConverter)!
// })
// setMultivalueProperty(key, array)
}
}
//MARK: swift structs for convenience
enum SwiftAddressBookOrdering {
case lastName, firstName
init(ordering : ABPersonSortOrdering) {
switch Int(ordering) {
case kABPersonSortByLastName :
self = .lastName
case kABPersonSortByFirstName :
self = .firstName
default :
self = .firstName
}
}
var abPersonSortOrderingValue : UInt32 {
get {
switch self {
case .lastName :
return UInt32(kABPersonSortByLastName)
case .firstName :
return UInt32(kABPersonSortByFirstName)
}
}
}
}
enum SwiftAddressBookCompositeNameFormat {
case firstNameFirst, lastNameFirst
init(format : ABPersonCompositeNameFormat) {
switch Int(format) {
case kABPersonCompositeNameFormatFirstNameFirst :
self = .firstNameFirst
case kABPersonCompositeNameFormatLastNameFirst :
self = .lastNameFirst
default :
self = .firstNameFirst
}
}
}
enum SwiftAddressBookSourceType {
case local, exchange, exchangeGAL, mobileMe, LDAP, cardDAV, cardDAVSearch
init(abSourceType : ABSourceType) {
switch Int(abSourceType) {
case kABSourceTypeLocal :
self = .local
case kABSourceTypeExchange :
self = .exchange
case kABSourceTypeExchangeGAL :
self = .exchangeGAL
case kABSourceTypeMobileMe :
self = .mobileMe
case kABSourceTypeLDAP :
self = .LDAP
case kABSourceTypeCardDAV :
self = .cardDAV
case kABSourceTypeCardDAVSearch :
self = .cardDAVSearch
default :
self = .local
}
}
}
enum SwiftAddressBookPersonImageFormat {
case thumbnail
case originalSize
var abPersonImageFormat : ABPersonImageFormat {
switch self {
case .thumbnail :
return kABPersonImageFormatThumbnail
case .originalSize :
return kABPersonImageFormatOriginalSize
}
}
}
enum SwiftAddressBookSocialProfileProperty {
case url, service, username, userIdentifier
init(property : String) {
switch property {
case kABPersonSocialProfileURLKey :
self = .url
case kABPersonSocialProfileServiceKey :
self = .service
case kABPersonSocialProfileUsernameKey :
self = .username
case kABPersonSocialProfileUserIdentifierKey :
self = .userIdentifier
default :
self = .url
}
}
var abSocialProfileProperty : String {
switch self {
case .url :
return kABPersonSocialProfileURLKey
case .service :
return kABPersonSocialProfileServiceKey
case .username :
return kABPersonSocialProfileUsernameKey
case .userIdentifier :
return kABPersonSocialProfileUserIdentifierKey
}
}
}
enum SwiftAddressBookInstantMessagingProperty {
case service, username
init(property : String) {
switch property {
case kABPersonInstantMessageServiceKey :
self = .service
case kABPersonInstantMessageUsernameKey :
self = .username
default :
self = .service
}
}
var abInstantMessageProperty : String {
switch self {
case .service :
return kABPersonInstantMessageServiceKey
case .username :
return kABPersonInstantMessageUsernameKey
}
}
}
enum SwiftAddressBookPersonType {
case person, organization
init(type : CFNumber?) {
if CFNumberCompare(type, kABPersonKindPerson, nil) == CFComparisonResult.CompareEqualTo {
self = .person
}
else if CFNumberCompare(type, kABPersonKindOrganization, nil) == CFComparisonResult.CompareEqualTo{
self = .organization
}
else {
self = .person
}
}
var abPersonType : CFNumber {
get {
switch self {
case .person :
return kABPersonKindPerson
case .organization :
return kABPersonKindOrganization
}
}
}
}
enum SwiftAddressBookAddressProperty {
case street, city, state, zip, country, countryCode
init(property : String) {
switch property {
case kABPersonAddressStreetKey:
self = .street
case kABPersonAddressCityKey:
self = .city
case kABPersonAddressStateKey:
self = .state
case kABPersonAddressZIPKey:
self = .zip
case kABPersonAddressCountryKey:
self = .country
case kABPersonAddressCountryCodeKey:
self = .countryCode
default:
self = .street
}
}
var abAddressProperty : String {
get {
switch self {
case .street :
return kABPersonAddressStreetKey
case .city :
return kABPersonAddressCityKey
case .state :
return kABPersonAddressStateKey
case .zip :
return kABPersonAddressZIPKey
case .country :
return kABPersonAddressCountryKey
case .countryCode :
return kABPersonAddressCountryCodeKey
default:
return kABPersonAddressStreetKey
}
}
}
}
struct MultivalueEntry<T> {
var value : T
var label : String
let id : Int
}
//MARK: methods to convert arrays of ABRecords
private func convertRecordsToSources(records : [ABRecord]?) -> [SwiftAddressBookSource]? {
let swiftRecords = records?.map {(record : ABRecord) -> SwiftAddressBookSource in return SwiftAddressBookRecord(record: record).convertToSource()!}
return swiftRecords
}
private func convertRecordsToGroups(records : [ABRecord]?) -> [SwiftAddressBookGroup]? {
let swiftRecords = records?.map {(record : ABRecord) -> SwiftAddressBookGroup in return SwiftAddressBookRecord(record: record).convertToGroup()!}
return swiftRecords
}
private func convertRecordsToPersons(records : [ABRecord]?) -> [SwiftAddressBookPerson]? {
let swiftRecords = records?.map {(record : ABRecord) -> SwiftAddressBookPerson in return SwiftAddressBookRecord(record: record).convertToPerson()!}
return swiftRecords
}
//MARK: some more handy methods
extension NSString {
convenience init?(string : String?) {
if string == nil {
self.init()
return nil
}
self.init(string: string!)
}
}
func errorIfNoSuccess(call : (UnsafeMutablePointer<Unmanaged<CFError>?>) -> Bool) -> CFError? {
var err : Unmanaged<CFError>? = nil
let success : Bool = call(&err)
if success {
return nil
}
else {
return err?.takeRetainedValue()
}
}
| 5fa43443d046b82f60222625d63e3f30 | 31.836673 | 231 | 0.637851 | false | false | false | false |
fgengine/quickly | refs/heads/master | Quickly/QRCode/QQRCode.swift | mit | 1 | //
// Quickly
//
public struct QQRCode {
public enum ErrorCorrection : String {
case low = "L"
case medium = "M"
case quartile = "Q"
case high = "H"
}
public let data: Data
public let errorCorrection: ErrorCorrection
public init(
data: Data,
errorCorrection: ErrorCorrection = .low
) {
self.data = data
self.errorCorrection = errorCorrection
}
public func generate(
color: UIColor = UIColor.black,
backgroundColor: UIColor = UIColor.white,
insets: UIEdgeInsets,
size: CGSize
) -> UIImage? {
guard let qrFilter = CIFilter(name: "CIQRCodeGenerator") else {
return nil
}
qrFilter.setDefaults()
qrFilter.setValue(self.data, forKey: "inputMessage")
qrFilter.setValue(self.errorCorrection.rawValue, forKey: "inputCorrectionLevel")
guard let colorFilter = CIFilter(name: "CIFalseColor") else {
return nil
}
colorFilter.setDefaults()
colorFilter.setValue(qrFilter.outputImage, forKey: "inputImage")
colorFilter.setValue(CIColor(cgColor: color.cgColor), forKey: "inputColor0")
colorFilter.setValue(CIColor(cgColor: backgroundColor.cgColor), forKey: "inputColor1")
guard let ciImage = colorFilter.outputImage else {
return nil
}
let ciImageSize = ciImage.extent.size
let widthRatio = size.width / ciImageSize.width
let heightRatio = size.height / ciImageSize.height
guard
let qrCodeImage = ciImage.nonInterpolatedImage(withScale: CGPoint(x: widthRatio, y: heightRatio)),
let qrCodeCgImage = qrCodeImage.cgImage,
let qrCodeCgColorSpace = qrCodeCgImage.colorSpace
else {
return nil
}
guard let context = CGContext(data: nil, width: Int(size.width + insets.left + insets.right), height: Int(size.height + insets.top + insets.bottom), bitsPerComponent: qrCodeCgImage.bitsPerComponent, bytesPerRow: 0, space: qrCodeCgColorSpace, bitmapInfo: qrCodeCgImage.bitmapInfo.rawValue) else {
return nil
}
context.setFillColor(backgroundColor.cgColor)
context.fill(CGRect(x: 0, y: 0, width: context.width, height: context.height))
context.draw(qrCodeCgImage, in: CGRect(x: insets.left, y: insets.bottom, width: size.width, height: size.height))
guard let cgImage = context.makeImage() else {
return nil
}
return UIImage(cgImage: cgImage)
}
}
| 5974cb2506a3d34fdc7279639748a22a | 36.73913 | 303 | 0.633641 | false | false | false | false |
portah/dangerous-room | refs/heads/master | dangerous-room/Timer.swift | apache-2.0 | 1 | //
// Timer.swift
// dangerous-room
//
// Created by Andrey Kartashov on 8/25/17.
// Copyright © 2017 st.porter. All rights reserved.
//
import Foundation
import QuartzCore
class DangerousTimer {
typealias Tick = ()->Void
var tick:Tick
var beepInterval:TimeInterval = 60
var timeInterval:TimeInterval = 0
var lastInterval:TimeInterval = 0
var currentInterval:TimeInterval = 0
var duration:TimeInterval = 0
var isRunning: Bool = false
var isPause: Bool = false
var beepTimes:Int = 0
var timer:Timer?
init( duration:TimeInterval, onTick:@escaping Tick){
self.tick = onTick
self.duration = duration
}
func start() {
self.timer = Timer.scheduledTimer(timeInterval: 1, target: self, selector: #selector(self.update), userInfo: nil, repeats: true)
self.lastInterval = self.getTime()
print("Timer start")
}
func stop(){
if(timer != nil) { timer!.invalidate() }
}
func getTime () -> TimeInterval{
return CACurrentMediaTime() as TimeInterval
}
func getRest()->TimeInterval {
return duration - timeInterval
}
@objc func update() {
self.currentInterval = self.getTime()
self.timeInterval = self.currentInterval - self.lastInterval
tick()
if (self.duration <= self.timeInterval) {
//DO BIG BEEEP
stop()
}
if (self.beepTimes < Int(self.timeInterval / self.beepInterval)) {
//DO SMALL BEEPS
print("beep \(self.beepTimes)")
self.beepTimes = Int(self.timeInterval / self.beepInterval)
}
}
}
| 22c045f9e23cb3a07fe6ce7d3f09f209 | 25.34375 | 136 | 0.607355 | false | false | false | false |
KosyanMedia/Aviasales-iOS-SDK | refs/heads/master | AviasalesSDKTemplate/Source/HotelsSource/Map/HLIpadMapVC.swift | mit | 1 | //
// HLIpadMapVC.swift
// AviasalesSDKTemplate
//
// Created by Anton Chebotov on 15/05/2017.
// Copyright © 2017 Go Travel Un Limited. All rights reserved.
//
import UIKit
class HLIpadMapVC: HLMapVC {
static let filtersViewWidth: CGFloat = 320.0
fileprivate let filtersAppearanceDuration: TimeInterval = 0.5
fileprivate let portraitContentWidth: CGFloat = min(UIScreen.main.bounds.width, UIScreen.main.bounds.height)
fileprivate let landscapeContentWidth: CGFloat = max(UIScreen.main.bounds.width, UIScreen.main.bounds.height) - HLIpadResultsVC.filtersViewWidth
var filtersVC: HLFiltersVC!
@IBOutlet weak fileprivate var filtersContainer: UIView!
@IBOutlet weak fileprivate var portraitFiltersShadeView: UIView!
@IBOutlet weak private var filtersButtonContainer: UIView!
@IBOutlet fileprivate var filtersContainerToSuperviewTrailing: NSLayoutConstraint!
@IBOutlet fileprivate var contentToFiltersHorizontalSpacing: NSLayoutConstraint!
@IBOutlet fileprivate var filtersContainerWidth: NSLayoutConstraint!
@IBOutlet fileprivate var contentContainerWidth: NSLayoutConstraint!
override func viewDidLoad() {
super.viewDidLoad()
addFilterClosingGestureRecognizers()
filtersVC = HLIpadFiltersVC(nibName: "HLIpadFiltersVC", bundle: nil)
filtersVC.searchInfo = searchInfo
filtersVC.filter = filter
filtersVC.delegate = self
filter.delegate = filtersVC
addChildViewController(filtersVC, to: filtersContainer)
filtersVC.view.autoPinEdgesToSuperviewEdges()
filtersContainerWidth.constant = HLIpadResultsVC.filtersViewWidth
setInitialFiltersStateForOrientation(UIApplication.shared.statusBarOrientation)
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
let orientation = UIApplication.shared.statusBarOrientation
setInitialFiltersStateForOrientation(orientation)
filtersButtonContainer.isHidden = (orientation == .landscapeLeft || orientation == .landscapeRight)
}
@IBAction func showFilters() {
openFiltersScreen(UIApplication.shared.statusBarOrientation)
}
func setFiltersButtonSelected(_ selected: Bool) {
if selected {
setButtonContentOffsets(filtersButton!)
} else {
filtersButton.imageEdgeInsets = UIEdgeInsets.zero
filtersButton.titleEdgeInsets = UIEdgeInsets.zero
filtersButton.contentEdgeInsets = UIEdgeInsets.zero
}
}
// MARK: - Private
fileprivate func addFilterClosingGestureRecognizers() {
let selector = #selector(HLIpadResultsVC.dismissFilters)
let tapRec = UITapGestureRecognizer(target: self, action: selector)
portraitFiltersShadeView.addGestureRecognizer(tapRec)
let leftSwipeRec = UISwipeGestureRecognizer(target: self, action: selector)
leftSwipeRec.direction = .left
portraitFiltersShadeView.addGestureRecognizer(leftSwipeRec)
let rightSwipeRec = UISwipeGestureRecognizer(target: self, action: selector)
rightSwipeRec.direction = .right
portraitFiltersShadeView.addGestureRecognizer(rightSwipeRec)
}
private func setButtonContentOffsets(_ button: UIButton) {
let insetAmount: CGFloat = 5.0
button.imageEdgeInsets = UIEdgeInsets(top: 0, left: -insetAmount, bottom: 0, right: insetAmount)
button.titleEdgeInsets = UIEdgeInsets(top: 0, left: insetAmount, bottom: 0, right: -insetAmount)
button.contentEdgeInsets = UIEdgeInsets(top: 0, left: insetAmount, bottom: 0, right: insetAmount)
}
// MARK: - HLFiltersContainerDelegate Methods
func setInitialFiltersStateForOrientation(_ orientation: UIInterfaceOrientation) {
let fullScreenFiltersMode = areFiltersInFullscreenMode(orientation)
filtersContainerToSuperviewTrailing.isActive = fullScreenFiltersMode
contentToFiltersHorizontalSpacing.isActive = true
contentContainerWidth.constant = fullScreenFiltersMode ? landscapeContentWidth : portraitContentWidth
if fullScreenFiltersMode && filter.allVariants.count == 0 {
contentContainerWidth.constant += HLIpadResultsVC.filtersViewWidth
filtersContainer.isHidden = true
}
portraitFiltersShadeView.alpha = 0.0
filtersButton.alpha = fullScreenFiltersMode ? 0.0 : 1.0
}
func openFiltersScreen(_ orientation: UIInterfaceOrientation) {
if orientation.isPortrait {
portraitFiltersShadeView.alpha = 0.0
portraitFiltersShadeView.isHidden = false
view.setNeedsUpdateConstraints()
UIView.animate(withDuration: filtersAppearanceDuration, animations: {
self.filtersContainerToSuperviewTrailing.isActive = true
self.contentToFiltersHorizontalSpacing.isActive = false
self.portraitFiltersShadeView.alpha = 1.0
self.view.layoutIfNeeded()
})
}
}
// MARK: - HLFiltersDismissDelegate Methods
func dismissFilters() {
view.setNeedsUpdateConstraints()
UIView.animate(withDuration: filtersAppearanceDuration, animations: {
self.setInitialFiltersStateForOrientation(UIApplication.shared.statusBarOrientation)
self.view.layoutIfNeeded()
}, completion: { (finished) in
self.portraitFiltersShadeView.isHidden = true
})
}
func moveToNewSearch() {
_ = navigationController?.popToRootViewController(animated: true)
}
// MARK: - ChooseSelectionDelegate
override func showSelectionViewController(_ selectionVC: FilterSelectionVC) {
customPresent(selectionVC, animated: true)
}
// MARK: - Private Methods
fileprivate func areFiltersInFullscreenMode(_ orientation: UIInterfaceOrientation) -> Bool {
return orientation.isLandscape
}
override func viewWillTransition(to size: CGSize, with coordinator: UIViewControllerTransitionCoordinator) {
super.viewWillTransition(to: size, with: coordinator)
let orientation = (size.width < size.height) ? UIInterfaceOrientation.portrait : UIInterfaceOrientation.landscapeLeft
view.setNeedsUpdateConstraints()
filtersButtonContainer.isHidden = (orientation == .landscapeLeft || orientation == .landscapeRight)
coordinator.animate(alongsideTransition: { (context) -> Void in
self.setInitialFiltersStateForOrientation(orientation)
self.view.layoutIfNeeded()
}, completion: { (UIViewControllerTransitionCoordinatorContext) -> Void in
self.portraitFiltersShadeView.isHidden = true
})
}
}
| ed49d60b088514823c4d853993ece7e6 | 40.398773 | 148 | 0.720954 | false | false | false | false |
letvargo/LVGSwiftSystemSoundServices | refs/heads/master | Source/SystemSound.swift | mit | 1 | //
// SystemsSound.swift
// Pods
//
// Created by doof nugget on 4/24/16.
//
//
import AudioToolbox
import LVGUtilities
/// A wrapper around AudioToolbox's SystemSoundID.
open class SystemSound {
// sound is private so only certain SystemSoundType methods can be exposed
// through SystemSound's public interface.
fileprivate let sound: SystemSoundID
// Plays the delegate's didFinishPlaying(_:) method.
fileprivate lazy var systemSoundCompletionProc: AudioServicesSystemSoundCompletionProc = {
_, inClientData in
guard let inClientData = inClientData else { return }
let systemSound: SystemSound = fromPointerConsume(inClientData)
systemSound.delegate?.didFinishPlaying(systemSound)
}
/**
Initialize a `SystemSound` using an `NSURL`.
- parameter url: The url of the sound file that will be played.
- throws: `SystemSoundError`
*/
// MARK: Initializing a SystemSound
public init(url: URL) throws {
self.sound = try SystemSoundID(url: url)
}
// MARK: The delegate property
/**
A `delegate` with a `didFinsishPlaying(_:)` method that is called
when the system sound finishes playing.
*/
open weak var delegate: SystemSoundDelegate? {
didSet {
self.sound.removeCompletion()
if let _ = self.delegate {
do {
try self.sound.addCompletion(
inClientData: UnsafeMutableRawPointer(mutating: toPointerRetain(self)),
inCompletionRoutine: systemSoundCompletionProc)
} catch {
print("\(error)")
}
}
}
}
// MARK: Playing Sounds and Alerts
/// Play the system sound assigned to the `soundID` property.
open func play() {
self.sound.play()
}
/**
Play the system sound assigned to the `soundID` property as an alert.
On `iOS` this may cause the device to vibrate. The actual sound played
is dependent on the device.
On `OS X` this may cause the screen to flash.
*/
open func playAsAlert() {
self.sound.playAsAlert()
}
#if os(iOS)
/// Cause the phone to vibrate.
open static func vibrate() {
SystemSoundID.vibrate()
}
#endif
#if os(OSX)
/// Play the system-defined alert sound on OS X.
public static func playSystemAlert() {
SystemSoundID.playSystemAlert()
}
/// Flash the screen.
public static func flashScreen() {
SystemSoundID.flashScreen()
}
#endif
// MARK: Working with Properties
/**
Get the value of the `.IsUISound` property.
If `true`, the system sound respects the user setting in the Sound Effects
preference and the sound will be silent when the user turns off sound effects.
The default value is `true`.
- throws: `SystemSoundError`
- returns: A `Bool` that indicates whether or not the sound will play
when the user has turned of sound effects in the Sound Effects preferences.
*/
open func isUISound() throws -> Bool {
return try self.sound.isUISound()
}
/**
Set the value of the `.IsUISound` property.
If `true`, the system sound respects the user setting in the Sound Effects
preference and the sound will be silent when the user turns off sound effects.
The default value is `true`.
- parameter value: The `Bool` value that is to be set.
- throws: `SystemSoundError`
*/
open func isUISound(_ value: Bool) throws {
try self.sound.isUISound(value)
}
/**
Get the value of the `.CompletePlaybackIfAppDies` property.
If `true`, the system sound will finish playing even if the application
dies unexpectedly.
The default value is `true`.
- throws: `SystemSoundError`
*/
open func completePlaybackIfAppDies() throws -> Bool {
return try self.sound.completePlaybackIfAppDies()
}
/**
Set the value of the `.CompletePlaybackIfAppDies` property.
If `true`, the system sound will finish playing even if the application
dies unexpectedly.
The default value is `true`.
- parameter value: The `Bool` value that is to be set.
- throws: `SystemSoundError`
*/
open func completePlaybackIfAppDies(_ value: Bool) throws {
try self.sound.completePlaybackIfAppDies(value)
}
// Dispose of the sound during deinitialization.
deinit {
do {
try self.sound.dispose()
} catch {
print("\(error)")
}
}
}
| eb08a1a418742ec1fc8484ed18fc29e3 | 23.29108 | 95 | 0.566873 | false | false | false | false |
PETERZer/SingularityIMClient-PeterZ | refs/heads/master | SingularityIMClient-PeterZ/Model/ChatListModel.swift | mit | 1 | //
// ChatListModel.swift
// SingularityIMClient
//
// Created by apple on 1/14/16.
// Copyright © 2016 张勇. All rights reserved.
//
import UIKit
public class ChatListModel: NSObject {
public var _chat_session_id:String?
public var _chat_session_type:String?
public var _last_message:String?
public var _last_message_id:String?
public var _last_message_time:String!
public var _last_message_type:String?
public var _last_sender_id:String?
public var _message_count:String?
public var _target_id:String?
public var _target_name:String?
public var _target_online_status:String?
public var _target_picture:String?
public var chat_session_id:String?{
get{
if self._chat_session_id == nil {
print("_chat_session_id没有值")
return nil
}else {
return self._chat_session_id
}
}
set(newChatSID){
self._chat_session_id = newChatSID
}
}
public var chat_session_type:String?{
get{
if self._chat_session_type == nil {
print("_chat_session_type没有值")
return nil
}else {
return self._chat_session_type
}
}
set(newChatSType){
self._chat_session_type = newChatSType
}
}
public var last_message:String?{
get{
if self._last_message == nil {
print("_last_message没有值")
return nil
}else {
return self._last_message
}
}
set(newLastMessage){
self._last_message = newLastMessage
}
}
public var last_message_id:String?{
get{
if self._last_message_id == nil {
print("_last_message_id没有值")
return nil
}else {
return self._last_message_id
}
}
set(newLastMessageId){
self._last_message_id = newLastMessageId
}
}
public var last_message_time:String!{
get{
if self._last_message_time == nil {
print("_last_message_time没有值")
return nil
}else {
return self._last_message_time
}
}
set(newLastMessageTime){
self._last_message_time = newLastMessageTime
}
}
public var last_message_type:String?{
get{
if self._last_message_type == nil {
print("_last_message_type没有值")
return nil
}else {
return self._last_message_type
}
}
set(newLastMessageType){
self._last_message_type = newLastMessageType
}
}
public var last_sender_id:String?{
get{
if self._last_sender_id == nil {
print("_last_sender_id没有值")
return nil
}else {
return self._last_sender_id
}
}
set(newLasterSenderId){
self._last_sender_id = newLasterSenderId
}
}
public var message_count:String?{
get{
if self._message_count == nil {
print("_message_count没有值")
return nil
}else {
return self._message_count
}
}
set(newMessageCount){
self._message_count = newMessageCount
}
}
public var target_id:String?{
get{
if self._target_id == nil {
print("_target_id没有值")
return nil
}else {
return self._target_id
}
}
set(newTargetId){
self._target_id = newTargetId
}
}
public var target_name:String?{
get{
if self._target_name == nil {
print("_target_name没有值")
return nil
}else {
return self._target_name
}
}
set(newTargetName){
self._target_name = newTargetName
}
}
public var target_online_status:String?{
get{
if self._target_online_status == nil {
print("_target_online_status没有值")
return nil
}else {
return self._target_online_status
}
}
set(newTargetOS){
self._target_online_status = newTargetOS
}
}
public var target_picture:String?{
get{
if self._target_picture == nil {
print("_target_picture没有值")
return nil
}else {
return self._target_picture
}
}
set(newTargetPicture){
self._target_picture = newTargetPicture
}
}
//MARK: 设置数据
public func setChatListModel(dic:AnyObject?) -> ChatListModel{
self.chat_session_id = dic?.valueForKey("chat_session_id")as? String
let chat_session_type = dic?.valueForKey("chat_session_type")!
self.chat_session_type = String(chat_session_type!)
self.last_message = dic?.valueForKey("last_message")as? String
self.last_message_id = dic?.valueForKey("last_message_id")as? String
let last_message_time = dic?.valueForKey("last_message_time")!
self.last_message_time = String(last_message_time!)
self.last_message_type = dic?.valueForKey("last_message_type")as? String
self.last_sender_id = dic?.valueForKey("last_sender_id")as? String
let message_count = dic?.valueForKey("message_count")!
self.message_count = String(message_count!)
self.target_id = dic?.valueForKey("target_id")as? String
self.target_name = dic?.valueForKey("target_name")as? String
self.target_online_status = dic?.valueForKey("target_online_status")as? String
self.target_picture = dic?.valueForKey("target_picture")as? String
return self
}
} | 602c91ac8b1ae138d153bc0c179c37af | 27.376682 | 89 | 0.49676 | false | false | false | false |
Geor9eLau/WorkHelper | refs/heads/master | Carthage/Checkouts/SwiftCharts/SwiftCharts/Views/ChartPointViewBarGreyOut.swift | mit | 1 | //
// ChartPointViewBarGreyOut.swift
// Examples
//
// Created by ischuetz on 15/05/15.
// Copyright (c) 2015 ivanschuetz. All rights reserved.
//
import UIKit
open class ChartPointViewBarGreyOut: ChartPointViewBar {
fileprivate let greyOut: Bool
fileprivate let greyOutDelay: Float
fileprivate let greyOutAnimDuration: Float
init(chartPoint: ChartPoint, p1: CGPoint, p2: CGPoint, width: CGFloat, color: UIColor, animDuration: Float = 0.5, greyOut: Bool = false, greyOutDelay: Float = 1, greyOutAnimDuration: Float = 0.5) {
self.greyOut = greyOut
self.greyOutDelay = greyOutDelay
self.greyOutAnimDuration = greyOutAnimDuration
super.init(p1: p1, p2: p2, width: width, bgColor: color, animDuration: animDuration)
}
required public init(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
override open func didMoveToSuperview() {
super.didMoveToSuperview()
if self.greyOut {
UIView.animate(withDuration: CFTimeInterval(self.greyOutAnimDuration), delay: CFTimeInterval(self.greyOutDelay), options: UIViewAnimationOptions.curveEaseOut, animations: {() -> Void in
self.backgroundColor = UIColor.gray
}, completion: nil)
}
}
}
| bcf279320adb333100b71e7cbcef50d6 | 32.525 | 201 | 0.671141 | false | false | false | false |
bannzai/xcp | refs/heads/master | xcp/PBX/PBX.swift | mit | 1 | //
// swift
// xcp
//
// Created by kingkong999yhirose on 2016/09/20.
// Copyright © 2016年 kingkong999yhirose. All rights reserved.
//
import Foundation
open class /* prefix */ PBX {
// MARK: - Abstract
open class Object {
open let id: String
open let dictionary: XCProject.JSON
open let isa: ObjectType
open let allPBX: AllPBX
// FIXME:
open var objectDictionary: XCProject.JSON {
return dictionary
}
public required init(
id: String,
dictionary: XCProject.JSON,
isa: String,
allPBX: AllPBX
) {
self.id = id
self.dictionary = dictionary
self.isa = ObjectType(for: isa)
self.allPBX = allPBX
}
fileprivate func extractStringIfExists(for key: String) -> String? {
return dictionary[key] as? String
}
fileprivate func extractString(for key: String) -> String {
guard let value = extractStringIfExists(for: key) else {
fatalError(assertionMessage(description: "wrong format is type: \(type(of: self)), key: \(key), id: \(id)"))
}
return value
}
fileprivate func extractStrings(for key: String) -> [String] {
guard let value = dictionary[key] as? [String] else {
fatalError(assertionMessage(description: "wrong format is type: \(type(of: self)), key: \(key), id: \(id)"))
}
return value
}
fileprivate func extractBool(for key: String) -> Bool {
let boolString: String = extractString(for: key)
switch boolString {
case "0":
return false
case "1":
return true
default:
fatalError(assertionMessage(description: "unknown bool string: \(boolString)"))
}
}
fileprivate func extractObject<T: PBX.Object>(for key: String) -> T {
let objectKey = extractString(for: key)
return allPBX.object(for: objectKey)
}
fileprivate func extractObjects<T: PBX.Object>(for key: String) -> [T] {
let objectKeys = extractStrings(for: key)
return objectKeys.map(allPBX.object)
}
fileprivate func extractJson(for key: String) -> XCProject.JSON {
return dictionary[key] as! XCProject.JSON
}
}
open class Container : Object {
}
open class ContainerItem: Object {
}
open class ProjectItem: ContainerItem {
}
open class BuildPhase: ProjectItem {
open lazy var files: [BuildFile] = self.extractObjects(for: "files")
}
open class Target: ProjectItem {
open fileprivate(set) lazy var buildConfigurationList: XC.ConfigurationList = self.extractObject(for: "buildConfigurationList")
open fileprivate(set) lazy var name: String = self.extractString(for: "name")
open fileprivate(set) lazy var productName: String = self.extractString(for:"productName")
open fileprivate(set) lazy var buildPhases: [BuildPhase] = self.extractObjects(for: "buildPhases")
}
}
extension /* prefix */ PBX {
open class Project: Object {
open fileprivate(set) lazy var developmentRegion: String = self.extractString(for: "developmentRegion")
open fileprivate(set) lazy var hasScannedForEncodings: Bool = self.extractBool(for: "hasScannedForEncodings")
open fileprivate(set) lazy var knownRegions: [String] = self.extractStrings(for: "knownRegions")
open fileprivate(set) lazy var targets: [PBX.NativeTarget] = self.extractObjects(for: "targets")
open fileprivate(set) lazy var mainGroup: PBX.Group = self.extractObject(for: "mainGroup")
open fileprivate(set) lazy var buildConfigurationList: XC.ConfigurationList = self.extractObject(for: "buildConfigurationList")
open fileprivate(set) lazy var attributes: XCProject.JSON = self.extractJson(for: "attributes")
}
open class ContainerItemProxy: ContainerItem {
}
open class BuildFile: ProjectItem {
open lazy var fileRef: PBX.Reference = self.extractObject(for: "fileRef")
}
open class CopyFilesBuildPhase: PBX.BuildPhase {
open fileprivate(set) lazy var name: String? = self.extractStringIfExists(for: "name")
}
open class FrameworksBuildPhase: PBX.BuildPhase {
}
open class HeadersBuildPhase: PBX.BuildPhase {
}
open class ResourcesBuildPhase: PBX.BuildPhase {
}
open class ShellScriptBuildPhase: PBX.BuildPhase {
open fileprivate(set) lazy var name: String? = self.extractStringIfExists(for: "name")
open fileprivate(set) lazy var shellScript: String = self.extractString(for: "shellScript")
}
open class SourcesBuildPhase: PBX.BuildPhase {
override open var objectDictionary: XCProject.JSON {
return PBXSourcesBuildPhaseTranslator().toJson(for: self)
}
}
open class BuildStyle: ProjectItem {
}
open class AggregateTarget: Target {
}
open class NativeTarget: Target {
}
open class TargetDependency: ProjectItem {
}
open class Reference: ContainerItem {
open fileprivate(set) lazy var name: String? = self.extractStringIfExists(for: "name")
open fileprivate(set) lazy var path: String? = self.extractStringIfExists(for: "path")
open fileprivate(set) lazy var sourceTree: SourceTreeType = SourceTreeType(for: self.extractString(for: "sourceTree"))
}
open class ReferenceProxy: Reference {
// convenience accessor
open fileprivate(set) lazy var remoteRef: ContainerItemProxy = self.extractObject(for: "remoteRef")
}
open class FileReference: Reference {
// convenience accessor
open lazy var fullPath: PathComponent = self.generateFullPath()
fileprivate func generateFullPath() -> PathComponent {
guard let path = allPBX.fullFilePaths[self.id] else {
fatalError(assertionMessage(description:
"unexpected id: \(id)",
"and fullFilePaths: \(allPBX.fullFilePaths)"
)
)
}
return path
}
}
open class Group: Reference {
override open var objectDictionary: XCProject.JSON {
return PBXGroupTranslator().toJson(for: self)
}
open lazy var children: [Reference] = self.extractObjects(for: "children")
open var fullPath: String = ""
// convenience accessor
open lazy var subGroups: [Group]! = self.children.ofType(PBX.Group.self)
open lazy var fileRefs: [PBX.FileReference]! = self.children.ofType(PBX.FileReference.self)
}
open class VariantGroup: PBX.Group {
}
}
open class /* prefix */ XC {
open class BuildConfiguration: PBX.BuildStyle {
open fileprivate(set) lazy var name: String = self.extractString(for: "name")
}
open class VersionGroup: PBX.Reference {
}
open class ConfigurationList: PBX.ProjectItem {
}
}
| f178150b827788e35f97ebd7c75866a0 | 32.078947 | 135 | 0.599708 | false | false | false | false |
LoveZYForever/HXWeiboPhotoPicker | refs/heads/master | Pods/HXPHPicker/Sources/HXPHPicker/Editor/View/Video/VideoEditorCropView.swift | mit | 1 | //
// VideoEditorCropView.swift
// HXPHPicker
//
// Created by Slience on 2021/1/9.
//
import UIKit
import AVKit
protocol VideoEditorCropViewDelegate: AnyObject {
func cropView(_ cropView: VideoEditorCropView, didChangedValidRectAt time: CMTime)
func cropView(_ cropView: VideoEditorCropView, endChangedValidRectAt time: CMTime)
func cropView(_ cropView: VideoEditorCropView, progressLineDragBeganAt time: CMTime)
func cropView(_ cropView: VideoEditorCropView, progressLineDragChangedAt time: CMTime)
func cropView(_ cropView: VideoEditorCropView, progressLineDragEndAt time: CMTime)
func cropView(_ cropView: VideoEditorCropView, didScrollAt time: CMTime)
func cropView(_ cropView: VideoEditorCropView, endScrollAt time: CMTime)
}
class VideoEditorCropView: UIView {
weak var delegate: VideoEditorCropViewDelegate?
let imageWidth: CGFloat = 8
var validRectX: CGFloat {
30 + UIDevice.leftMargin
}
var contentWidth: CGFloat = 0
var avAsset: AVAsset! {
didSet {
videoSize = PhotoTools.getVideoThumbnailImage(avAsset: avAsset, atTime: 0.1)?.size ?? .zero
}
}
var config: VideoCropTimeConfiguration
var videoFrameCount: Int = 0
lazy var frameMaskView: VideoEditorFrameMaskView = {
let frameMaskView = VideoEditorFrameMaskView.init()
frameMaskView.delegate = self
return frameMaskView
}()
lazy var flowLayout: UICollectionViewFlowLayout = {
let flowLayout = UICollectionViewFlowLayout.init()
flowLayout.scrollDirection = .horizontal
flowLayout.minimumLineSpacing = 0
flowLayout.minimumInteritemSpacing = 0
return flowLayout
}()
lazy var collectionView: UICollectionView = {
let collectionView = UICollectionView.init(frame: .zero, collectionViewLayout: flowLayout)
collectionView.backgroundColor = .clear
collectionView.dataSource = self
collectionView.delegate = self
collectionView.showsVerticalScrollIndicator = false
collectionView.showsHorizontalScrollIndicator = false
if #available(iOS 11.0, *) {
collectionView.contentInsetAdjustmentBehavior = .never
}
collectionView.register(VideoEditorCropViewCell.self, forCellWithReuseIdentifier: "VideoEditorCropViewCellID")
return collectionView
}()
lazy var startTimeLb: UILabel = {
let startTimeLb = UILabel.init()
startTimeLb.font = UIFont.mediumPingFang(ofSize: 12)
startTimeLb.textColor = .white
return startTimeLb
}()
lazy var endTimeLb: UILabel = {
let endTimeLb = UILabel.init()
endTimeLb.textAlignment = .right
endTimeLb.font = UIFont.mediumPingFang(ofSize: 12)
endTimeLb.textColor = .white
return endTimeLb
}()
lazy var totalTimeLb: UILabel = {
let totalTimeLb = UILabel.init()
totalTimeLb.textAlignment = .center
totalTimeLb.font = UIFont.mediumPingFang(ofSize: 12)
totalTimeLb.textColor = .white
return totalTimeLb
}()
lazy var progressLineView: UIView = {
let lineView = UIView.init()
lineView.backgroundColor = .white
lineView.layer.shadowColor = UIColor.black.withAlphaComponent(0.5).cgColor
lineView.layer.shadowOpacity = 0.5
lineView.isHidden = true
return lineView
}()
lazy var videoFrameMap: [Int: CGImage] = [:]
var videoSize: CGSize = .zero
/// 一个item代表多少秒
var interval: CGFloat = -1
var itemWidth: CGFloat = 0
var itemHeight: CGFloat = 60
var lineDidAnimate = false
var imageGenerator: AVAssetImageGenerator?
convenience init(avAsset: AVAsset, config: VideoCropTimeConfiguration) {
self.init(config: config)
self.avAsset = avAsset
videoSize = PhotoTools.getVideoThumbnailImage(avAsset: avAsset, atTime: 0.1)?.size ?? .zero
}
init(config: VideoCropTimeConfiguration) {
self.config = config
super.init(frame: .zero)
addSubview(collectionView)
addSubview(frameMaskView)
addSubview(startTimeLb)
addSubview(endTimeLb)
addSubview(totalTimeLb)
addSubview(progressLineView)
}
func configData() {
imageGenerator?.cancelAllCGImageGeneration()
videoFrameMap.removeAll()
collectionView.contentInset = UIEdgeInsets(
top: 2,
left: validRectX + imageWidth,
bottom: 2,
right: validRectX + imageWidth
)
let cellHeight = itemHeight - 4
itemWidth = cellHeight / 16 * 9
var imgWidth = videoSize.width
let imgHeight = videoSize.height
imgWidth = cellHeight / imgHeight * imgWidth
if imgWidth > itemWidth {
itemWidth = cellHeight / imgHeight * videoSize.width
if itemWidth > imgHeight / 9 * 16 {
itemWidth = imgHeight / 9 * 16
}
}
resetValidRect()
var videoSecond = videoDuration()
if videoSecond <= 0 {
videoSecond = 1
}
let maxWidth = width - validRectX * 2 - imageWidth * 2
var singleItemSecond: CGFloat
var videoMaximumCropDuration: CGFloat = CGFloat(config.maximumVideoCroppingTime)
if videoMaximumCropDuration < 1 {
videoMaximumCropDuration = 1
}
if videoSecond <= videoMaximumCropDuration {
let itemCount = maxWidth / itemWidth
singleItemSecond = videoSecond / itemCount
contentWidth = maxWidth
videoFrameCount = Int(ceilf(Float(itemCount)))
interval = singleItemSecond
}else {
let singleSecondWidth = maxWidth / videoMaximumCropDuration
singleItemSecond = itemWidth / singleSecondWidth
contentWidth = singleSecondWidth * videoSecond
videoFrameCount = Int(ceilf(Float(contentWidth / itemWidth)))
interval = singleItemSecond
}
if round(videoSecond) <= 0 {
frameMaskView.minWidth = contentWidth
}else {
var videoMinimunCropDuration = CGFloat(config.minimumVideoCroppingTime)
if videoMinimunCropDuration < 1 {
videoMinimunCropDuration = 1
}
let scale = videoMinimunCropDuration / videoSecond
frameMaskView.minWidth = contentWidth * scale
}
collectionView.reloadData()
getVideoFrame()
}
override func layoutSubviews() {
super.layoutSubviews()
startTimeLb.frame = CGRect(x: validRectX, y: 0, width: 100, height: 20)
endTimeLb.frame = CGRect(x: width - validRectX - 100, y: 0, width: 100, height: 20)
collectionView.frame = CGRect(x: 0, y: 20, width: width, height: itemHeight)
frameMaskView.frame = collectionView.frame
totalTimeLb.frame = CGRect(x: 0, y: collectionView.frame.maxY, width: 100, height: 20)
totalTimeLb.centerX = width * 0.5
if frameMaskView.validRect.equalTo(.zero) {
resetValidRect()
}
}
deinit {
imageGenerator?.cancelAllCGImageGeneration()
videoFrameMap.removeAll()
// print("deinit \(self)")
}
required init?(coder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
}
// MARK: function
extension VideoEditorCropView {
func startLineAnimation(at time: CMTime) {
// if lineDidAnimate {
// return
// }
// lineDidAnimate = true
// let duration = getEndDuration() - CGFloat(time.seconds)
let duration = getEndDuration(real: true) - CGFloat(time.seconds)
let mixX = frameMaskView.leftControl.frame.maxX
var x: CGFloat
if time.seconds == getStartTime(real: true).seconds {
x = mixX
}else {
x = CGFloat(time.seconds / avAsset.duration.seconds) * contentWidth - collectionView.contentOffset.x
}
setLineAnimation(x: x, duration: TimeInterval(duration))
}
func setLineAnimation(x: CGFloat, duration: TimeInterval) {
progressLineView.layer.removeAllAnimations()
let maxX = frameMaskView.validRect.maxX - 2 - imageWidth * 0.5
progressLineView.frame = CGRect(x: x, y: collectionView.y, width: 2, height: collectionView.height)
progressLineView.isHidden = false
UIView.animate(withDuration: duration, delay: 0, options: [.curveLinear]) {
self.progressLineView.x = maxX
} completion: { (isFinished) in
// if self.lineDidAnimate && isFinished {
// let mixX = self.frameMaskView.leftControl.frame.maxX
// let duration = self.getEndDuration(real: true) - self.getStartDuration(real: true)
// self.setLineAnimation(x: mixX, duration: TimeInterval(duration))
// }
}
}
func stopLineAnimation() {
lineDidAnimate = false
progressLineView.isHidden = true
progressLineView.layer.removeAllAnimations()
}
func resetValidRect() {
let imgWidth = imageWidth * 0.5
frameMaskView.validRect = CGRect(
x: validRectX + imgWidth,
y: 0,
width: width - (validRectX + imgWidth) * 2,
height: itemHeight
)
}
func videoDuration(real: Bool = false) -> CGFloat {
if real {
return CGFloat(avAsset.duration.seconds)
}
return CGFloat(round(avAsset.duration.seconds))
}
func getRotateBeforeData() -> ( // swiftlint:disable:this large_tuple
offsetXScale: CGFloat,
validXScale: CGFloat,
validWithScale: CGFloat
) {
return getRotateBeforeData(
offsetX: collectionView.contentOffset.x,
validX: frameMaskView.validRect.minX,
validWidth: frameMaskView.validRect.width
)
}
func getRotateBeforeData(
offsetX: CGFloat,
validX: CGFloat,
validWidth: CGFloat
) -> ( // swiftlint:disable:this large_tuple
offsetXScale: CGFloat,
validXScale: CGFloat,
validWithScale: CGFloat
) {
let insert = collectionView.contentInset
let offsetXScale = (offsetX + insert.left) / contentWidth
let validInitialX = validRectX + imageWidth * 0.5
let validMaxWidth = width - validInitialX * 2
let validXScale = (validX - validInitialX) / validMaxWidth
let validWithScale = validWidth / validMaxWidth
return (offsetXScale, validXScale, validWithScale)
}
func rotateAfterSetData(
offsetXScale: CGFloat,
validXScale: CGFloat,
validWithScale: CGFloat
) {
let insert = collectionView.contentInset
let offsetX = -insert.left + contentWidth * offsetXScale
collectionView.setContentOffset(CGPoint(x: offsetX, y: -insert.top), animated: false)
let validInitialX = validRectX + imageWidth * 0.5
let validMaxWidth = width - validInitialX * 2
let validX = validMaxWidth * validXScale + validInitialX
let vaildWidth = validMaxWidth * validWithScale
frameMaskView.validRect = CGRect(x: validX, y: 0, width: vaildWidth, height: itemHeight)
}
func updateTimeLabels() {
if avAsset == nil {
return
}
let startDuration = getStartDuration(real: true)
var endDuration = round(getEndDuration(real: true))
var totalDuration = round(endDuration - startDuration)
if totalDuration > CGFloat(config.maximumVideoCroppingTime) {
totalDuration = CGFloat(config.maximumVideoCroppingTime)
}
if endDuration > startDuration + totalDuration {
endDuration = startDuration + totalDuration
}
endTimeLb.text = PhotoTools.transformVideoDurationToString(
duration: TimeInterval(
endDuration
)
)
totalTimeLb.text = PhotoTools.transformVideoDurationToString(
duration: TimeInterval(
totalDuration
)
)
startTimeLb.text = PhotoTools.transformVideoDurationToString(
duration: TimeInterval(
round(startDuration)
)
)
}
func getMiddleDuration(real: Bool = false) -> CGFloat {
let validWidth = frameMaskView.validRect.width - imageWidth
let second = validWidth / contentWidth * videoDuration(real: real)
return second
}
func getStartDuration(real: Bool = false) -> CGFloat {
var offsetX = collectionView.contentOffset.x + collectionView.contentInset.left
let validX = frameMaskView.validRect.minX + imageWidth * 0.5 - collectionView.contentInset.left
let maxOfssetX = contentWidth - (collectionView.width - collectionView.contentInset.left * 2.0)
if offsetX > maxOfssetX {
offsetX = maxOfssetX
}
var second = (offsetX + validX) / contentWidth * videoDuration(real: real)
if second < 0 {
second = 0
}else if second > videoDuration(real: real) {
second = videoDuration(real: real)
}
return second
}
func getStartTime(real: Bool = false) -> CMTime {
CMTimeMakeWithSeconds(
Float64(getStartDuration(real: real)),
preferredTimescale: avAsset.duration.timescale
)
}
func getEndDuration(real: Bool = false) -> CGFloat {
let videoSecond = videoDuration(real: real)
let validWidth = frameMaskView.validRect.width - imageWidth * 0.5
var second = getStartDuration(real: real) + validWidth / contentWidth * videoSecond
if second > videoSecond {
second = videoSecond
}
return second
}
func getEndTime(real: Bool = false) -> CMTime {
CMTimeMakeWithSeconds(
Float64(getEndDuration(real: real)),
preferredTimescale: avAsset.duration.timescale
)
}
func stopScroll(_ offset: CGPoint?) {
let inset = collectionView.contentInset
var currentOffset = offset ?? collectionView.contentOffset
let maxOffsetX = contentWidth - (collectionView.width - inset.left)
if currentOffset.x < -inset.left {
currentOffset.x = -inset.left
}else if currentOffset.x > maxOffsetX {
currentOffset.x = maxOffsetX
}
collectionView.setContentOffset(currentOffset, animated: false)
}
}
extension VideoEditorCropView: UICollectionViewDataSource,
UICollectionViewDelegate,
UICollectionViewDelegateFlowLayout {
func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
videoFrameCount
}
func collectionView(
_ collectionView: UICollectionView,
cellForItemAt indexPath: IndexPath
) -> UICollectionViewCell {
let cell = collectionView.dequeueReusableCell(
withReuseIdentifier: "VideoEditorCropViewCellID",
for: indexPath
) as! VideoEditorCropViewCell
return cell
}
func collectionView(
_ collectionView: UICollectionView,
layout collectionViewLayout: UICollectionViewLayout,
sizeForItemAt indexPath: IndexPath
) -> CGSize {
if indexPath.item < videoFrameCount - 1 {
return CGSize(width: itemWidth, height: itemHeight - 4)
}
let itemW = contentWidth - CGFloat(indexPath.item) * itemWidth
return CGSize(width: itemW, height: itemHeight - 4)
}
func collectionView(
_ collectionView: UICollectionView,
willDisplay cell: UICollectionViewCell,
forItemAt indexPath: IndexPath
) {
if let cgImage = videoFrameMap[indexPath.item] {
let myCell = cell as! VideoEditorCropViewCell
myCell.image = UIImage.init(cgImage: cgImage)
}
}
func setCurrentCell(image: UIImage, index: Int) {
DispatchQueue.main.async {
let cell = self.collectionView.cellForItem(
at: IndexPath(item: index, section: 0)
) as? VideoEditorCropViewCell
cell?.image = image
}
}
func getVideoCurrentTime(for index: Int) -> CMTime {
var second: CGFloat
let maxIndex = videoFrameCount - 1
if index == 0 {
second = 0.1
}else if index >= maxIndex {
if avAsset.duration.seconds < 1 {
second = CGFloat(avAsset.duration.seconds - 0.1)
}else {
second = CGFloat(avAsset.duration.seconds - 0.5)
}
}else {
if avAsset.duration.seconds < 1 {
second = 0
}else {
second = CGFloat(index) * interval + interval * 0.5
}
}
let time = CMTimeMakeWithSeconds(Float64(second), preferredTimescale: avAsset.duration.timescale)
return time
}
func getVideoFrame() {
if videoFrameCount < 0 {
return
}
imageGenerator = AVAssetImageGenerator(asset: avAsset)
imageGenerator?.maximumSize = CGSize(width: itemWidth * 2, height: itemHeight * 2)
imageGenerator?.appliesPreferredTrackTransform = true
imageGenerator?.requestedTimeToleranceAfter = .zero
imageGenerator?.requestedTimeToleranceBefore = .zero
var times: [NSValue] = []
for index in 0..<videoFrameCount {
let time = getVideoCurrentTime(for: index)
times.append(NSValue.init(time: time))
}
var index: Int = 0
var hasError = false
var errorIndex: [Int] = []
imageGenerator?.generateCGImagesAsynchronously(forTimes: times) { (time, cgImage, actualTime, result, error) in
if result != .cancelled {
if let cgImage = cgImage {
self.videoFrameMap[index] = cgImage
if hasError {
for inde in errorIndex {
self.setCurrentCell(image: UIImage.init(cgImage: cgImage), index: inde)
}
errorIndex.removeAll()
hasError = false
}
self.setCurrentCell(image: UIImage.init(cgImage: cgImage), index: index)
}else {
if let cgImage = self.videoFrameMap[index - 1] {
self.setCurrentCell(image: UIImage.init(cgImage: cgImage), index: index)
}else {
errorIndex.append(index)
hasError = true
}
}
index += 1
}
}
}
func scrollViewDidScroll(_ scrollView: UIScrollView) {
if videoFrameCount > 0 {
delegate?.cropView(self, didScrollAt: getStartTime(real: true))
updateTimeLabels()
}
}
func scrollViewDidEndDragging(_ scrollView: UIScrollView, willDecelerate decelerate: Bool) {
if !decelerate {
delegate?.cropView(self, endScrollAt: getStartTime(real: true))
updateTimeLabels()
}
}
func scrollViewDidEndDecelerating(_ scrollView: UIScrollView) {
delegate?.cropView(self, endScrollAt: getStartTime(real: true))
updateTimeLabels()
}
}
extension VideoEditorCropView: VideoEditorFrameMaskViewDelegate {
func frameMaskView(validRectDidChanged frameMaskView: VideoEditorFrameMaskView) {
delegate?.cropView(self, didChangedValidRectAt: getStartTime(real: true))
updateTimeLabels()
}
func frameMaskView(validRectEndChanged frameMaskView: VideoEditorFrameMaskView) {
delegate?.cropView(self, endChangedValidRectAt: getStartTime(real: true))
updateTimeLabels()
}
}
| 0cdf3942c37aa37dce19c3a4274dd414 | 38.130859 | 119 | 0.62306 | false | false | false | false |
serg2007/memasserver | refs/heads/master | Sources/App/Models/Post.swift | mit | 1 | import Vapor
import FluentProvider
import HTTP
enum ContentType {
case image
case text
case imageText
}
final class Post: Model {
let storage = Storage()
// MARK: Properties and database keys
/// The content of the post
var content: String
var imageUrl: String
var userId: String
var likesCount: Int = 0
/// The column names for `id` and `content` in the database
static let idKey = "id"
static let userIdKey = "userId"
static let contentKey = "content"
static let imageUrlKey = "imageUrl"
static let likesCountKey = "likesCount"
/// Creates a new Post
init(content: String, imageUrl: String, likesCount: Int, userId: String) {
self.content = content
self.imageUrl = imageUrl
self.likesCount = likesCount
self.userId = userId
}
// MARK: Fluent Serialization
/// Initializes the Post from the
/// database row
init(row: Row) throws {
content = try row.get(Post.contentKey)
imageUrl = try row.get(Post.imageUrlKey)
likesCount = try row.get(Post.likesCountKey)
userId = try row.get(Post.userIdKey)
}
// Serializes the Post to the database
func makeRow() throws -> Row {
var row = Row()
try row.set(Post.contentKey, content)
try row.set(Post.imageUrlKey, imageUrl)
try row.set(Post.likesCountKey, likesCount)
try row.set(Post.userIdKey, userId)
return row
}
}
// MARK: Fluent Preparation
extension Post: Preparation {
/// Prepares a table/collection in the database
/// for storing Posts
static func prepare(_ database: Database) throws {
try database.create(self) { builder in
builder.id()
builder.string(Post.contentKey)
builder.string(Post.imageUrlKey)
builder.string(Post.likesCountKey)
builder.string(Post.userIdKey)
}
}
/// Undoes what was done in `prepare`
static func revert(_ database: Database) throws {
// try database.delete(self)
}
}
// MARK: JSON
// How the model converts from / to JSON.
// For example when:
// - Creating a new Post (POST /posts)
// - Fetching a post (GET /posts, GET /posts/:id)
//
extension Post: JSONConvertible {
convenience init(json: JSON) throws {
try self.init(
content: json.get(Post.contentKey),
imageUrl: json.get(Post.imageUrlKey),
likesCount: json.get(Post.likesCountKey),
userId: json.get(Post.userIdKey)
)
}
func makeJSON() throws -> JSON {
var json = JSON()
try json.set(Post.idKey, id)
try json.set(Post.contentKey, content)
try json.set(Post.imageUrlKey, imageUrl)
try json.set(Post.likesCountKey, likesCount)
try json.set(Post.userIdKey, userId)
return json
}
}
// MARK: HTTP
// This allows Post models to be returned
// directly in route closures
extension Post: ResponseRepresentable { }
// MARK: Update
// This allows the Post model to be updated
// dynamically by the request.
extension Post: Updateable {
// Updateable keys are called when `post.update(for: req)` is called.
// Add as many updateable keys as you like here.
public static var updateableKeys: [UpdateableKey<Post>] {
return [
// If the request contains a String at key "content"
// the setter callback will be called.
UpdateableKey(Post.contentKey, String.self) { post, content in
post.content = content
}, UpdateableKey(Post.likesCountKey, Int.self) { post, likesCount in
post.likesCount = likesCount
}
]
}
}
| 1e426687620fbee7b6f3caf28cbe9bac | 27.383459 | 80 | 0.620662 | false | false | false | false |
banxi1988/BXAppKit | refs/heads/master | BXForm/Controller/SelectPickerController.swift | mit | 1 | //
// SingleCompomentPickerController.swift
// Pods
//
// Created by Haizhen Lee on 15/12/23.
//
//
import UIKit
open class SelectPickerController<T:CustomStringConvertible>:PickerController,UIPickerViewDataSource,UIPickerViewDelegate where T:Equatable{
fileprivate var options:[T] = []
open var rowHeight:CGFloat = 36{
didSet{
picker.reloadAllComponents()
}
}
open var textColor = UIColor.darkText{
didSet{
picker.reloadAllComponents()
}
}
open var font = UIFont.systemFont(ofSize: 14){
didSet{
picker.reloadAllComponents()
}
}
open var onSelectOption:((T) -> Void)?
public init(options:[T]){
self.options = options
super.init(nibName: nil, bundle: nil)
}
public init(){
super.init(nibName: nil, bundle: nil)
}
required public init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
open override func viewDidLoad() {
super.viewDidLoad()
picker.delegate = self
picker.dataSource = self
picker.showsSelectionIndicator = true
}
open func selectOption(_ option:T){
let index = options.index { $0 == option }
if let row = index{
picker.selectRow(row, inComponent: 0, animated: true)
}
}
open func updateOptions(_ options:[T]){
self.options = options
if isViewLoaded{
picker.reloadAllComponents()
}
}
open func appendOptions(_ options:[T]){
self.options.append(contentsOf: options)
picker.reloadAllComponents()
}
open func appendOption(_ option:T){
self.options.append(option)
picker.reloadAllComponents()
}
func optionAtRow(_ row:Int) -> T?{
if options.count <= row || row < 0{
return nil
}
return options[row]
}
// MARK: UIPickerViewDataSource
open func numberOfComponents(in pickerView: UIPickerView) -> Int {
return 1
}
open func pickerView(_ pickerView: UIPickerView, numberOfRowsInComponent component: Int) -> Int {
return component == 0 ? options.count : 0
}
// MARK: UIPickerViewDelegate
open func pickerView(_ pickerView: UIPickerView, rowHeightForComponent component: Int) -> CGFloat {
return rowHeight
}
open func pickerView(_ pickerView: UIPickerView, attributedTitleForRow row: Int, forComponent component: Int) -> NSAttributedString? {
guard let option = optionAtRow(row) else{
return nil
}
let title = option.description
let attributedText = NSAttributedString(string: title, attributes: [
NSAttributedStringKey.foregroundColor:textColor,
NSAttributedStringKey.font:font
])
return attributedText
}
// MARK: Base Controller
override open func onPickDone() {
if options.isEmpty{
return
}
let selectedRow = picker.selectedRow(inComponent: 0)
if let option = optionAtRow(selectedRow){
onSelectOption?(option)
}
}
}
| 6c22e6742e678b7c097484fc5d8fd56d | 22.788618 | 140 | 0.668831 | false | false | false | false |
lijianwei-jj/OOSegmentViewController | refs/heads/master | OOSegmentViewController/OOSegmentViewController.swift | mit | 1 | //
// OOSegmentViewController.swift
// OOSegmentViewController
//
// Created by lee on 16/6/27.
// Copyright © 2016年 clearlove. All rights reserved.
//
import UIKit
@objc public protocol OOSegmentDelegate {
@objc optional func segmentViewController(_ segmentViewController:OOSegmentViewController,willShowViewController viewController:UIViewController) -> Void;
@objc optional func segmentViewController(_ segmentViewController:OOSegmentViewController,didShowViewController viewController:UIViewController) -> Void;
}
open class OOSegmentViewController : UIPageViewController {
// private var pageViewController = UIPageViewController(transitionStyle: .Scroll, navigationOrientation: .Horizontal, options: nil)
open var navBar = OOSegmentNavigationBar()
// fileprivate var navBarHideAnimate = false
fileprivate var lastContentOffset = CGFloat(0)
fileprivate var lastScrollDirection = UIAccessibilityScrollDirection.up
fileprivate var lastNavBarTop = CGFloat(0)
fileprivate var scrollDistance = CGFloat(0)
open var navBarTopLayoutConstraint : NSLayoutConstraint!
open var navBarHeight = CGFloat(40)
open var segmentDelegate : OOSegmentDelegate?
open var itemHeight = CGFloat(0)
open var titleColor = UIColor.black
open var titleSelectedColor = UIColor.red
open var fontSize = CGFloat(15)
open var cursorColor = UIColor.white
open var cursorHeight = CGFloat(2)
open var cursorBottomMargin : CGFloat?
open var navBarBackgroundColor = UIColor.white
open var titleMargin = CGFloat(8)
open var titleOffset = CGFloat(0)
open var cursorMoveEffect : CursorMoveEffect = OOCursorMoveEffect()
open var pageIndex = 0 {
didSet {
// if pageIndex != oldValue {
// moveToControllerAtIndex(pageIndex)
// }
pendingIndex = pageIndex
}
}
var pendingIndex = 0
fileprivate var autoFetchTitles = false
open var titles = [String]() {
didSet {
pageIndex = 0
navBar.titles = titles
}
}
open var images = [UIImage]() {
didSet {
pageIndex = 0
navBar.images = images
}
}
open var controllers = [UIViewController]() {
didSet {
if let first = controllers.first,let vcs = self.viewControllers , !vcs.isEmpty {
self.setViewControllers([first], direction: .forward, animated: false, completion: nil)
}
if autoFetchTitles {
titles = controllers.map {
$0.title ?? ""
}
}
}
}
public init() {
super.init(transitionStyle: .scroll, navigationOrientation: .horizontal, options: nil)
}
required public init?(coder: NSCoder) {
// super.init(coder: coder)
super.init(transitionStyle: .scroll, navigationOrientation: .horizontal, options: nil)
}
override open func viewDidLoad() {
super.viewDidLoad()
configUI()
configConstraints()
}
class PageControlView: UIView {
var view:UIView
init(view:UIView) {
self.view = view
super.init(frame:CGRect.zero)
addSubview(view)
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
@objc var pageControl:UIPageControl? {
return view.value(forKey: "_pageControl") as? UIPageControl
}
@objc var scrollView:UIScrollView {
return view.value(forKey: "_scrollView") as! UIScrollView
}
}
open func configUI(){
self.view.backgroundColor = UIColor.white
self.edgesForExtendedLayout = UIRectEdge()
if self.view.backgroundColor == nil {
self.view.backgroundColor = UIColor.white
}
delegate = self
dataSource = self
// addChildViewController(pageViewController)
// view.insertSubview(pageViewController.view, atIndex: 0)
// pageViewController.didMoveToParentViewController(self)
setViewControllers([controllers[pageIndex]], direction: .forward, animated: false, completion: nil)
navBar.backgroundColor = navBarBackgroundColor
navBar.titleColor = titleColor
navBar.titleSelectedColor = titleSelectedColor
navBar.cursorColor = cursorColor
navBar.cursorHeight = cursorHeight
navBar.cursorBottomMargin = cursorBottomMargin
navBar.fontSize = fontSize
navBar.itemHeight = itemHeight
navBar.segmentViewController = self
if titles.count == 0 && images.count == 0 {
autoFetchTitles = true
controllers.forEach {
titles.append($0.title ?? "")
}
}
if titles.count > 0 {
navBar.titles = titles
}else{
navBar.images = images
}
navBar.itemMargin = titleMargin
navBar.itemOffset = titleOffset
navBar.moveEffect = cursorMoveEffect
if let scrollView = self.value(forKey: "_scrollView") as? UIScrollView {
scrollView.delegate = navBar
scrollView.scrollsToTop = false
}
let view = PageControlView(view: self.view)
self.view = view
view.addSubview(navBar)
}
open func configConstraints() {
let views = ["navBar":navBar,"pageView":(self.view as! PageControlView).view]
// let views = ["navBar":navBar,"pageView":view]
views.forEach {
$1.translatesAutoresizingMaskIntoConstraints = false
}
view.addConstraints(NSLayoutConstraint.constraints(withVisualFormat: "H:|[navBar]|", options: .directionLeadingToTrailing, metrics: nil, views: views))
view.addConstraints(NSLayoutConstraint.constraints(withVisualFormat: "H:|[pageView]|", options: .directionLeadingToTrailing, metrics: nil, views: views))
let constraints = NSLayoutConstraint.constraints(withVisualFormat: "V:|[navBar(\(navBarHeight))][pageView]|", options: .directionLeadingToTrailing, metrics: nil, views: views)
navBarTopLayoutConstraint = constraints.first!
view.addConstraints(constraints)
}
public func moveToControllerAtIndex(index:Int, animated : Bool = true){
guard index >= 0 && index < controllers.count else {
return
}
let direction : UIPageViewController.NavigationDirection = index > pageIndex ? .forward : .reverse
pendingIndex = index
viewControllerWillShow()
if pageIndex == pendingIndex {
viewControllerDidShow()
return
}
setViewControllers([controllers[index]], direction: direction, animated: animated) { [weak self] completed in
if completed {
self?.viewControllerDidShow()
// self?.pendingIndex = -1
}
}
}
func viewControllerWillShow() {
segmentDelegate?.segmentViewController?(self, willShowViewController: (viewControllers?.last)!)
}
func viewControllerDidShow() {
// self.pageIndex = self.pendingIndex
scrollDistance = 0
lastContentOffset = 0
lastNavBarTop = 0
self.pageIndex = getFocusViewControllerIndex()
navBar.updateSelectItem(self.pageIndex)
// setNavBarHidden(false,animated:false)
setNavBarHidden(false,scroll:navBarHeight)
segmentDelegate?.segmentViewController?(self, didShowViewController: (viewControllers?.last)!)
}
// open func setNavBarHidden(_ hidden: Bool , animated : Bool = true) {
// guard hidden || self.navBarTopLayoutConstraint.constant != 0 else {
// return
// }
// navBarHideAnimate = true
//
// UIView.animate(withDuration: 0.25, animations: { () -> Void in
// if 8 == ProcessInfo().operatingSystemVersion.majorVersion {
// var frame = self.view.subviews[0].frame
// frame.size.height += self.navBarHeight * (hidden ? 1 : -1)
// self.view.subviews[0].frame = frame
// }
// if (animated) {
// self.view.layoutIfNeeded()
// self.navBarTopLayoutConstraint.constant = hidden ? -self.navBarHeight : 0
// self.view.layoutIfNeeded()
// }else {
// self.navBarTopLayoutConstraint.constant = hidden ? -self.navBarHeight : 0
// }
// }, completion: { _ in
// self.navBarHideAnimate = false
// })
// }
open func setNavBarHidden(_ hidden: Bool , scroll: CGFloat) {
guard hidden || self.navBarTopLayoutConstraint.constant != 0 else {
return
}
// navBarHideAnimate = true
//
// UIView.animate(withDuration: 0.25, animations: { () -> Void in
// if 8 == ProcessInfo().operatingSystemVersion.majorVersion {
// var frame = self.view.subviews[0].frame
// frame.size.height += self.navBarHeight * (hidden ? 1 : -1)
// self.view.subviews[0].frame = frame
// }
// if (animated) {
// self.view.layoutIfNeeded()
// self.navBarTopLayoutConstraint.constant = hidden ? -self.navBarHeight : 0
// self.view.layoutIfNeeded()
// }else {
// self.navBarTopLayoutConstraint.constant = hidden ? -self.navBarHeight : 0
// }
// }, completion: { _ in
// self.navBarHideAnimate = false
// })
if hidden {
self.navBarTopLayoutConstraint.constant = floor(max(lastNavBarTop-scroll,-navBarHeight))
} else {
self.navBarTopLayoutConstraint.constant = floor(min(lastNavBarTop+scroll,0))
}
if 8 == ProcessInfo().operatingSystemVersion.majorVersion {
var frame = self.view.subviews[0].frame
frame.size.height -= self.navBarTopLayoutConstraint.constant
self.view.subviews[0].frame = frame
}
}
open func followScrollView(_ scrollView: UIScrollView,navBarHideChangeHandler:((Bool)->())? = nil) {
let contentOffsetY = scrollView.contentOffset.y,
topInset = scrollView.contentInset.top,
buttomInset = scrollView.contentInset.bottom
guard contentOffsetY >= 0 - topInset && contentOffsetY <= scrollView.contentSize.height + buttomInset - scrollView.bounds.height else { return }
// 流动方向
let direction: UIAccessibilityScrollDirection = (scrollView.contentOffset.y > lastContentOffset) ? .up : .down
if direction == lastScrollDirection {
scrollDistance += scrollView.contentOffset.y - lastContentOffset
}else{
lastScrollDirection = direction
lastNavBarTop = self.navBarTopLayoutConstraint.constant
scrollDistance = 0
}
lastContentOffset = scrollView.contentOffset.y
// print("distance \(scrollDistance) \(contentOffsetY) \(scrollView.contentSize.height)")
// if scrollView.tracking == true && abs(scrollDistance) > navBarHeight && navBarHideAnimate == false {
// if abs(scrollDistance) > navBarHeight && navBarHideAnimate == false {
// if direction == .up && self.navBarTopLayoutConstraint.constant == 0 {
// 隐藏
// setNavBarHidden(true)
// setNavBarHidden(true,scroll: abs(scrollDistance))
// navBarHideChangeHandler?(true)
// } else if direction == .down && self.navBarTopLayoutConstraint.constant == -navBarHeight {
// 显示
// setNavBarHidden(false)
// setNavBarHidden(false,scroll: abs(scrollDistance))
// navBarHideChangeHandler?(false)
// }
// }
// if direction == .up && self.navBarTopLayoutConstraint.constant == 0 {
if direction == .up && self.navBarTopLayoutConstraint.constant > -navBarHeight {
// 隐藏
setNavBarHidden(true,scroll: abs(scrollDistance))
navBarHideChangeHandler?(true)
} else if direction == .down && self.navBarTopLayoutConstraint.constant < 0 {
// 显示
setNavBarHidden(false,scroll: abs(scrollDistance))
navBarHideChangeHandler?(false)
}
}
func getFocusViewControllerIndex()->Int {
return controllers.index(of: (viewControllers?.last)!)!
}
}
extension OOSegmentViewController : UIPageViewControllerDelegate,UIPageViewControllerDataSource {
func nextViewController(_ viewController:UIViewController,combine: (Int,Int)->Int) -> UIViewController? {
let index = combine(controllers.index(of: viewController)!,1)
guard (0..<controllers.count).contains(index) else {
return nil
}
return controllers[index]
}
public func pageViewController(_ pageViewController: UIPageViewController, didFinishAnimating finished: Bool, previousViewControllers: [UIViewController], transitionCompleted completed: Bool) {
if completed {
viewControllerDidShow()
} else {
pendingIndex = pageIndex
}
}
public func pageViewController(_ pageViewController: UIPageViewController, willTransitionTo pendingViewControllers: [UIViewController]) {
pendingIndex = controllers.index(of: pendingViewControllers.first!)!
viewControllerWillShow()
}
public func pageViewController(_ pageViewController: UIPageViewController, viewControllerAfter viewController: UIViewController) -> UIViewController? {
return nextViewController(viewController, combine: +)
}
public func pageViewController(_ pageViewController: UIPageViewController, viewControllerBefore viewController: UIViewController) -> UIViewController? {
return nextViewController(viewController, combine: -)
}
}
| 4219808066eb4686f5e5d3e42f2e5104 | 39.56044 | 197 | 0.600041 | false | false | false | false |
iMetalk/TCZKit | refs/heads/master | TCZKitDemo/TCZKit/Utils/AlertViewHelper/TCZAlertViewHelper.swift | mit | 1 | //
// TCZAlertViewHelper.swift
// Dormouse
//
// Created by tczy on 2017/8/14.
// Copyright © 2017年 WangSuyan. All rights reserved.
//
import UIKit
import Foundation
typealias alertClickBlock = (_ index: Int) ->Void
class TCZAlertViewHelper {
/// 展示一个带有 标题 和 确定 按钮的alert
///
/// - Parameters:
/// - title: 标题
/// - controller: 当前VC
/// - complete: 点击回调
public class func showAlert(title: String, controller: UIViewController, complete: alertClickBlock?) {
self.showAlert(title: title, confirmTitle: NSLocalizedString("确定", comment: ""), cancelTitle: nil, message: nil, controller: controller, complete: complete)
}
/// 展示一个显示 消息 和 确定 按钮的alert
///
/// - Parameters:
/// - message: 消息内容
/// - controller: 当前VC
/// - complete: 点击回调
public class func showAlert(message: String, controller: UIViewController, complete: alertClickBlock?) {
self.showAlert(title: nil, confirmTitle: NSLocalizedString("确定", comment: ""), cancelTitle: nil, message: message, controller: controller, complete: complete)
}
/// 展示一个显示 消息、标题 和 确定 按钮的alert
///
/// - Parameters:
/// - title: 标题
/// - message: 消息
/// - controller: 当前VC
/// - complete: 点击回调
public class func showAlert(title: String?, message: String, controller: UIViewController, complete: alertClickBlock?) {
self.showAlert(title: title, confirmTitle: NSLocalizedString("确定", comment: ""), cancelTitle: nil, message: message, controller: controller, complete: complete)
}
/// 展示一个显示 消息、标题 和 确定、取消 按钮的alert
///
/// - Parameters:
/// - title: 标题
/// - message: 消息
/// - controller: 当前VC
/// - complete: 点击回调
public class func showAlertWithCancel(title: String?, message: String, controller: UIViewController, complete: alertClickBlock?) {
self.showAlert(title: title, confirmTitle: NSLocalizedString("确定", comment: ""), cancelTitle: NSLocalizedString("取消", comment: ""), message: message, controller: controller, complete: complete)
}
/// 展示一个 自定义 按钮的alert
///
/// - Parameters:
/// - title: title
/// - confirmTitle: 确定按钮名称
/// - cancelTitle: 取消按钮的名称
/// - message: 显示信息
/// - controller: 当前VC
/// - complete: 点击回调
public class func showAlert(title: String?, confirmTitle: String?, cancelTitle: String?, message: String?, controller: UIViewController, complete: alertClickBlock?) {
let alertController = UIAlertController.init(title: title, message: message, preferredStyle: .alert)
if confirmTitle != nil {
let alertAction = UIAlertAction.init(title: confirmTitle, style: .default, handler: { (alertAction) in
if complete != nil {
complete!(1)
}
})
alertController.addAction(alertAction)
}
if cancelTitle != nil{
let alertAction = UIAlertAction.init(title: confirmTitle, style: .cancel, handler: { (alertAction) in
if complete != nil {
complete!(0)
}
})
alertController.addAction(alertAction)
}
controller.present(alertController, animated: true, completion: nil)
}
}
| 1e82174ce0f3b939f65c8cecbc8f64e3 | 36.404494 | 201 | 0.610093 | false | false | false | false |
ilyapuchka/VIPER-SWIFT | refs/heads/master | Carthage/Checkouts/Dip-UI/Sources/StoryboardInstantiatable.swift | mit | 1 | //
// DipUI
//
// Copyright (c) 2016 Ilya Puchka <[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 Dip
extension DependencyContainer {
///Containers that will be used to resolve dependencies of instances, created by stroyboards.
static public var uiContainers: [DependencyContainer] = []
#if swift(>=3.0)
/**
Resolves dependencies of passed in instance.
Use this method to resolve dependencies of object created by storyboard.
The type of the instance should be registered in the container.
You should call this method only from implementation of `didInstantiateFromStoryboard(_:tag:)`
of `StoryboardInstantiatable` protocol if you override its default implementation.
This method will do the same as `resolve(tag:) as T`, but instead of creating
a new intance with a registered factory it will use passed in instance as a resolved instance.
- parameters:
- instance: The object which dependencies should be resolved
- tag: An optional tag used to register the type (`T`) in the container
**Example**:
```swift
class ViewController: UIViewController, ServiceDelegate, StoryboardInstantiatable {
var service: Service?
func didInstantiateFromStoryboard(_ container: DependencyContainer, tag: DependencyContainer.Tag?) throws {
try container.resolveDependencies(of: self as ServiceDelegate, tag: "vc")
}
}
class ServiceImp: Service {
weak var delegate: ServiceDelegate?
}
container.register(tag: "vc") { ViewController() }
.resolvingProperties { container, controller in
controller.service = try container.resolve() as Service
controller.service.delegate = controller
}
container.register { ServiceImp() as Service }
```
- seealso: `register(_:type:tag:factory:)`, `didInstantiateFromStoryboard(_:tag:)`
*/
public func resolveDependencies<T>(of instance: T, tag: Tag? = nil) throws {
_ = try resolve(tag: tag) { (_: () throws -> T) in instance }
}
#else
/**
Resolves dependencies of passed in instance.
Use this method to resolve dependencies of object created by storyboard.
The type of the instance should be registered in the container.
You should call this method only from implementation of `didInstantiateFromStoryboard(_:tag:)`
of `StoryboardInstantiatable` protocol if you override its default implementation.
This method will do the same as `resolve(tag:) as T`, but instead of creating
a new intance with a registered factory it will use passed in instance as a resolved instance.
- parameters:
- instance: The object which dependencies should be resolved
- tag: An optional tag used to register the type (`T`) in the container
**Example**:
```swift
class ViewController: UIViewController, ServiceDelegate, StoryboardInstantiatable {
var service: Service?
func didInstantiateFromStoryboard(container: DependencyContainer, tag: DependencyContainer.Tag?) throws {
try container.resolveDependenciesOf(self as ServiceDelegate, tag: "vc")
}
}
class ServiceImp: Service {
weak var delegate: ServiceDelegate?
}
container.register(tag: "vc") { ViewController() }
.resolvingProperties { container, controller in
controller.service = try container.resolve() as Service
controller.service.delegate = controller
}
container.register { ServiceImp() as Service }
```
- seealso: `register(_:type:tag:factory:)`, `didInstantiateFromStoryboard(_:tag:)`
*/
public func resolveDependenciesOf<T>(instance: T, tag: Tag? = nil) throws {
_ = try resolve(tag: tag) { (_: () throws -> T) in instance }
}
#endif
}
#if os(watchOS)
public protocol StoryboardInstantiatableType {}
#else
public typealias StoryboardInstantiatableType = NSObjectProtocol
#endif
public protocol StoryboardInstantiatable: StoryboardInstantiatableType {
#if swift(>=3.0)
/**
This method will be called if you set a `dipTag` attirbute on the object in a storyboard
that conforms to `StoryboardInstantiatable` protocol.
- parameters:
- tag: The tag value, that was set on the object in a storyboard
- container: The `DependencyContainer` associated with storyboards
The type that implements `StoryboardInstantiatable` protocol should be registered in `UIStoryboard.container`.
Default implementation of that method calls `resolveDependenciesOf(_:tag:)`
and pass it `self` instance and the tag.
Usually you will not need to override the default implementation of this method
if you registered the type of the instance as a concrete type in the container.
Then you only need to add conformance to `StoryboardInstantiatable`.
You may want to override it if you want to add custom logic before/after resolving dependencies
or you want to resolve the instance as implementation of some protocol which it conforms to.
- warning: This method will be called after `init?(coder:)` but before `awakeFromNib` method of `NSObject`.
On watchOS this method will be called before `awakeWithContext(_:)`.
**Example**:
```swift
extension MyViewController: SomeProtocol { ... }
extension MyViewController: StoryboardInstantiatable {
func didInstantiateFromStoryboard(_ container: DependencyContainer, tag: DependencyContainer.Tag) throws {
//resolve dependencies of the instance as SomeProtocol type
try container.resolveDependencies(of: self as SomeProtocol, tag: tag)
//do some additional setup here
}
}
```
*/
func didInstantiateFromStoryboard(_ container: DependencyContainer, tag: DependencyContainer.Tag?) throws
#else
/**
This method will be called if you set a `dipTag` attirbute on the object in a storyboard
that conforms to `StoryboardInstantiatable` protocol.
- parameters:
- tag: The tag value, that was set on the object in a storyboard
- container: The `DependencyContainer` associated with storyboards
The type that implements `StoryboardInstantiatable` protocol should be registered in `UIStoryboard.container`.
Default implementation of that method calls `resolveDependenciesOf(_:tag:)`
and pass it `self` instance and the tag.
Usually you will not need to override the default implementation of this method
if you registered the type of the instance as a concrete type in the container.
Then you only need to add conformance to `StoryboardInstantiatable`.
You may want to override it if you want to add custom logic before/after resolving dependencies
or you want to resolve the instance as implementation of some protocol which it conforms to.
- warning: This method will be called after `init?(coder:)` but before `awakeFromNib` method of `NSObject`.
On watchOS this method will be called before `awakeWithContext(_:)`.
**Example**:
```swift
extension MyViewController: SomeProtocol { ... }
extension MyViewController: StoryboardInstantiatable {
func didInstantiateFromStoryboard(container: DependencyContainer, tag: DependencyContainer.Tag) throws {
//resolve dependencies of the instance as SomeProtocol type
try container.resolveDependenciesOf(self as SomeProtocol, tag: tag)
//do some additional setup here
}
}
```
*/
func didInstantiateFromStoryboard(container: DependencyContainer, tag: DependencyContainer.Tag?) throws
#endif
}
extension StoryboardInstantiatable {
#if swift(>=3.0)
public func didInstantiateFromStoryboard(_ container: DependencyContainer, tag: DependencyContainer.Tag?) throws {
try container.resolveDependencies(of: self, tag: tag)
}
#else
public func didInstantiateFromStoryboard(container: DependencyContainer, tag: DependencyContainer.Tag?) throws {
try container.resolveDependenciesOf(self, tag: tag)
}
#endif
}
#if os(iOS) || os(tvOS) || os(OSX)
#if os(iOS) || os(tvOS)
import UIKit
#elseif os(OSX)
import AppKit
#endif
#if swift(>=3.0)
let DipTagAssociatedObjectKey = UnsafeMutablePointer<Int8>.allocate(capacity: 1)
#else
let DipTagAssociatedObjectKey = UnsafeMutablePointer<Int8>.alloc(1)
#endif
extension NSObject {
///A string tag that will be used to resolve dependencies of this instance
///if it implements `StoryboardInstantiatable` protocol.
private(set) public var dipTag: String? {
get {
return objc_getAssociatedObject(self, DipTagAssociatedObjectKey) as? String
}
set {
objc_setAssociatedObject(self, DipTagAssociatedObjectKey, newValue, .OBJC_ASSOCIATION_COPY_NONATOMIC)
guard let instantiatable = self as? StoryboardInstantiatable else { return }
let tag = dipTag.map(DependencyContainer.Tag.String)
for container in DependencyContainer.uiContainers {
do {
try instantiatable.didInstantiateFromStoryboard(container, tag: tag)
break
} catch {
print(error)
}
}
}
}
}
#else
import WatchKit
let swizzleAwakeWithContext: Void = {
#if swift(>=3.0)
let originalSelector = #selector(WKInterfaceController.awake(withContext:))
let swizzledSelector = #selector(WKInterfaceController.dip_awake(withContext:))
#else
let originalSelector = #selector(WKInterfaceController.awakeWithContext(_:))
let swizzledSelector = #selector(WKInterfaceController.dip_awakeWithContext(_:))
#endif
let originalMethod = class_getInstanceMethod(WKInterfaceController.self, originalSelector)
let swizzledMethod = class_getInstanceMethod(WKInterfaceController.self, swizzledSelector)
let didAddMethod = class_addMethod(WKInterfaceController.self, originalSelector, method_getImplementation(swizzledMethod), method_getTypeEncoding(swizzledMethod))
if didAddMethod {
class_replaceMethod(WKInterfaceController.self, swizzledSelector, method_getImplementation(originalMethod), method_getTypeEncoding(originalMethod))
} else {
method_exchangeImplementations(originalMethod, swizzledMethod)
}
}()
extension WKInterfaceController: StoryboardInstantiatableType {
#if swift(>=3.0)
open override class func initialize() {
// make sure this isn't a subclass
guard self == WKInterfaceController.self else { return }
swizzleAwakeWithContext
}
func dip_awake(withContext context: AnyObject?) {
defer { self.dip_awake(withContext: context) }
guard let instantiatable = self as? StoryboardInstantiatable else { return }
for container in DependencyContainer.uiContainers {
guard let _ = try? instantiatable.didInstantiateFromStoryboard(container, tag: nil) else { continue }
break
}
}
#else
override class func initialize() {
// make sure this isn't a subclass
guard self == WKInterfaceController.self else { return }
swizzleAwakeWithContext
}
func dip_awakeWithContext(context: AnyObject?) {
defer { self.dip_awakeWithContext(context) }
guard let instantiatable = self as? StoryboardInstantiatable else { return }
for container in DependencyContainer.uiContainers {
guard let _ = try? instantiatable.didInstantiateFromStoryboard(container, tag: nil) else { continue }
break
}
}
#endif
}
#endif
| aed35086343325b5e5f406d18f2817d2 | 36.790274 | 164 | 0.726373 | false | false | false | false |
silence0201/Swift-Study | refs/heads/master | SimpleProject/RuntimeDemo/RuntimeDemo/Person.swift | mit | 1 | //
// Person.swift
// RuntimeDemo
//
// Created by 杨晴贺 on 2017/3/5.
// Copyright © 2017年 Silence. All rights reserved.
//
import UIKit
class Person: NSObject {
var name: String?
var age: Int = 0 // 基本数据类型在oc没有可选,如果定义成可选运行时同样获取不到,因此使用KVC会崩溃
var title: String?
private var no:String? // 使用私有标识符也不能获取到
// 获取当前类的所有属性数组
// static func propertyList() -> [String]{
// var count: UInt32 = 0
//
// var result:[String] = []
// // 获取类的属性列表
// let list = class_copyPropertyList(self, &count)
//
// print("属性的数量: \(count)")
//
// for i in 0..<Int(count){
// let pty = list?[i]
// // 获取属性的名称
// let cName = property_getName(pty!) // 对应c语言字符串
//
// // 转化成oc字符串
// let name = String(utf8String: cName!)
// result.append(name ?? "")
// }
static func propertyList() -> [String]{
var count: UInt32 = 0
var result:[String] = []
// 获取类的属性列表
let list = class_copyPropertyList(self, &count)
print("属性的数量: \(count)")
for i in 0..<Int(count){
// 使用guard语法判断每一项是否有值,只要有一项为nil就不在执行后续的代码
guard let pty = list?[i],let cName = property_getName(pty),let name = String(utf8String: cName) else {
continue
}
result.append(name)
}
free(list)
return result
}
}
| 5f07b650d3246aa7d6e1be97023d551e | 24.666667 | 118 | 0.48961 | false | false | false | false |
Pursuit92/antlr4 | refs/heads/master | Jude/Antlr4/Parser.swift | bsd-3-clause | 4 | /* Copyright (c) 2012-2016 The ANTLR Project. All rights reserved.
* Use of this file is governed by the BSD 3-clause license that
* can be found in the LICENSE.txt file in the project root.
*/
/** This is all the parsing support code essentially; most of it is error recovery stuff. */
//public abstract class Parser : Recognizer<Token, ParserATNSimulator> {
import Foundation
open class Parser: Recognizer<ParserATNSimulator> {
public static let EOF: Int = -1
public static var ConsoleError = true
//false
public class TraceListener: ParseTreeListener {
var host: Parser
init(_ host: Parser) {
self.host = host
}
public func enterEveryRule(_ ctx: ParserRuleContext) throws {
let ruleName = host.getRuleNames()[ctx.getRuleIndex()]
let lt1 = try host._input.LT(1)!.getText()!
print("enter \(ruleName), LT(1)=\(lt1)")
}
public func visitTerminal(_ node: TerminalNode) {
print("consume \(node.getSymbol()) rule \(host.getRuleNames()[host._ctx!.getRuleIndex()])")
}
public func visitErrorNode(_ node: ErrorNode) {
}
public func exitEveryRule(_ ctx: ParserRuleContext) throws {
let ruleName = host.getRuleNames()[ctx.getRuleIndex()]
let lt1 = try host._input.LT(1)!.getText()!
print("exit \(ruleName), LT(1)=\(lt1)")
}
}
public class TrimToSizeListener: ParseTreeListener {
public static let INSTANCE: TrimToSizeListener = TrimToSizeListener()
public func enterEveryRule(_ ctx: ParserRuleContext) {
}
public func visitTerminal(_ node: TerminalNode) {
}
public func visitErrorNode(_ node: ErrorNode) {
}
public func exitEveryRule(_ ctx: ParserRuleContext) {
//TODO: check necessary
// if (ctx.children is ArrayList) {
// (ctx.children as ArrayList<?>).trimToSize();
// }
}
}
/**
* This field maps from the serialized ATN string to the deserialized {@link org.antlr.v4.runtime.atn.ATN} with
* bypass alternatives.
*
* @see org.antlr.v4.runtime.atn.ATNDeserializationOptions#isGenerateRuleBypassTransitions()
*/
//private let bypassAltsAtnCache : Dictionary<String, ATN> =
// WeakHashMap<String, ATN>(); MapTable<NSString, ATN>
private let bypassAltsAtnCache: HashMap<String, ATN> = HashMap<String, ATN>()
/**
* The error handling strategy for the parser. The default value is a new
* instance of {@link org.antlr.v4.runtime.DefaultErrorStrategy}.
*
* @see #getErrorHandler
* @see #setErrorHandler
*/
public var _errHandler: ANTLRErrorStrategy = DefaultErrorStrategy()
/**
* The input stream.
*
* @see #getInputStream
* @see #setInputStream
*/
public var _input: TokenStream!
internal var _precedenceStack: Stack<Int> = {
var precedenceStack = Stack<Int>()
precedenceStack.push(0)
return precedenceStack
}()
/**
* The {@link org.antlr.v4.runtime.ParserRuleContext} object for the currently executing rule.
* This is always non-null during the parsing process.
*/
public var _ctx: ParserRuleContext? = nil
/**
* Specifies whether or not the parser should construct a parse tree during
* the parsing process. The default value is {@code true}.
*
* @see #getBuildParseTree
* @see #setBuildParseTree
*/
internal var _buildParseTrees: Bool = true
/**
* When {@link #setTrace}{@code (true)} is called, a reference to the
* {@link org.antlr.v4.runtime.Parser.TraceListener} is stored here so it can be easily removed in a
* later call to {@link #setTrace}{@code (false)}. The listener itself is
* implemented as a parser listener so this field is not directly used by
* other parser methods.
*/
private var _tracer: TraceListener?
/**
* The list of {@link org.antlr.v4.runtime.tree.ParseTreeListener} listeners registered to receive
* events during the parse.
*
* @see #addParseListener
*/
public var _parseListeners: Array<ParseTreeListener>?
/**
* The number of syntax errors reported during parsing. This value is
* incremented each time {@link #notifyErrorListeners} is called.
*/
internal var _syntaxErrors: Int = 0
public init(_ input: TokenStream) throws {
self._input = input
super.init()
try setInputStream(input)
}
/** reset the parser's state */
public func reset() throws {
if (getInputStream() != nil) {
try getInputStream()!.seek(0)
}
_errHandler.reset(self)
_ctx = nil
_syntaxErrors = 0
setTrace(false)
_precedenceStack.clear()
_precedenceStack.push(0)
// getInterpreter();
if let interpreter = _interp {
interpreter.reset()
}
}
/**
* Match current input symbol against {@code ttype}. If the symbol type
* matches, {@link org.antlr.v4.runtime.ANTLRErrorStrategy#reportMatch} and {@link #consume} are
* called to complete the match process.
*
* <p>If the symbol type does not match,
* {@link org.antlr.v4.runtime.ANTLRErrorStrategy#recoverInline} is called on the current error
* strategy to attempt recovery. If {@link #getBuildParseTree} is
* {@code true} and the token index of the symbol returned by
* {@link org.antlr.v4.runtime.ANTLRErrorStrategy#recoverInline} is -1, the symbol is added to
* the parse tree by calling {@link org.antlr.v4.runtime.ParserRuleContext#addErrorNode}.</p>
*
* @param ttype the token type to match
* @return the matched symbol
* @throws org.antlr.v4.runtime.RecognitionException if the current input symbol did not match
* {@code ttype} and the error strategy could not recover from the
* mismatched symbol
*///; RecognitionException
@discardableResult
public func match(_ ttype: Int) throws -> Token {
var t: Token = try getCurrentToken()
if t.getType() == ttype {
_errHandler.reportMatch(self)
try consume()
} else {
t = try _errHandler.recoverInline(self)
if _buildParseTrees && t.getTokenIndex() == -1 {
// we must have conjured up a new token during single token insertion
// if it's not the current symbol
_ctx!.addErrorNode(t)
}
}
return t
}
/**
* Match current input symbol as a wildcard. If the symbol type matches
* (i.e. has a value greater than 0), {@link org.antlr.v4.runtime.ANTLRErrorStrategy#reportMatch}
* and {@link #consume} are called to complete the match process.
*
* <p>If the symbol type does not match,
* {@link org.antlr.v4.runtime.ANTLRErrorStrategy#recoverInline} is called on the current error
* strategy to attempt recovery. If {@link #getBuildParseTree} is
* {@code true} and the token index of the symbol returned by
* {@link org.antlr.v4.runtime.ANTLRErrorStrategy#recoverInline} is -1, the symbol is added to
* the parse tree by calling {@link org.antlr.v4.runtime.ParserRuleContext#addErrorNode}.</p>
*
* @return the matched symbol
* @throws org.antlr.v4.runtime.RecognitionException if the current input symbol did not match
* a wildcard and the error strategy could not recover from the mismatched
* symbol
*///; RecognitionException
@discardableResult
public func matchWildcard() throws -> Token {
var t: Token = try getCurrentToken()
if t.getType() > 0 {
_errHandler.reportMatch(self)
try consume()
} else {
t = try _errHandler.recoverInline(self)
if _buildParseTrees && t.getTokenIndex() == -1 {
// we must have conjured up a new token during single token insertion
// if it's not the current symbol
_ctx!.addErrorNode(t)
}
}
return t
}
/**
* Track the {@link org.antlr.v4.runtime.ParserRuleContext} objects during the parse and hook
* them up using the {@link org.antlr.v4.runtime.ParserRuleContext#children} list so that it
* forms a parse tree. The {@link org.antlr.v4.runtime.ParserRuleContext} returned from the start
* rule represents the root of the parse tree.
*
* <p>Note that if we are not building parse trees, rule contexts only point
* upwards. When a rule exits, it returns the context but that gets garbage
* collected if nobody holds a reference. It points upwards but nobody
* points at it.</p>
*
* <p>When we build parse trees, we are adding all of these contexts to
* {@link org.antlr.v4.runtime.ParserRuleContext#children} list. Contexts are then not candidates
* for garbage collection.</p>
*/
public func setBuildParseTree(_ buildParseTrees: Bool) {
self._buildParseTrees = buildParseTrees
}
/**
* Gets whether or not a complete parse tree will be constructed while
* parsing. This property is {@code true} for a newly constructed parser.
*
* @return {@code true} if a complete parse tree will be constructed while
* parsing, otherwise {@code false}
*/
public func getBuildParseTree() -> Bool {
return _buildParseTrees
}
/**
* Trim the internal lists of the parse tree during parsing to conserve memory.
* This property is set to {@code false} by default for a newly constructed parser.
*
* @param trimParseTrees {@code true} to trim the capacity of the {@link org.antlr.v4.runtime.ParserRuleContext#children}
* list to its size after a rule is parsed.
*/
public func setTrimParseTree(_ trimParseTrees: Bool) {
if trimParseTrees {
if getTrimParseTree() {
return
}
addParseListener(TrimToSizeListener.INSTANCE)
} else {
removeParseListener(TrimToSizeListener.INSTANCE)
}
}
/**
* @return {@code true} if the {@link org.antlr.v4.runtime.ParserRuleContext#children} list is trimmed
* using the default {@link org.antlr.v4.runtime.Parser.TrimToSizeListener} during the parse process.
*/
public func getTrimParseTree() -> Bool {
return !getParseListeners().filter({ $0 === TrimToSizeListener.INSTANCE }).isEmpty
}
public func getParseListeners() -> Array<ParseTreeListener> {
let listeners: Array<ParseTreeListener>? = _parseListeners
if listeners == nil {
return Array<ParseTreeListener>()
}
return listeners!
}
/**
* Registers {@code listener} to receive events during the parsing process.
*
* <p>To support output-preserving grammar transformations (including but not
* limited to left-recursion removal, automated left-factoring, and
* optimized code generation), calls to listener methods during the parse
* may differ substantially from calls made by
* {@link org.antlr.v4.runtime.tree.ParseTreeWalker#DEFAULT} used after the parse is complete. In
* particular, rule entry and exit events may occur in a different order
* during the parse than after the parser. In addition, calls to certain
* rule entry methods may be omitted.</p>
*
* <p>With the following specific exceptions, calls to listener events are
* <em>deterministic</em>, i.e. for identical input the calls to listener
* methods will be the same.</p>
*
* <ul>
* <li>Alterations to the grammar used to generate code may change the
* behavior of the listener calls.</li>
* <li>Alterations to the command line options passed to ANTLR 4 when
* generating the parser may change the behavior of the listener calls.</li>
* <li>Changing the version of the ANTLR Tool used to generate the parser
* may change the behavior of the listener calls.</li>
* </ul>
*
* @param listener the listener to add
*
* @throws NullPointerException if {@code} listener is {@code null}
*/
public func addParseListener(_ listener: ParseTreeListener) {
if _parseListeners == nil {
_parseListeners = Array<ParseTreeListener>()
}
self._parseListeners!.append(listener)
}
/**
* Remove {@code listener} from the list of parse listeners.
*
* <p>If {@code listener} is {@code null} or has not been added as a parse
* listener, this method does nothing.</p>
*
* @see #addParseListener
*
* @param listener the listener to remove
*/
public func removeParseListener(_ listener: ParseTreeListener?) {
if _parseListeners != nil {
if !_parseListeners!.filter({ $0 === listener }).isEmpty {
_parseListeners = _parseListeners!.filter({
$0 !== listener
})
if _parseListeners!.isEmpty {
_parseListeners = nil
}
}
// if (_parseListeners.remove(listener)) {
// if (_parseListeners.isEmpty) {
// _parseListeners = nil;
// }
// }
}
}
/**
* Remove all parse listeners.
*
* @see #addParseListener
*/
public func removeParseListeners() {
_parseListeners = nil
}
/**
* Notify any parse listeners of an enter rule event.
*
* @see #addParseListener
*/
public func triggerEnterRuleEvent() throws {
if let _parseListeners = _parseListeners, let _ctx = _ctx {
for listener: ParseTreeListener in _parseListeners {
try listener.enterEveryRule(_ctx)
_ctx.enterRule(listener)
}
}
}
/**
* Notify any parse listeners of an exit rule event.
*
* @see #addParseListener
*/
public func triggerExitRuleEvent() throws {
// reverse order walk of listeners
if let _parseListeners = _parseListeners, let _ctx = _ctx {
var i: Int = _parseListeners.count - 1
while i >= 0 {
let listener: ParseTreeListener = _parseListeners[i]
_ctx.exitRule(listener)
try listener.exitEveryRule(_ctx)
i -= 1
}
}
}
/**
* Gets the number of syntax errors reported during parsing. This value is
* incremented each time {@link #notifyErrorListeners} is called.
*
* @see #notifyErrorListeners
*/
public func getNumberOfSyntaxErrors() -> Int {
return _syntaxErrors
}
override
open func getTokenFactory() -> TokenFactory {
//<AnyObject>
return _input.getTokenSource().getTokenFactory()
}
/** Tell our token source and error strategy about a new way to create tokens. */
override
open func setTokenFactory(_ factory: TokenFactory) {
//<AnyObject>
_input.getTokenSource().setTokenFactory(factory)
}
/**
* The ATN with bypass alternatives is expensive to create so we create it
* lazily.
*
* @throws UnsupportedOperationException if the current parser does not
* implement the {@link #getSerializedATN()} method.
*/
public func getATNWithBypassAlts() -> ATN {
let serializedAtn: String = getSerializedATN()
var result: ATN? = bypassAltsAtnCache[serializedAtn]
synced(bypassAltsAtnCache) {
[unowned self] in
if result == nil {
let deserializationOptions: ATNDeserializationOptions = ATNDeserializationOptions()
try! deserializationOptions.setGenerateRuleBypassTransitions(true)
result = try! ATNDeserializer(deserializationOptions).deserialize(Array(serializedAtn.characters))
self.bypassAltsAtnCache[serializedAtn] = result!
}
}
return result!
}
/**
* The preferred method of getting a tree pattern. For example, here's a
* sample use:
*
* <pre>
* ParseTree t = parser.expr();
* ParseTreePattern p = parser.compileParseTreePattern("<ID>+0", MyParser.RULE_expr);
* ParseTreeMatch m = p.match(t);
* String id = m.get("ID");
* </pre>
*/
public func compileParseTreePattern(_ pattern: String, _ patternRuleIndex: Int) throws -> ParseTreePattern {
if let tokenStream = getTokenStream() {
let tokenSource: TokenSource = tokenStream.getTokenSource()
if tokenSource is Lexer {
let lexer: Lexer = tokenSource as! Lexer
return try compileParseTreePattern(pattern, patternRuleIndex, lexer)
}
}
throw ANTLRError.unsupportedOperation(msg: "Parser can't discover a lexer to use")
}
/**
* The same as {@link #compileParseTreePattern(String, int)} but specify a
* {@link org.antlr.v4.runtime.Lexer} rather than trying to deduce it from this parser.
*/
public func compileParseTreePattern(_ pattern: String, _ patternRuleIndex: Int,
_ lexer: Lexer) throws -> ParseTreePattern {
let m: ParseTreePatternMatcher = ParseTreePatternMatcher(lexer, self)
return try m.compile(pattern, patternRuleIndex)
}
public func getErrorHandler() -> ANTLRErrorStrategy {
return _errHandler
}
public func setErrorHandler(_ handler: ANTLRErrorStrategy) {
self._errHandler = handler
}
override
open func getInputStream() -> IntStream? {
return getTokenStream()
}
override
public final func setInputStream(_ input: IntStream) throws {
try setTokenStream(input as! TokenStream)
}
public func getTokenStream() -> TokenStream? {
return _input
}
/** Set the token stream and reset the parser. */
public func setTokenStream(_ input: TokenStream) throws {
//TODO self._input = nil;
self._input = nil;
try reset()
self._input = input
}
/** Match needs to return the current input symbol, which gets put
* into the label for the associated token ref; e.g., x=ID.
*/
public func getCurrentToken() throws -> Token {
return try _input.LT(1)!
}
public final func notifyErrorListeners(_ msg: String) throws {
try notifyErrorListeners(getCurrentToken(), msg, nil)
}
public func notifyErrorListeners(_ offendingToken: Token, _ msg: String,
_ e: AnyObject?) {
_syntaxErrors += 1
var line: Int = -1
var charPositionInLine: Int = -1
line = offendingToken.getLine()
charPositionInLine = offendingToken.getCharPositionInLine()
let listener: ANTLRErrorListener = getErrorListenerDispatch()
listener.syntaxError(self, offendingToken, line, charPositionInLine, msg, e)
}
/**
* Consume and return the {@linkplain #getCurrentToken current symbol}.
*
* <p>E.g., given the following input with {@code A} being the current
* lookahead symbol, this function moves the cursor to {@code B} and returns
* {@code A}.</p>
*
* <pre>
* A B
* ^
* </pre>
*
* If the parser is not in error recovery mode, the consumed symbol is added
* to the parse tree using {@link org.antlr.v4.runtime.ParserRuleContext#addChild(org.antlr.v4.runtime.Token)}, and
* {@link org.antlr.v4.runtime.tree.ParseTreeListener#visitTerminal} is called on any parse listeners.
* If the parser <em>is</em> in error recovery mode, the consumed symbol is
* added to the parse tree using
* {@link org.antlr.v4.runtime.ParserRuleContext#addErrorNode(org.antlr.v4.runtime.Token)}, and
* {@link org.antlr.v4.runtime.tree.ParseTreeListener#visitErrorNode} is called on any parse
* listeners.
*/
@discardableResult
public func consume() throws -> Token {
let o: Token = try getCurrentToken()
if o.getType() != Parser.EOF {
try getInputStream()!.consume()
}
guard let _ctx = _ctx else {
return o
}
let hasListener: Bool = _parseListeners != nil && !_parseListeners!.isEmpty
if _buildParseTrees || hasListener {
if _errHandler.inErrorRecoveryMode(self) {
let node: ErrorNode = _ctx.addErrorNode(o)
if let _parseListeners = _parseListeners {
for listener: ParseTreeListener in _parseListeners {
listener.visitErrorNode(node)
}
}
} else {
let node: TerminalNode = _ctx.addChild(o)
if let _parseListeners = _parseListeners {
for listener: ParseTreeListener in _parseListeners {
listener.visitTerminal(node)
}
}
}
}
return o
}
internal func addContextToParseTree() {
// add current context to parent if we have a parent
if let parent = _ctx?.parent as? ParserRuleContext {
parent.addChild(_ctx!)
}
}
/**
* Always called by generated parsers upon entry to a rule. Access field
* {@link #_ctx} get the current context.
*/
public func enterRule(_ localctx: ParserRuleContext, _ state: Int, _ ruleIndex: Int) throws {
setState(state)
_ctx = localctx
_ctx!.start = try _input.LT(1)
if _buildParseTrees {
addContextToParseTree()
}
}
public func exitRule() throws {
guard let ctx = _ctx else {
return
}
ctx.stop = try _input.LT(-1)
// trigger event on _ctx, before it reverts to parent
if _parseListeners != nil {
try triggerExitRuleEvent()
}
setState(ctx.invokingState)
_ctx = ctx.parent as? ParserRuleContext
}
public func enterOuterAlt(_ localctx: ParserRuleContext, _ altNum: Int) throws {
localctx.setAltNumber(altNum)
// if we have new localctx, make sure we replace existing ctx
// that is previous child of parse tree
if _buildParseTrees && _ctx! !== localctx {
if let parent = _ctx?.parent as? ParserRuleContext {
parent.removeLastChild()
parent.addChild(localctx)
}
}
_ctx = localctx
if _parseListeners != nil {
try triggerEnterRuleEvent()
}
}
/**
* Get the precedence level for the top-most precedence rule.
*
* @return The precedence level for the top-most precedence rule, or -1 if
* the parser context is not nested within a precedence rule.
*/
public final func getPrecedence() -> Int {
if _precedenceStack.isEmpty {
return -1
}
return _precedenceStack.peek() ?? -1
}
/**
* @deprecated Use
* {@link #enterRecursionRule(org.antlr.v4.runtime.ParserRuleContext, int, int, int)} instead.
*/
////@Deprecated
public func enterRecursionRule(_ localctx: ParserRuleContext, _ ruleIndex: Int) throws {
try enterRecursionRule(localctx, getATN().ruleToStartState[ruleIndex].stateNumber, ruleIndex, 0)
}
public func enterRecursionRule(_ localctx: ParserRuleContext, _ state: Int, _ ruleIndex: Int, _ precedence: Int) throws {
setState(state)
_precedenceStack.push(precedence)
_ctx = localctx
_ctx!.start = try _input.LT(1)
if _parseListeners != nil {
try triggerEnterRuleEvent() // simulates rule entry for left-recursive rules
}
}
/** Like {@link #enterRule} but for recursive rules.
* Make the current context the child of the incoming localctx.
*/
public func pushNewRecursionContext(_ localctx: ParserRuleContext, _ state: Int, _ ruleIndex: Int) throws {
let previous: ParserRuleContext = _ctx!
previous.parent = localctx
previous.invokingState = state
previous.stop = try _input.LT(-1)
_ctx = localctx
_ctx!.start = previous.start
if _buildParseTrees {
_ctx!.addChild(previous)
}
if _parseListeners != nil {
try triggerEnterRuleEvent() // simulates rule entry for left-recursive rules
}
}
public func unrollRecursionContexts(_ _parentctx: ParserRuleContext?) throws {
_precedenceStack.pop()
_ctx!.stop = try _input.LT(-1)
let retctx: ParserRuleContext = _ctx! // save current ctx (return value)
// unroll so _ctx is as it was before call to recursive method
if _parseListeners != nil {
while let ctxWrap = _ctx , ctxWrap !== _parentctx {
try triggerExitRuleEvent()
_ctx = ctxWrap.parent as? ParserRuleContext
}
} else {
_ctx = _parentctx
}
// hook into tree
retctx.parent = _parentctx
if _buildParseTrees && _parentctx != nil {
// add return ctx into invoking rule's tree
_parentctx!.addChild(retctx)
}
}
public func getInvokingContext(_ ruleIndex: Int) -> ParserRuleContext? {
var p: ParserRuleContext? = _ctx
while let pWrap = p {
if pWrap.getRuleIndex() == ruleIndex {
return pWrap
}
p = pWrap.parent as? ParserRuleContext
}
return nil
}
public func getContext() -> ParserRuleContext? {
return _ctx
}
public func setContext(_ ctx: ParserRuleContext) {
_ctx = ctx
}
override
open func precpred(_ localctx: RuleContext?, _ precedence: Int) -> Bool {
return precedence >= _precedenceStack.peek()!
}
public func inContext(_ context: String) -> Bool {
// TODO: useful in parser?
return false
}
/** Given an AmbiguityInfo object that contains information about an
* ambiguous decision event, return the list of ambiguous parse trees.
* An ambiguity occurs when a specific token sequence can be recognized
* in more than one way by the grammar. These ambiguities are detected only
* at decision points.
*
* The list of trees includes the actual interpretation (that for
* the minimum alternative number) and all ambiguous alternatives.
* The actual interpretation is always first.
*
* This method reuses the same physical input token stream used to
* detect the ambiguity by the original parser in the first place.
* This method resets/seeks within but does not alter originalParser.
* The input position is restored upon exit from this method.
* Parsers using a {@link org.antlr.v4.runtime.UnbufferedTokenStream} may not be able to
* perform the necessary save index() / seek(saved_index) operation.
*
* The trees are rooted at the node whose start..stop token indices
* include the start and stop indices of this ambiguity event. That is,
* the trees returns will always include the complete ambiguous subphrase
* identified by the ambiguity event.
*
* Be aware that this method does NOT notify error or parse listeners as
* it would trigger duplicate or otherwise unwanted events.
*
* This uses a temporary ParserATNSimulator and a ParserInterpreter
* so we don't mess up any statistics, event lists, etc...
* The parse tree constructed while identifying/making ambiguityInfo is
* not affected by this method as it creates a new parser interp to
* get the ambiguous interpretations.
*
* Nodes in the returned ambig trees are independent of the original parse
* tree (constructed while identifying/creating ambiguityInfo).
*
* @since 4.5.1
*
* @param originalParser The parser used to create ambiguityInfo; it
* is not modified by this routine and can be either
* a generated or interpreted parser. It's token
* stream *is* reset/seek()'d.
* @param ambiguityInfo The information about an ambiguous decision event
* for which you want ambiguous parse trees.
* @param startRuleIndex The start rule for the entire grammar, not
* the ambiguous decision. We re-parse the entire input
* and so we need the original start rule.
*
* @return The list of all possible interpretations of
* the input for the decision in ambiguityInfo.
* The actual interpretation chosen by the parser
* is always given first because this method
* retests the input in alternative order and
* ANTLR always resolves ambiguities by choosing
* the first alternative that matches the input.
*
* @throws org.antlr.v4.runtime.RecognitionException Throws upon syntax error while matching
* ambig input.
*/
// public class func getAmbiguousParseTrees(originalParser : Parser,
// _ ambiguityInfo : AmbiguityInfo,
// _ startRuleIndex : Int) throws -> Array<ParserRuleContext> //; RecognitionException
// {
// var trees : Array<ParserRuleContext> = Array<ParserRuleContext>();
// var saveTokenInputPosition : Int = originalParser.getTokenStream().index();
// //try {
// // Create a new parser interpreter to parse the ambiguous subphrase
// var parser : ParserInterpreter;
// if ( originalParser is ParserInterpreter ) {
// parser = ParserInterpreter( originalParser as! ParserInterpreter);
// }
// else {
// var serializedAtn : [Character] = ATNSerializer.getSerializedAsChars(originalParser.getATN());
// var deserialized : ATN = ATNDeserializer().deserialize(serializedAtn);
// parser = ParserInterpreter(originalParser.getGrammarFileName(),
// originalParser.getVocabulary(),
// originalParser.getRuleNames() ,
// deserialized,
// originalParser.getTokenStream());
// }
//
// // Make sure that we don't get any error messages from using this temporary parser
// parser.removeErrorListeners();
// parser.removeParseListeners();
// parser.getInterpreter()!.setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
//
// // get ambig trees
// var alt : Int = ambiguityInfo.ambigAlts.nextSetBit(0);
// while alt>=0 {
// // re-parse entire input for all ambiguous alternatives
// // (don't have to do first as it's been parsed, but do again for simplicity
// // using this temp parser.)
// parser.reset();
// parser.getTokenStream().seek(0); // rewind the input all the way for re-parsing
// parser.overrideDecision = ambiguityInfo.decision;
// parser.overrideDecisionInputIndex = ambiguityInfo.startIndex;
// parser.overrideDecisionAlt = alt;
// var t : ParserRuleContext = parser.parse(startRuleIndex);
// var ambigSubTree : ParserRuleContext =
// Trees.getRootOfSubtreeEnclosingRegion(t, ambiguityInfo.startIndex, ambiguityInfo.stopIndex)!;
// trees.append(ambigSubTree);
// alt = ambiguityInfo.ambigAlts.nextSetBit(alt+1);
// }
// //}
// defer {
// originalParser.getTokenStream().seek(saveTokenInputPosition);
// }
//
// return trees;
// }
/**
* Checks whether or not {@code symbol} can follow the current state in the
* ATN. The behavior of this method is equivalent to the following, but is
* implemented such that the complete context-sensitive follow set does not
* need to be explicitly constructed.
*
* <pre>
* return getExpectedTokens().contains(symbol);
* </pre>
*
* @param symbol the symbol type to check
* @return {@code true} if {@code symbol} can follow the current state in
* the ATN, otherwise {@code false}.
*/
public func isExpectedToken(_ symbol: Int) throws -> Bool {
// return getInterpreter().atn.nextTokens(_ctx);
let atn: ATN = getInterpreter().atn
var ctx: ParserRuleContext? = _ctx
let s: ATNState = atn.states[getState()]!
var following: IntervalSet = try atn.nextTokens(s)
if following.contains(symbol) {
return true
}
// System.out.println("following "+s+"="+following);
if !following.contains(CommonToken.EPSILON) {
return false
}
while let ctxWrap = ctx , ctxWrap.invokingState >= 0 && following.contains(CommonToken.EPSILON) {
let invokingState: ATNState = atn.states[ctxWrap.invokingState]!
let rt: RuleTransition = invokingState.transition(0) as! RuleTransition
following = try atn.nextTokens(rt.followState)
if following.contains(symbol) {
return true
}
ctx = ctxWrap.parent as? ParserRuleContext
}
if following.contains(CommonToken.EPSILON) && symbol == CommonToken.EOF {
return true
}
return false
}
/**
* Computes the set of input symbols which could follow the current parser
* state and context, as given by {@link #getState} and {@link #getContext},
* respectively.
*
* @see org.antlr.v4.runtime.atn.ATN#getExpectedTokens(int, org.antlr.v4.runtime.RuleContext)
*/
public func getExpectedTokens() throws -> IntervalSet {
return try getATN().getExpectedTokens(getState(), getContext()!)
}
public func getExpectedTokensWithinCurrentRule() throws -> IntervalSet {
let atn: ATN = getInterpreter().atn
let s: ATNState = atn.states[getState()]!
return try atn.nextTokens(s)
}
/** Get a rule's index (i.e., {@code RULE_ruleName} field) or -1 if not found. */
public func getRuleIndex(_ ruleName: String) -> Int {
let ruleIndex: Int? = getRuleIndexMap()[ruleName]
if ruleIndex != nil {
return ruleIndex!
}
return -1
}
public func getRuleContext() -> ParserRuleContext? {
return _ctx
}
/** Return List<String> of the rule names in your parser instance
* leading up to a call to the current rule. You could override if
* you want more details such as the file/line info of where
* in the ATN a rule is invoked.
*
* This is very useful for error messages.
*/
public func getRuleInvocationStack() -> Array<String> {
return getRuleInvocationStack(_ctx)
}
public func getRuleInvocationStack(_ p: RuleContext?) -> Array<String> {
var p = p
var ruleNames: [String] = getRuleNames()
var stack: Array<String> = Array<String>()
while let pWrap = p {
// compute what follows who invoked us
let ruleIndex: Int = pWrap.getRuleIndex()
if ruleIndex < 0 {
stack.append("n/a")
} else {
stack.append(ruleNames[ruleIndex])
}
p = pWrap.parent
}
return stack
}
/** For debugging and other purposes. */
public func getDFAStrings() -> Array<String> {
var s: Array<String> = Array<String>()
guard let _interp = _interp else {
return s
}
synced(_interp.decisionToDFA as AnyObject) {
[unowned self] in
for d in 0..<_interp.decisionToDFA.count {
let dfa: DFA = _interp.decisionToDFA[d]
s.append(dfa.toString(self.getVocabulary()))
}
}
return s
}
/** For debugging and other purposes. */
public func dumpDFA() {
guard let _interp = _interp else {
return
}
synced(_interp.decisionToDFA as AnyObject) {
[unowned self] in
var seenOne: Bool = false
for d in 0..<_interp.decisionToDFA.count {
let dfa: DFA = _interp.decisionToDFA[d]
if !dfa.states.isEmpty {
if seenOne {
print("")
}
print("Decision \(dfa.decision):")
print(dfa.toString(self.getVocabulary()), terminator: "")
seenOne = true
}
}
}
}
public func getSourceName() -> String {
return _input.getSourceName()
}
override
open func getParseInfo() -> ParseInfo? {
let interp: ParserATNSimulator? = getInterpreter()
if interp is ProfilingATNSimulator {
return ParseInfo(interp as! ProfilingATNSimulator)
}
return nil
}
/**
* @since 4.3
*/
public func setProfile(_ profile: Bool) {
let interp: ParserATNSimulator = getInterpreter()
let saveMode: PredictionMode = interp.getPredictionMode()
if profile {
if !(interp is ProfilingATNSimulator) {
setInterpreter(ProfilingATNSimulator(self))
}
} else {
if interp is ProfilingATNSimulator {
let sim: ParserATNSimulator =
ParserATNSimulator(self, getATN(), interp.decisionToDFA, interp.getSharedContextCache()!)
setInterpreter(sim)
}
}
getInterpreter().setPredictionMode(saveMode)
}
/** During a parse is sometimes useful to listen in on the rule entry and exit
* events as well as token matches. This is for quick and dirty debugging.
*/
public func setTrace(_ trace: Bool) {
if !trace {
removeParseListener(_tracer)
_tracer = nil
} else {
if _tracer != nil {
removeParseListener(_tracer!)
} else {
_tracer = TraceListener(self)
}
addParseListener(_tracer!)
}
}
/**
* Gets whether a {@link org.antlr.v4.runtime.Parser.TraceListener} is registered as a parse listener
* for the parser.
*
* @see #setTrace(boolean)
*/
public func isTrace() -> Bool {
return _tracer != nil
}
}
| ee830f732b75e760ec3dd44f03e78f63 | 35.004651 | 125 | 0.611187 | false | false | false | false |
TrustWallet/trust-wallet-ios | refs/heads/master | Trust/Tokens/ViewControllers/NewTokenViewController.swift | gpl-3.0 | 1 | // Copyright DApps Platform Inc. All rights reserved.
import Foundation
import Eureka
import TrustCore
import QRCodeReaderViewController
import PromiseKit
protocol NewTokenViewControllerDelegate: class {
func didAddToken(token: ERC20Token, in viewController: NewTokenViewController)
}
final class NewTokenViewController: FormViewController {
private var viewModel: NewTokenViewModel
private struct Values {
static let network = "network"
static let contract = "contract"
static let name = "name"
static let symbol = "symbol"
static let decimals = "decimals"
}
weak var delegate: NewTokenViewControllerDelegate?
private var networkRow: PushRow<RPCServer>? {
return form.rowBy(tag: Values.network) as? PushRow<RPCServer>
}
private var contractRow: TextFloatLabelRow? {
return form.rowBy(tag: Values.contract) as? TextFloatLabelRow
}
private var nameRow: TextFloatLabelRow? {
return form.rowBy(tag: Values.name) as? TextFloatLabelRow
}
private var symbolRow: TextFloatLabelRow? {
return form.rowBy(tag: Values.symbol) as? TextFloatLabelRow
}
private var decimalsRow: TextFloatLabelRow? {
return form.rowBy(tag: Values.decimals) as? TextFloatLabelRow
}
init(
viewModel: NewTokenViewModel
) {
self.viewModel = viewModel
super.init(nibName: nil, bundle: nil)
}
override func viewDidLoad() {
super.viewDidLoad()
title = viewModel.title
let recipientRightView = AddressFieldView()
recipientRightView.translatesAutoresizingMaskIntoConstraints = false
recipientRightView.pasteButton.addTarget(self, action: #selector(pasteAction), for: .touchUpInside)
recipientRightView.qrButton.addTarget(self, action: #selector(openReader), for: .touchUpInside)
let section = Section()
if viewModel.networkSelectorAvailable {
section.append(networks())
}
form = section
+++ Section()
<<< AppFormAppearance.textFieldFloat(tag: Values.contract) { [unowned self] in
$0.add(rule: EthereumAddressRule())
$0.validationOptions = .validatesOnDemand
$0.title = R.string.localizable.contractAddress()
$0.value = self.viewModel.contract
}.cellUpdate { cell, _ in
cell.textField.textAlignment = .left
cell.textField.rightView = recipientRightView
cell.textField.rightViewMode = .always
}
<<< AppFormAppearance.textFieldFloat(tag: Values.name) { [unowned self] in
$0.add(rule: RuleRequired())
$0.validationOptions = .validatesOnDemand
$0.title = R.string.localizable.name()
$0.value = self.viewModel.name
}
<<< AppFormAppearance.textFieldFloat(tag: Values.symbol) { [unowned self] in
$0.add(rule: RuleRequired())
$0.validationOptions = .validatesOnDemand
$0.title = R.string.localizable.symbol()
$0.value = self.viewModel.symbol
}
<<< AppFormAppearance.textFieldFloat(tag: Values.decimals) { [unowned self] in
$0.add(rule: RuleRequired())
$0.add(rule: RuleMaxLength(maxLength: 32))
$0.validationOptions = .validatesOnDemand
$0.title = R.string.localizable.decimals()
$0.cell.textField.keyboardType = .decimalPad
$0.value = self.viewModel.decimals
}
navigationItem.rightBarButtonItem = UIBarButtonItem(barButtonSystemItem: .done, target: self, action: #selector(finish))
}
private func networks() -> PushRow<RPCServer> {
return PushRow<RPCServer> {
$0.tag = Values.network
$0.title = R.string.localizable.network()
$0.selectorTitle = R.string.localizable.network()
$0.options = viewModel.networks
$0.value = viewModel.network
$0.displayValueFor = { value in
return value?.name
}
}.onPresent { _, selectorController in
selectorController.enableDeselection = false
}}
@objc func finish() {
guard form.validate().isEmpty else {
return
}
let contract = contractRow?.value ?? ""
let name = nameRow?.value ?? ""
let symbol = symbolRow?.value ?? ""
let decimals = Int(decimalsRow?.value ?? "") ?? 0
let coin = (networkRow?.value ?? RPCServer.main).coin
guard let address = EthereumAddress(string: contract) else {
return displayError(error: Errors.invalidAddress)
}
let token = ERC20Token(
contract: address,
name: name,
symbol: symbol,
decimals: decimals,
coin: coin
)
delegate?.didAddToken(token: token, in: self)
}
@objc func openReader() {
let controller = QRCodeReaderViewController()
controller.delegate = self
present(controller, animated: true, completion: nil)
}
@objc func pasteAction() {
guard let value = UIPasteboard.general.string?.trimmed else {
return displayError(error: SendInputErrors.emptyClipBoard)
}
guard CryptoAddressValidator.isValidAddress(value) else {
return displayError(error: Errors.invalidAddress)
}
updateContractValue(value: value)
}
private func updateContractValue(value: String) {
contractRow?.value = value
contractRow?.reload()
fetchInfo(for: value)
}
private func fetchInfo(for contract: String) {
displayLoading()
firstly {
viewModel.info(for: contract)
}.done { [weak self] token in
self?.reloadFields(with: token)
}.ensure { [weak self] in
self?.hideLoading()
}.catch {_ in
//We could not find any info about this contract.This error is already logged in crashlytics.
}
}
private func reloadFields(with token: TokenObject) {
self.nameRow?.value = token.name
self.decimalsRow?.value = token.decimals.description
self.symbolRow?.value = token.symbol
self.nameRow?.reload()
self.decimalsRow?.reload()
self.symbolRow?.reload()
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
}
extension NewTokenViewController: QRCodeReaderDelegate {
func readerDidCancel(_ reader: QRCodeReaderViewController!) {
reader.stopScanning()
reader.dismiss(animated: true, completion: nil)
}
func reader(_ reader: QRCodeReaderViewController!, didScanResult result: String!) {
reader.stopScanning()
reader.dismiss(animated: true, completion: nil)
guard let result = QRURLParser.from(string: result) else { return }
updateContractValue(value: result.address)
}
}
| eed7bfad3e9535acdb7fbc4080014a4b | 32.665072 | 128 | 0.630045 | false | false | false | false |
wikimedia/wikipedia-ios | refs/heads/main | WMF Framework/MWKDataStore+LanguageVariantMigration.swift | mit | 1 | import Foundation
import CocoaLumberjackSwift
/* Whenever a language that previously did not have variants becomes a language with variants, a migration must happen.
*
* There are two parts to the migration:
* 1. Updating persisted items like settings and Core Data records
* 2. Presenting alerts to the user to make them aware of the new variants
*
* 1. Migrating persistent items
* The first part of this process updates the various settings and user defaults that reference languages and ensure
* that the correct language variant is set. So, a value such as "zh" for Chinese is replaced with a variant such as "zh-hans".
*
* Note that once a language is converted, the 'plain' language code is a valid value meaning to use the 'mixed'
* content for that site. This is the content as entered into that site without converting to any variant.
* Because the plain language code means one thing before migration (the language itself) and another thing after
* migration (the mixed or untransformed variant of the language), migration should only happen once for a given
* language.
*
* If additional languages add variants in the future, a new library version should be used and a new entry mapping the
* library version to the newly variant-aware languages should be added to -newlyAddedVariantLanguageCodes(for:).
* The migration code itself should call migrateToLanguageVariants(for:in:) with the new library version.
*
*
* 2. Presenting informational alerts
* When migrating to use language variants, if the user's preferred languages include languages which have
* received variant support, an alert is presented to tell the user about variants. An alert is only presented for
* newly variant-aware languges that also are preferred languages of the user. Multiple alerts shown
* sequentially are possible, but expected to be rare.
*
* The method languageCodesNeedingVariantAlerts(since:) returns all language codes requiring a variant alert since the
* provided library version. Note that while migrating data is done library version by library version, this API can handle
* multiple library version updates at once. Also note that the method only returns those language codes that are also
* in the user's list of preferred languages. So, it is expected that this method will return an empty array for a user
* with no variant-aware languages in their list of preferred languages.
*/
extension MWKDataStore {
@objc(migrateToLanguageVariantsForLibraryVersion:inManagedObjectContext:)
public func migrateToLanguageVariants(for libraryVersion: Int, in moc: NSManagedObjectContext) {
let languageCodes = newlyAddedVariantLanguageCodes(for: libraryVersion)
// Map all languages with variants being migrated to the user's preferred variant
// Note that even if the user does not have any preferred languages that match,
// the user could have chosen to read or save an article in any language.
// The variant is therefore determined for all langauges being migrated.
let migrationMapping = languageCodes.reduce(into: [String:String]()) { (result, languageCode) in
guard let languageVariantCode = NSLocale.wmf_bestLanguageVariantCodeForLanguageCode(languageCode) else {
assertionFailure("No variant found for language code \(languageCode). Every language migrating to use language variants should return a language variant code")
return
}
result[languageCode] = languageVariantCode
}
// Ensure any settings that currently use 'nb' are updated to use 'no'
var languageCodeMigrationMapping = migrationMapping
languageCodeMigrationMapping["nb"] = "no"
languageLinkController.migratePreferredLanguages(toLanguageVariants: languageCodeMigrationMapping, in: moc)
feedContentController.migrateExploreFeedSettings(toLanguageVariants: languageCodeMigrationMapping, in: moc)
migrateSearchLanguageSetting(toLanguageVariants: languageCodeMigrationMapping)
migrateWikipediaEntities(toLanguageVariants: migrationMapping, in: moc)
}
private func migrateSearchLanguageSetting(toLanguageVariants languageMapping: [String:String]) {
let defaults = UserDefaults.standard
if let url = defaults.url(forKey: WMFSearchURLKey),
let languageCode = url.wmf_languageCode {
let searchLanguageCode = languageMapping[languageCode] ?? languageCode
defaults.wmf_setCurrentSearchContentLanguageCode(searchLanguageCode)
defaults.removeObject(forKey: WMFSearchURLKey)
}
}
private func migrateWikipediaEntities(toLanguageVariants languageMapping: [String:String], in moc: NSManagedObjectContext) {
for (languageCode, languageVariantCode) in languageMapping {
guard let siteURLString = NSURL.wmf_URL(withDefaultSiteAndLanguageCode: languageCode)?.wmf_databaseKey else {
assertionFailure("Could not create URL from language code: '\(languageCode)'")
continue
}
do {
// Update ContentGroups
let contentGroupFetchRequest: NSFetchRequest<WMFContentGroup> = WMFContentGroup.fetchRequest()
contentGroupFetchRequest.predicate = NSPredicate(format: "siteURLString == %@", siteURLString)
let groups = try moc.fetch(contentGroupFetchRequest)
for group in groups {
group.variant = languageVariantCode
}
// Update Talk Pages
let talkPageFetchRequest: NSFetchRequest<TalkPage> = TalkPage.fetchRequest()
talkPageFetchRequest.predicate = NSPredicate(format: "key BEGINSWITH %@", siteURLString)
let talkPages = try moc.fetch(talkPageFetchRequest)
for talkPage in talkPages {
talkPage.variant = languageVariantCode
talkPage.forceRefresh = true
}
// Update Articles and Gather Keys
var articleKeys: Set<String> = []
let articleFetchRequest: NSFetchRequest<WMFArticle> = WMFArticle.fetchRequest()
articleFetchRequest.predicate = NSPredicate(format: "key BEGINSWITH %@", siteURLString)
let articles = try moc.fetch(articleFetchRequest)
for article in articles {
article.variant = languageVariantCode
if let key = article.key {
articleKeys.insert(key)
}
}
// Update Reading List Entries
let entryFetchRequest: NSFetchRequest<ReadingListEntry> = ReadingListEntry.fetchRequest()
entryFetchRequest.predicate = NSPredicate(format: "articleKey IN %@", articleKeys)
let entries = try moc.fetch(entryFetchRequest)
for entry in entries {
entry.variant = languageVariantCode
}
} catch let error {
DDLogError("Error migrating articles to variant '\(languageVariantCode)': \(error)")
}
}
if moc.hasChanges {
do {
try moc.save()
} catch let error {
DDLogError("Error saving articles and readling list entry variant migrations: \(error)")
}
}
}
// Returns any array of language codes of any of the user's preferred languages that have
// added variant support since the indicated library version. For each language, the user
// will be informed of variant support for that language via an alert
@objc public func languageCodesNeedingVariantAlerts(since libraryVersion: Int) -> [String] {
let addedVariantLanguageCodes = allAddedVariantLanguageCodes(since: libraryVersion)
guard !addedVariantLanguageCodes.isEmpty else {
return []
}
var uniqueLanguageCodes: Set<String> = []
return languageLinkController.preferredLanguages
.map { $0.languageCode }
.filter { addedVariantLanguageCodes.contains($0) }
.filter { uniqueLanguageCodes.insert($0).inserted }
}
// Returns an array of language codes for all languages that have added variant support
// since the indicated library version. Used to determine all language codes that might
// need to have an alert presented to inform the user about the added variant support
private func allAddedVariantLanguageCodes(since libraryVersion: Int) -> [String] {
guard libraryVersion < MWKDataStore.currentLibraryVersion else {
return []
}
var languageCodes: [String] = []
for version in libraryVersion...MWKDataStore.currentLibraryVersion {
languageCodes.append(contentsOf: newlyAddedVariantLanguageCodes(for: version))
}
return languageCodes
}
// Returns the language codes for any languages that have added variant support in that library version.
// Returns an empty array if no languages added variant support
private func newlyAddedVariantLanguageCodes(for libraryVersion: Int) -> [String] {
switch libraryVersion {
case 12: return ["crh", "gan", "iu", "kk", "ku", "sr", "tg", "uz", "zh"]
default: return []
}
}
}
public extension TalkPage {
var forceRefresh: Bool {
get {
guard let revisionID = self.revisionId?.intValue else {
return false
}
return UserDefaults.standard.talkPageForceRefreshRevisionIDs?.contains(revisionID) ?? false
}
set {
guard let revisionID = self.revisionId?.intValue else {
assertionFailure("Attempting to set forceRefresh on a talk page that has no revisionID.")
return
}
var revisionIDs = UserDefaults.standard.talkPageForceRefreshRevisionIDs ?? Set<Int>()
if newValue == true {
revisionIDs.insert(revisionID)
} else {
revisionIDs.remove(revisionID)
}
UserDefaults.standard.talkPageForceRefreshRevisionIDs = revisionIDs
}
}
}
| 329e08713a5b22ba9db14cf379979ac3 | 51.064356 | 175 | 0.667871 | false | false | false | false |
richardpiazza/SOSwift | refs/heads/master | Sources/SOSwift/LoanOrCreditOrPaymentMethod.swift | mit | 1 | import Foundation
import CodablePlus
public enum LoanOrCreditOrPaymentMethod: Codable {
case loanOrCredit(value: LoanOrCredit)
case paymentMethod(value: PaymentMethod)
public init(_ value: LoanOrCredit) {
self = .loanOrCredit(value: value)
}
public init(_ value: PaymentMethod) {
self = .paymentMethod(value: value)
}
public init(from decoder: Decoder) throws {
var dictionary: [String : Any]?
do {
let jsonContainer = try decoder.container(keyedBy: DictionaryKeys.self)
dictionary = try jsonContainer.decode(Dictionary<String, Any>.self)
} catch {
}
guard let jsonDictionary = dictionary else {
let container = try decoder.singleValueContainer()
let value = try container.decode(PaymentMethod.self)
self = .paymentMethod(value: value)
return
}
guard let type = jsonDictionary[SchemaKeys.type.rawValue] as? String else {
throw SchemaError.typeDecodingError
}
let container = try decoder.singleValueContainer()
switch type {
case LoanOrCredit.schemaName:
let value = try container.decode(LoanOrCredit.self)
self = .loanOrCredit(value: value)
default:
throw SchemaError.typeDecodingError
}
}
public func encode(to encoder: Encoder) throws {
var container = encoder.singleValueContainer()
switch self {
case .loanOrCredit(let value):
try container.encode(value)
case .paymentMethod(let value):
try container.encode(value)
}
}
public var loanOrCredit: LoanOrCredit? {
switch self {
case .loanOrCredit(let value):
return value
default:
return nil
}
}
public var paymentMethod: PaymentMethod? {
switch self {
case .paymentMethod(let value):
return value
default:
return nil
}
}
}
| 76a415d8bc8ec90b027ade5ed7ef3954 | 27.210526 | 83 | 0.576959 | false | false | false | false |
MengQuietly/MQDouYuTV | refs/heads/master | MQDouYuTV/MQDouYuTV/Classes/Home/View/MQRecommendGameView.swift | mit | 1 | //
// MQRecommendGameView.swift
// MQDouYuTV
//
// Created by mengmeng on 16/12/29.
// Copyright © 2016年 mengQuietly. All rights reserved.
// 推荐界面:游戏view
import UIKit
let kMQRecommendGameCell = "kMQRecommendGameCell"
let kMQGameCollectionViewsWithEdgeInsetMargin : CGFloat = 15
class MQRecommendGameView: UIView {
// MARK: - 控件属性
@IBOutlet weak var gameCollectionViews: UICollectionView!
// MARK:-定义模型数组属性
var gameList : [MQBaseGameModel]?{
didSet {
gameCollectionViews.reloadData()
}
}
override func awakeFromNib() {
super.awakeFromNib()
autoresizingMask = UIViewAutoresizing(rawValue: 0)
gameCollectionViews.register(UINib(nibName: "MQRecommendGameCell", bundle: nil), forCellWithReuseIdentifier: kMQRecommendGameCell)
gameCollectionViews.contentInset = UIEdgeInsets(top: 0, left: kMQGameCollectionViewsWithEdgeInsetMargin, bottom: 0, right: kMQGameCollectionViewsWithEdgeInsetMargin)
gameCollectionViews.showsHorizontalScrollIndicator = false
}
override func layoutSubviews() {
super.layoutSubviews()
let layout = gameCollectionViews.collectionViewLayout as! UICollectionViewFlowLayout
layout.minimumLineSpacing = 0
layout.minimumInteritemSpacing = 0
layout.scrollDirection = .horizontal
layout.itemSize = CGSize(width: 90, height: 90)
}
}
// MARK: - 快速创建View
extension MQRecommendGameView {
class func recommendGemeView()->MQRecommendGameView{
return Bundle.main.loadNibNamed("MQRecommendGameView", owner: nil, options: nil)?.first as! MQRecommendGameView
}
}
// MARK:-
extension MQRecommendGameView: UICollectionViewDataSource {
func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return gameList?.count ?? 0
}
func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
let cell = collectionView.dequeueReusableCell(withReuseIdentifier: kMQRecommendGameCell, for: indexPath) as! MQRecommendGameCell
cell.baseGameModel = self.gameList?[indexPath.item]
return cell
}
}
| db7255c878dc902196497085f198e6d7 | 34.171875 | 173 | 0.717903 | false | false | false | false |
evgenyneu/Auk | refs/heads/master | Auk/AukPage.swift | mit | 1 | import UIKit
/// The view for an individual page of the scroll view containing an image.
final class AukPage: UIView {
// Image view for showing a placeholder image while remote image is being downloaded.
// The view is only created when a placeholder image is specified in settings.
weak var placeholderImageView: UIImageView?
// Image view for showing local and remote images
weak var imageView: UIImageView?
// Contains a URL for the remote image, if any.
var remoteImage: AukRemoteImage?
/**
Shows an image.
- parameter image: The image to be shown
- parameter settings: Auk settings.
*/
func show(image: UIImage, settings: AukSettings) {
imageView = createAndLayoutImageView(settings)
imageView?.image = image
}
/**
Shows a remote image. The image download stars if/when the page becomes visible to the user.
- parameter url: The URL to the image to be displayed.
- parameter settings: Auk settings.
*/
func show(url: String, settings: AukSettings) {
if settings.placeholderImage != nil {
placeholderImageView = createAndLayoutImageView(settings)
}
imageView = createAndLayoutImageView(settings)
if let imageView = imageView {
remoteImage = AukRemoteImage()
remoteImage?.setup(url, imageView: imageView, placeholderImageView: placeholderImageView,
settings: settings)
}
}
/**
Called when the page is currently visible to user which triggers the image download. The function is called frequently each time scroll view's content offset is changed.
*/
func visibleNow(_ settings: AukSettings) {
remoteImage?.downloadImage(settings)
}
/**
Called when the page is currently not visible to user which cancels the image download. The method called frequently each time scroll view's content offset is changed and the page is out of sight.
*/
func outOfSightNow() {
remoteImage?.cancelDownload()
}
/// Removes image views.
func removeImageViews() {
placeholderImageView?.removeFromSuperview()
placeholderImageView = nil
imageView?.removeFromSuperview()
imageView = nil
}
/**
Prepares the page view for reuse. Clears current content from the page and stops download.
*/
func prepareForReuse() {
removeImageViews()
remoteImage?.cancelDownload()
remoteImage = nil
}
/**
Create and layout the remote image view.
- parameter settings: Auk settings.
*/
func createAndLayoutImageView(_ settings: AukSettings) -> UIImageView {
let newImageView = AukPage.createImageView(settings)
addSubview(newImageView)
AukPage.layoutImageView(newImageView, superview: self)
return newImageView
}
private static func createImageView(_ settings: AukSettings) -> UIImageView {
let newImageView = UIImageView()
newImageView.contentMode = settings.contentMode
return newImageView
}
/**
Creates Auto Layout constrains for the image view.
- parameter imageView: Image view that is used to create Auto Layout constraints.
*/
private static func layoutImageView(_ imageView: UIImageView, superview: UIView) {
imageView.translatesAutoresizingMaskIntoConstraints = false
iiAutolayoutConstraints.fillParent(imageView, parentView: superview, margin: 0, vertically: false)
iiAutolayoutConstraints.fillParent(imageView, parentView: superview, margin: 0, vertically: true)
}
func makeAccessible(_ accessibilityLabel: String?) {
isAccessibilityElement = true
accessibilityTraits = UIAccessibilityTraits.image
self.accessibilityLabel = accessibilityLabel
}
}
| eb8ef2ed9c08d59578e8380d7e974ab3 | 27.8125 | 198 | 0.716377 | false | false | false | false |
maail/MMImageLoader | refs/heads/master | MMImageLoader/MiscFunctions.swift | mit | 1 | //
// MiscFunctions.swift
// MMImageLoader
//
// Created by Mohamed Maail on 5/29/16.
// Copyright © 2016 Mohamed Maail. All rights reserved.
//
import Foundation
import UIKit
/*!
*
* Unwrap JSON String
*
* @param dictionary object <String,AnyObject>, index to be unwrapped
* @return unwrapped string
*/
public func unwrapJSONString(_ array:Dictionary<String,AnyObject>, _ index:String)->String{
var value:String = ""
if let _value = array[index] as? String{
value = _value
}
return value
}
/*!
*
* Unwrap JSON Bool
*
* @param dictionary object <String,AnyObject>, index to be unwrapped
* @return unwrapped string
*/
public func unwrapJSONBool(_ array:Dictionary<String,AnyObject>, _ index:String)->Bool{
var value:Bool = false
if let _value = array[index] as? Bool {
value = _value
}
return value
}
/*!
*
* Unwrap JSON Int
*
* @param dictionary object <String,AnyObject>, index to be unwrapped
* @return unwrapped int
*/
public func unwrapJSONInt(_ array:Dictionary<String,AnyObject>, _ index:String)->Int{
var value:Int = 0
if let _value = array[index] as? Int{
value = _value
}
return value
}
public func showStatusBarActivity(){
UIApplication.shared.isNetworkActivityIndicatorVisible = true
}
public func hideStatusBarActivity(){
UIApplication.shared.isNetworkActivityIndicatorVisible = false
}
| cc1449e2564753fdc3f631ee2a8eead5 | 21.453125 | 91 | 0.66945 | false | false | false | false |
banxi1988/BXForm | refs/heads/master | Pod/Classes/Config/FormMetrics.swift | mit | 1 | //
// FormMetrics.swift
// Pods
//
// Created by Haizhen Lee on 15/12/23.
//
//
import Foundation
public struct FormMetrics{
public static var cornerRadius : CGFloat = 4.0
public static var iconPadding : CGFloat = 8.0
public static var designBaseWidth :CGFloat = 375 // 一般以iPhone 6 来设计,其宽度为 750
public static var primaryFontSize : CGFloat = 15
public static var secondaryFontSize : CGFloat = 13
public static var tertiaryFontSize : CGFloat = 11
public static var cellPaddingLeft: CGFloat = 7
public static var cellPaddingRight: CGFloat = 7
public static var cellLabelWidth: CGFloat = 68
}
| 32b6e2d2e6fcf792d4b3f79b49aa4799 | 26.863636 | 78 | 0.737357 | false | false | false | false |
NemProject/NEMiOSApp | refs/heads/develop | NEMWallet/Shared/Extensions/AccountData+Additions.swift | mit | 1 | //
// AccountData+Additions.swift
// NemIOSClient
//
// Created by Thomas Oehri on 24.09.16.
// Copyright © 2016 Artygeek. All rights reserved.
//
import Foundation
// MARK: - Model Equatable Extension
extension AccountData: Equatable { }
public func == (lhs: AccountData, rhs: AccountData) -> Bool {
return lhs.address == rhs.address &&
lhs.publicKey == rhs.publicKey
}
| 882451e8439d6b451014fd5f21f8170d | 20.722222 | 61 | 0.682864 | false | false | false | false |
wenghengcong/Coderpursue | refs/heads/master | BeeFun/BeeFun/SystemManager/Network/SearchAPI.swift | mit | 1 | //
// SearchAPI.swift
// BeeFun
//
// Created by WengHengcong on 09/09/2017.
// Copyright © 2017 JungleSong. All rights reserved.
//
import UIKit
import Foundation
import Moya
import Alamofire
import ObjectMapper
class InsideSearchProvider<Target>: MoyaProvider<Target> where Target: TargetType {
override init(endpointClosure: @escaping (Target) -> Endpoint, requestClosure: @escaping (Endpoint, @escaping MoyaProvider<SearchAPI>.RequestResultClosure) -> Void, stubClosure: @escaping (Target) -> StubBehavior, callbackQueue: DispatchQueue?, manager: Manager, plugins: [PluginType], trackInflights: Bool) {
super.init(endpointClosure: endpointClosure, requestClosure: requestClosure, stubClosure: stubClosure, callbackQueue: callbackQueue, manager: manager, plugins: plugins, trackInflights: trackInflights)
}
}
struct SearchProvider {
fileprivate static var endpointsClosure = { (target: SearchAPI) -> Endpoint in
var endpoint: Endpoint = Endpoint(url: url(target), sampleResponseClosure: {.networkResponse(200, target.sampleData)}, method: target.method, task: target.task, httpHeaderFields: target.headers)
return endpoint
}
static func stubBehaviour(_: SearchAPI) -> Moya.StubBehavior {
return .never
}
static func DefaultProvider() -> InsideSearchProvider<SearchAPI> {
return InsideSearchProvider(endpointClosure: endpointsClosure, requestClosure: MoyaProvider<SearchAPI>.defaultRequestMapping, stubClosure: MoyaProvider.neverStub, callbackQueue: DispatchQueue.main, manager: Alamofire.SessionManager.default, plugins: [], trackInflights: false)
}
fileprivate struct SharedProvider {
static var instance = SearchProvider.DefaultProvider()
}
static var sharedProvider: InsideSearchProvider<SearchAPI> {
get {
return SharedProvider.instance
}
set (newSharedProvider) {
SharedProvider.instance = newSharedProvider
}
}
}
public enum SearchAPI {
//search
case search(para: SESearchBaseModel)
case searchCommit(para: SESearchBaseModel)
}
extension SearchAPI: TargetType {
public var headers: [String: String]? {
var header = ["User-Agent": "BeeFunMac", "Authorization": AppToken.shared.access_token ?? "", "timeoutInterval": "15.0", "Accept": "application/vnd.github.v3.star+json"]
switch self {
case .searchCommit:
//https://developer.github.com/v3/search/#search-commits
header = ["User-Agent": "BeeFunMac", "Authorization": AppToken.shared.access_token ?? "", "timeoutInterval": "15.0", "Accept": "application/vnd.github.cloak-preview"]
default:
header = ["User-Agent": "BeeFunMac", "Authorization": AppToken.shared.access_token ?? "", "timeoutInterval": "15.0"]
return header
}
return header
}
public var parameterEncoding: ParameterEncoding {
return Alamofire.ParameterEncoding.self as! ParameterEncoding
}
public var baseURL: URL {
switch self {
default:
return URL(string: "https://api.github.com/search")!
}
}
public var path: String {
switch self {
//search
case .search(let para):
return "/\(para.requestUrl)"
case .searchCommit(let para):
return "/\(para.requestUrl)"
}
}
public var method: Moya.Method {
switch self {
default:
return .get
}
}
public var parameters: [String: Any]? {
switch self {
case .search(let para):
return [
"q": para.q as AnyObject,
"sort": para.sort as AnyObject,
"order": para.order as AnyObject,
"page": para.page as AnyObject,
"per_page": para.perPage as AnyObject
]
case .searchCommit(let para):
return [
"q": para.q as AnyObject,
"sort": para.sort as AnyObject,
"order": para.order as AnyObject,
"page": para.page as AnyObject,
"per_page": para.perPage as AnyObject
]
}
}
public var task: Task {
let encoding: ParameterEncoding
switch self.method {
case .post:
encoding = JSONEncoding.default
default:
encoding = URLEncoding.default
}
if let requestParameters = parameters {
return .requestParameters(parameters: requestParameters, encoding: encoding)
}
return .requestPlain
}
//Any target you want to hit must provide some non-nil NSData that represents a sample response. This can be used later for tests or for providing offline support for developers. This should depend on self.
public var sampleData: Data {
switch self {
default :
return "default".data(using: String.Encoding.utf8)!
}
}
}
| b378755a6fac96e4f7eaea74be057918 | 33.286667 | 313 | 0.619483 | false | false | false | false |
Joyann/JYWeibo | refs/heads/master | JYWeibo/JYWeibo/Classes/Tools/Common.swift | apache-2.0 | 1 | //
// Common.swift
// JYWeibo
//
// Created by joyann on 16/1/12.
// Copyright © 2016年 Joyann. All rights reserved.
//
import UIKit
/* ------------------- Weibo 授权 ----------------------- */
let APP_KEY = "3987516294"
let APP_SECRET = "d66d2cdc4e1370af33d9a50fa575994c"
let WEIBO_REDIRECT_URI = "http://www.baidu.com"
let WEIBO_AUTH_URL = "https://api.weibo.com/oauth2/authorize?client_id=\(APP_KEY)&response_type=code&redirect_uri=\(WEIBO_REDIRECT_URI)"
/* ------------------- view 尺寸 ----------------------- */
let SCREEN_BOUNDS = UIScreen.mainScreen().bounds
let SCREEN_WIDTH = UIScreen.mainScreen().bounds.size.width
let SCREEN_HEIGHT = UIScreen.mainScreen().bounds.size.height
/* ------------------- 颜色相关 ------------------------- */
func Color(r r: Float, g: Float, b: Float, a: Float) -> UIColor {
return UIColor(colorLiteralRed: r, green: g, blue: b, alpha: a)
}
func RandomColor() -> UIColor {
let r = Float(arc4random_uniform(256)) / 255.0
let g = Float(arc4random_uniform(256)) / 255.0
let b = Float(arc4random_uniform(256)) / 255.0
let a = Float(arc4random_uniform(101)) / 100.0
return Color(r: r, g: g, b: b, a: a)
}
/* ------------------- Tag属性 ------------------------- */
let PHONE_TEXT_FIELD = 1001
let PWD_TEXT_FIELD = 1002
/* ------------------- 自定义输出 ------------------------ */
func JYLog<T>(msg: T, fileName: String = __FILE__, funcName: String = __FUNCTION__, line: Int = __LINE__) {
#if DEBUG
print("[FILENAME]:\((fileName as NSString).lastPathComponent)\n[FUNCNAME]:\(funcName)\n[LINE]:\(line)\n[MESSAGE]:\(msg)\n")
#endif
}
| 8b826b38769ef90d496600e5338b3d79 | 31.2 | 136 | 0.567081 | false | false | false | false |
Roeun/PullToMakeSoup | refs/heads/master | PullToMakeSoup/PullToMakeSoup/PullToRefresh/PullToRefresh.swift | mit | 11 | //
// PullToRefresh.swift
// CookingPullToRefresh
//
// Created by Anastasiya Gorban on 4/14/15.
// Copyright (c) 2015 Yalantis. All rights reserved.
//
import UIKit
import Foundation
public protocol RefreshViewAnimator {
func animateState(state: State)
}
// MARK: PullToRefresh
public class PullToRefresh: NSObject {
let refreshView: UIView
var action: (() -> ())?
private let animator: RefreshViewAnimator
private var scrollViewDefaultInsets = UIEdgeInsetsZero
weak var scrollView: UIScrollView? {
didSet {
oldValue?.removeObserver(self, forKeyPath: contentOffsetKeyPath, context: &KVOContext)
if let scrollView = scrollView {
scrollViewDefaultInsets = scrollView.contentInset
scrollView.addObserver(self, forKeyPath: contentOffsetKeyPath, options: .Initial, context: &KVOContext)
}
}
}
// MARK: - State
var state: State = .Inital {
didSet {
animator.animateState(state)
switch state {
case .Loading:
if let scrollView = scrollView where (oldValue != .Loading) {
scrollView.contentOffset = previousScrollViewOffset
scrollView.bounces = false
UIView.animateWithDuration(0.3, animations: {
let insets = self.refreshView.frame.height + self.scrollViewDefaultInsets.top
scrollView.contentInset.top = insets
scrollView.contentOffset = CGPointMake(scrollView.contentOffset.x, -insets)
}, completion: { finished in
scrollView.bounces = true
})
action?()
}
case .Finished:
UIView.animateWithDuration(1, delay: 0, usingSpringWithDamping: 0.4, initialSpringVelocity: 0.8, options: UIViewAnimationOptions.CurveLinear, animations: {
self.scrollView?.contentInset = self.scrollViewDefaultInsets
self.scrollView?.contentOffset.y = -self.scrollViewDefaultInsets.top
}, completion: nil)
default: break
}
}
}
// MARK: - Initialization
public init(refreshView: UIView, animator: RefreshViewAnimator) {
self.refreshView = refreshView
self.animator = animator
}
public override convenience init() {
let refreshView = DefaultRefreshView()
self.init(refreshView: refreshView, animator: DefaultViewAnimator(refreshView: refreshView))
}
deinit {
scrollView?.removeObserver(self, forKeyPath: contentOffsetKeyPath, context: &KVOContext)
}
// MARK: KVO
private var KVOContext = "PullToRefreshKVOContext"
private let contentOffsetKeyPath = "contentOffset"
private var previousScrollViewOffset: CGPoint = CGPointZero
override public func observeValueForKeyPath(keyPath: String, ofObject object: AnyObject, change: [NSObject : AnyObject], context: UnsafeMutablePointer<()>) {
if (context == &KVOContext && keyPath == contentOffsetKeyPath && object as? UIScrollView == scrollView) {
let offset = previousScrollViewOffset.y + scrollViewDefaultInsets.top
let refreshViewHeight = refreshView.frame.size.height
switch offset {
case 0: state = .Inital
case -refreshViewHeight...0 where (state != .Loading && state != .Finished):
state = .Releasing(progress: -offset / refreshViewHeight)
case -1000...(-refreshViewHeight):
if state == State.Releasing(progress: 1) && scrollView?.dragging == false {
state = .Loading
} else if state != .Loading {
state = .Releasing(progress: 1)
}
default: break
}
} else {
super.observeValueForKeyPath(keyPath, ofObject: object, change: change, context: context)
}
previousScrollViewOffset.y = scrollView!.contentOffset.y
}
// MARK: - Start/End Refreshing
func startRefreshing() {
if self.state != State.Inital {
return
}
scrollView?.setContentOffset(CGPointMake(0, -refreshView.frame.height - scrollViewDefaultInsets.top), animated: true)
let delayTime = dispatch_time(DISPATCH_TIME_NOW,
Int64(0.27 * Double(NSEC_PER_SEC)))
dispatch_after(delayTime, dispatch_get_main_queue(), {
self.state = State.Loading
})
}
func endRefreshing() {
if state == .Loading {
state = .Finished
}
}
}
// MARK: - State enumeration
public enum State:Equatable {
case Inital, Loading, Finished
case Releasing(progress: CGFloat)
}
public func ==(a: State, b: State) -> Bool {
switch (a, b) {
case (.Inital, .Inital): return true
case (.Loading, .Loading): return true
case (.Finished, .Finished): return true
case (.Releasing(let a), .Releasing(let b)): return true
default: return false
}
}
// MARK: Default PullToRefresh
class DefaultRefreshView: UIView {
private(set) var activicyIndicator: UIActivityIndicatorView!
override init(frame: CGRect) {
super.init(frame: frame)
commonInit()
}
required init(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
commonInit()
}
private func commonInit() {
frame = CGRectMake(frame.origin.x, frame.origin.y, frame.width, 40)
}
override func layoutSubviews() {
if (activicyIndicator == nil) {
activicyIndicator = UIActivityIndicatorView(activityIndicatorStyle: UIActivityIndicatorViewStyle.Gray)
activicyIndicator.center = convertPoint(center, fromView: superview)
activicyIndicator.hidesWhenStopped = false
addSubview(activicyIndicator)
}
super.layoutSubviews()
}
override func willMoveToSuperview(newSuperview: UIView?) {
super.willMoveToSuperview(newSuperview)
if let superview = newSuperview {
frame = CGRectMake(frame.origin.x, frame.origin.y, superview.frame.width, 40)
}
}
}
class DefaultViewAnimator: RefreshViewAnimator {
private let refreshView: DefaultRefreshView
init(refreshView: DefaultRefreshView) {
self.refreshView = refreshView
}
func animateState(state: State) {
switch state {
case .Inital: refreshView.activicyIndicator?.stopAnimating()
case .Releasing(let progress):
var transform = CGAffineTransformIdentity
transform = CGAffineTransformScale(transform, progress, progress);
transform = CGAffineTransformRotate(transform, 3.14 * progress * 2);
refreshView.activicyIndicator.transform = transform
case .Loading: refreshView.activicyIndicator.startAnimating()
default: break
}
}
}
| 465cf96c32dd3232831ffddc8b8b8f06 | 33.411483 | 171 | 0.611096 | false | false | false | false |
pkc456/Roastbook | refs/heads/master | Roastbook/Roastbook/Utility/Constants.swift | mit | 1 | //
// Constants.swift
// Roastbook
//
// Created by Pradeep Choudhary on 3/29/17.
// Copyright © 2017 Pardeep chaudhary. All rights reserved.
//
import Foundation
import UIKit
let APP_DELEGATE : AppDelegate = UIApplication.shared.delegate as! AppDelegate
let KPAGINATION_COUNT = "10"
//Keys
let KKEY_USER_DETAIL = "UserDetail"
let KKEY_USER_NAME = "User_Name"
//Feed model
let KKEY_FEED = "feed"
let KKEY_FEED_NAME = "feedName"
//WEB SERVICES URL
let BASE_URL = "http://myproject-pkc456.boxfuse.io:8080/"
let MIRROR_URL = "user/page/$/limit/" + KPAGINATION_COUNT
| 535d2bd305d7498723796cee1522c77e | 21.88 | 78 | 0.72028 | false | false | false | false |
zouguangxian/VPNOn | refs/heads/develop | VPNOnData/VPN.swift | mit | 1 | import Foundation
import CoreData
import VPNOnKit
@objc(VPN)
class VPN : NSManagedObject{
@NSManaged var account : String!
@NSManaged var group : String!
@NSManaged var server : String!
@NSManaged var title : String!
var ID : String {
return objectID.URIRepresentation().lastPathComponent!
}
override init(entity: NSEntityDescription, insertIntoManagedObjectContext context: NSManagedObjectContext?) {
super.init(entity: entity, insertIntoManagedObjectContext: context)
setValue(account, forKey: "account")
setValue(group, forKey: "group")
setValue(server, forKey: "server")
setValue(title, forKey: "title")
}
/**
* Instantiate the instance using the passed dictionary values to set the properties values
*/
init(fromDictionary dictionary: NSDictionary, context: NSManagedObjectContext) {
let entity = NSEntityDescription.entityForName("VPN", inManagedObjectContext: context)!
super.init(entity: entity, insertIntoManagedObjectContext: context)
if let accountValue = dictionary["account"] as? String{
account = accountValue
}
if let groupValue = dictionary["group"] as? String{
group = groupValue
}
if let serverValue = dictionary["server"] as? String{
server = serverValue
}
if let titleValue = dictionary["title"] as? String{
title = titleValue
}
}
/**
* Returns all the available property values in the form of NSDictionary object where the key is the approperiate json key and the value is the value of the corresponding property
*/
func toDictionary() -> NSDictionary
{
var dictionary = NSMutableDictionary()
dictionary["ID"] = ID
if account != nil{
dictionary["account"] = account
}
if group != nil{
dictionary["group"] = group
}
if server != nil{
dictionary["server"] = server
}
if title != nil{
dictionary["title"] = title
}
return dictionary
}
func destroy() {
VPNManager.sharedManager().removeProfile()
self.managedObjectContext!.deleteObject(self)
}
} | 662ed47889b068c606c96c1b39375535 | 27.791667 | 180 | 0.693533 | false | false | false | false |
BenziAhamed/Nevergrid | refs/heads/master | NeverGrid/Source/Components.swift | isc | 1 | //
// Categories.swift
// gameninja
//
// Created by Benzi on 19/06/14.
// Copyright (c) 2014 Benzi Ahamed. All rights reserved.
//
import Foundation
import SpriteKit
// MARK: Components ------------------------------------------
enum ComponentType {
case Sprite
case Location
case Player //entity
case Enemy //entity
case Goal //entity
case Powerup //entity
case Cell
case Portal
case Wall
case Freeze
case Slide
case ZoneKey
case Collectable
}
class Component {
var type:ComponentType
init(type:ComponentType) { self.type = type }
}
class SpriteComponent : Component {
var node:SKSpriteNode
var rootNode:SKNode!
init(node:SKSpriteNode) {
self.node = node
self.rootNode = node
super.init(type: ComponentType.Sprite)
}
}
class LocationComponent : Component, Equatable, CustomStringConvertible {
var previousRow:Int = -1
var row:Int {
willSet { previousRow = row }
}
var previousColumn:Int = -1
var column:Int {
willSet { previousColumn = column }
}
var lastMove:UInt {
return getPossibleMove(self, end: LocationComponent(row: previousRow, column: previousColumn))
}
init(row:Int, column:Int){
self.row = row
self.column = column
super.init(type: ComponentType.Location)
}
var description:String {
return "(\(self.column),\(self.row))"
}
}
extension LocationComponent {
func clone() -> LocationComponent {
return LocationComponent(row: self.row, column: self.column)
}
func previous() -> LocationComponent {
return LocationComponent(row: self.previousRow, column: self.previousColumn)
}
func hasChanged() -> Bool {
return previousRow != row || previousColumn != column
}
func stayInPlace() {
self.row = self.row + 1 - 1
self.column = self.column + 1 - 1
}
}
extension LocationComponent {
func offsetRow(amount:Int) -> LocationComponent {
return LocationComponent(row: self.row+amount, column: self.column)
}
func offsetColumn(amount:Int) -> LocationComponent {
return LocationComponent(row: self.row, column: self.column+amount)
}
func offset(row row:Int, column:Int) -> LocationComponent {
return LocationComponent(row: self.row+row, column: self.column+column)
}
}
extension LocationComponent {
var neighbourTop:LocationComponent { return self.offset(row: -1, column: 0) }
var neighbourTopLeft:LocationComponent { return self.offset(row: -1, column: -1) }
var neighbourTopRight:LocationComponent { return self.offset(row: -1, column: +1) }
var neighbourLeft:LocationComponent { return self.offset(row: 0, column: -1) }
var neighbourRight:LocationComponent { return self.offset(row: 0, column: +1) }
var neighbourBottom:LocationComponent { return self.offset(row: +1, column: 0) }
var neighbourBottomLeft:LocationComponent { return self.offset(row: +1, column: -1) }
var neighbourBottomRight:LocationComponent { return self.offset(row: +1, column: +1) }
}
// gives the manhattan distance between two locations
func distance(a:LocationComponent, b:LocationComponent) -> Int {
return abs(a.row - b.row) + abs(a.column - b.column)
}
func getPossibleMove(start:LocationComponent, end:LocationComponent) -> UInt {
if distance(start, b: end) == 1 {
if start.row == end.row {
if start.column > end.column {
return Direction.Left
} else {
return Direction.Right
}
} else {
if start.row > end.row {
return Direction.Up
} else {
return Direction.Down
}
}
}
return Direction.None
}
func ==(lhs:LocationComponent, rhs:LocationComponent)->Bool {
return lhs.column == rhs.column && lhs.row == rhs.row
}
class PlayerComponent : Component {
var teleportedInLastMove:Bool = false
var emotion = Emotion.Happy
init() {
super.init(type: ComponentType.Player)
}
}
enum EnemyType : CustomStringConvertible {
case OneStep
case TwoStep
case Cloner
case SliderLeftRight
case SliderUpDown
case Monster
case Destroyer
case Robot
var description:String {
switch self {
case .OneStep: return "OneStep"
case .TwoStep: return "TwoStep"
case .Cloner: return "Cloner"
case .SliderLeftRight: return "SliderLeftRight"
case .SliderUpDown: return "SliderUpDown"
case .Monster: return "Monster"
case .Destroyer: return "Destroyer"
case .Robot: return "Robot"
default: return "Unknown"
}
}
}
enum Emotion {
case Happy
case Sad
case Surprised
case Elated
case HalfBlink
case FullBlink
case Angry
case Rage
case Screaming
case Contempt
case Uff
}
class EnemyComponent : Component {
struct ClonerSettings {
static let StepsToWaitUntilCloneAction = 5
}
var enemyType:EnemyType
var alive:Bool = true
var enabled:Bool = false
var bootedUp:Bool = false
var skipTurns:Int = 0
var clonesCreated = 0
var stepsUntilNextClone = ClonerSettings.StepsToWaitUntilCloneAction
init(type:EnemyType) {
self.enemyType = type
super.init(type: ComponentType.Enemy)
}
}
class CollectableComponent : Component {
init() {
super.init(type: ComponentType.Collectable)
}
}
class GoalComponent : Component {
init() {
super.init(type: ComponentType.Goal)
}
}
class ZoneKeyComponent : Component {
var zoneID:UInt = 0
init(zoneID:UInt) {
self.zoneID = zoneID
super.init(type: ComponentType.ZoneKey)
}
}
enum CellType : CustomStringConvertible {
case Normal
case Fluffy
case Falling
case Block
var description:String {
switch self {
case .Normal: return "normal"
case .Fluffy: return "fluffy"
case .Falling: return "falling"
case .Block: return "block"
}
}
}
class CellComponent : Component {
var cellType:CellType
var fallen:Bool = false
init(type: CellType) {
self.cellType = type
super.init(type: ComponentType.Cell)
}
}
enum PortalColor {
case Orange
case Blue
}
class PortalComponent : Component {
var destination:LocationComponent
var color:PortalColor
var enabled:Bool = false
init(destination:LocationComponent, color:PortalColor) {
self.destination = destination
self.color = color
super.init(type: ComponentType.Portal)
}
}
class FreezeComponent : Component {
var duration:PowerupDuration
init(duration:PowerupDuration) {
self.duration = duration
super.init(type: ComponentType.Freeze)
}
}
class SlideComponent : Component {
var duration:PowerupDuration
init(duration:PowerupDuration) {
self.duration = duration
super.init(type: ComponentType.Slide)
}
}
enum PowerupType {
case Slide
case Freeze
}
enum PowerupDuration {
case TurnBased(Int)
case Infinite
}
class PowerupComponent : Component {
var powerupType:PowerupType
var duration:PowerupDuration
init(type:PowerupType, duration:PowerupDuration) {
self.powerupType = type
self.duration = duration
super.init(type: ComponentType.Powerup)
}
}
| e5e93f9f165b2ebbf02f8bd9d3adabc4 | 22.971609 | 102 | 0.636794 | false | false | false | false |
uias/Pageboy | refs/heads/main | Sources/iOS/Extras/ToolbarDelegate.swift | mit | 1 | //
// ToolbarDelegate.swift
// Example iOS
//
// Created by Merrick Sapsford on 11/10/2020.
// Copyright © 2020 UI At Six. All rights reserved.
//
import UIKit
class ToolbarDelegate: NSObject {
}
#if targetEnvironment(macCatalyst)
extension NSToolbarItem.Identifier {
static let nextPage = NSToolbarItem.Identifier("com.uias.Pageboy.nextPage")
static let previousPage = NSToolbarItem.Identifier("com.uias.Pageboy.previousPage")
}
extension ToolbarDelegate {
@objc func nextPage(_ sender: Any?) {
NotificationCenter.default.post(Notification(name: .nextPage))
}
@objc func previousPage(_ sender: Any?) {
NotificationCenter.default.post(Notification(name: .previousPage))
}
}
extension ToolbarDelegate: NSToolbarDelegate {
func toolbarDefaultItemIdentifiers(_ toolbar: NSToolbar) -> [NSToolbarItem.Identifier] {
let identifiers: [NSToolbarItem.Identifier] = [
.previousPage,
.nextPage
]
return identifiers
}
func toolbarAllowedItemIdentifiers(_ toolbar: NSToolbar) -> [NSToolbarItem.Identifier] {
return toolbarDefaultItemIdentifiers(toolbar)
}
func toolbar(_ toolbar: NSToolbar,
itemForItemIdentifier itemIdentifier: NSToolbarItem.Identifier,
willBeInsertedIntoToolbar flag: Bool) -> NSToolbarItem? {
var toolbarItem: NSToolbarItem?
switch itemIdentifier {
case .nextPage:
let item = NSToolbarItem(itemIdentifier: itemIdentifier)
item.image = UIImage(systemName: "chevron.right")
item.label = "Next Page"
item.action = #selector(nextPage(_:))
item.target = self
toolbarItem = item
case .previousPage:
let item = NSToolbarItem(itemIdentifier: itemIdentifier)
item.image = UIImage(systemName: "chevron.left")
item.label = "Previous Page"
item.action = #selector(previousPage(_:))
item.target = self
toolbarItem = item
default:
toolbarItem = nil
}
return toolbarItem
}
}
#endif
| 801c4abf8e73b93ccbe1ab8b9d598d79 | 27.692308 | 92 | 0.623324 | false | false | false | false |
andrea-prearo/ContactList | refs/heads/master | ContactList/Models/LocationData.swift | mit | 1 | //
// LocationData.swift
// ContactList
//
// Created by Andrea Prearo on 3/19/16.
// Copyright © 2016 Andrea Prearo
//
import Foundation
import Marshal
struct LocationData {
let address: String?
let city: String?
let state: String?
let country: String?
let zipCode: String?
init(address: String?,
city: String?,
state: String?,
country: String?,
zipCode: String?) {
self.address = address
self.city = city
self.state = state
self.country = country
self.zipCode = zipCode
}
}
extension LocationData: Unmarshaling {
init(object: MarshaledObject) {
address = try? object.value(for: "address")
city = try? object.value(for: "city")
state = try? object.value(for: "state")
country = try? object.value(for: "country")
zipCode = try? object.value(for: "zipCode")
}
}
extension LocationData: Equatable {}
func ==(lhs: LocationData, rhs: LocationData) -> Bool {
return lhs.address == rhs.address &&
lhs.city == rhs.city &&
lhs.state == rhs.state &&
lhs.country == rhs.country &&
lhs.zipCode == rhs.zipCode
}
| 05c55c9bd3313de9daa46b69d7716ad9 | 21.555556 | 55 | 0.586207 | false | false | false | false |
Bauer312/ProjectEuler | refs/heads/master | Sources/Demo/main.swift | mit | 1 | /*
Copyright (c) 2016 Brian Bauer
Licensed under the MIT License (MIT) - Please see License.txt in the
top level of this repository for additional information.
*/
import Problem
import Foundation
import Dispatch
var problems : [Problem] = []
let buildProblem = Problems()
// The command line arguments may specify as many problems as the user wants
for argument in CommandLine.arguments {
if let problemNumber = Int(argument) {
problems.append(buildProblem.createNew(problemNumber))
}
}
// Solve each problem that the user has specified
let eQueue = DispatchQueue(label: "EulerQueue", attributes: .concurrent)
let eGroup = DispatchGroup()
for problem in problems {
eQueue.async(group:eGroup, execute: {
problem.solve()
problem.prettyPrint()
})
}
eGroup.wait()
| 96dd103b1779f36d627eeebdc3b161b8 | 23.8125 | 76 | 0.739295 | false | false | false | false |
a2/Oberholz | refs/heads/master | Oberholz/Classes/OberholzHandleView.swift | mit | 1 | import UIKit
final class OberholzHandleView: UIView {
private let shapeLayer = CAShapeLayer()
var fillColor: UIColor {
get { return shapeLayer.fillColor.map { UIColor(CGColor: $0) } ?? .blackColor() }
set { shapeLayer.fillColor = newValue.CGColor }
}
override init(frame: CGRect) {
super.init(frame: frame)
self.commonInit()
}
required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
self.commonInit()
}
private func commonInit() {
let rect = CGRect(x: 0, y: 0, width: 36, height: 5)
shapeLayer.bounds = rect
shapeLayer.path = CGPathCreateWithRoundedRect(rect, 2.5, 2.5, nil)
layer.addSublayer(shapeLayer)
}
override func layoutSublayersOfLayer(layer: CALayer) {
super.layoutSublayersOfLayer(layer)
shapeLayer.position = CGPoint(x: layer.bounds.size.width / 2, y: layer.bounds.size.height / 2)
}
}
| 2cf3bdf4ea79e0af0baea48ee8b54b9b | 28.030303 | 102 | 0.637787 | false | false | false | false |
antlr/antlr4 | refs/heads/dev | runtime/Swift/Sources/Antlr4/atn/SingletonPredictionContext.swift | bsd-3-clause | 4 | ///
/// Copyright (c) 2012-2017 The ANTLR Project. All rights reserved.
/// Use of this file is governed by the BSD 3-clause license that
/// can be found in the LICENSE.txt file in the project root.
///
public class SingletonPredictionContext: PredictionContext {
public final let parent: PredictionContext?
public final let returnState: Int
init(_ parent: PredictionContext?, _ returnState: Int) {
//TODO assert
//assert ( returnState=ATNState.INVALID_STATE_NUMBER,"Expected: returnState!/=ATNState.INVALID_STATE_NUMBER");
self.parent = parent
self.returnState = returnState
super.init(parent.map { PredictionContext.calculateHashCode($0, returnState) } ?? PredictionContext.calculateEmptyHashCode())
}
public static func create(_ parent: PredictionContext?, _ returnState: Int) -> SingletonPredictionContext {
if returnState == PredictionContext.EMPTY_RETURN_STATE && parent == nil {
// someone can pass in the bits of an array ctx that mean $
return EmptyPredictionContext.Instance
}
return SingletonPredictionContext(parent, returnState)
}
override
public func size() -> Int {
return 1
}
override
public func getParent(_ index: Int) -> PredictionContext? {
assert(index == 0, "Expected: index==0")
return parent
}
override
public func getReturnState(_ index: Int) -> Int {
assert(index == 0, "Expected: index==0")
return returnState
}
override
public var description: String {
let up = parent?.description ?? ""
if up.isEmpty {
if returnState == PredictionContext.EMPTY_RETURN_STATE {
return "$"
}
return String(returnState)
}
return String(returnState) + " " + up
}
}
public func ==(lhs: SingletonPredictionContext, rhs: SingletonPredictionContext) -> Bool {
if lhs === rhs {
return true
}
if lhs.hashValue != rhs.hashValue {
return false
}
if lhs.returnState != rhs.returnState {
return false
}
return lhs.parent == rhs.parent
}
| 06cafd61ea9fbb97ad854a814fccf3af | 27.076923 | 133 | 0.63105 | false | false | false | false |
Flinesoft/BartyCrouch | refs/heads/main | Sources/BartyCrouchKit/TaskHandlers/TransformTaskHandler.swift | mit | 1 | import BartyCrouchConfiguration
import Foundation
struct TransformTaskHandler {
let options: TransformOptions
init(
options: TransformOptions
) {
self.options = options
}
}
extension TransformTaskHandler: TaskHandler {
func perform() {
measure(task: "Code Transform") {
mungo.do {
var caseToLangCodeOptional: [String: String]?
let codeFilesArray = CodeFilesSearch(baseDirectoryPath: options.supportedLanguageEnumPath.absolutePath)
.findCodeFiles(subpathsToIgnore: options.subpathsToIgnore)
for codeFile in codeFilesArray {
if let foundCaseToLangCode = CodeFileHandler(path: codeFile)
.findCaseToLangCodeMappings(typeName: options.typeName)
{
caseToLangCodeOptional = foundCaseToLangCode
break
}
}
guard let caseToLangCode = caseToLangCodeOptional else {
print(
"Could not find 'SupportedLanguage' enum within '\(options.typeName)' enum within path.",
level: .warning,
file: options.supportedLanguageEnumPath.absolutePath
)
return
}
var translateEntries: [CodeFileHandler.TranslateEntry] = []
let codeFilesSet = Set(
options.codePaths.flatMap {
CodeFilesSearch(baseDirectoryPath: $0.absolutePath)
.findCodeFiles(subpathsToIgnore: options.subpathsToIgnore)
}
)
for codeFile in codeFilesSet {
let codeFileHandler = CodeFileHandler(path: codeFile)
translateEntries += try codeFileHandler.transform(
typeName: options.typeName,
translateMethodName: options.translateMethodName,
using: options.transformer,
caseToLangCode: caseToLangCode
)
}
let stringsFiles: [String] = Array(
Set(
options.localizablePaths.flatMap {
StringsFilesSearch.shared.findAllStringsFiles(
within: $0.absolutePath,
withFileName: options.customLocalizableName ?? "Localizable",
subpathsToIgnore: options.subpathsToIgnore
)
}
)
)
for stringsFile in stringsFiles {
StringsFileUpdater(path: stringsFile)!.insert(translateEntries: translateEntries)
}
}
}
}
}
| 4cbf41a4de872621bf917f96619b4a2c | 29.265823 | 111 | 0.625261 | false | false | false | false |
infobip/mobile-messaging-sdk-ios | refs/heads/master | Classes/Geofencing/MMGeoMessage.swift | apache-2.0 | 1 | //
// GeoMessage.swift
//
// Created by Ivan Cigic on 06/07/16.
//
//
import Foundation
import CoreLocation
import CoreData
enum RegionEventType: String {
case entry
case exit
}
final public class MMGeoMessage: MM_MTMessage {
public let campaignId: String
public let regions: Set<MMRegion>
public let startTime: Date
public let expiryTime: Date
public var isNotExpired: Bool {
return MMGeofencingService.isGeoCampaignNotExpired(campaign: self)
}
var hasValidEventsStateInGeneral: Bool {
return events.filter({ $0.isValidInGeneral }).isEmpty == false
}
public var campaignState: MMCampaignState = .Active
convenience init?(managedObject: MessageManagedObject) {
guard let payload = managedObject.payload else {
return nil
}
self.init(payload: payload,
deliveryMethod: MMMessageDeliveryMethod(rawValue: managedObject.deliveryMethod) ?? .undefined,
seenDate: managedObject.seenDate,
deliveryReportDate: managedObject.deliveryReportedDate,
seenStatus: managedObject.seenStatus,
isDeliveryReportSent: managedObject.reportSent)
self.campaignState = managedObject.campaignState
}
func onEventOccur(ofType eventType: RegionEventType) {
events.filter { $0.type == eventType }.first?.occur()
if var internalData = originalPayload[Consts.APNSPayloadKeys.internalData] as? DictionaryRepresentation {
internalData += [Consts.InternalDataKeys.event: events.map { $0.dictionaryRepresentation }]
originalPayload.updateValue(internalData, forKey: Consts.APNSPayloadKeys.internalData)
}
}
override public init?(payload: MMAPNSPayload, deliveryMethod: MMMessageDeliveryMethod, seenDate: Date?, deliveryReportDate: Date?, seenStatus: MMSeenStatus, isDeliveryReportSent: Bool)
{
guard
let internalData = payload[Consts.APNSPayloadKeys.internalData] as? MMStringKeyPayload,
let geoRegionsData = internalData[Consts.InternalDataKeys.geo] as? [MMStringKeyPayload],
let expiryTimeString = internalData[GeoConstants.CampaignKeys.expiryDate] as? String,
let startTimeString = internalData[GeoConstants.CampaignKeys.startDate] as? String ?? DateStaticFormatters.ISO8601SecondsFormatter.string(from: MobileMessaging.date.timeInterval(sinceReferenceDate: 0)) as String?,
let expiryTime = DateStaticFormatters.ISO8601SecondsFormatter.date(from: expiryTimeString),
let startTime = DateStaticFormatters.ISO8601SecondsFormatter.date(from: startTimeString),
let campaignId = internalData[GeoConstants.CampaignKeys.campaignId] as? String
else
{
return nil
}
self.campaignId = campaignId
self.expiryTime = expiryTime
self.startTime = startTime
let deliveryTime: MMDeliveryTime?
if let deliveryTimeDict = internalData[Consts.InternalDataKeys.deliveryTime] as? DictionaryRepresentation {
deliveryTime = MMDeliveryTime(dictRepresentation: deliveryTimeDict)
} else {
deliveryTime = nil
}
let evs: [RegionEvent]
if let eventDicts = internalData[Consts.InternalDataKeys.event] as? [DictionaryRepresentation] {
evs = eventDicts.compactMap { return RegionEvent(dictRepresentation: $0) }
} else {
evs = [RegionEvent.defaultEvent]
}
self.deliveryTime = deliveryTime
self.events = evs
self.regions = Set(geoRegionsData.compactMap(MMRegion.init))
super.init(payload: payload, deliveryMethod: deliveryMethod, seenDate: seenDate, deliveryReportDate: deliveryReportDate, seenStatus: seenStatus, isDeliveryReportSent: isDeliveryReportSent)
self.regions.forEach({ $0.message = self })
}
public var isNowAppropriateTimeForEntryNotification: Bool {
return isNowAppropriateTimeForNotification(for: .entry)
}
public var isNowAppropriateTimeForExitNotification: Bool {
return isNowAppropriateTimeForNotification(for: .exit)
}
//MARK: - Internal
let deliveryTime: MMDeliveryTime?
func isLiveNow(for type: RegionEventType) -> Bool {
guard events.contains(where: {$0.type == type}) else {
return false
}
let containsAnInvalidEvent = events.contains(where: {$0.isValidNow == false && $0.type == type})
return !containsAnInvalidEvent && isNotExpired
}
func isNowAppropriateTimeForNotification(for type: RegionEventType) -> Bool {
let now = MMGeofencingService.currentDate ?? MobileMessaging.date.now
let isDeliveryTimeNow = deliveryTime?.isNow ?? true
let isCampaignNotExpired = isLiveNow(for: type)
let isCampaignStarted = now.compare(startTime) != .orderedAscending
return isDeliveryTimeNow && isCampaignNotExpired && isCampaignStarted
}
let events: [RegionEvent]
var geoEventReportFormat: MMStringKeyPayload {
var geoEventReportFormat: [String: Any] = ["messageId": messageId,
"body": text ?? "",
"silent": isSilent,
"alert": text ?? ""]
geoEventReportFormat["badge"] = badge
geoEventReportFormat["sound"] = sound
geoEventReportFormat["title"] = title
if let customPayload = customPayload, !customPayload.isEmpty {
let json = JSON(customPayload)
geoEventReportFormat["customPayload"] = json.stringValue
}
if let internalData = internalData, !internalData.isEmpty {
let json = JSON(internalData)
geoEventReportFormat["internalData"] = json.stringValue
}
return geoEventReportFormat
}
}
@objcMembers
public class MMDeliveryTime: NSObject, DictionaryRepresentable {
public let timeInterval: MMDeliveryTimeInterval?
public let days: Set<MMDay>?
var isNow: Bool {
let time = isNowAppropriateTime
let day = isNowAppropriateDay
return time && day
}
private var isNowAppropriateTime: Bool {
guard let timeInterval = timeInterval else {
return true
}
return timeInterval.isNow
}
private var isNowAppropriateDay: Bool {
return MMGeofencingService.isNowAppropriateDay(forDeliveryTime: self)
}
required public convenience init?(dictRepresentation dict: DictionaryRepresentation) {
let interval = MMDeliveryTimeInterval(dictRepresentation: dict)
let days: Set<MMDay>?
if let daysArray = (dict[GeoConstants.RegionDeliveryTimeKeys.days] as? String)?.components(separatedBy: ",") {
days = Set(daysArray.compactMap ({ (dayNumString) -> MMDay? in
if let dayNumInt8 = Int8(dayNumString) {
return MMDay(rawValue: dayNumInt8)
} else {
return nil
}
}))
} else {
days = nil
}
self.init(timeInterval: interval, days: days)
}
var dictionaryRepresentation: DictionaryRepresentation {
var result = DictionaryRepresentation()
result += timeInterval?.dictionaryRepresentation
if let days = days , !days.isEmpty {
result[GeoConstants.RegionDeliveryTimeKeys.days] = Array(days).compactMap({ String($0.rawValue) }).joined(separator: ",")
}
assert(MMDeliveryTime(dictRepresentation: result) != nil, "The dictionary representation is invalid")
return result
}
init(timeInterval: MMDeliveryTimeInterval?, days: Set<MMDay>?) {
self.timeInterval = timeInterval
self.days = days
}
var currentTestDate: Date? // dependency for testing purposes
}
@objc public enum MMDay: Int8 {
case mo = 1, tu = 2, we = 3, th = 4, fr = 5, sa = 6, su = 7
}
@objcMembers
public class MMDeliveryTimeInterval: NSObject, DictionaryRepresentable {
static let timeIntervalSeparator = "/"
let fromTime: String
let toTime: String
init(fromTime: String, toTime: String) {
self.fromTime = fromTime
self.toTime = toTime
}
var isNow: Bool {
return MMGeofencingService.isNowAppropriateTime(forDeliveryTimeInterval: self)
}
/// Checks if `time` is in the interval defined with two time strings `fromTime` and `toTime` in ISO 8601 formats: `hhmm`
class func isTime(_ time: Date, between fromTime: String, and toTime: String) -> Bool {
let calendar = MobileMessaging.calendar
let nowComps = calendar.dateComponents(in: MobileMessaging.timeZone, from: time)
if let nowH = nowComps.hour, let nowM = nowComps.minute {
let fromTimeMinutesIdx = fromTime.index(fromTime.startIndex, offsetBy: 2)
let toTimeMinutesIdx = toTime.index(toTime.startIndex, offsetBy: 2)
guard let fromH = Int(fromTime[fromTime.startIndex..<fromTimeMinutesIdx]),
let fromM = Int(fromTime[fromTimeMinutesIdx..<fromTime.endIndex]),
let toH = Int(toTime[toTime.startIndex..<toTimeMinutesIdx]),
let toM = Int(toTime[toTimeMinutesIdx..<toTime.endIndex]) else
{
return false
}
let from = fromH * 60 + fromM
let to = toH * 60 + toM
let now = nowH * 60 + nowM
if from <= to {
return from <= now && now <= to
} else {
return from <= now || now <= to
}
}
return false
}
convenience public required init?(dictRepresentation dict: DictionaryRepresentation) {
if let comps = (dict[GeoConstants.RegionDeliveryTimeKeys.timeInterval] as? String)?.components(separatedBy: MMDeliveryTimeInterval.timeIntervalSeparator),
let from = comps.first,
let to = comps.last , comps.count == 2
{
self.init(fromTime: from, toTime: to)
} else {
return nil
}
}
var dictionaryRepresentation: DictionaryRepresentation {
var result = DictionaryRepresentation()
result[GeoConstants.RegionDeliveryTimeKeys.timeInterval] = "\(fromTime)\(MMDeliveryTimeInterval.timeIntervalSeparator)\(toTime)"
assert(MMDeliveryTimeInterval(dictRepresentation: result) != nil, "The dictionary representation is invalid")
return result
}
}
@objcMembers
final public class MMRegion: NSObject, DictionaryRepresentable {
public let identifier: String
var dataSourceIdentifier: String {
return "\((message?.campaignId) ?? "")_\(identifier)"
}
public let center: CLLocationCoordinate2D
public let radius: Double
public let title: String
weak var message: MMGeoMessage?
public var circularRegion: CLCircularRegion {
return CLCircularRegion(center: center, radius: radius, identifier: identifier)
}
init?(identifier: String, center: CLLocationCoordinate2D, radius: Double, title: String) {
guard radius > 0 else
{
return nil
}
self.title = title
self.center = center
self.radius = max(100, radius)
self.identifier = identifier
}
public override var description: String {
return "id \(dataSourceIdentifier), \(title), radius \(radius)m: \(center.longitude) \(center.latitude)"
}
public convenience init?(dictRepresentation dict: DictionaryRepresentation) {
guard
let lat = dict[GeoConstants.RegionKeys.latitude] as? Double,
let lon = dict[GeoConstants.RegionKeys.longitude] as? Double,
let title = dict[GeoConstants.RegionKeys.title] as? String,
let identifier = dict[GeoConstants.RegionKeys.identifier] as? String,
let radius = dict[GeoConstants.RegionKeys.radius] as? Double
else
{
return nil
}
self.init(identifier: identifier, center: CLLocationCoordinate2D(latitude: lat, longitude: lon), radius: radius, title: title)
}
public var dictionaryRepresentation: DictionaryRepresentation {
var result = DictionaryRepresentation()
result[GeoConstants.RegionKeys.latitude] = center.latitude
result[GeoConstants.RegionKeys.longitude] = center.longitude
result[GeoConstants.RegionKeys.radius] = radius
result[GeoConstants.RegionKeys.title] = title
result[GeoConstants.RegionKeys.identifier] = identifier
assert(MMRegion(dictRepresentation: result) != nil, "The dictionary representation is invalid")
return result
}
public override var hash: Int {
return dataSourceIdentifier.hashValue
}
public override func isEqual(_ object: Any?) -> Bool {
guard let obj = object as? MMRegion else {
return false
}
return obj.dataSourceIdentifier == self.dataSourceIdentifier
}
}
final class RegionEvent: DictionaryRepresentable, CustomStringConvertible {
let type: RegionEventType
let limit: Int //how many times this event can occur, 0 means unlimited
let timeout: Int //minutes till next possible event
var occuringCounter: Int = 0
var lastOccuring: Date?
var hasReachedTheOccuringLimit: Bool {
return limit != 0 && occuringCounter >= limit
}
var description: String {
return "type:\(type), limit: \(limit), timeout: \(timeout), occuringCounter: \(occuringCounter), lastOccuring: \(lastOccuring.orNil), isValidNow: \(isValidNow), isValidInGeneral: \(isValidInGeneral)"
}
var isValidNow: Bool {
return MMGeofencingService.isRegionEventValidNow(self)
}
var isValidInGeneral: Bool {
return MMGeofencingService.isRegionEventValidInGeneral(self)
}
fileprivate func occur() {
occuringCounter += 1
lastOccuring = MobileMessaging.date.now
}
init?(dictRepresentation dict: DictionaryRepresentation) {
guard
let typeString = dict[GeoConstants.RegionEventKeys.type] as? String,
let type = RegionEventType(rawValue: typeString),
let limit = dict[GeoConstants.RegionEventKeys.limit] as? Int
else
{
return nil
}
self.type = type
self.limit = limit
self.timeout = dict[GeoConstants.RegionEventKeys.timeout] as? Int ?? 0
self.occuringCounter = dict[GeoConstants.RegionEventKeys.occuringCounter] as? Int ?? 0
self.lastOccuring = dict[GeoConstants.RegionEventKeys.lastOccur] as? Date ?? nil
}
var dictionaryRepresentation: DictionaryRepresentation {
var result = DictionaryRepresentation()
result[GeoConstants.RegionEventKeys.type] = type.rawValue
result[GeoConstants.RegionEventKeys.limit] = limit
result[GeoConstants.RegionEventKeys.timeout] = timeout
result[GeoConstants.RegionEventKeys.occuringCounter] = occuringCounter
result[GeoConstants.RegionEventKeys.lastOccur] = lastOccuring
assert(RegionEvent(dictRepresentation: result) != nil, "The dictionary representation is invalid")
return result
}
fileprivate class var defaultEvent: RegionEvent {
let defaultDict: DictionaryRepresentation = [GeoConstants.RegionEventKeys.type: RegionEventType.entry.rawValue,
GeoConstants.RegionEventKeys.limit: 1,
GeoConstants.RegionEventKeys.timeout: 0]
return RegionEvent(dictRepresentation: defaultDict)!
}
}
extension MM_MTMessage {
static func make(fromGeoMessage geoMessage: MMGeoMessage, messageId: String, region: MMRegion) -> MM_MTMessage? {
guard let aps = geoMessage.originalPayload[Consts.APNSPayloadKeys.aps] as? [String: Any],
let internalData = geoMessage.originalPayload[Consts.APNSPayloadKeys.internalData] as? [String: Any],
let silentAps = internalData[Consts.InternalDataKeys.silent] as? [String: Any] else
{
return nil
}
var newInternalData: [String: Any] = [Consts.InternalDataKeys.geo: [region.dictionaryRepresentation]]
newInternalData[Consts.InternalDataKeys.attachments] = geoMessage.internalData?[Consts.InternalDataKeys.attachments]
newInternalData[Consts.InternalDataKeys.showInApp] = geoMessage.internalData?[Consts.InternalDataKeys.showInApp]
newInternalData[Consts.InternalDataKeys.inAppStyle] = geoMessage.internalData?[Consts.InternalDataKeys.inAppStyle]
newInternalData[Consts.InternalDataKeys.inAppDismissTitle] = geoMessage.internalData?[Consts.InternalDataKeys.inAppDismissTitle]
newInternalData[Consts.InternalDataKeys.inAppOpenTitle] = geoMessage.internalData?[Consts.InternalDataKeys.inAppOpenTitle]
newInternalData[Consts.InternalDataKeys.inAppExpiryDateTime] = geoMessage.internalData?[Consts.InternalDataKeys.inAppExpiryDateTime]
newInternalData[Consts.InternalDataKeys.webViewUrl] = geoMessage.internalData?[Consts.InternalDataKeys.webViewUrl]
newInternalData[Consts.InternalDataKeys.browserUrl] = geoMessage.internalData?[Consts.InternalDataKeys.browserUrl]
newInternalData[Consts.InternalDataKeys.deeplink] = geoMessage.internalData?[Consts.InternalDataKeys.deeplink]
var newpayload = geoMessage.originalPayload
newpayload[Consts.APNSPayloadKeys.aps] = apsByMerging(nativeAPS: aps, withSilentAPS: silentAps)
newpayload[Consts.APNSPayloadKeys.internalData] = newInternalData
newpayload[Consts.APNSPayloadKeys.messageId] = messageId
//cut silent:true in case of fetched message
newpayload.removeValue(forKey: Consts.InternalDataKeys.silent)
let result = MM_MTMessage(payload: newpayload,
deliveryMethod: .generatedLocally,
seenDate: nil,
deliveryReportDate: nil,
seenStatus: .NotSeen,
isDeliveryReportSent: true)
return result
}
}
| e668608ecd0ffd46a647d7e27c7c1f01 | 36.779817 | 216 | 0.743018 | false | false | false | false |
eric1202/LZJ_Coin | refs/heads/master | LZJ_Coin/Framework/Source/Pipeline.swift | apache-2.0 | 4 | // MARK: -
// MARK: Basic types
import Foundation
public protocol ImageSource {
var targets:TargetContainer { get }
func transmitPreviousImage(to target:ImageConsumer, atIndex:UInt)
}
public protocol ImageConsumer:AnyObject {
var maximumInputs:UInt { get }
var sources:SourceContainer { get }
func newFramebufferAvailable(_ framebuffer:Framebuffer, fromSourceIndex:UInt)
}
public protocol ImageProcessingOperation: ImageConsumer, ImageSource {
}
infix operator --> : AdditionPrecedence
//precedencegroup ProcessingOperationPrecedence {
// associativity: left
//// higherThan: Multiplicative
//}
@discardableResult public func --><T:ImageConsumer>(source:ImageSource, destination:T) -> T {
source.addTarget(destination)
return destination
}
// MARK: -
// MARK: Extensions and supporting types
public extension ImageSource {
public func addTarget(_ target:ImageConsumer, atTargetIndex:UInt? = nil) {
if let targetIndex = atTargetIndex {
target.setSource(self, atIndex:targetIndex)
targets.append(target, indexAtTarget:targetIndex)
transmitPreviousImage(to:target, atIndex:targetIndex)
} else if let indexAtTarget = target.addSource(self) {
targets.append(target, indexAtTarget:indexAtTarget)
transmitPreviousImage(to:target, atIndex:indexAtTarget)
} else {
debugPrint("Warning: tried to add target beyond target's input capacity")
}
}
public func removeAllTargets() {
for (target, index) in targets {
target.removeSourceAtIndex(index)
}
targets.removeAll()
}
public func updateTargetsWithFramebuffer(_ framebuffer:Framebuffer) {
if targets.count == 0 { // Deal with the case where no targets are attached by immediately returning framebuffer to cache
framebuffer.lock()
framebuffer.unlock()
} else {
// Lock first for each output, to guarantee proper ordering on multi-output operations
for _ in targets {
framebuffer.lock()
}
}
for (target, index) in targets {
target.newFramebufferAvailable(framebuffer, fromSourceIndex:index)
}
}
}
public extension ImageConsumer {
public func addSource(_ source:ImageSource) -> UInt? {
return sources.append(source, maximumInputs:maximumInputs)
}
public func setSource(_ source:ImageSource, atIndex:UInt) {
_ = sources.insert(source, atIndex:atIndex, maximumInputs:maximumInputs)
}
public func removeSourceAtIndex(_ index:UInt) {
sources.removeAtIndex(index)
}
}
class WeakImageConsumer {
weak var value:ImageConsumer?
let indexAtTarget:UInt
init (value:ImageConsumer, indexAtTarget:UInt) {
self.indexAtTarget = indexAtTarget
self.value = value
}
}
public class TargetContainer:Sequence {
var targets = [WeakImageConsumer]()
var count:Int { get {return targets.count}}
#if !os(Linux)
let dispatchQueue = DispatchQueue(label:"com.sunsetlakesoftware.GPUImage.targetContainerQueue", attributes: [])
#endif
public init() {
}
public func append(_ target:ImageConsumer, indexAtTarget:UInt) {
// TODO: Don't allow the addition of a target more than once
#if os(Linux)
self.targets.append(WeakImageConsumer(value:target, indexAtTarget:indexAtTarget))
#else
dispatchQueue.async{
self.targets.append(WeakImageConsumer(value:target, indexAtTarget:indexAtTarget))
}
#endif
}
public func makeIterator() -> AnyIterator<(ImageConsumer, UInt)> {
var index = 0
return AnyIterator { () -> (ImageConsumer, UInt)? in
#if os(Linux)
if (index >= self.targets.count) {
return nil
}
while (self.targets[index].value == nil) {
self.targets.remove(at:index)
if (index >= self.targets.count) {
return nil
}
}
index += 1
return (self.targets[index - 1].value!, self.targets[index - 1].indexAtTarget)
#else
return self.dispatchQueue.sync{
if (index >= self.targets.count) {
return nil
}
while (self.targets[index].value == nil) {
self.targets.remove(at:index)
if (index >= self.targets.count) {
return nil
}
}
index += 1
return (self.targets[index - 1].value!, self.targets[index - 1].indexAtTarget)
}
#endif
}
}
public func removeAll() {
#if os(Linux)
self.targets.removeAll()
#else
dispatchQueue.async{
self.targets.removeAll()
}
#endif
}
}
public class SourceContainer {
var sources:[UInt:ImageSource] = [:]
public init() {
}
public func append(_ source:ImageSource, maximumInputs:UInt) -> UInt? {
var currentIndex:UInt = 0
while currentIndex < maximumInputs {
if (sources[currentIndex] == nil) {
sources[currentIndex] = source
return currentIndex
}
currentIndex += 1
}
return nil
}
public func insert(_ source:ImageSource, atIndex:UInt, maximumInputs:UInt) -> UInt {
guard (atIndex < maximumInputs) else { fatalError("ERROR: Attempted to set a source beyond the maximum number of inputs on this operation") }
sources[atIndex] = source
return atIndex
}
public func removeAtIndex(_ index:UInt) {
sources[index] = nil
}
}
public class ImageRelay: ImageProcessingOperation {
public var newImageCallback:((Framebuffer) -> ())?
public let sources = SourceContainer()
public let targets = TargetContainer()
public let maximumInputs:UInt = 1
public var preventRelay:Bool = false
public init() {
}
public func transmitPreviousImage(to target:ImageConsumer, atIndex:UInt) {
sources.sources[0]?.transmitPreviousImage(to:self, atIndex:0)
}
public func newFramebufferAvailable(_ framebuffer:Framebuffer, fromSourceIndex:UInt) {
if let newImageCallback = newImageCallback {
newImageCallback(framebuffer)
}
if (!preventRelay) {
relayFramebufferOnward(framebuffer)
}
}
public func relayFramebufferOnward(_ framebuffer:Framebuffer) {
// Need to override to guarantee a removal of the previously applied lock
for _ in targets {
framebuffer.lock()
}
framebuffer.unlock()
for (target, index) in targets {
target.newFramebufferAvailable(framebuffer, fromSourceIndex:index)
}
}
}
| 9af6f2b8ddcb662b92b184c1d7f05af4 | 30.189427 | 149 | 0.608475 | false | false | false | false |
blockchain/My-Wallet-V3-iOS | refs/heads/master | Modules/CryptoAssets/Sources/EthereumKit/Services/Transactions/EthereumSigner.swift | lgpl-3.0 | 1 | // Copyright © Blockchain Luxembourg S.A. All rights reserved.
import BigInt
import ToolKit
import WalletCore
enum EthereumSignerError: Error {
case failedPersonalMessageSign
case failedSignTypedData
case incorrectChainId
}
protocol EthereumSignerAPI {
func sign(
transaction: EthereumTransactionCandidateCosted,
keyPair: EthereumKeyPair
) -> Result<EthereumTransactionEncoded, EthereumSignerError>
/// The sign method calculates an Ethereum specific signature with: sign(keccak256("\x19Ethereum Signed Message:\n" + len(message) + message))).
/// Used for `eth_sign` and `personal_sign` WalletConnect methods.
func sign(
messageData: Data,
keyPair: EthereumKeyPair
) -> Result<Data, EthereumSignerError>
func signTypedData(
messageJson: String,
keyPair: EthereumKeyPair
) -> Result<Data, EthereumSignerError>
}
final class EthereumSigner: EthereumSignerAPI {
func sign(
transaction: EthereumTransactionCandidateCosted,
keyPair: EthereumKeyPair
) -> Result<EthereumTransactionEncoded, EthereumSignerError> {
var input = transaction.transaction
input.privateKey = keyPair.privateKey.data
let output: EthereumSigningOutput = AnySigner.sign(input: input, coin: .ethereum)
let signed = EthereumTransactionEncoded(transaction: output)
return .success(signed)
}
func sign(
messageData: Data,
keyPair: EthereumKeyPair
) -> Result<Data, EthereumSignerError> {
personalSignData(messageData: messageData)
.map { personalSignData -> Data in
WalletCore.Hash.keccak256(data: personalSignData)
}
.flatMap { data -> Result<Data, EthereumSignerError> in
guard let pk = WalletCore.PrivateKey(data: keyPair.privateKey.data) else {
return .failure(.failedPersonalMessageSign)
}
guard let signed = pk.sign(digest: data, curve: .secp256k1) else {
return .failure(.failedPersonalMessageSign)
}
return .success(signed)
}
}
func signTypedData(
messageJson: String,
keyPair: EthereumKeyPair
) -> Result<Data, EthereumSignerError> {
encodeTypedData(messageJson: messageJson)
.flatMap { data -> Result<Data, EthereumSignerError> in
guard let pk = WalletCore.PrivateKey(data: keyPair.privateKey.data) else {
return .failure(.failedSignTypedData)
}
guard let signed = pk.sign(digest: data, curve: .secp256k1) else {
return .failure(.failedSignTypedData)
}
return .success(signed)
}
}
private func personalSignData(messageData: Data) -> Result<Data, EthereumSignerError> {
let prefix = "\u{19}Ethereum Signed Message:\n"
let countString = String(messageData.count)
guard let prefixData = (prefix + countString).data(using: .ascii) else {
return .failure(.failedPersonalMessageSign)
}
return .success(prefixData + messageData)
}
private func encodeTypedData(messageJson: String) -> Result<Data, EthereumSignerError> {
let data = EthereumAbi.encodeTyped(messageJson: messageJson)
return data.isEmpty ?
.failure(.failedSignTypedData)
: .success(data)
}
}
| c18f692aee1294166e80e5a024cc46cf | 35.479167 | 148 | 0.641633 | false | false | false | false |
syoung-smallwisdom/BridgeAppSDK | refs/heads/master | BridgeAppSDK/SBALoginStep.swift | bsd-3-clause | 1 | //
// SBALoginStep.swift
// BridgeAppSDK
//
// Copyright © 2016 Sage Bionetworks. 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(s) nor the names of any contributors
// may be used to endorse or promote products derived from this software without
// specific prior written permission. No license is granted to the trademarks of
// the copyright holders even if such marks are included in this software.
//
// 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 OWNER 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.
//
import ResearchKit
open class SBALoginStep: ORKFormStep, SBAProfileInfoForm {
open var surveyItemType: SBASurveyItemType {
return .account(.login)
}
open func defaultOptions(_ inputItem: SBASurveyItem?) -> [SBAProfileInfoOption] {
return [.email, .password]
}
public override required init(identifier: String) {
super.init(identifier: identifier)
commonInit(nil)
}
public init?(inputItem: SBASurveyItem) {
super.init(identifier: inputItem.identifier)
commonInit(inputItem)
}
open override func validateParameters() {
super.validateParameters()
try! validate(options: self.options)
}
open func validate(options: [SBAProfileInfoOption]?) throws {
guard let options = options else {
throw SBAProfileInfoOptionsError.missingRequiredOptions
}
guard options.contains(.email) && options.contains(.password) else {
throw SBAProfileInfoOptionsError.missingEmail
}
}
open override var isOptional: Bool {
get { return false }
set {}
}
open override func stepViewControllerClass() -> AnyClass {
return SBALoginStepViewController.classForCoder()
}
// MARK: NSCoding
public required init(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
}
}
open class SBALoginStepViewController: ORKFormStepViewController, SBAUserRegistrationController {
lazy open var sharedAppDelegate: SBAAppInfoDelegate = {
return UIApplication.shared.delegate as! SBAAppInfoDelegate
}()
// Mark: Navigation overrides - cannot go back and override go forward to register
// Override the default method for goForward and attempt user registration. Do not allow subclasses
// to override this method
final public override func goForward() {
showLoadingView()
sharedUser.loginUser(email: email!, password: password!) { [weak self] error in
if let error = error {
self?.handleFailedRegistration(error)
}
else {
self?.goNext()
}
}
}
func goNext() {
// Then call super to go forward
super.goForward()
}
open var failedValidationMessage = Localization.localizedString("SBA_REGISTRATION_UNKNOWN_FAILED")
open var failedRegistrationTitle = Localization.localizedString("SBA_REGISTRATION_FAILED_TITLE")
}
| 1c4c8a9915cd3f64206210d765c6bf07 | 35.288136 | 103 | 0.695002 | false | false | false | false |
netguru/inbbbox-ios | refs/heads/develop | Inbbbox/Source Files/Providers/NightModeHoursProvider.swift | gpl-3.0 | 1 | //
// NightModeHoursProvider.swift
// Inbbbox
//
// Created by Marcin Siemaszko on 02.12.2016.
// Copyright © 2016 Netguru Sp. z o.o. All rights reserved.
//
import Foundation
import PromiseKit
import CoreLocation
import SwiftyJSON
import Solar
import SwiftyUserDefaults
enum NightModeHoursProviderError: Error {
case couldNotCalculate
}
struct SunStateHours {
let nextSunrise: Date
let nextSunset: Date
}
extension DefaultsKeys {
static let nextSunrise = DefaultsKey<Date?>("nextSunrise")
static let nextSunset = DefaultsKey<Date?>("nextSunset")
}
// Provides informations about estimated time of
// sunrise and sundown in users location
final class NightModeHoursProvider {
private static let secondsInDay = 24 * 60 * 60
class var nextSunrise: Date? {
get {
return Defaults[.nextSunrise]
}
set(value) {
Defaults[.nextSunrise] = value
}
}
class var nextSunset: Date? {
get {
return Defaults[.nextSunset]
}
set(value) {
Defaults[.nextSunset] = value
}
}
fileprivate let locationProvider: EstimatedLocationProvider
fileprivate let timeZone: TimeZone
init(locationProvider: EstimatedLocationProvider = EstimatedLocationProvider(), timeZone: TimeZone = TimeZone.autoupdatingCurrent) {
self.locationProvider = locationProvider
self.timeZone = timeZone
}
///
/// Provides you with information about next sunrise and
/// sunset time in users estimated location.
///
/// - Returns: Promise resolved with SunStateHours object
///
func nextSunStateHours() -> Promise<SunStateHours> {
return sunStateHours(for: Date())
}
///
/// Provides you with information about sunrise and
/// sunset time in users estimated location at given date.
///
/// - Returns: Promise resolved with SunStateHours object
///
func sunStateHours(for date: Date) -> Promise<SunStateHours> {
return Promise<SunStateHours> { fulfill, reject in
firstly {
locationProvider.obtainLocationBasedOnIp()
}.then { location -> Void in
let latitude = location.latitude
let longitude = location.longitude
let solar = Solar(forDate:date, withTimeZone: self.timeZone, latitude: latitude, longitude: longitude)
let solarTomorrow = Solar(forDate: date.addingTimeInterval(TimeInterval(NightModeHoursProvider.secondsInDay)), withTimeZone: self.timeZone, latitude: latitude, longitude: longitude)
let nextSunrise = solar?.sunrise?.compare(date) == .orderedDescending ? solar?.sunrise : solarTomorrow?.sunrise
let nextSunset = solar?.sunset?.compare(date) == .orderedDescending ? solar?.sunset : solarTomorrow?.sunset
if let sunrise = nextSunrise, let sunset = nextSunset {
NightModeHoursProvider.nextSunrise = sunrise
NightModeHoursProvider.nextSunset = sunset
fulfill(SunStateHours(nextSunrise: sunrise, nextSunset: sunset))
} else {
reject(NightModeHoursProviderError.couldNotCalculate)
}
}.catch(execute: reject)
}
}
class func currentColorModeBasedOnTime() -> ColorMode? {
if let sunrise = NightModeHoursProvider.nextSunrise, let sunset = NightModeHoursProvider.nextSunset {
let date = Date()
let timeUntilSunset = sunset.timeIntervalSince(date)
let timeUntilSunrise = sunrise.timeIntervalSince(date)
return timeUntilSunset < timeUntilSunrise ? .dayMode : .nightMode
}
return nil
}
}
| bd4a1e139e78ba204ed70867f1b080b3 | 32.279661 | 197 | 0.627706 | false | false | false | false |
kaorimatz/KZSideDrawerController | refs/heads/master | Example/KZSideDrawerController/DrawerSettingsViewController.swift | mit | 1 | //
// DrawerSettingsViewController.swift
// KZSideDrawerController
//
// Created by Satoshi Matsumoto on 1/3/16.
// Copyright © 2016 Satoshi Matsumoto. All rights reserved.
//
import UIKit
import KZSideDrawerController
import PureLayout
class DrawerSettingsViewController: UITableViewController {
// MARK: - Drawer Controller
private var drawerController: KZSideDrawerController? {
return navigationController?.parentViewController as? KZSideDrawerController
}
private var drawerLeftViewController: UIViewController?
private var drawerRightViewController: UIViewController?
// MARK: - Shadow Opacity
private var shadowOpacity: Float {
return drawerController?.shadowOpacity ?? 0
}
private lazy var shadowOpacityLabel: UILabel = {
let label = UILabel()
label.translatesAutoresizingMaskIntoConstraints = false
label.text = NSString(format: "%.2f", self.shadowOpacity) as String
return label
}()
private lazy var shadowOpacitySlider: UISlider = {
let slider = UISlider()
slider.translatesAutoresizingMaskIntoConstraints = false
slider.minimumValue = 0
slider.maximumValue = 1
slider.value = self.shadowOpacity
slider.addTarget(self, action: "didChangeShadowOpacity:", forControlEvents: .ValueChanged)
return slider
}()
private lazy var shadowOpacityCell: UITableViewCell = {
let cell = UITableViewCell()
cell.translatesAutoresizingMaskIntoConstraints = false
cell.selectionStyle = .None
cell.contentView.addSubview(self.shadowOpacityLabel)
cell.contentView.addSubview(self.shadowOpacitySlider)
self.shadowOpacityLabel.autoPinEdgesToSuperviewMarginsExcludingEdge(.Right)
self.shadowOpacityLabel.autoSetDimension(.Width, toSize: 40)
self.shadowOpacitySlider.autoPinEdgesToSuperviewMarginsExcludingEdge(.Left)
self.shadowOpacitySlider.autoPinEdge(.Left, toEdge: .Right, ofView: self.shadowOpacityLabel, withOffset: 8)
return cell
}()
func didChangeShadowOpacity(sender: UISlider) {
drawerController?.shadowOpacity = sender.value
shadowOpacityLabel.text = NSString(format: "%.2f", shadowOpacity) as String
}
// MARK: - Left Drawer
private var leftDrawerEnabled: Bool {
return drawerController?.leftViewController != nil
}
private lazy var leftDrawerEnabledSwitch: UISwitch = {
let enabledSwitch = UISwitch()
enabledSwitch.translatesAutoresizingMaskIntoConstraints = false
enabledSwitch.on = self.leftDrawerEnabled
enabledSwitch.addTarget(self, action: "didChangeLeftDrawerEnabled:", forControlEvents: .ValueChanged)
return enabledSwitch
}()
private lazy var leftDrawerEnabledCell: UITableViewCell = {
let cell = UITableViewCell()
cell.translatesAutoresizingMaskIntoConstraints = false
cell.selectionStyle = .None
cell.contentView.addSubview(self.leftDrawerEnabledSwitch)
self.leftDrawerEnabledSwitch.autoCenterInSuperview()
return cell
}()
func didChangeLeftDrawerEnabled(sender: UISwitch) {
if sender.on {
drawerController?.leftViewController = drawerLeftViewController
} else {
drawerLeftViewController = drawerController?.leftViewController
drawerController?.leftViewController = nil
}
}
// MARK: - Right Drawer
private var rightDrawerEnabled: Bool {
return drawerController?.rightViewController != nil
}
private lazy var rightDrawerEnabledSwitch: UISwitch = {
let enabledSwitch = UISwitch()
enabledSwitch.translatesAutoresizingMaskIntoConstraints = false
enabledSwitch.on = self.rightDrawerEnabled
enabledSwitch.addTarget(self, action: "didChangeRightDrawerEnabled:", forControlEvents: .ValueChanged)
return enabledSwitch
}()
private lazy var rightDrawerEnabledCell: UITableViewCell = {
let cell = UITableViewCell()
cell.translatesAutoresizingMaskIntoConstraints = false
cell.selectionStyle = .None
cell.contentView.addSubview(self.rightDrawerEnabledSwitch)
self.rightDrawerEnabledSwitch.autoCenterInSuperview()
return cell
}()
func didChangeRightDrawerEnabled(sender: UISwitch) {
if sender.on {
drawerController?.rightViewController = drawerRightViewController
} else {
drawerRightViewController = drawerController?.rightViewController
drawerController?.rightViewController = nil
}
}
// MARK: - Left Drawer Width
private var leftDrawerWidth: CGFloat {
return drawerController?.leftDrawerWidth ?? 0
}
private lazy var leftDrawerWidthLabel: UILabel = {
let label = UILabel()
label.translatesAutoresizingMaskIntoConstraints = false
label.text = NSString(format: "%.f", self.leftDrawerWidth) as String
return label
}()
private lazy var leftDrawerWidthSlider: UISlider = {
let slider = UISlider()
slider.translatesAutoresizingMaskIntoConstraints = false
slider.minimumValue = 0
slider.maximumValue = Float(self.view.frame.width)
slider.value = Float(self.leftDrawerWidth)
slider.addTarget(self, action: "didChangeLeftDrawerWidth:", forControlEvents: .ValueChanged)
return slider
}()
private lazy var leftDrawerWidthCell: UITableViewCell = {
let cell = UITableViewCell()
cell.translatesAutoresizingMaskIntoConstraints = false
cell.selectionStyle = .None
cell.contentView.addSubview(self.leftDrawerWidthLabel)
cell.contentView.addSubview(self.leftDrawerWidthSlider)
self.leftDrawerWidthLabel.autoPinEdgesToSuperviewMarginsExcludingEdge(.Right)
self.leftDrawerWidthLabel.autoSetDimension(.Width, toSize: 40)
self.leftDrawerWidthSlider.autoPinEdgesToSuperviewMarginsExcludingEdge(.Left)
self.leftDrawerWidthSlider.autoPinEdge(.Left, toEdge: .Right, ofView: self.leftDrawerWidthLabel, withOffset: 8)
return cell
}()
func didChangeLeftDrawerWidth(sender: UISlider) {
drawerController?.leftDrawerWidth = CGFloat(sender.value)
leftDrawerWidthLabel.text = NSString(format: "%.f", leftDrawerWidth) as String
}
// MARK: - Right Drawer Width
private var rightDrawerWidth: CGFloat {
return drawerController?.rightDrawerWidth ?? 0
}
private lazy var rightDrawerWidthLabel: UILabel = {
let label = UILabel()
label.translatesAutoresizingMaskIntoConstraints = false
label.text = NSString(format: "%.f", self.rightDrawerWidth) as String
return label
}()
private lazy var rightDrawerWidthSlider: UISlider = {
let slider = UISlider()
slider.translatesAutoresizingMaskIntoConstraints = false
slider.minimumValue = 0
slider.maximumValue = Float(self.view.frame.width)
slider.value = Float(self.rightDrawerWidth)
slider.addTarget(self, action: "didChangeRightDrawerWidth:", forControlEvents: .ValueChanged)
return slider
}()
private lazy var rightDrawerWidthCell: UITableViewCell = {
let cell = UITableViewCell()
cell.translatesAutoresizingMaskIntoConstraints = false
cell.selectionStyle = .None
cell.contentView.addSubview(self.rightDrawerWidthLabel)
cell.contentView.addSubview(self.rightDrawerWidthSlider)
self.rightDrawerWidthLabel.autoPinEdgesToSuperviewMarginsExcludingEdge(.Right)
self.rightDrawerWidthLabel.autoSetDimension(.Width, toSize: 40)
self.rightDrawerWidthSlider.autoPinEdgesToSuperviewMarginsExcludingEdge(.Left)
self.rightDrawerWidthSlider.autoPinEdge(.Left, toEdge: .Right, ofView: self.rightDrawerWidthLabel, withOffset: 8)
return cell
}()
func didChangeRightDrawerWidth(sender: UISlider) {
drawerController?.rightDrawerWidth = CGFloat(sender.value)
rightDrawerWidthLabel.text = NSString(format: "%.f", rightDrawerWidth) as String
}
// MARK: - Managing the View
override func viewDidLoad() {
super.viewDidLoad()
let menuImage = UIImage(named: "ic_menu")
let leftMenuButtonItem = UIBarButtonItem(image: menuImage, style: .Plain, target: self, action: "didTapLeftMenuButtonItem:")
navigationItem.leftBarButtonItem = leftMenuButtonItem
let rightMenuButtonItem = UIBarButtonItem(image: menuImage, style: .Plain, target: self, action: "didTapRightMenuButtonItem:")
navigationItem.rightBarButtonItem = rightMenuButtonItem
}
// MARK: - Configuring a Table View
override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
if indexPath.section == 0 {
return shadowOpacityCell
} else if indexPath.section == 1 {
return leftDrawerEnabledCell
} else if indexPath.section == 2 {
return rightDrawerEnabledCell
} else if indexPath.section == 3 {
return leftDrawerWidthCell
} else {
return rightDrawerWidthCell
}
}
override func numberOfSectionsInTableView(tableView: UITableView) -> Int {
return 5
}
override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return 1
}
override func tableView(tableView: UITableView, titleForHeaderInSection section: Int) -> String? {
if section == 0 {
return "Shadow opacity"
} else if section == 1 {
return "Left drawer"
} else if section == 2 {
return "Right drawer"
} else if section == 3 {
return "Left drawer width"
} else {
return "Right drawer width"
}
}
// MARK: - Handling the Menu Button
func didTapLeftMenuButtonItem(_: UIBarButtonItem) {
drawerController?.openDrawer(side: .Left, animated: true) { finished in
if finished {
print("openDrawer finished")
}
}
}
func didTapRightMenuButtonItem(_: UIBarButtonItem) {
drawerController?.openDrawer(side: .Right, animated: true) { finished in
if finished {
print("openDrawer finished")
}
}
}
}
| c253b5fc0a593d777a22491f58ff08bf | 36.163121 | 134 | 0.690076 | false | false | false | false |
zning1994/practice | refs/heads/master | Swift学习/code4xcode6/ch12/12.5使用下标.playground/section-1.swift | gpl-2.0 | 1 | // 本书网站:http://www.51work6.com/swift.php
// 智捷iOS课堂在线课堂:http://v.51work6.com
// 智捷iOS课堂新浪微博:http://weibo.com/u/3215753973
// 智捷iOS课堂微信公共账号:智捷iOS课堂
// 作者微博:http://weibo.com/516inc
// 官方csdn博客:http://blog.csdn.net/tonny_guan
// Swift语言QQ讨论群:362298485 联系QQ:1575716557 邮箱:[email protected]
struct DoubleDimensionalArray {
let rows: Int, columns: Int
var grid: [Int]
init(rows: Int, columns: Int) {
self.rows = rows
self.columns = columns
grid = Array(count: rows * columns, repeatedValue: 0)
}
subscript(row: Int, col: Int) -> Int {
get {
return grid[(row * columns) + col]
}
set (newValue1){
grid[(row * columns) + col] = newValue1
}
}
}
let COL_NUM = 10
let ROW_NUM = 10
var ary2 = DoubleDimensionalArray(rows: ROW_NUM, columns: COL_NUM)
for var i = 0; i < ROW_NUM; i++ {
for var j = 0; j < COL_NUM; j++ {
ary2[i,j] = i * j
}
}
for var i = 0; i < ROW_NUM; i++ {
for var j = 0; j < COL_NUM; j++ {
print("\t \(ary2[i,j])")
}
print("\n")
} | ab80324f265ea873dae4af1e6336383a | 21.5 | 66 | 0.546263 | false | false | false | false |
xiabob/ZhiHuDaily | refs/heads/master | ZhiHuDaily/ZhiHuDaily/Views/Menu/MenuNormalCell.swift | mit | 1 | //
// MenuNormalCell.swift
// ZhiHuDaily
//
// Created by xiabob on 17/4/10.
// Copyright © 2017年 xiabob. All rights reserved.
//
import UIKit
class MenuNormalCell: MenuCell {
override func configViews() {
super.configViews()
addSubview(titleLabel)
addSubview(flagView)
setLayout()
}
fileprivate func setLayout() {
titleLabel.snp.makeConstraints { (make) in
make.left.equalTo(20)
make.centerY.equalTo(self)
}
flagView.snp.makeConstraints { (make) in
make.right.equalTo(0)
make.centerY.equalTo(titleLabel)
make.width.equalTo(80)
}
}
func refreshViews(with model: ThemeModel) {
themeModel = model
titleLabel.text = model.name
if model.isSubscribed {
flagView.setImage(#imageLiteral(resourceName: "Menu_Enter"), for: .normal)
} else {
flagView.setImage(#imageLiteral(resourceName: "Dark_Menu_Follow"), for: .normal)
}
if model.isSelected {
backgroundColor = kMenuSelectedColor
titleLabel.textColor = UIColor.white
} else {
backgroundColor = kMenuBackgroundColor
titleLabel.textColor = kMenuGrayWhiteTextColor
}
}
}
| 9dc37244bc41fc468212749f904c21e0 | 25.196078 | 92 | 0.586078 | false | false | false | false |
rizumita/TransitionOperator | refs/heads/master | TransitionOperatorSample/TransitionOperations.swift | mit | 1 | //
// Transitions.swift
// TransitionOperator
//
// Created by 和泉田 領一 on 2016/02/25.
// Copyright © 2016年 CAPH TECH. All rights reserved.
//
import Foundation
import TransitionOperator
var storyboardReferenceDestinationTransitionOperator: TransitionOperatorType = TransitionOperator { (segue: TransitionExecutorSegue, source: Any, destination: DestinationViewController) in
destination.text = "Storyboard Reference"
}
var actionDestinationTransitionOperator: TransitionOperatorType = TransitionOperator { (segue: TransitionExecutorSegue, source: Any, destination: DestinationViewController) in
if let text = segue.transitionPayload?.payloadValue as? String {
destination.text = text
}
}
| 0a4922c0bda6b5abf8edf8b9aa02f517 | 34.7 | 188 | 0.784314 | false | false | false | false |
Cleverdesk/cleverdesk-ios | refs/heads/master | Cleverdesk/RadioButton.swift | gpl-3.0 | 1 | //
// RadioButton.swift
// Cleverdesk
//
// Created by Matthias Kremer on 24.05.16.
// Copyright © 2016 Cleverdesk. All rights reserved.
//
import Foundation
import UIKit
class RadioButton: Component{
var value: String?
var enabled: Bool?
var input_name: String?
var label: String?
var selected: Bool?
func name() -> String {
return "RadioButton"
}
func copy() -> Component {
return RadioButton()
}
func fromJSON(json: AnyObject){
let dic = (json as! Dictionary<NSString, NSObject>)
input_name = dic["input_name"] as? String
enabled = dic["enabled"] as? Bool
value = dic["value"] as? String
selected = dic["selected"] as? Bool
label = dic["label"] as? String
}
func toUI(frame: CGRect) -> [UIView]? {
return[]
}
} | 64b74ddfe54557ed33346ad4bc1aa61c | 20.119048 | 59 | 0.566591 | false | false | false | false |
binarylevel/Tinylog-iOS | refs/heads/master | Tinylog/Extensions/UIFont+TinylogiOSAdditions.swift | mit | 1 | //
// UIFont+TinylogiOSAdditions.swift
// Tinylog
//
// Created by Spiros Gerokostas on 18/10/15.
// Copyright © 2015 Spiros Gerokostas. All rights reserved.
//
import UIKit
let kTLIRegularFontName:NSString = "HelveticaNeue"
let kTLIBoldFontName:NSString = "HelveticaNeue-Bold"
let kTLIBoldItalicFontName:NSString = "HelveticaNeue-BoldItalic"
let kTLIItalicFontName:NSString = "HelveticaNeue-Italic"
@available(iOS 8.2, *)
let kTLIRegularSFFontName:NSString = UIFont.systemFontOfSize(10.0, weight: UIFontWeightRegular).fontName //".SFUIText-Regular"
@available(iOS 8.2, *)
let kTLIBoldSFFontName:NSString = UIFont.systemFontOfSize(10.0, weight: UIFontWeightBold).fontName //".SFUIText-Bold"
@available(iOS 8.2, *)
let kTLIBoldItalicSFFontName:NSString = UIFont.systemFontOfSize(10.0, weight: UIFontWeightMedium).fontName //".SFUIText-Medium"
@available(iOS 8.2, *)
let kTLIItalicSFFontName:NSString = UIFont.systemFontOfSize(10.0, weight: UIFontWeightLight).fontName //".SFUIText-Light"
let kTLIFontRegularKey:NSString = "Regular"
let kTLIFontItalicKey:NSString = "Italic"
let kTLIFontBoldKey:NSString = "Bold"
let kTLIFontBoldItalicKey:NSString = "BoldItalic"
let kTLIFontDefaultsKey:NSString = "TLIFontDefaults"
let kTLIFontSanFranciscoKey:NSString = "SanFrancisco"
let kTLIFontHelveticaNeueKey:NSString = "HelveticaNeue"
let kTLIFontAvenirKey:NSString = "Avenir"
let kTLIFontHoeflerKey:NSString = "Hoefler"
let kTLIFontCourierKey:NSString = "Courier"
let kTLIFontGeorgiaKey:NSString = "Georgia"
let kTLIFontMenloKey:NSString = "Menlo"
let kTLIFontTimesNewRomanKey:NSString = "TimesNewRoman"
let kTLIFontPalatinoKey:NSString = "Palatino"
let kTLIFontIowanKey:NSString = "Iowan"
// MARK: Extensions UIFont
extension UIFont {
class func mediumFontWithSize(size:CGFloat) -> UIFont {
if #available(iOS 9, *) {
return UIFont.systemFontOfSize(size, weight: UIFontWeightMedium)
} else {
return UIFont(name: "HelveticaNeue-Medium", size: size)!
}
}
class func regularFontWithSize(size:CGFloat) -> UIFont {
if #available(iOS 9, *) {
return UIFont.systemFontOfSize(size, weight: UIFontWeightRegular)
} else {
return UIFont(name: "HelveticaNeue", size: size)!
}
}
class func tinylogFontMapForFontKey(key:NSString) -> NSDictionary? {
var fontDictionary:NSDictionary? = nil
var onceToken:dispatch_once_t = 0
dispatch_once(&onceToken) { () -> Void in
let defaultFont = NSDictionary(objects: [
kTLIRegularFontName,
kTLIItalicFontName,
kTLIBoldFontName,
kTLIBoldItalicFontName], forKeys: [
kTLIFontRegularKey,
kTLIFontItalicKey,
kTLIFontBoldKey,
kTLIFontBoldItalicKey])
let sf = NSDictionary(objects: [
".SFUIText-Regular",
".SFUIText-Light",
".SFUIText-Bold",
".SFUIText-Medium"], forKeys: [
kTLIFontRegularKey,
kTLIFontItalicKey,
kTLIFontBoldKey,
kTLIFontBoldItalicKey])
let helveticaNeue = NSDictionary(objects: [
"HelveticaNeue",
"HelveticaNeue-Italic",
"HelveticaNeue-Bold",
"HelveticaNeue-BoldItalic"], forKeys: [
kTLIFontRegularKey,
kTLIFontItalicKey,
kTLIFontBoldKey,
kTLIFontBoldItalicKey])
let avenir = NSDictionary(objects: [
"Avenir-Book",
"Avenir-BookOblique",
"Avenir-Black",
"Avenir-BlackOblique"], forKeys: [
kTLIFontRegularKey,
kTLIFontItalicKey,
kTLIFontBoldKey,
kTLIFontBoldItalicKey])
let hoefler = NSDictionary(objects: [
"HoeflerText-Regular",
"HoeflerText-Italic",
"HoeflerText-Black",
"HoeflerText-BlackItalic"], forKeys: [
kTLIFontRegularKey,
kTLIFontItalicKey,
kTLIFontBoldKey,
kTLIFontBoldItalicKey])
let courier = NSDictionary(objects: [
"Courier",
"Courier-Oblique",
"Courier-Bold",
"Courier-BoldOblique"], forKeys: [
kTLIFontRegularKey,
kTLIFontItalicKey,
kTLIFontBoldKey,
kTLIFontBoldItalicKey])
let georgia = NSDictionary(objects: [
"Georgia",
"Georgia-Italic",
"Georgia-Bold",
"Georgia-BoldItalic"], forKeys: [
kTLIFontRegularKey,
kTLIFontItalicKey,
kTLIFontBoldKey,
kTLIFontBoldItalicKey])
let menlo = NSDictionary(objects: [
"Menlo-Regular",
"Menlo-Italic",
"Menlo-Bold",
"Menlo-BoldItalic"], forKeys: [
kTLIFontRegularKey,
kTLIFontItalicKey,
kTLIFontBoldKey,
kTLIFontBoldItalicKey])
let timesNewRoman = NSDictionary(objects: [
"TimesNewRomanPSMT",
"TimesNewRomanPS-ItalicMT",
"TimesNewRomanPS-BoldMT",
"TimesNewRomanPS-BoldItalicMT"], forKeys: [
kTLIFontRegularKey,
kTLIFontItalicKey,
kTLIFontBoldKey,
kTLIFontBoldItalicKey])
let palatino = NSDictionary(objects: [
"Palatino-Roman",
"Palatino-Italic",
"Palatino-Bold",
"Palatino-BoldItalic"], forKeys: [
kTLIFontRegularKey,
kTLIFontItalicKey,
kTLIFontBoldKey,
kTLIFontBoldItalicKey])
let iowan = NSDictionary(objects: [
"IowanOldStyle-Roman",
"IowanOldStyle-Italic",
"IowanOldStyle-Bold",
"IowanOldStyle-BoldItalic"], forKeys: [
kTLIFontRegularKey,
kTLIFontItalicKey,
kTLIFontBoldKey,
kTLIFontBoldItalicKey])
if #available(iOS 9, *) {
let defaultFontSF = NSDictionary(objects: [
kTLIRegularSFFontName,
kTLIItalicSFFontName,
kTLIBoldSFFontName,
kTLIBoldItalicSFFontName], forKeys: [
kTLIFontRegularKey,
kTLIFontItalicKey,
kTLIFontBoldKey,
kTLIFontBoldItalicKey])
fontDictionary = NSDictionary(objects: [
defaultFontSF,
sf,
helveticaNeue,
avenir,
hoefler,
courier,
georgia,
menlo,
timesNewRoman,
palatino,
iowan], forKeys: [
kTLIFontSanFranciscoKey,
kTLIFontSanFranciscoKey,
kTLIFontHelveticaNeueKey,
kTLIFontAvenirKey,
kTLIFontHoeflerKey,
kTLIFontCourierKey,
kTLIFontGeorgiaKey,
kTLIFontMenloKey,
kTLIFontTimesNewRomanKey,
kTLIFontPalatinoKey,
kTLIFontIowanKey])
} else {
fontDictionary = NSDictionary(objects: [
defaultFont,
helveticaNeue,
avenir,
hoefler,
courier,
georgia,
menlo,
timesNewRoman,
palatino,
iowan], forKeys: [
kTLIFontHelveticaNeueKey,
kTLIFontHelveticaNeueKey,
kTLIFontAvenirKey,
kTLIFontHoeflerKey,
kTLIFontCourierKey,
kTLIFontGeorgiaKey,
kTLIFontMenloKey,
kTLIFontTimesNewRomanKey,
kTLIFontPalatinoKey,
kTLIFontIowanKey])
}
}
return fontDictionary!.objectForKey(key) as? NSDictionary
}
class func tinylogFontNameForFontKey(key:NSString, style:NSString)->NSString? {
return UIFont.tinylogFontMapForFontKey(key)?.objectForKey(style)! as? NSString
}
class func tinylogFontNameForStyle(style:NSString)->NSString? {
return UIFont.tinylogFontNameForFontKey(TLISettingsFontPickerViewController.selectedKey()!, style: style)
}
// MARK: Fonts
class func tinylogFontOfSize(fontSize:CGFloat, key:NSString)->UIFont? {
let fontName:NSString? = UIFont.tinylogFontNameForFontKey(key, style: kTLIFontRegularKey)!
return UIFont(name: fontName! as String, size: fontSize)
}
class func italicTinylogFontOfSize(fontSize:CGFloat, key:NSString)->UIFont? {
let fontName:NSString? = UIFont.tinylogFontNameForFontKey(key, style: kTLIFontItalicKey)!
return UIFont(name: fontName! as String, size: fontSize)
}
class func boldTinylogFontOfSize(fontSize:CGFloat, key:NSString)->UIFont? {
let fontName:NSString? = UIFont.tinylogFontNameForFontKey(key, style: kTLIFontBoldKey)!
return UIFont(name: fontName! as String, size: fontSize)
}
class func boldItalicTinylogFontOfSize(fontSize:CGFloat, key:NSString)->UIFont? {
let fontName:NSString? = UIFont.tinylogFontNameForFontKey(key, style: kTLIFontBoldItalicKey)!
return UIFont(name: fontName! as String, size: fontSize)
}
// MARK: Standard
class func tinylogFontOfSize(fontSize:CGFloat)->UIFont {
var size:CGFloat = fontSize
size += TLISettingsFontPickerViewController.fontSizeAdjustment()
return UIFont.tinylogFontOfSize(fontSize, key: TLISettingsFontPickerViewController.selectedKey()!)!
}
class func italicTinylogFontOfSize(fontSize:CGFloat)->UIFont {
var size:CGFloat = fontSize
size += TLISettingsFontPickerViewController.fontSizeAdjustment()
return UIFont.italicTinylogFontOfSize(fontSize, key: TLISettingsFontPickerViewController.selectedKey()!)!
}
class func boldTinylogFontOfSize(fontSize:CGFloat)->UIFont {
var size:CGFloat = fontSize
size += TLISettingsFontPickerViewController.fontSizeAdjustment()
return UIFont.boldTinylogFontOfSize(fontSize, key: TLISettingsFontPickerViewController.selectedKey()!)!
}
class func boldItalicTinylogFontOfSize(fontSize:CGFloat)->UIFont {
var size:CGFloat = fontSize
size += TLISettingsFontPickerViewController.fontSizeAdjustment()
return UIFont.boldItalicTinylogFontOfSize(fontSize, key: TLISettingsFontPickerViewController.selectedKey()!)!
}
// MARK: Interface
class func tinylogInterfaceFontOfSize(fontSize:CGFloat)->UIFont? {
return UIFont(name: kTLIRegularFontName as String, size: fontSize)
}
class func boldTinylogInterfaceFontOfSize(fontSize:CGFloat)->UIFont? {
return UIFont(name: kTLIBoldFontName as String, size: fontSize)
}
class func italicTinylogInterfaceFontOfSize(fontSize:CGFloat)->UIFont? {
return UIFont(name: kTLIItalicFontName as String, size: fontSize)
}
class func boldItalicTinylogInterfaceFontOfSize(fontSize:CGFloat)->UIFont? {
return UIFont(name: kTLIBoldItalicFontName as String, size: fontSize)
}
class func preferredHelveticaNeueFontForTextStyle(textStyle:NSString)->UIFont? {
var fontSize:CGFloat = 16.0
let contentSize:NSString = UIApplication.sharedApplication().preferredContentSizeCategory
let fontNameRegular:NSString = "HelveticaNeue"
let fontNameMedium:NSString = "HelveticaNeue-Medium"
var fontSizeOffsetDictionary:Dictionary<String, Dictionary<String, AnyObject>>? = nil
var onceToken:dispatch_once_t = 0
dispatch_once(&onceToken) { () -> Void in
fontSizeOffsetDictionary = [
UIContentSizeCategoryLarge:[UIFontTextStyleBody:1,
UIFontTextStyleHeadline:1,
UIFontTextStyleSubheadline:-1,
UIFontTextStyleCaption1:-4,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-3],
UIContentSizeCategoryExtraSmall:[UIFontTextStyleBody:-2,
UIFontTextStyleHeadline:-2,
UIFontTextStyleSubheadline:-4,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategorySmall:[UIFontTextStyleBody:-1,
UIFontTextStyleHeadline:-1,
UIFontTextStyleSubheadline:-3,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryMedium:[UIFontTextStyleBody:0,
UIFontTextStyleHeadline:0,
UIFontTextStyleSubheadline:-2,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryExtraExtraLarge:[UIFontTextStyleBody:3,
UIFontTextStyleHeadline:3,
UIFontTextStyleSubheadline:1,
UIFontTextStyleCaption1:-2,
UIFontTextStyleCaption2:-3,
UIFontTextStyleFootnote:-1],
UIContentSizeCategoryExtraExtraExtraLarge:[UIFontTextStyleBody:4,
UIFontTextStyleHeadline:4,
UIFontTextStyleSubheadline:2,
UIFontTextStyleCaption1:-1,
UIFontTextStyleCaption2:-2,
UIFontTextStyleFootnote:0]]
}
let content = fontSizeOffsetDictionary![contentSize as String]
let value:AnyObject = content![textStyle as String]!
fontSize += value as! CGFloat
if textStyle == UIFontTextStyleHeadline || textStyle == UIFontTextStyleSubheadline {
return UIFont(name: fontNameMedium as String, size: fontSize)
} else {
return UIFont(name: fontNameRegular as String, size: fontSize)
}
}
class func preferredAvenirFontForTextStyle(textStyle:NSString)->UIFont? {
var fontSize:CGFloat = 16.0
let contentSize:NSString = UIApplication.sharedApplication().preferredContentSizeCategory
let fontNameRegular:NSString = "Avenir-Book"
let fontNameMedium:NSString = "Avenir-Medium"
var fontSizeOffsetDictionary:Dictionary<String, Dictionary<String, AnyObject>>? = nil
var onceToken:dispatch_once_t = 0
dispatch_once(&onceToken) { () -> Void in
fontSizeOffsetDictionary = [
UIContentSizeCategoryLarge:[UIFontTextStyleBody:1,
UIFontTextStyleHeadline:1,
UIFontTextStyleSubheadline:-1,
UIFontTextStyleCaption1:-4,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-3],
UIContentSizeCategoryExtraSmall:[UIFontTextStyleBody:-2,
UIFontTextStyleHeadline:-2,
UIFontTextStyleSubheadline:-4,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategorySmall:[UIFontTextStyleBody:-1,
UIFontTextStyleHeadline:-1,
UIFontTextStyleSubheadline:-3,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryMedium:[UIFontTextStyleBody:0,
UIFontTextStyleHeadline:0,
UIFontTextStyleSubheadline:-2,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryExtraExtraLarge:[UIFontTextStyleBody:3,
UIFontTextStyleHeadline:3,
UIFontTextStyleSubheadline:1,
UIFontTextStyleCaption1:-2,
UIFontTextStyleCaption2:-3,
UIFontTextStyleFootnote:-1],
UIContentSizeCategoryExtraExtraExtraLarge:[UIFontTextStyleBody:4,
UIFontTextStyleHeadline:4,
UIFontTextStyleSubheadline:2,
UIFontTextStyleCaption1:-1,
UIFontTextStyleCaption2:-2,
UIFontTextStyleFootnote:0]]
}
let content = fontSizeOffsetDictionary![contentSize as String]
let value:AnyObject = content![textStyle as String]!
fontSize += value as! CGFloat
if textStyle == UIFontTextStyleHeadline || textStyle == UIFontTextStyleSubheadline {
return UIFont(name: fontNameMedium as String, size: fontSize)
} else {
return UIFont(name: fontNameRegular as String, size: fontSize)
}
}
class func preferredCourierFontForTextStyle(textStyle:NSString)->UIFont? {
var fontSize:CGFloat = 16.0
let contentSize:NSString = UIApplication.sharedApplication().preferredContentSizeCategory
let fontNameRegular:NSString = "Courier"
let fontNameMedium:NSString = "Courier-Bold"
var fontSizeOffsetDictionary:Dictionary<String, Dictionary<String, AnyObject>>? = nil
var onceToken:dispatch_once_t = 0
dispatch_once(&onceToken) { () -> Void in
fontSizeOffsetDictionary = [
UIContentSizeCategoryLarge:[UIFontTextStyleBody:1,
UIFontTextStyleHeadline:1,
UIFontTextStyleSubheadline:-1,
UIFontTextStyleCaption1:-4,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-3],
UIContentSizeCategoryExtraSmall:[UIFontTextStyleBody:-2,
UIFontTextStyleHeadline:-2,
UIFontTextStyleSubheadline:-4,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategorySmall:[UIFontTextStyleBody:-1,
UIFontTextStyleHeadline:-1,
UIFontTextStyleSubheadline:-3,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryMedium:[UIFontTextStyleBody:0,
UIFontTextStyleHeadline:0,
UIFontTextStyleSubheadline:-2,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryExtraExtraLarge:[UIFontTextStyleBody:3,
UIFontTextStyleHeadline:3,
UIFontTextStyleSubheadline:1,
UIFontTextStyleCaption1:-2,
UIFontTextStyleCaption2:-3,
UIFontTextStyleFootnote:-1],
UIContentSizeCategoryExtraExtraExtraLarge:[UIFontTextStyleBody:4,
UIFontTextStyleHeadline:4,
UIFontTextStyleSubheadline:2,
UIFontTextStyleCaption1:-1,
UIFontTextStyleCaption2:-2,
UIFontTextStyleFootnote:0]]
}
let content = fontSizeOffsetDictionary![contentSize as String]
let value:AnyObject = content![textStyle as String]!
fontSize += value as! CGFloat
if textStyle == UIFontTextStyleHeadline || textStyle == UIFontTextStyleSubheadline {
return UIFont(name: fontNameMedium as String, size: fontSize)
} else {
return UIFont(name: fontNameRegular as String, size: fontSize)
}
}
class func preferredGeorgiaFontForTextStyle(textStyle:NSString)->UIFont? {
var fontSize:CGFloat = 16.0
let contentSize:NSString = UIApplication.sharedApplication().preferredContentSizeCategory
let fontNameRegular:NSString = "Georgia"
let fontNameMedium:NSString = "Georgia-Bold"
var fontSizeOffsetDictionary:Dictionary<String, Dictionary<String, AnyObject>>? = nil
var onceToken:dispatch_once_t = 0
dispatch_once(&onceToken) { () -> Void in
fontSizeOffsetDictionary = [
UIContentSizeCategoryLarge:[UIFontTextStyleBody:1,
UIFontTextStyleHeadline:1,
UIFontTextStyleSubheadline:-1,
UIFontTextStyleCaption1:-4,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-3],
UIContentSizeCategoryExtraSmall:[UIFontTextStyleBody:-2,
UIFontTextStyleHeadline:-2,
UIFontTextStyleSubheadline:-4,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategorySmall:[UIFontTextStyleBody:-1,
UIFontTextStyleHeadline:-1,
UIFontTextStyleSubheadline:-3,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryMedium:[UIFontTextStyleBody:0,
UIFontTextStyleHeadline:0,
UIFontTextStyleSubheadline:-2,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryExtraExtraLarge:[UIFontTextStyleBody:3,
UIFontTextStyleHeadline:3,
UIFontTextStyleSubheadline:1,
UIFontTextStyleCaption1:-2,
UIFontTextStyleCaption2:-3,
UIFontTextStyleFootnote:-1],
UIContentSizeCategoryExtraExtraExtraLarge:[UIFontTextStyleBody:4,
UIFontTextStyleHeadline:4,
UIFontTextStyleSubheadline:2,
UIFontTextStyleCaption1:-1,
UIFontTextStyleCaption2:-2,
UIFontTextStyleFootnote:0]]
}
let content = fontSizeOffsetDictionary![contentSize as String]
let value:AnyObject = content![textStyle as String]!
fontSize += value as! CGFloat
if textStyle == UIFontTextStyleHeadline || textStyle == UIFontTextStyleSubheadline {
return UIFont(name: fontNameMedium as String, size: fontSize)
} else {
return UIFont(name: fontNameRegular as String, size: fontSize)
}
}
class func preferredMenloFontForTextStyle(textStyle:NSString)->UIFont? {
var fontSize:CGFloat = 16.0
let contentSize:NSString = UIApplication.sharedApplication().preferredContentSizeCategory
let fontNameRegular:NSString = "Menlo-Regular"
let fontNameMedium:NSString = "Menlo-Bold"
var fontSizeOffsetDictionary:Dictionary<String, Dictionary<String, AnyObject>>? = nil
var onceToken:dispatch_once_t = 0
dispatch_once(&onceToken) { () -> Void in
fontSizeOffsetDictionary = [
UIContentSizeCategoryLarge:[UIFontTextStyleBody:1,
UIFontTextStyleHeadline:1,
UIFontTextStyleSubheadline:-1,
UIFontTextStyleCaption1:-4,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-3],
UIContentSizeCategoryExtraSmall:[UIFontTextStyleBody:-2,
UIFontTextStyleHeadline:-2,
UIFontTextStyleSubheadline:-4,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategorySmall:[UIFontTextStyleBody:-1,
UIFontTextStyleHeadline:-1,
UIFontTextStyleSubheadline:-3,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryMedium:[UIFontTextStyleBody:0,
UIFontTextStyleHeadline:0,
UIFontTextStyleSubheadline:-2,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryExtraExtraLarge:[UIFontTextStyleBody:3,
UIFontTextStyleHeadline:3,
UIFontTextStyleSubheadline:1,
UIFontTextStyleCaption1:-2,
UIFontTextStyleCaption2:-3,
UIFontTextStyleFootnote:-1],
UIContentSizeCategoryExtraExtraExtraLarge:[UIFontTextStyleBody:4,
UIFontTextStyleHeadline:4,
UIFontTextStyleSubheadline:2,
UIFontTextStyleCaption1:-1,
UIFontTextStyleCaption2:-2,
UIFontTextStyleFootnote:0]]
}
let content = fontSizeOffsetDictionary![contentSize as String]
let value:AnyObject = content![textStyle as String]!
fontSize += value as! CGFloat
if textStyle == UIFontTextStyleHeadline || textStyle == UIFontTextStyleSubheadline {
return UIFont(name: fontNameMedium as String, size: fontSize)
} else {
return UIFont(name: fontNameRegular as String, size: fontSize)
}
}
class func preferredTimesNewRomanFontForTextStyle(textStyle:NSString)->UIFont? {
var fontSize:CGFloat = 16.0
let contentSize:NSString = UIApplication.sharedApplication().preferredContentSizeCategory
let fontNameRegular:NSString = "TimesNewRomanPSMT"
let fontNameMedium:NSString = "TimesNewRomanPS-BoldMT"
var fontSizeOffsetDictionary:Dictionary<String, Dictionary<String, AnyObject>>? = nil
var onceToken:dispatch_once_t = 0
dispatch_once(&onceToken) { () -> Void in
fontSizeOffsetDictionary = [
UIContentSizeCategoryLarge:[UIFontTextStyleBody:1,
UIFontTextStyleHeadline:1,
UIFontTextStyleSubheadline:-1,
UIFontTextStyleCaption1:-4,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-3],
UIContentSizeCategoryExtraSmall:[UIFontTextStyleBody:-2,
UIFontTextStyleHeadline:-2,
UIFontTextStyleSubheadline:-4,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategorySmall:[UIFontTextStyleBody:-1,
UIFontTextStyleHeadline:-1,
UIFontTextStyleSubheadline:-3,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryMedium:[UIFontTextStyleBody:0,
UIFontTextStyleHeadline:0,
UIFontTextStyleSubheadline:-2,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryExtraExtraLarge:[UIFontTextStyleBody:3,
UIFontTextStyleHeadline:3,
UIFontTextStyleSubheadline:1,
UIFontTextStyleCaption1:-2,
UIFontTextStyleCaption2:-3,
UIFontTextStyleFootnote:-1],
UIContentSizeCategoryExtraExtraExtraLarge:[UIFontTextStyleBody:4,
UIFontTextStyleHeadline:4,
UIFontTextStyleSubheadline:2,
UIFontTextStyleCaption1:-1,
UIFontTextStyleCaption2:-2,
UIFontTextStyleFootnote:0]]
}
let content = fontSizeOffsetDictionary![contentSize as String]
let value:AnyObject = content![textStyle as String]!
fontSize += value as! CGFloat
if textStyle == UIFontTextStyleHeadline || textStyle == UIFontTextStyleSubheadline {
return UIFont(name: fontNameMedium as String, size: fontSize)
} else {
return UIFont(name: fontNameRegular as String, size: fontSize)
}
}
class func preferredPalatinoFontForTextStyle(textStyle:NSString)->UIFont? {
var fontSize:CGFloat = 16.0
let contentSize:NSString = UIApplication.sharedApplication().preferredContentSizeCategory
let fontNameRegular:NSString = "Palatino-Roman"
let fontNameMedium:NSString = "Palatino-Bold"
var fontSizeOffsetDictionary:Dictionary<String, Dictionary<String, AnyObject>>? = nil
var onceToken:dispatch_once_t = 0
dispatch_once(&onceToken) { () -> Void in
fontSizeOffsetDictionary = [
UIContentSizeCategoryLarge:[UIFontTextStyleBody:1,
UIFontTextStyleHeadline:1,
UIFontTextStyleSubheadline:-1,
UIFontTextStyleCaption1:-4,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-3],
UIContentSizeCategoryExtraSmall:[UIFontTextStyleBody:-2,
UIFontTextStyleHeadline:-2,
UIFontTextStyleSubheadline:-4,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategorySmall:[UIFontTextStyleBody:-1,
UIFontTextStyleHeadline:-1,
UIFontTextStyleSubheadline:-3,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryMedium:[UIFontTextStyleBody:0,
UIFontTextStyleHeadline:0,
UIFontTextStyleSubheadline:-2,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryExtraExtraLarge:[UIFontTextStyleBody:3,
UIFontTextStyleHeadline:3,
UIFontTextStyleSubheadline:1,
UIFontTextStyleCaption1:-2,
UIFontTextStyleCaption2:-3,
UIFontTextStyleFootnote:-1],
UIContentSizeCategoryExtraExtraExtraLarge:[UIFontTextStyleBody:4,
UIFontTextStyleHeadline:4,
UIFontTextStyleSubheadline:2,
UIFontTextStyleCaption1:-1,
UIFontTextStyleCaption2:-2,
UIFontTextStyleFootnote:0]]
}
let content = fontSizeOffsetDictionary![contentSize as String]
let value:AnyObject = content![textStyle as String]!
fontSize += value as! CGFloat
if textStyle == UIFontTextStyleHeadline || textStyle == UIFontTextStyleSubheadline {
return UIFont(name: fontNameMedium as String, size: fontSize)
} else {
return UIFont(name: fontNameRegular as String, size: fontSize)
}
}
class func preferredIowanFontForTextStyle(textStyle:NSString)->UIFont? {
var fontSize:CGFloat = 16.0
let contentSize:NSString = UIApplication.sharedApplication().preferredContentSizeCategory
let fontNameRegular:NSString = "IowanOldStyle-Roman"
let fontNameMedium:NSString = "IowanOldStyle-Bold"
var fontSizeOffsetDictionary:Dictionary<String, Dictionary<String, AnyObject>>? = nil
var onceToken:dispatch_once_t = 0
dispatch_once(&onceToken) { () -> Void in
fontSizeOffsetDictionary = [
UIContentSizeCategoryLarge:[UIFontTextStyleBody:1,
UIFontTextStyleHeadline:1,
UIFontTextStyleSubheadline:-1,
UIFontTextStyleCaption1:-4,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-3],
UIContentSizeCategoryExtraSmall:[UIFontTextStyleBody:-2,
UIFontTextStyleHeadline:-2,
UIFontTextStyleSubheadline:-4,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategorySmall:[UIFontTextStyleBody:-1,
UIFontTextStyleHeadline:-1,
UIFontTextStyleSubheadline:-3,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryMedium:[UIFontTextStyleBody:0,
UIFontTextStyleHeadline:0,
UIFontTextStyleSubheadline:-2,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryExtraExtraLarge:[UIFontTextStyleBody:3,
UIFontTextStyleHeadline:3,
UIFontTextStyleSubheadline:1,
UIFontTextStyleCaption1:-2,
UIFontTextStyleCaption2:-3,
UIFontTextStyleFootnote:-1],
UIContentSizeCategoryExtraExtraExtraLarge:[UIFontTextStyleBody:4,
UIFontTextStyleHeadline:4,
UIFontTextStyleSubheadline:2,
UIFontTextStyleCaption1:-1,
UIFontTextStyleCaption2:-2,
UIFontTextStyleFootnote:0]]
}
let content = fontSizeOffsetDictionary![contentSize as String]
let value:AnyObject = content![textStyle as String]!
fontSize += value as! CGFloat
if textStyle == UIFontTextStyleHeadline || textStyle == UIFontTextStyleSubheadline {
return UIFont(name: fontNameMedium as String, size: fontSize)
} else {
return UIFont(name: fontNameRegular as String, size: fontSize)
}
}
class func preferredSFFontForTextStyle(textStyle:NSString)->UIFont? {
var fontSize:CGFloat = 16.0
let contentSize:NSString = UIApplication.sharedApplication().preferredContentSizeCategory
//let fontNameRegular:NSString = "IowanOldStyle-Roman"
//let fontNameMedium:NSString = "IowanOldStyle-Bold"
var fontSizeOffsetDictionary:Dictionary<String, Dictionary<String, AnyObject>>? = nil
var onceToken:dispatch_once_t = 0
dispatch_once(&onceToken) { () -> Void in
fontSizeOffsetDictionary = [
UIContentSizeCategoryLarge:[UIFontTextStyleBody:1,
UIFontTextStyleHeadline:1,
UIFontTextStyleSubheadline:-1,
UIFontTextStyleCaption1:-4,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-3],
UIContentSizeCategoryExtraSmall:[UIFontTextStyleBody:-2,
UIFontTextStyleHeadline:-2,
UIFontTextStyleSubheadline:-4,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategorySmall:[UIFontTextStyleBody:-1,
UIFontTextStyleHeadline:-1,
UIFontTextStyleSubheadline:-3,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryMedium:[UIFontTextStyleBody:0,
UIFontTextStyleHeadline:0,
UIFontTextStyleSubheadline:-2,
UIFontTextStyleCaption1:-5,
UIFontTextStyleCaption2:-5,
UIFontTextStyleFootnote:-4],
UIContentSizeCategoryExtraExtraLarge:[UIFontTextStyleBody:3,
UIFontTextStyleHeadline:3,
UIFontTextStyleSubheadline:1,
UIFontTextStyleCaption1:-2,
UIFontTextStyleCaption2:-3,
UIFontTextStyleFootnote:-1],
UIContentSizeCategoryExtraExtraExtraLarge:[UIFontTextStyleBody:4,
UIFontTextStyleHeadline:4,
UIFontTextStyleSubheadline:2,
UIFontTextStyleCaption1:-1,
UIFontTextStyleCaption2:-2,
UIFontTextStyleFootnote:0]]
}
let content = fontSizeOffsetDictionary![contentSize as String]
let value:AnyObject = content![textStyle as String]!
fontSize += value as! CGFloat
if textStyle == UIFontTextStyleHeadline || textStyle == UIFontTextStyleSubheadline {
if #available(iOS 8.2, *) {
return UIFont.systemFontOfSize(fontSize, weight: UIFontWeightMedium)
}
} else {
if #available(iOS 8.2, *) {
return UIFont.systemFontOfSize(fontSize, weight: UIFontWeightRegular)
}
}
return UIFont.systemFontOfSize(fontSize)
}
}
| 8e9da0efd57f25b003b3e163e9bc3123 | 43.266444 | 127 | 0.571008 | false | false | false | false |
stripe/stripe-ios | refs/heads/master | StripePaymentSheet/StripePaymentSheet/Internal/API Bindings/Link/VerificationSession.swift | mit | 1 | //
// VerificationSession.swift
// StripePaymentSheet
//
// Created by Cameron Sabol on 2/22/21.
// Copyright © 2021 Stripe, Inc. All rights reserved.
//
import UIKit
@_spi(STP) import StripePayments
extension ConsumerSession {
class VerificationSession: NSObject, STPAPIResponseDecodable {
internal init(type: VerificationSession.SessionType,
state: VerificationSession.SessionState,
allResponseFields: [AnyHashable : Any]) {
self.type = type
self.state = state
self.allResponseFields = allResponseFields
}
enum SessionType: String {
case unknown = ""
case signup = "signup"
case email = "email"
case sms = "sms"
}
enum SessionState: String {
case unknown = ""
case started = "started"
case failed = "failed"
case verified = "verified"
case canceled = "canceled"
case expired = "expired"
}
let type: SessionType
let state: SessionState
let allResponseFields: [AnyHashable : Any]
static func decodedObject(fromAPIResponse response: [AnyHashable : Any]?) -> Self? {
guard let response = response,
let typeString = (response["type"] as? String)?.lowercased(),
let statusString = (response["state"] as? String)?.lowercased() else {
return nil
}
let type: SessionType = SessionType(rawValue: typeString) ?? .unknown
let state: SessionState = SessionState(rawValue: statusString) ?? .unknown
return VerificationSession(type: type,
state: state,
allResponseFields: response) as? Self
}
}
}
extension Sequence where Iterator.Element == ConsumerSession.VerificationSession {
var containsVerifiedSMSSession: Bool {
return contains(where: { $0.type == .sms && $0.state == .verified })
}
var isVerifiedForSignup: Bool {
return contains(where: { $0.type == .signup && $0.state == .started })
}
}
| d34feff163da41df7c01377bb3af205d | 31.56338 | 92 | 0.545848 | false | false | false | false |
muhasturk/smart-citizen-ios | refs/heads/dev | Smart Citizen/Controller/Presenter/IntroVC.swift | mit | 1 | /**
* Copyright (c) 2016 Mustafa Hastürk
*
* 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
class IntroVC: AppVC {
@IBOutlet weak var backgroundImage: UIImageView!
// MARK: - LC
override func viewDidLoad() {
super.viewDidLoad()
self.configureUI()
}
fileprivate func configureUI() {
// let gifManager = SwiftyGifManager(memoryLimit:20)
// let gifImage = UIImage(gifName: "intro")
// self.backgroundImage.setGifImage(gifImage, manager: gifManager, loopCount: -1)
}
// FIX: https://github.com/muhasturk/smart-citizen-ios/issues/4
override func viewWillAppear(_ animated: Bool) {
self.navigationController?.isNavigationBarHidden = true
}
override func viewWillDisappear(_ animated: Bool) {
if (self.navigationController?.topViewController != self) {
self.navigationController?.isNavigationBarHidden = false
}
}
}
| 1e7b4dd454a9dc96410b67126790c3b7 | 36.076923 | 84 | 0.735996 | false | false | false | false |
mamaral/MATextFieldCell | refs/heads/master | MATextFieldCell Example/MATextFieldCell Example/ExampleFormTableViewController.swift | mit | 1 | //
// ExampleFormTableViewController.swift
// MATextfieldCell
//
// Created by Mike on 6/13/14.
// Copyright (c) 2014 Mike Amaral. All rights reserved.
//
import UIKit
class ExampleFormTableViewController: UITableViewController {
let firstNameCell: MATextFieldCell = MATextFieldCell(type: MATextFieldType.Name, action: MATextFieldActionType.Next)
let lastNameCell: MATextFieldCell = MATextFieldCell(type: MATextFieldType.Name, action: MATextFieldActionType.Next)
let phoneCell: MATextFieldCell = MATextFieldCell(type: MATextFieldType.Phone, action: MATextFieldActionType.Next)
let emailCell: MATextFieldCell = MATextFieldCell(type: MATextFieldType.Email, action: MATextFieldActionType.Next)
let urlCell: MATextFieldCell = MATextFieldCell(type: MATextFieldType.URL, action: MATextFieldActionType.Next)
let passwordCell: MATextFieldCell = MATextFieldCell(type: MATextFieldType.Password, action: MATextFieldActionType.Next)
let streetCell: MATextFieldCell = MATextFieldCell(type: MATextFieldType.Address, action: MATextFieldActionType.Next)
let cityCell: MATextFieldCell = MATextFieldCell(type: MATextFieldType.Default, action: MATextFieldActionType.Next)
let stateCell: MATextFieldCell = MATextFieldCell(type: MATextFieldType.StateAbbr, action: MATextFieldActionType.Next)
let zipCell: MATextFieldCell = MATextFieldCell(type: MATextFieldType.ZIP, action: MATextFieldActionType.Done)
let blankCell: MATextFieldCell = MATextFieldCell(type: nil, action: nil)
let nonEditableCell: MATextFieldCell = MATextFieldCell(type: MATextFieldType.NonEditable, action: nil)
var sections = [] // an array of MATextFieldCell arrays
var firstSectionCells: [MATextFieldCell] = [] // an array of the MATextFieldCells for the first section
var secondSectionCells: [MATextFieldCell] = []
var thirdSectionCells: [MATextFieldCell] = []
required init(coder: NSCoder) {
fatalError("NSCoding not supported")
}
override init(style: UITableViewStyle) {
super.init(style: style)
}
override init(nibName nibNameOrNil: String?, bundle nibBundleOrNil: NSBundle?) {
super.init(nibName: nibNameOrNil, bundle: nibBundleOrNil)
}
override func viewDidLoad() {
super.viewDidLoad()
generateCells()
}
override func viewDidAppear(animated: Bool) {
super.viewDidAppear(animated)
// optionally pop up the keyboard immediately
// firstNameCell.textField.becomeFirstResponder()
}
func generateCells() {
firstNameCell.textField.placeholder = "First name"
firstNameCell.actionBlock = {
self.lastNameCell.textField.becomeFirstResponder()
return
}
lastNameCell.textField.placeholder = "Last name"
lastNameCell.actionBlock = {
self.phoneCell.textField.becomeFirstResponder()
return
}
phoneCell.textField.placeholder = "Phone"
phoneCell.actionBlock = {
self.emailCell.textField.becomeFirstResponder()
return
}
emailCell.textField.placeholder = "Email"
emailCell.actionBlock = {
self.urlCell.textField.becomeFirstResponder()
return
}
urlCell.textField.placeholder = "Website"
urlCell.actionBlock = {
self.passwordCell.textField.becomeFirstResponder()
return
}
passwordCell.textField.placeholder = "Password"
passwordCell.actionBlock = {
self.streetCell.textField.becomeFirstResponder()
return
}
streetCell.textField.placeholder = "Street"
streetCell.actionBlock = {
self.cityCell.textField.becomeFirstResponder()
return
}
cityCell.textField.placeholder = "City"
cityCell.actionBlock = {
self.stateCell.textField.becomeFirstResponder()
return
}
stateCell.textField.placeholder = "State"
stateCell.actionBlock = {
self.zipCell.textField.becomeFirstResponder()
return
}
zipCell.textField.placeholder = "ZIP"
zipCell.actionBlock = {
self.zipCell.textField.resignFirstResponder()
return
}
blankCell.textField.placeholder = "Additional info (optional)"
nonEditableCell.textField.placeholder = "Non-editable content"
firstSectionCells = [firstNameCell, lastNameCell, phoneCell, emailCell, urlCell, passwordCell]
secondSectionCells = [streetCell, cityCell, stateCell, zipCell]
thirdSectionCells = [nonEditableCell, blankCell]
sections = [firstSectionCells, secondSectionCells, thirdSectionCells]
}
// #pragma mark - Table view data source
override func numberOfSectionsInTableView(tableView: UITableView?) -> Int {
return sections.count
}
override func tableView(tableView: UITableView?, numberOfRowsInSection section: Int) -> Int {
return sections[section].count
}
override func tableView(tableView: UITableView?, cellForRowAtIndexPath indexPath: NSIndexPath?) -> UITableViewCell? {
let cellsForSection: AnyObject! = sections[indexPath!.section]
return cellsForSection[indexPath!.row] as MATextFieldCell
}
}
| b0679a8178d6adcb36af25b663f52936 | 38.223022 | 123 | 0.681218 | false | false | false | false |
alblue/swift | refs/heads/master | test/decl/protocol/conforms/associated_type.swift | apache-2.0 | 15 | // RUN: %target-typecheck-verify-swift -swift-version 4
class C { }
protocol P {
associatedtype AssocP : C // expected-note{{protocol requires nested type 'AssocP'; do you want to add it?}}
associatedtype AssocA : AnyObject // expected-note{{protocol requires nested type 'AssocA'; do you want to add it?}}
}
struct X : P { // expected-error{{type 'X' does not conform to protocol 'P'}}
typealias AssocP = Int // expected-note{{possibly intended match 'X.AssocP' (aka 'Int') does not inherit from 'C'}}
typealias AssocA = Int // expected-note{{possibly intended match 'X.AssocA' (aka 'Int') does not conform to 'AnyObject'}}
}
// SR-5166
protocol FooType {
associatedtype BarType
func foo(bar: BarType)
func foo(action: (BarType) -> Void)
}
protocol Bar {}
class Foo: FooType {
typealias BarType = Bar
func foo(bar: Bar) {
}
func foo(action: (Bar) -> Void) {
}
}
// rdar://problem/35297911: noescape function types
protocol P1 {
associatedtype A
func f(_: A)
}
struct X1a : P1 {
func f(_: @escaping (Int) -> Int) { }
}
struct X1b : P1 {
typealias A = (Int) -> Int
func f(_: @escaping (Int) -> Int) { }
}
struct X1c : P1 {
typealias A = (Int) -> Int
func f(_: (Int) -> Int) { }
}
struct X1d : P1 {
func f(_: (Int) -> Int) { }
}
protocol P2 {
func f(_: (Int) -> Int) // expected-note{{protocol requires function 'f' with type '((Int) -> Int) -> ()'; do you want to add a stub?}}
}
struct X2a : P2 {
func f(_: (Int) -> Int) { }
}
struct X2b : P2 { // expected-error{{type 'X2b' does not conform to protocol 'P2'}}
func f(_: @escaping (Int) -> Int) { } // expected-note{{candidate has non-matching type '(@escaping (Int) -> Int) -> ()'}}
}
| e7ea0f511b107ef46caf248b19225245 | 22.861111 | 137 | 0.616997 | false | false | false | false |
rexmas/Crust | refs/heads/master | RealmCrustTests/CollectionMappingTests.swift | mit | 1 | import XCTest
@testable import Crust
import JSONValueRX
extension Int: AnyMappable { }
class CollectionMappingTests: RealmMappingTest {
func testMappingCollection() {
let employeeStub = EmployeeStub()
let employeeStub2 = EmployeeStub()
let json = try! JSONValue(object: employeeStub.generateJsonObject())
let json2 = try! JSONValue(object: employeeStub2.generateJsonObject())
let employeesJSON = JSONValue.array([json, json, json2, json])
XCTAssertEqual(Employee.allObjects(in: realm!).count, 0)
let mapping = EmployeeMapping(adapter: self.adapter!)
let mapper = Mapper()
let spec = Binding.mapping("", mapping)
let collection: [Employee] = try! mapper.map(from: employeesJSON, using: spec, keyedBy: AllKeys())
XCTAssertEqual(Employee.allObjects(in: realm!).count, 2)
XCTAssertEqual(collection.count, 2)
XCTAssertNotEqual(collection[0].uuid, collection[1].uuid)
XCTAssertTrue(employeeStub.matches(object: collection[0]))
XCTAssertTrue(employeeStub2.matches(object: collection[1]))
}
func testPartiallyMappingCollection() {
let companyStub = CompanyStub()
let employeeStub = EmployeeStub()
let employeeStub2 = EmployeeStub()
companyStub.employees = [employeeStub, employeeStub2]
let json = try! JSONValue(object: companyStub.generateJsonObject())
XCTAssertEqual(Company.allObjects(in: realm!).count, 0)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 0)
let mapping = CompanyMapping(adapter: self.adapter!)
let mapper = Mapper()
let binding = Binding.mapping(RootKey(), mapping)
var company: Company = try! mapper.map(from: json, using: binding, keyedBy: [
.uuid,
.employees([
.uuid,
.joinDate,
.name
])
])
XCTAssertEqual(Company.allObjects(in: realm!).count, 1)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 2)
XCTAssertEqual(company.uuid!, companyStub.uuid)
XCTAssertNil(company.name)
XCTAssertNil(company.founder)
XCTAssertNil(company.foundingDate)
XCTAssertNil(company.pendingLawsuits)
XCTAssertEqual(company.employees.count, 2)
let employee1 = company.employees[0]
XCTAssertEqual(employee1.uuid!, employeeStub.uuid)
XCTAssertEqual(floor(employee1.joinDate!.timeIntervalSinceNow), floor(employeeStub.joinDate.timeIntervalSinceNow))
XCTAssertEqual(employee1.name!, employeeStub.name)
XCTAssertNil(employee1.salary)
XCTAssertNil(employee1.isEmployeeOfMonth)
XCTAssertNil(employee1.percentYearlyRaise)
XCTAssertNil(employee1.employer)
let employee2 = company.employees[0]
XCTAssertEqual(employee2.uuid!, employeeStub.uuid)
XCTAssertEqual(floor(employee2.joinDate!.timeIntervalSinceNow), floor(employeeStub.joinDate.timeIntervalSinceNow))
XCTAssertEqual(employee2.name!, employeeStub.name)
XCTAssertNil(employee2.salary)
XCTAssertNil(employee2.isEmployeeOfMonth)
XCTAssertNil(employee2.percentYearlyRaise)
XCTAssertNil(employee2.employer)
company = try! mapper.map(from: json, using: binding, keyedBy: [.foundingDate])
XCTAssertEqual(floor(company.foundingDate!.timeIntervalSinceNow), floor(companyStub.foundingDate.timeIntervalSinceNow))
}
func testMappingCollectionByAppendUnique() {
class CompanyMappingAppendUnique: CompanyMapping {
override func mapping(toMap: inout Company, payload: MappingPayload<CompanyKey>) {
let employeeMapping = EmployeeMapping(adapter: self.adapter)
map(toRLMArray: toMap.employees, using: (Binding.collectionMapping(.employees([]), employeeMapping, (.append, true, false)), payload))
}
}
let uuid = NSUUID().uuidString
let dupEmployeeStub = EmployeeStub()
let original = Company()
let originalEmployee = Employee() // 1.
let dupEmployee = Employee() // 2.
original.uuid = uuid
originalEmployee.uuid = uuid
dupEmployee.uuid = dupEmployeeStub.uuid
original.employees.append(originalEmployee)
original.employees.append(dupEmployee)
try! self.adapter!.save(objects: [ original ])
XCTAssertEqual(Company.allObjects(in: realm!).count, 1)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 2)
let companyStub = CompanyStub()
let employeeStub3 = EmployeeStub() // 3.
let employeeStub4 = EmployeeStub() // 4.
companyStub.uuid = uuid
companyStub.employees = [employeeStub3, employeeStub3, employeeStub4, employeeStub3, dupEmployeeStub]
let json = try! JSONValue(object: companyStub.generateJsonObject())
let mapping = CompanyMappingAppendUnique(adapter: self.adapter!)
let mapper = Mapper()
let spec = Binding.mapping(RootKey(), mapping)
let company: Company = try! mapper.map(from: json, using: spec, keyedBy: AllKeys())
let employees = company.employees
XCTAssertEqual(original.uuid, company.uuid)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 4)
XCTAssertEqual(employees.count, 4)
XCTAssertEqual(employees[0].uuid, originalEmployee.uuid)
XCTAssertTrue(dupEmployeeStub.matches(object: employees[1]))
XCTAssertTrue(employeeStub3.matches(object: employees[2]))
XCTAssertTrue(employeeStub4.matches(object: employees[3]))
}
func testMappingCollectionByReplaceUnique() {
class CompanyMappingReplaceUnique: CompanyMapping {
override func mapping(toMap: inout Company, payload: MappingPayload<CompanyKey>) {
let employeeMapping = EmployeeMapping(adapter: self.adapter)
map(toRLMArray: toMap.employees,
using: (.collectionMapping(.employees([]), employeeMapping, (.replace(delete: nil), true, false)), payload))
}
}
let uuid = NSUUID().uuidString
let original = Company()
let originalEmployee = Employee()
original.uuid = uuid
originalEmployee.uuid = uuid
original.employees.append(originalEmployee)
try! self.adapter!.save(objects: [ original ])
XCTAssertEqual(Company.allObjects(in: realm!).count, 1)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 1)
let companyStub = CompanyStub()
let employeeStub = EmployeeStub()
let employeeStub2 = EmployeeStub()
companyStub.uuid = original.uuid!
companyStub.employees = [employeeStub, employeeStub, employeeStub2, employeeStub]
let json = try! JSONValue(object: companyStub.generateJsonObject())
let mapping = CompanyMappingReplaceUnique(adapter: self.adapter!)
let mapper = Mapper()
let spec = Binding.mapping("", mapping)
let company: Company = try! mapper.map(from: json, using: spec, keyedBy: AllKeys())
let employees = company.employees
XCTAssertEqual(original.uuid, company.uuid)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 3)
XCTAssertEqual(employees.count, 2)
XCTAssertTrue(employeeStub.matches(object: employees[0]))
XCTAssertTrue(employeeStub2.matches(object: employees[1]))
}
func testMappingCollectionByReplaceDeleteUnique() {
class CompanyMappingReplaceDeleteUnique: CompanyMapping {
override func mapping(toMap: inout Company, payload: MappingPayload<CompanyKey>) {
let employeeMapping = EmployeeMapping(adapter: self.adapter)
map(toRLMArray: toMap.employees,
using: (.collectionMapping(.employees([]), employeeMapping, (.replace(delete: { $0 }), true, false)), payload))
}
}
let uuid = NSUUID().uuidString
let dupEmployeeStub = EmployeeStub()
let original = Company()
let originalEmployee = Employee()
let dupEmployee = Employee()
original.uuid = uuid
originalEmployee.uuid = uuid
dupEmployee.uuid = dupEmployeeStub.uuid
original.employees.append(originalEmployee)
original.employees.append(dupEmployee)
try! self.adapter!.save(objects: [ original ])
XCTAssertEqual(Company.allObjects(in: realm!).count, 1)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 2)
let companyStub = CompanyStub()
let employeeStub = EmployeeStub()
let employeeStub2 = EmployeeStub()
companyStub.employees = [employeeStub, employeeStub, employeeStub2, employeeStub, dupEmployeeStub]
companyStub.uuid = original.uuid!
let json = try! JSONValue(object: companyStub.generateJsonObject())
let mapping = CompanyMappingReplaceDeleteUnique(adapter: self.adapter!)
let mapper = Mapper()
let spec = Binding.mapping("", mapping)
let company: Company = try! mapper.map(from: json, using: spec, keyedBy: AllKeys())
let employees = company.employees
XCTAssertEqual(original.uuid, company.uuid)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 3)
XCTAssertEqual(employees.count, 3)
XCTAssertTrue(employeeStub.matches(object: employees[0]))
XCTAssertTrue(employeeStub2.matches(object: employees[1]))
XCTAssertTrue(dupEmployeeStub.matches(object: employees[2]))
}
func testAssigningNullToCollectionWhenReplaceNullableRemovesAllAndDeletes() {
class CompanyMappingReplaceNullable: CompanyMapping {
override func mapping(toMap: inout Company, payload: MappingPayload<CompanyKey>) {
let employeeMapping = EmployeeMapping(adapter: self.adapter)
map(toRLMArray: toMap.employees,
using: (.collectionMapping(.employees([]), employeeMapping, (.replace(delete: { $0 }), true, true)), payload))
}
}
let uuid = NSUUID().uuidString
let dupEmployeeStub = EmployeeStub()
let original = Company()
let originalEmployee = Employee()
let dupEmployee = Employee()
original.uuid = uuid
originalEmployee.uuid = uuid
dupEmployee.uuid = dupEmployeeStub.uuid
original.employees.append(originalEmployee)
original.employees.append(dupEmployee)
let outsideEmployee = Employee()
try! self.adapter!.save(objects: [ original, outsideEmployee ])
XCTAssertEqual(Company.allObjects(in: realm!).count, 1)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 3)
let companyStub = CompanyStub()
companyStub.employees = []
companyStub.uuid = original.uuid!
var jsonObj = companyStub.generateJsonObject()
XCTAssertEqual(jsonObj["employees"] as! NSArray, []) // Sanity check.
jsonObj["employees"] = NSNull()
XCTAssertEqual(jsonObj["employees"] as! NSNull, NSNull()) // Sanity check.
let json = try! JSONValue(object: jsonObj)
let mapping = CompanyMappingReplaceNullable(adapter: self.adapter!)
let mapper = Mapper()
let spec = Binding.mapping("", mapping)
let company: Company = try! mapper.map(from: json, using: spec, keyedBy: AllKeys())
let employees = company.employees
XCTAssertEqual(original.uuid, company.uuid)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 1)
XCTAssertEqual(employees.count, 0)
}
func testAssigningNullToCollectionWhenAppendNullableDoesNothing() {
class CompanyMappingAppendNullable: CompanyMapping {
override func mapping(toMap: inout Company, payload: MappingPayload<CompanyKey>) {
let employeeMapping = EmployeeMapping(adapter: self.adapter)
map(toRLMArray: toMap.employees,
using: (.collectionMapping(.employees([]), employeeMapping, (.append, true, true)), payload))
}
}
let uuid = NSUUID().uuidString
let dupEmployeeStub = EmployeeStub()
let original = Company()
let originalEmployee = Employee()
let dupEmployee = Employee()
original.uuid = uuid
originalEmployee.uuid = uuid
dupEmployee.uuid = dupEmployeeStub.uuid
original.employees.append(originalEmployee)
original.employees.append(dupEmployee)
try! self.adapter!.save(objects: [ original ])
XCTAssertEqual(Company.allObjects(in: realm!).count, 1)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 2)
let companyStub = CompanyStub()
companyStub.employees = []
companyStub.uuid = original.uuid!
var jsonObj = companyStub.generateJsonObject()
XCTAssertEqual(jsonObj["employees"] as! NSArray, []) // Sanity check.
jsonObj["employees"] = NSNull()
XCTAssertEqual(jsonObj["employees"] as! NSNull, NSNull()) // Sanity check.
let json = try! JSONValue(object: jsonObj)
let mapping = CompanyMappingAppendNullable(adapter: self.adapter!)
let mapper = Mapper()
let spec = Binding.mapping("", mapping)
let company: Company = try! mapper.map(from: json, using: spec, keyedBy: AllKeys())
let employees = company.employees
XCTAssertEqual(employees.count, 2)
XCTAssertEqual(original.uuid, company.uuid)
XCTAssertEqual(Company.allObjects(in: realm!).count, 1)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 2)
}
func testAssigningNullToCollectionWhenNonNullableThrows() {
class CompanyMappingAppendNonNullable: CompanyMapping {
override func mapping(toMap: inout Company, payload: MappingPayload<CompanyKey>) {
let employeeMapping = EmployeeMapping(adapter: self.adapter)
map(toRLMArray: toMap.employees,
using: (.collectionMapping(.employees([]), employeeMapping, (.append, true, false)), payload))
}
}
let uuid = NSUUID().uuidString
let dupEmployeeStub = EmployeeStub()
let original = Company()
let originalEmployee = Employee()
let dupEmployee = Employee()
original.uuid = uuid
originalEmployee.uuid = uuid
dupEmployee.uuid = dupEmployeeStub.uuid
original.employees.append(originalEmployee)
original.employees.append(dupEmployee)
try! self.adapter!.save(objects: [ original ])
XCTAssertEqual(Company.allObjects(in: realm!).count, 1)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 2)
let companyStub = CompanyStub()
companyStub.employees = []
companyStub.uuid = original.uuid!
var jsonObj = companyStub.generateJsonObject()
XCTAssertEqual(jsonObj["employees"] as! NSArray, []) // Sanity check.
jsonObj["employees"] = NSNull()
XCTAssertEqual(jsonObj["employees"] as! NSNull, NSNull()) // Sanity check.
let json = try! JSONValue(object: jsonObj)
let mapping = CompanyMappingAppendNonNullable(adapter: self.adapter!)
let mapper = Mapper()
let spec = Binding.mapping("", mapping)
let testFunc = {
let _: Company = try mapper.map(from: json, using: spec, keyedBy: AllKeys())
}
XCTAssertThrowsError(try testFunc())
XCTAssertEqual(Company.allObjects(in: realm!).count, 1)
XCTAssertEqual(Employee.allObjects(in: realm!).count, 2)
}
}
| 71f7d1bf886e3fae81d63c652ddcd89c | 43.027174 | 150 | 0.639921 | false | false | false | false |
ello/ello-ios | refs/heads/master | Specs/Controllers/Stream/FollowingViewControllerSpec.swift | mit | 1 | ////
/// FollowingViewControllerSpec.swift
//
@testable import Ello
import Quick
import Nimble
import SwiftyUserDefaults
class FollowingViewControllerSpec: QuickSpec {
override func spec() {
describe("FollowingViewController") {
var subject: FollowingViewController!
beforeEach {
subject = FollowingViewController()
showController(subject)
}
it("shows the more posts button when new content is available") {
subject.screen.newPostsButtonVisible = false
postNotification(NewContentNotifications.newFollowingContent, value: ())
expect(subject.screen.newPostsButtonVisible) == true
}
it("hide the more posts button after pulling to refresh") {
subject.screen.newPostsButtonVisible = true
subject.streamWillPullToRefresh()
expect(subject.screen.newPostsButtonVisible) == false
}
}
}
}
| aeff3752e21d1a5e4bb771cb27e932e3 | 29.117647 | 88 | 0.618164 | false | false | false | false |
mikaoj/EquatableArray | refs/heads/master | Test/Test.swift | mit | 1 | // The MIT License (MIT)
//
// Copyright (c) 2015 Joakim Gyllström
//
// 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 XCTest
import EquatableArray
class Tests: XCTestCase {
func testNotEqual() {
let first: EquatableArray = ["Yes", "No"]
let second: EquatableArray = ["No", "Yes"]
XCTAssert(first != second)
}
func testEqual() {
let first: EquatableArray = ["Yes", "No"]
let second: EquatableArray = ["Yes", "No"]
XCTAssert(first == second)
}
func testEqualAfterAddingElement() {
var first: EquatableArray = ["Yes"]
let second: EquatableArray = ["Yes", "No"]
first.append("No")
XCTAssert(first == second)
}
func testEqualAfterRemovingElement() {
var first: EquatableArray = ["Yes", "No", "Maybe"]
let second: EquatableArray = ["Yes", "No"]
first.removeLast()
XCTAssert(first == second)
}
}
| a291300e2bc73ac03e1e11b6bd422519 | 33.051724 | 81 | 0.682025 | false | true | false | false |
CodaFi/swift | refs/heads/main | test/ClangImporter/objc_init.swift | apache-2.0 | 24 | // RUN: %target-swift-frontend(mock-sdk: %clang-importer-sdk) -emit-sil -I %S/Inputs/custom-modules %s -verify
// REQUIRES: objc_interop
import AppKit
import objc_ext
import TestProtocols
import ObjCParseExtras
import ObjCParseExtrasInitHelper
// rdar://problem/18500201
extension NSSet {
convenience init<T>(array: Array<T>) {
self.init()
}
}
// Subclassing and designated initializers
func testNSInterestingDesignated() {
NSInterestingDesignated() // expected-warning{{unused}}
NSInterestingDesignated(string:"hello") // expected-warning{{unused}}
NSInterestingDesignatedSub() // expected-warning{{unused}}
NSInterestingDesignatedSub(string:"hello") // expected-warning{{unused}}
}
extension URLDocument {
convenience init(string: String) {
self.init(url: string)
}
}
class MyDocument1 : URLDocument {
override init() {
super.init()
}
}
func createMyDocument1() {
var md = MyDocument1()
md = MyDocument1(url: "http://llvm.org")
// Inherited convenience init.
md = MyDocument1(string: "http://llvm.org")
_ = md
}
class MyDocument2 : URLDocument {
init(url: String) {
super.init(url: url) // expected-error{{must call a designated initializer of the superclass 'URLDocument'}}
}
}
class MyDocument3 : NSAwesomeDocument {
override init() {
super.init()
}
}
func createMyDocument3(_ url: NSURL) {
var md = MyDocument3()
#if os(macOS)
// Limit this particular test to macOS; it depends on availability.
md = try! MyDocument3(contentsOf: url as URL, ofType:"")
#endif
_ = md
}
class MyInterestingDesignated : NSInterestingDesignatedSub {
override init(string str: String) {
super.init(string: str)
}
init(int i: Int) {
super.init() // expected-error{{must call a designated initializer of the superclass 'NSInterestingDesignatedSub'}}
}
}
func createMyInterestingDesignated() {
_ = MyInterestingDesignated(url: "http://llvm.org")
}
func testNoReturn(_ a : NSAwesomeDocument) -> Int {
a.noReturnMethod(42)
return 17 // TODO: In principle, we should produce an unreachable code diagnostic here.
}
// Initializer inheritance from protocol-specified initializers.
class MyViewController : NSViewController {
}
class MyView : NSView {
override init() { super.init() }
} // expected-error{{'required' initializer 'init(coder:)' must be provided by subclass of 'NSView'}}
class MyMenu : NSMenu {
override init(title: String) { super.init(title: title) }
} // expected-error{{'required' initializer 'init(coder:)' must be provided by subclass of 'NSMenu'}}
class MyTableViewController : NSTableViewController {
}
class MyOtherTableViewController : NSTableViewController {
override init(int i: Int) {
super.init(int: i)
}
} // expected-error{{'required' initializer 'init(coder:)' must be provided by subclass of 'NSTableViewController'}}
class MyThirdTableViewController : NSTableViewController {
override init(int i: Int) {
super.init(int: i)
}
required init(coder: NSCoder) {
super.init(coder: coder)!
}
}
func checkInitWithCoder(_ coder: NSCoder) {
NSViewController(coder: coder) // expected-warning{{unused}}
NSTableViewController(coder: coder) // expected-warning{{unused}}
MyViewController(coder: coder) // expected-warning{{unused}}
MyTableViewController(coder: coder) // expected-warning{{unused}}
MyOtherTableViewController(coder: coder) // expected-error{{incorrect argument label in call (have 'coder:', expected 'int:')}}
// expected-error@-1 {{cannot convert value of type 'NSCoder' to expected argument type 'Int'}}
MyThirdTableViewController(coder: coder) // expected-warning{{unused}}
}
// <rdar://problem/16838409>
class MyDictionary1 : NSDictionary {}
func getMyDictionary1() {
_ = MyDictionary1()
}
// <rdar://problem/16838515>
class MyDictionary2 : NSDictionary {
override init() {
super.init()
}
}
class MyString : NSString {
override init() { super.init() }
} // expected-error{{'required' initializer 'init(coder:)' must be provided by subclass of 'NSString'}}
// <rdar://problem/17281900>
class View: NSView {
override func addSubview(_ aView: NSView) {
_ = MyViewController.init()
}
}
// rdar://problem/19726164
class NonNullDefaultInitSubSub : NonNullDefaultInitSub {
func foo() {
_ = NonNullDefaultInitSubSub() as NonNullDefaultInitSubSub?
}
}
class DesignatedInitSub : DesignatedInitBase {
var foo: Int?
override init(int: Int) {}
}
class DesignedInitSubSub : DesignatedInitSub {
init(double: Double) { super.init(int: 0) } // okay
init(string: String) { super.init() } // expected-error {{must call a designated initializer of the superclass 'DesignatedInitSub'}}
}
class DesignatedInitWithClassExtensionSubImplicit : DesignatedInitWithClassExtension {}
class DesignatedInitWithClassExtensionSub : DesignatedInitWithClassExtension {
override init(int: Int) { super.init(int: 0) }
override init(float: Float) { super.init(float: 0) }
}
class DesignatedInitWithClassExtensionInAnotherModuleSub : DesignatedInitWithClassExtensionInAnotherModule {}
func testInitializerInheritance() {
_ = DesignatedInitWithClassExtensionSubImplicit(int: 0)
_ = DesignatedInitWithClassExtensionSubImplicit(convenienceInt: 0)
_ = DesignatedInitWithClassExtensionSubImplicit(float: 0)
_ = DesignatedInitWithClassExtensionSub(int: 0)
_ = DesignatedInitWithClassExtensionSub(convenienceInt: 0)
_ = DesignatedInitWithClassExtensionSub(float: 0)
_ = DesignatedInitWithClassExtensionInAnotherModuleSub(int: 0)
_ = DesignatedInitWithClassExtensionInAnotherModuleSub(convenienceInt: 0)
_ = DesignatedInitWithClassExtensionInAnotherModuleSub(float: 0)
}
// Make sure that our magic doesn't think the class property with the type name is an init
func classPropertiesAreNotInit() -> ProcessInfo {
var procInfo = NSProcessInfo.processInfo // expected-error{{'NSProcessInfo' has been renamed to 'ProcessInfo'}}
procInfo = ProcessInfo.processInfo // okay
return procInfo
}
// Make sure we can still inherit a convenience initializer when we have a
// designated initializer override in Obj-C that isn't considered a proper
// override in Swift. In this case, both the superclass and subclass have a
// designed init with the selector `initWithI:`, however the Swift signature for
// the subclass' init is `init(__i:)` rather than `init(i:)`.
extension SuperclassWithDesignatedInitInCategory {
convenience init(y: Int) { self.init(i: y) }
}
func testConvenienceInitInheritance() {
_ = SubclassWithSwiftPrivateDesignatedInit(y: 5)
}
| 3459d577eb31a1aabd188d7ff0a082a7 | 29.929245 | 134 | 0.737685 | false | false | false | false |
ErAbhishekChandani/ACProgressHUD | refs/heads/master | Source/ACProgressView.swift | mit | 1 | /*
MIT License
Copyright (c) 2017 Er Abhishek Chandnai
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.
*/
//
// ACProgressView.swift
// ACProgressHUD
//
// Created by Er. Abhishek Chandani on 02/04/17.
// Copyright © 2017 Abhishek. All rights reserved.
//
import UIKit
final class ACProgressView: UIView {
//MARK: - Outlets
@IBOutlet internal weak var blurView: UIVisualEffectView!
@IBOutlet internal weak var hudView: UIView!
@IBOutlet internal weak var textLabel: UILabel!
@IBOutlet internal weak var activityIndicator: UIActivityIndicatorView!
//MARK: - Variables
var view: UIView!
fileprivate let progressHud = ACProgressHUD.shared
fileprivate class var reuseIdentifier: String {
return String(describing: self)
}
//MARK: - Initialization
override init(frame: CGRect) {
super.init(frame: frame)
xibSetup()
}
required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
xibSetup()
}
override func awakeFromNib() {
super.awakeFromNib()
xibSetup()
}
//MARK:- SHOW HUD
func show(){
DispatchQueue.main.async {
let allWindows = UIApplication.shared.windows.reversed()
for window in allWindows {
if (window.windowLevel == UIWindow.Level.normal) {
window.addSubview(self.view)
self.view.frame = window.bounds
break
}
}
//BACKGROUND ANIMATION
if self.progressHud.enableBackground {
self.view.backgroundColor = self.view.backgroundColor?.withAlphaComponent(0)
UIView.animate(withDuration: 0.30, delay: 0, options: .curveLinear, animations: {
self.view.backgroundColor = self.view.backgroundColor?.withAlphaComponent(self.progressHud.backgroundColorAlpha)
}, completion: nil)
}
// HUD ANIMATION
switch self.progressHud.showHudAnimation {
case .growIn :
self.growIn()
break
case .shrinkIn :
self.shrinkIn()
break
case .bounceIn :
self.bounceIn()
break
case .zoomInOut :
self.zoomInZoomOut()
break
case .slideFromTop :
self.slideFromTop()
break
case .bounceFromTop :
self.bounceFromTop()
break
default :
break
}
}
}
//MARK:- HIDE HUD
func hide() {
DispatchQueue.main.async {
//BACKGROUND ANIMATION
if self.progressHud.enableBackground {
self.view.backgroundColor = self.view.backgroundColor?.withAlphaComponent(self.progressHud.backgroundColorAlpha)
UIView.animate(withDuration: 0.30, delay: 0, options: .curveLinear, animations: {
self.view.backgroundColor = self.view.backgroundColor?.withAlphaComponent(0)
}, completion: nil)
}
switch self.progressHud.dismissHudAnimation {
case .growOut :
self.growOut()
break
case .shrinkOut :
self.shrinkOut()
break
case .fadeOut :
self.fadeOut()
break
case .bounceOut :
self.bounceOut()
break
case .slideToTop :
self.slideToTop()
break
case .slideToBottom :
self.slideToBottom()
break
case .bounceToTop :
self.bounceToTop()
break
case .bounceToBottom :
self.bounceToBottom()
break
default :
self.view.removeFromSuperview()
break
}
}
}
}
//MARK:- Private Methods
fileprivate extension ACProgressView {
// Loading Xib
func xibSetup() {
view = loadViewFromNib()
self.addSubview(view)
view.frame = bounds
appeareance()
}
func loadViewFromNib() -> UIView {
let bundle = Bundle(for: ACProgressView.self)
let nib = UINib(nibName: ACProgressView.reuseIdentifier, bundle: bundle)
guard let view = nib.instantiate(withOwner: self, options: nil)[0] as? UIView else {
fatalError("ERROR loading ACProgressView.\n\(#file)\n\(#line)")
}
return view
}
/// Customization HUD appeareance
func appeareance(){
self.textLabel.text = progressHud.progressText
self.textLabel.textColor = progressHud.progressTextColor
self.textLabel.font = progressHud.progressTextFont
self.activityIndicator.color = progressHud.indicatorColor
self.hudView.backgroundColor = progressHud.hudBackgroundColor
self.hudView.layer.cornerRadius = progressHud.cornerRadius
self.hudView.layer.shadowColor = progressHud.shadowColor.cgColor
self.hudView.layer.shadowRadius = progressHud.shadowRadius
self.hudView.layer.shadowOpacity = 0.7
self.hudView.layer.shadowOffset = CGSize(width: 1, height: 1)
self.view.backgroundColor = progressHud.enableBackground == true ? progressHud.backgroundColor.withAlphaComponent(progressHud.backgroundColorAlpha) : .clear
self.blurView.isHidden = progressHud.enableBlurBackground == true ? false : true
if !self.blurView.isHidden {
self.view.backgroundColor = progressHud.blurBackgroundColor
}
}
}
//MARK: - Orientation
//Window will not change Orientation when ACProgressHUD is being Shown.
extension UINavigationController {
open override var shouldAutorotate: Bool {
if ACProgressHUD.shared.isBeingShown {
return false
} else {
return true
}
}
}
| 338a72f1baae3c16c7efcbf88c7a3e9f | 31.622222 | 165 | 0.587602 | false | false | false | false |
lukecharman/so-many-games | refs/heads/master | SoManyGames/Classes/Theme.swift | mit | 1 | //
// Theme.swift
// SoManyGames
//
// Created by Luke Charman on 12/04/2017.
// Copyright © 2017 Luke Charman. All rights reserved.
//
import UIKit
let iPad = UIApplication.shared.keyWindow?.traitCollection.horizontalSizeClass == .regular
let fontName = "RPGSystem"
struct Colors {
static let lightest = UIColor(red:0.61, green:0.74, blue:0.06, alpha:1.0)
static let light = UIColor(red:0.55, green:0.67, blue:0.06, alpha:1.0)
static let dark = UIColor(red:0.19, green:0.38, blue:0.19, alpha:1.0)
static let darkest = UIColor(red:0.06, green:0.22, blue:0.06, alpha:1.0)
}
struct Sizes {
static let button: CGFloat = iPad ? 34 : 20
static let emptyState: CGFloat = iPad ? 50 : 30
static let gameCellMain: CGFloat = iPad ? 32 : 28
static let gameCellSub: CGFloat = iPad ? 28 : 20
}
| 39920547cdb2b808bfd82d5e3b00b1d2 | 30.576923 | 90 | 0.678441 | false | false | false | false |
liuyx7894/Notifier | refs/heads/master | Notifier/Notifier.swift | mit | 1 | //
// Notifier.swift
// Notifier
//
// Created by Louis Liu on 28/04/2017.
// Copyright © 2017 Louis Liu. All rights reserved.
//
import UIKit
class Notifier: NSObject {
struct NotifyModel {
var title:String = ""
var body:String = ""
var userObject:Any?
init(title:String, body:String, userObject:Any?) {
self.title = title
self.body = body
self.userObject = userObject
}
}
typealias OnTapNotifierCallback = ((Any?)->Void)
private static let exhibitionSec:Double = 3.0
private let notifierHeight:CGFloat = 54 + 20
private let titleHeight:CGFloat = 15
private let margin:CGFloat = 15
private let notifierMargin:CGFloat = 0
private var processQueue = [NotifyModel]()
private var notifiView:UIView!
private var label_title:UILabel!
private var label_body:UILabel!
private static var NotifierAssociatedKey = "NotifierAssociatedKey"
static let shared = Notifier()
var onTapped:OnTapNotifierCallback?
private var isShowing:Bool = false {
didSet {
self.showCurrentNotifier()
}
}
lazy var keyWindow:UIWindow! = {
var tmp = UIApplication.shared.keyWindow
if(tmp == nil ){
tmp = UIApplication.shared.windows.first
}
return tmp
}()
override init() {
super.init()
initNotifier()
}
func showNotifier(title:String, body:String, onTapNotifier:OnTapNotifierCallback?){
showNotifier(title:title, body:body, withObject: nil, onTapNotifier:onTapNotifier)
}
func showNotifier(title:String, body:String, withObject obj:Any?, onTapNotifier:OnTapNotifierCallback?){
onTapped = onTapNotifier
processQueue.append(NotifyModel(title: title, body: body, userObject:obj))
if(isShowing == false){
isShowing = true
}
}
func dismissNotifier(withSec sec:Double){
DispatchQueue.main.asyncAfter(deadline: DispatchTime.now() + Double(Int64(sec * Double(NSEC_PER_SEC))) / Double(NSEC_PER_SEC), execute: {
self.dismissNotifier()
})
}
func dismissNotifier(){
if let _ = processQueue.first {
DispatchQueue.main.async {
UIView.animate(withDuration: 0.33, animations: {
self.notifiView.frame.origin.y = -self.notifierHeight
}, completion: { (complete) in
if complete {
self.notifiView.removeFromSuperview()
self.processQueue.remove(at: 0)
self.isShowing = false
}
})
}
}
}
private func showCurrentNotifier(){
if let model = processQueue.first {
DispatchQueue.main.async {
self.notifiView.frame.origin.y = -self.notifierHeight
self.keyWindow.addSubview(self.notifiView)
self.label_title.text = model.title
self.label_body.text = model.body
UIView.animate(withDuration: 0.33, animations: {
self.notifiView.frame.origin.y = 0
})
self.dismissNotifier(withSec: Notifier.exhibitionSec)
}
}
}
private func initNotifier(){
let screenWidth = keyWindow!.bounds.width
notifiView = UIView(frame: CGRect.init(x: CGFloat(notifierMargin),
y: CGFloat(notifierMargin),
width: screenWidth - notifierMargin*2,
height: notifierHeight))
let effectiveView = UIVisualEffectView(frame: notifiView.frame)
let effect = UIBlurEffect.init(style: .prominent)
effectiveView.effect = effect
notifiView.insertSubview(effectiveView, at: 0)
label_title = UILabel(frame: CGRect.init(x: margin, y: 25, width: screenWidth-margin, height: titleHeight))
label_title.text = "您有一条新消息"
label_title.font = UIFont.systemFont(ofSize: 14, weight: UIFontWeightHeavy)
label_title.textColor = UIColor.black
label_body = UILabel(frame: CGRect.init(x: margin, y: label_title.frame.maxY, width: screenWidth-margin, height: 24))
label_body.text = "学习学习经历卡绝世独立卡就收到了空啊实打实的离开家啊收到了空间阿斯利康多久啊啥的间"
label_body.font = UIFont.systemFont(ofSize: 15, weight: UIFontWeightThin)
label_body.numberOfLines = 0
label_body.textColor = UIColor.black
notifiView.addSubview(label_title)
notifiView.addSubview(label_body)
notifiView.addGestureRecognizer(UITapGestureRecognizer.init(target: self, action: #selector(self.onTappedNotifier)))
}
@objc private func onTappedNotifier(){
if let model = processQueue.first {
let obj = model.userObject
if(onTapped != nil){
onTapped!(obj)
}
}
}
}
| 28d9f1475c4405c8587cdfdc885c9586 | 31.9375 | 145 | 0.570588 | false | false | false | false |
jfreyre/ble-central | refs/heads/master | CustomBLE/ViewController.swift | mit | 1 | //
// SecondViewController.swift
// CustomBLE
//
// Created by Jérome Freyre on 20.03.15.
// Copyright (c) 2015 Anemomind. All rights reserved.
//
import Foundation
import CoreBluetooth
class ViewController: UIViewController, BluetoothManagerDelegate {
var myBLE: BluetoothManager?
override func viewDidLoad() {
super.viewDidLoad()
myBLE = BluetoothManager.sharedInstance
BluetoothManager.sharedInstance.delegate = self
// Do any additional setup after loading the view, typically from a nib.
}
@IBAction func rescan(sender: UIButton) {
if BluetoothManager.sharedInstance.isReady() {
BluetoothManager.sharedInstance.scanForPeripheralsWithInterval(15)
}
}
@IBAction func readSomething(sender: UIButton) {
if var peripheral = BluetoothManager.sharedInstance.connectedPeripherals.firstObject as? CBPeripheral {
for service in peripheral.services as [CBService] {
if service.UUID.UUIDString == BLE_SERVICE {
for characteristic in service.characteristics as [CBCharacteristic] {
if characteristic.UUID.UUIDString == BLE_SERVICE_READABLE_SHORT {
BluetoothManager.sharedInstance.read(peripheral, characteristic: characteristic)
}
}
}
}
}
}
@IBAction func readSomethingLong(sender: UIButton) {
if var peripheral = BluetoothManager.sharedInstance.connectedPeripherals.firstObject as? CBPeripheral {
for service in peripheral.services as [CBService] {
if service.UUID.UUIDString == BLE_SERVICE {
for characteristic in service.characteristics as [CBCharacteristic] {
if characteristic.UUID.UUIDString == BLE_SERVICE_READABLE_LARGE {
var res = BluetoothManager.sharedInstance.read(peripheral, characteristic: characteristic)
if (res) {
SVProgressHUD.showWithStatus("Receiving data")
}
}
}
}
}
}
}
@IBAction func writeSomething(sender: UIButton) {
if var peripheral = BluetoothManager.sharedInstance.connectedPeripherals.firstObject as? CBPeripheral {
let msg = Lorem.words(313)
var data = msg.dataUsingEncoding(NSUTF8StringEncoding, allowLossyConversion: false)
for service in peripheral.services as [CBService] {
if service.UUID.UUIDString == BLE_SERVICE {
for characteristic in service.characteristics as [CBCharacteristic] {
if characteristic.UUID.UUIDString == BLE_SERVICE_WRITABLE {
var res = BluetoothManager.sharedInstance.write(data!, peripheral: peripheral, characteristic: characteristic)
if res {
SVProgressHUD.showWithStatus("Writing data")
}
}
}
}
}
}
}
//MARK: Delegate
func centralDidChangeState(state: CBCentralManagerState) {
var msg: NSString
switch state {
case CBCentralManagerState.Unknown:
msg = "Central state updated to Unknown"
case CBCentralManagerState.Resetting:
msg = "Central state updated to Resetting"
case CBCentralManagerState.Unsupported:
msg = "Central state updated to Unsupported"
case CBCentralManagerState.Unauthorized:
msg = "Central state updated to Unauthorized"
case CBCentralManagerState.PoweredOff:
msg = "Central state updated to PoweredOff"
case CBCentralManagerState.PoweredOn:
msg = "Central state updated to PoweredOn"
BluetoothManager.sharedInstance.scanForPeripheralsWithInterval(5)
dispatch_async(dispatch_get_main_queue(), { () -> Void in
SVProgressHUD.showSuccessWithStatus("Scanning for peripherals")
})
return
default:
msg = "Central state updated to WHAT??!!"
}
dispatch_async(dispatch_get_main_queue(), { () -> Void in
SVProgressHUD.showErrorWithStatus(msg)
})
}
func centralDidNotFoundAnyDevice() {
SVProgressHUD.showErrorWithStatus("No peripheral found...")
}
func centralIsConnectedToPeripheral(peripheral: CBPeripheral) {
SVProgressHUD.showWithStatus("Connected to \(peripheral.name)")
}
func centralIsDisconnectedFromPeripheral(peripheral: CBPeripheral) {
SVProgressHUD.showWithStatus("Disconnected to \(peripheral.name)")
}
func peripheralDidWrote(characteristic: CBCharacteristic, onPeripheral peripheral: CBPeripheral) {
NSLog("Characteristic %@ => written", characteristic)
dispatch_async(dispatch_get_main_queue(), { () -> Void in
SVProgressHUD.showSuccessWithStatus("Data sent!")
})
}
func peripheralDidRead(value: NSString, ofCharacteristic characteristic: CBCharacteristic, onPeripheral peripheral: CBPeripheral) {
if characteristic.UUID.UUIDString == BLE_SERVICE_READABLE_SHORT {
dispatch_async(dispatch_get_main_queue(), { () -> Void in
SVProgressHUD.showSuccessWithStatus("Read short: \(value)")
})
} else if characteristic.UUID.UUIDString == BLE_SERVICE_READABLE_LARGE {
dispatch_async(dispatch_get_main_queue(), { () -> Void in
SVProgressHUD.showSuccessWithStatus("Read long: \(value)")
})
}
}
func peripheralDidUpdateValue(value: NSString, ofCharacteristic characteristic: CBCharacteristic, onPeripheral peripheral: CBPeripheral) {
let message = "Notified for \(value)"
dispatch_async(dispatch_get_main_queue(), { () -> Void in
SVProgressHUD.showSuccessWithStatus(message)
})
}
} | 39c15e183ca9ba930ebb61f5ed860008 | 36.135593 | 142 | 0.577754 | false | false | false | false |
rajeshmud/CLChart | refs/heads/master | CLApp/CLCharts/CLCharts/Charts/CLAxisValue.swift | mit | 1 | //
// CLAxisValuesString.swift
// CLCharts
//
// Created by Rajesh Mudaliyar on 11/09/15.
// Copyright © 2015 Rajesh Mudaliyar. All rights reserved.
//
import UIKit
public class CLAxisValue: Equatable {
public var 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 CLAxisLayer.
In the most common case this will be an array with only one element.
*/
public var labels: [CLAxisLabel] {
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: CLAxisValue {
return self.copy(self.scalar)
}
public func copy(scalar: Double) -> CLAxisValue {
return CLAxisValue(scalar: self.scalar)
}
public func divideBy(dev:Int) {
scalar = scalar/Double(dev)
}
}
public func ==(lhs: CLAxisValue, rhs: CLAxisValue) -> Bool {
return lhs.scalar == rhs.scalar
}
public func +=(lhs: CLAxisValue, rhs: CLAxisValue) -> CLAxisValue {
lhs.scalar += rhs.scalar
return lhs
}
public func <=(lhs: CLAxisValue, rhs: CLAxisValue) -> Bool {
return lhs.scalar <= rhs.scalar
}
public func >(lhs: CLAxisValue, rhs: CLAxisValue) -> Bool {
return lhs.scalar > rhs.scalar
}
public class CLAxisValueDate: CLAxisValue {
private let formatter: NSDateFormatter
private let labelSettings: CLLabelSettings
public var date: NSDate {
return CLAxisValueDate.dateFromScalar(self.scalar)
}
public init(date: NSDate, formatter: NSDateFormatter, labelSettings: CLLabelSettings = CLLabelSettings()) {
self.formatter = formatter
self.labelSettings = labelSettings
super.init(scalar: CLAxisValueDate.scalarFromDate(date))
}
override public var labels: [CLAxisLabel] {
let axisLabel = CLAxisLabel(text: self.formatter.stringFromDate(self.date), settings: self.labelSettings)
axisLabel.hidden = self.hidden
return [axisLabel]
}
public class func dateFromScalar(scalar: Double) -> NSDate {
return NSDate(timeIntervalSince1970: NSTimeInterval(scalar))
}
public class func scalarFromDate(date: NSDate) -> Double {
return Double(date.timeIntervalSince1970)
}
}
public class CLAxisValueDouble: CLAxisValue {
public let formatter: NSNumberFormatter
let labelSettings: CLLabelSettings
override public var text: String {
return self.formatter.stringFromNumber(self.scalar)!
}
public convenience init(_ int: Int, formatter: NSNumberFormatter = CLAxisValueDouble.defaultFormatter, labelSettings: CLLabelSettings = CLLabelSettings()) {
self.init(Double(int), formatter: formatter, labelSettings: labelSettings)
}
public init(_ double: Double, formatter: NSNumberFormatter = CLAxisValueDouble.defaultFormatter, labelSettings: CLLabelSettings = CLLabelSettings()) {
self.formatter = formatter
self.labelSettings = labelSettings
super.init(scalar: double)
}
override public var labels: [CLAxisLabel] {
let axisLabel = CLAxisLabel(text: self.text, settings: self.labelSettings)
return [axisLabel]
}
override public func copy(scalar: Double) -> CLAxisValueDouble {
return CLAxisValueDouble(scalar, formatter: self.formatter, labelSettings: self.labelSettings)
}
static var defaultFormatter: NSNumberFormatter = {
let formatter = NSNumberFormatter()
formatter.maximumFractionDigits = 2
return formatter
}()
}
public class CLAxisValueDoubleScreenLoc: CLAxisValueDouble {
private let actualDouble: Double
var screenLocDouble: Double {
return self.scalar
}
override public var text: String {
return self.formatter.stringFromNumber(self.actualDouble)!
}
// screenLocFloat: model value which will be used to calculate screen position
// actualFloat: scalar which this axis value really represents
public init(screenLocDouble: Double, actualDouble: Double, formatter: NSNumberFormatter = CLAxisValueFloat.defaultFormatter, labelSettings: CLLabelSettings = CLLabelSettings()) {
self.actualDouble = actualDouble
super.init(screenLocDouble, formatter: formatter, labelSettings: labelSettings)
}
override public var labels: [CLAxisLabel] {
let axisLabel = CLAxisLabel(text: self.text, settings: self.labelSettings)
return [axisLabel]
}
}
public class CLAxisValueFloat: CLAxisValue {
public let formatter: NSNumberFormatter
let labelSettings: CLLabelSettings
public var float: CGFloat {
return CGFloat(self.scalar)
}
override public var text: String {
return self.formatter.stringFromNumber(self.float)!
}
public init(_ float: CGFloat, formatter: NSNumberFormatter = CLAxisValueFloat.defaultFormatter, labelSettings: CLLabelSettings = CLLabelSettings()) {
self.formatter = formatter
self.labelSettings = labelSettings
super.init(scalar: Double(float))
}
override public var labels: [CLAxisLabel] {
let axisLabel = CLAxisLabel(text: self.text, settings: self.labelSettings)
return [axisLabel]
}
override public func copy(scalar: Double) -> CLAxisValueFloat {
return CLAxisValueFloat(CGFloat(scalar), formatter: self.formatter, labelSettings: self.labelSettings)
}
static var defaultFormatter: NSNumberFormatter = {
let formatter = NSNumberFormatter()
formatter.maximumFractionDigits = 2
return formatter
}()
}
@available(*, deprecated=0.2.5, message="use CLAxisValueDoubleScreenLoc instead")
public class CLAxisValueFloatScreenLoc: CLAxisValueFloat {
private let actualFloat: CGFloat
var screenLocFloat: CGFloat {
return CGFloat(self.scalar)
}
override public var text: String {
return self.formatter.stringFromNumber(self.actualFloat)!
}
// screenLocFloat: model value which will be used to calculate screen position
// actualFloat: scalar which this axis value really represents
public init(screenLocFloat: CGFloat, actualFloat: CGFloat, formatter: NSNumberFormatter = CLAxisValueFloat.defaultFormatter, labelSettings: CLLabelSettings = CLLabelSettings()) {
self.actualFloat = actualFloat
super.init(screenLocFloat, formatter: formatter, labelSettings: labelSettings)
}
override public var labels: [CLAxisLabel] {
let axisLabel = CLAxisLabel(text: self.text, settings: self.labelSettings)
return [axisLabel]
}
}
public class CLAxisValueInt: CLAxisValue {
public let int: Int
private let labelSettings: CLLabelSettings
override public var text: String {
return "\(self.int)"
}
public init(_ int: Int, labelSettings: CLLabelSettings = CLLabelSettings()) {
self.int = int
self.labelSettings = labelSettings
super.init(scalar: Double(int))
}
override public var labels:[CLAxisLabel] {
let axisLabel = CLAxisLabel(text: self.text, settings: self.labelSettings)
return [axisLabel]
}
override public func copy(scalar: Double) -> CLAxisValueInt {
return CLAxisValueInt(self.int, labelSettings: self.labelSettings)
}
}
public class CLAxisValueString: CLAxisValue {
let string: String
private let labelSettings: CLLabelSettings
public init(_ string: String = "", order: Int, labelSettings: CLLabelSettings = CLLabelSettings()) {
self.string = string
self.labelSettings = labelSettings
super.init(scalar: Double(order))
}
override public var labels: [CLAxisLabel] {
let axisLabel = CLAxisLabel(text: self.string, settings: self.labelSettings)
return [axisLabel]
}
}
| 394cc07bf81bbb29286e95d10fc3eaee | 30.661538 | 182 | 0.676263 | false | false | false | false |
ta2yak/Hokusai | refs/heads/master | Example/Hokusai/ViewController.swift | mit | 1 | //
// ViewController.swift
// Hokusai
//
// Created by ytakzk on 07/12/2015.
// Copyright (c) 2015 ytakzk. All rights reserved.
//
import UIKit
class ViewController: UIViewController, UICollectionViewDataSource, UICollectionViewDelegate {
@IBOutlet weak var collectionView: UICollectionView!
var items = [HOKColorScheme.Hokusai, HOKColorScheme.Asagi, HOKColorScheme.Matcha, HOKColorScheme.Tsubaki,
HOKColorScheme.Inari, HOKColorScheme.Karasu, HOKColorScheme.Enshu]
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.
}
// MARK: - UICollectionViewDelegate Protocol
func collectionView(collectionView: UICollectionView, cellForItemAtIndexPath indexPath: NSIndexPath) -> UICollectionViewCell {
let cell:ThumbnailCell = collectionView.dequeueReusableCellWithReuseIdentifier("ThumbnailCell", forIndexPath: indexPath) as ThumbnailCell
var name = "Custom"
if indexPath.row < items.count {
name = getName(items[indexPath.row])
}
cell.photoImageView.image = UIImage(named: name)
cell.nameLabel.text = name
return cell
}
func numberOfSectionsInCollectionView(collectionView: UICollectionView) -> Int {
return 1
}
func collectionView(collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return items.count + 1
}
func collectionView(collectionView: UICollectionView, layout collectionViewLayout: UICollectionViewLayout, sizeForItemAtIndexPath indexPath: NSIndexPath) -> CGSize {
let width = self.view.frame.width
let height = self.view.frame.height
var length = (width < height) ? width*0.5 : width/3
return CGSize(width: length, height: length)
}
func collectionView(collectionView: UICollectionView, didSelectItemAtIndexPath indexPath: NSIndexPath) {
/////////////////////////////////////////////
// Here is the implementation for Hokusai. //
/////////////////////////////////////////////
let hokusai = Hokusai()
// Add a button with a closure
hokusai.addButton("Button 1") {
println("Rikyu")
}
// Add a button with a selector
hokusai.addButton("Button 2", target: self, selector: Selector("button2Pressed"))
// Set a font name. Default is AvenirNext-DemiBold.
hokusai.fontName = "Verdana-Bold"
// Select a color scheme
if indexPath.row < items.count {
hokusai.colorScheme = items[indexPath.row]
} else {
hokusai.colors = HOKColors(
backGroundColor: UIColor.blackColor(),
buttonColor: UIColor.purpleColor(),
cancelButtonColor: UIColor.grayColor(),
fontColor: UIColor.whiteColor()
)
}
// Show Hokusai
hokusai.show()
}
func button2Pressed() {
println("Oribe")
}
func getName(scheme: HOKColorScheme) -> String {
if scheme == HOKColorScheme.Hokusai {
return "Hokusai"
} else if scheme == HOKColorScheme.Asagi {
return "Asagi"
} else if scheme == HOKColorScheme.Matcha {
return "Matcha"
} else if scheme == HOKColorScheme.Tsubaki {
return "Tsubaki"
} else if scheme == HOKColorScheme.Inari {
return "Inari"
} else if scheme == HOKColorScheme.Karasu {
return "Karasu"
} else if scheme == HOKColorScheme.Enshu {
return "Enshu"
}
return ""
}
}
| 0bea10ee758dc41012c996c3c8ced9b5 | 32.700855 | 169 | 0.605377 | false | false | false | false |
L550312242/SinaWeiBo-Switf | refs/heads/master | weibo 1/Class/Module(模块)/Main(主要的)/Controller/CZMainViewController.swift | apache-2.0 | 1 |
import UIKit
class CZMainViewController: UITabBarController {
func composeButtonClick(){
// //_Function_ 打印方法名称
// print(__FUNCTION__)
// 判断如果没有登录,就到登陆界面,否则就到发微博界面
let vc = CZUserAccount.userLogin() ? CZComposeViewController() : CZOauthViewController()
// 弹出对应的控制器
presentViewController(UINavigationController(rootViewController: vc), animated: true, completion: nil)
}
override func viewDidLoad(){
super.viewDidLoad()
tabBar.tintColor = UIColor.orangeColor()
//首页
let homeVc = CZHomeViewController()
self.addChildViewController(homeVc, title: "首页", imageName: "tabbar_home")
//消息
let messageVc = CZMessageViewController()
self.addChildViewController(messageVc, title: "消息", imageName: "tabbar_message_center")
//使用一个空的来顶替
let controller = UIViewController()
addChildViewController(controller, title: "", imageName: "f")
//发现
let discoverVc = CZDiscoverController()
self.addChildViewController(discoverVc, title: "发现", imageName:"tabbar_discover")
//我
let profileVc = CZProfileViewController()
self.addChildViewController(profileVc , title: "我", imageName: "tabbar_profile")
}
override func viewWillAppear(animated: Bool) {
super.viewWillAppear(animated)
let width = tabBar.bounds.width / CGFloat(5)
composeButton.frame = CGRect(x: 2 * width, y: 0, width: width, height: tabBar.bounds.height)
tabBar.addSubview(composeButton)
}
/**
添加子控制器,包装Nav
- parameter controller: 控制器
- parameter title: 标题
- parameter imageName: 图片名称
*/
private func addChildViewController(contorller : UIViewController,title:String,imageName:String) {
contorller.title = title
contorller.tabBarItem.image = UIImage(named: imageName)
addChildViewController(UINavigationController(rootViewController: contorller))
}
// MAKE: -- 懒加载
lazy var composeButton: UIButton = {
let button = UIButton()
//按钮图片
button.setImage(UIImage(named: "tabbar_compose_icon_add"), forState: UIControlState.Normal)
button.setImage(UIImage(named: "tabbar_compose_icon_add_highlighted"), forState: UIControlState.Highlighted)
//添加按钮背景
button.setBackgroundImage(UIImage(named: "tabbar_compose_button"), forState: UIControlState.Normal)
button.setBackgroundImage(UIImage(named: "tabbar_compose_button_highlighted"), forState: UIControlState.Highlighted)
button.addTarget(self, action: "composeButtonClick", forControlEvents: UIControlEvents.TouchUpInside)
// self.addSubview(button)
return button
}()
}
| ca358d9acadb81d6193f16e362339946 | 35.564103 | 124 | 0.652525 | false | false | false | false |
ccqpein/Arithmetic-Exercises | refs/heads/master | weight-union-find/wuf.swift | apache-2.0 | 1 | class Node{
var value:Int
var node = [Node]()
var root:Node?
var numberOfLevel = 0
init(_ initvalue:Int){
self.value = initvalue
self.root = self
}
}
func findRoot(_ n:Node) -> Node{
guard n.root !== n else {return n}
var result = findRoot(n.root!)
return result
}
func connected(_ a:Node, _ b:Node){
switch (findRoot(a), findRoot(b)) {
case let (x,y) where x === a && y === b: // a and b are top nodes
if a.numberOfLevel > b.numberOfLevel {
a.node.append(b)
b.root = a
}else if a.numberOfLevel == b.numberOfLevel{
a.node.append(b)
b.root = a
a.numberOfLevel += 1
}else{
b.node.append(a)
a.root = b
}
case let (aroot,broot):
if aroot.numberOfLevel > broot.numberOfLevel {
aroot.node.append(broot)
broot.root = aroot
}else if aroot.numberOfLevel == broot.numberOfLevel{
aroot.node.append(broot)
broot.root = aroot
aroot.numberOfLevel += 1
}else{
broot.node.append(aroot)
aroot.root = broot
}
}
}
func connected2(_ a:Node, _ b:Node){ // function connected might be improved
var aroot = findRoot(a)
var broot = findRoot(b)
if aroot.numberOfLevel > broot.numberOfLevel {
aroot.node.append(broot)
broot.root = aroot
}else if aroot.numberOfLevel == broot.numberOfLevel{
aroot.node.append(broot)
broot.root = aroot
aroot.numberOfLevel += 1
}else{
broot.node.append(aroot)
aroot.root = broot
}
}
// test cases
var n0 = Node(0)
var n1 = Node(1)
var n2 = Node(2)
var n3 = Node(3)
var n4 = Node(4)
var n5 = Node(5)
var n6 = Node(6)
var n7 = Node(7)
var n8 = Node(8)
var n9 = Node(9)
connected(n4,n3)
connected(n4,n8)
connected(n8,n9)
connected(n2,n1)
connected(n7,n1)
connected(n6,n0)
connected(n6,n5)
connected(n6,n2)
connected(n4,n0)
//print(n0,n1,n2,n3,n4,n5,n6,n7,n8,n9)
print(n6)
var n02 = Node(0)
var n12 = Node(1)
var n22 = Node(2)
var n32 = Node(3)
var n42 = Node(4)
var n52 = Node(5)
var n62 = Node(6)
var n72 = Node(7)
var n82 = Node(8)
var n92 = Node(9)
connected2(n42,n32)
connected2(n42,n82)
connected2(n82,n92)
connected2(n22,n12)
connected2(n72,n12)
connected2(n62,n02)
connected2(n62,n52)
connected2(n62,n22)
connected2(n42,n02)
print(n62)
| d5667137e733dae535215f88bbd480d3 | 19.974359 | 76 | 0.585575 | false | false | false | false |
bogosmer/UnitKit | refs/heads/master | UnitKitTests/AreaUnitTests.swift | mit | 1 | //
// AreaUnitTests.swift
// UnitKit
//
// Created by Bo Gosmer on 10/02/2016.
// Copyright © 2016 Deadlock Baby. All rights reserved.
//
import XCTest
@testable import UnitKit
class AreaUnitTests: XCTestCase {
override func setUp() {
super.setUp()
AreaUnit.sharedDecimalNumberHandler = nil
}
override func tearDown() {
super.tearDown()
}
// MARK: - AreaUnit
func testDecimalNumberInitializationUsingBaseUnitType() {
let decimalValue = NSDecimalNumber.double(1)
let areaUnitValue = NSDecimalNumber(decimal: AreaUnit(value: decimalValue, type: .SquareCentimetre).baseUnitTypeValue)
XCTAssert(areaUnitValue == decimalValue, "expected \(decimalValue) - got \(areaUnitValue)")
}
func testDoubleInitializationUsingBaseUnitType() {
let value: Double = 1
let decimalValue = NSDecimalNumber.double(value)
let areaUnitValue = NSDecimalNumber(decimal: AreaUnit(value: value, type: .SquareCentimetre).baseUnitTypeValue)
XCTAssert(areaUnitValue == decimalValue, "expected \(decimalValue) - got \(areaUnitValue)")
}
func testIntInitializationUsingBaseUnitType() {
let value: Int = 1
let decimalValue = NSDecimalNumber.integer(value)
let areaUnitValue = NSDecimalNumber(decimal: AreaUnit(value: value, type: .SquareCentimetre).baseUnitTypeValue)
XCTAssert(areaUnitValue == decimalValue, "expected \(decimalValue) - got \(areaUnitValue)")
}
func testIntInitializationUsingOtherUnitType() {
let value: Int = 1
let decimalValue = NSDecimalNumber.integer(value).decimalNumberByMultiplyingBy(AreaUnitType.SquareMetre.baseUnitTypePerUnit())
let areaUnitValue = NSDecimalNumber(decimal: AreaUnit(value: value, type: .SquareMetre).baseUnitTypeValue)
XCTAssert(areaUnitValue == decimalValue, "expected \(decimalValue) - got \(areaUnitValue)")
}
func testDecimalNumberInitializationOtherBaseUnitType() {
let value: Int = 1
let decimalValue = NSDecimalNumber.double(1).decimalNumberByMultiplyingBy(AreaUnitType.Acre.baseUnitTypePerUnit())
let areaUnitValue = NSDecimalNumber(decimal: AreaUnit(value: value, type: .Acre).baseUnitTypeValue)
XCTAssert(areaUnitValue == decimalValue, "expected \(decimalValue) - got \(areaUnitValue)")
}
func testDoubleInitializationUsingOtherUnitType() {
let value: Double = 1
let decimalValue = NSDecimalNumber.double(value).decimalNumberByMultiplyingBy(AreaUnitType.Hectare.baseUnitTypePerUnit())
let areaUnitValue = NSDecimalNumber(decimal: AreaUnit(value: value, type: .Hectare).baseUnitTypeValue)
XCTAssert(areaUnitValue == decimalValue, "expected \(decimalValue) - got \(areaUnitValue)")
}
func testsquareMillimetreValue() {
let value: Double = 1
let decimalValue = NSDecimalNumber.double(value).decimalNumberByDividingBy(AreaUnitType.SquareMillimetre.baseUnitTypePerUnit())
let areaUnit = AreaUnit(value: value, type: .SquareCentimetre).squareMillimetreValue
XCTAssert(areaUnit == decimalValue, "expected \(decimalValue) - got \(areaUnit)")
}
func testSqaureMetreValue() {
let value: Double = 2
let decimalValue = NSDecimalNumber.double(value).decimalNumberByDividingBy(AreaUnitType.SquareMetre.baseUnitTypePerUnit())
let areaUnit = AreaUnit(value: value, type: .SquareCentimetre).squareMetreValue
XCTAssert(areaUnit == decimalValue, "expected \(decimalValue) - got \(areaUnit)")
}
func testHectareValue() {
let value: Double = 3
let decimalValue = NSDecimalNumber.double(value).decimalNumberByDividingBy(AreaUnitType.Hectare.baseUnitTypePerUnit())
let areaUnit = AreaUnit(value: value, type: .SquareCentimetre).hectareValue
XCTAssert(areaUnit == decimalValue, "expected \(decimalValue) - got \(areaUnit)")
}
func testSquareKilometreValue() {
let value: Double = 4
let decimalValue = NSDecimalNumber.double(value).decimalNumberByDividingBy(AreaUnitType.SquareKilometre.baseUnitTypePerUnit())
let areaUnit = AreaUnit(value: value, type: .SquareCentimetre).squareKilometreValue
XCTAssert(areaUnit == decimalValue, "expected \(decimalValue) - got \(areaUnit)")
}
func testSquareInchValue() {
let value: Double = 5
let decimalValue = NSDecimalNumber.double(value).decimalNumberByDividingBy(AreaUnitType.SquareInch.baseUnitTypePerUnit())
let areaUnit = AreaUnit(value: value, type: .SquareCentimetre).squareInchValue
XCTAssert(areaUnit == decimalValue, "expected \(decimalValue) - got \(areaUnit)")
}
func testSquareFootValue() {
let value: Double = 6
let decimalValue = NSDecimalNumber.double(value).decimalNumberByDividingBy(AreaUnitType.SquareFoot.baseUnitTypePerUnit())
let areaUnit = AreaUnit(value: value, type: .SquareCentimetre).squareFootValue
XCTAssert(areaUnit == decimalValue, "expected \(decimalValue) - got \(areaUnit)")
}
func testSquareYardValue() {
let value: Double = 7
let decimalValue = NSDecimalNumber.double(value).decimalNumberByDividingBy(AreaUnitType.SquareYard.baseUnitTypePerUnit())
let areaUnit = AreaUnit(value: value, type: .SquareCentimetre).squareYardValue
XCTAssert(areaUnit == decimalValue, "expected \(decimalValue) - got \(areaUnit)")
}
func testAcreValue() {
let value: Double = 8
let decimalValue = NSDecimalNumber.double(value).decimalNumberByDividingBy(AreaUnitType.Acre.baseUnitTypePerUnit())
let areaUnit = AreaUnit(value: value, type: .SquareCentimetre).acreValue
XCTAssert(areaUnit == decimalValue, "expected \(decimalValue) - got \(areaUnit)")
}
func testSquareMileValue() {
let value: Double = 9
let decimalValue = NSDecimalNumber.double(value).decimalNumberByDividingBy(AreaUnitType.SquareMile.baseUnitTypePerUnit())
let areaUnit = AreaUnit(value: value, type: .SquareCentimetre).squareMileValue
XCTAssert(areaUnit == decimalValue, "expected \(decimalValue) - got \(areaUnit)")
}
func testSquareNauticalMileValue() {
let value: Double = 10
let decimalValue = NSDecimalNumber.double(value).decimalNumberByDividingBy(AreaUnitType.SquareNauticalMile.baseUnitTypePerUnit())
let areaUnit = AreaUnit(value: value, type: .SquareCentimetre).squareNauticalMileValue
XCTAssert(areaUnit == decimalValue, "expected \(decimalValue) - got \(areaUnit)")
}
func testConversionExample() {
let value: Double = 1
let decimalValue = NSDecimalNumber.double(value).decimalNumberByMultiplyingBy(AreaUnitType.SquareNauticalMile.baseUnitTypePerUnit()).decimalNumberByDividingBy(AreaUnitType.SquareMile.baseUnitTypePerUnit())
let areaUnit = AreaUnit(value: value, type: .SquareNauticalMile).squareMileValue
XCTAssert(areaUnit == decimalValue, "expected \(decimalValue) - got \(areaUnit)")
}
func testSharedDecimalNumberHandler() {
AreaUnit.sharedDecimalNumberHandler = NSDecimalNumberHandler(roundingMode: .RoundPlain, scale: 2, raiseOnExactness: false, raiseOnOverflow: false, raiseOnUnderflow: false, raiseOnDivideByZero: false)
let value = 1.2345
let areaUnitValue = AreaUnit(value: value, type: .SquareCentimetre)
XCTAssert(AreaUnit.sharedDecimalNumberHandler != nil)
XCTAssert(NSDecimalNumber(decimal: areaUnitValue.baseUnitTypeValue) == NSDecimalNumber.double(1.23), "expected 1.23 - got \(NSDecimalNumber(decimal: areaUnitValue.baseUnitTypeValue))")
}
func testInstanceDecimalNumberHandler() {
let value = 9.8765
var massUnit = AreaUnit(value: value, type: .SquareCentimetre)
massUnit.decimalNumberHandler = NSDecimalNumberHandler(roundingMode: .RoundPlain, scale: 2, raiseOnExactness: false, raiseOnOverflow: false, raiseOnUnderflow: false, raiseOnDivideByZero: false)
let baseUnitTypeValue = NSDecimalNumber(decimal: massUnit.baseUnitTypeValue)
XCTAssert(NSDecimalNumber.double(value) == baseUnitTypeValue, "expected \(value) - got \(baseUnitTypeValue)")
}
// MARK: - CustomStringConvertible
func testDescription() {
let unit = AreaUnit(value: 1, type: .SquareCentimetre)
XCTAssert(unit.description == "1 square centimetre", "got \(unit.description)")
}
// MARK: - Localization
func testLocalizedName() {
let unitSingle = AreaUnit(value: 1, type: .SquareCentimetre)
XCTAssert(unitSingle.localizedNameOfUnitType(NSLocale(localeIdentifier: "en")) == "square centimetre")
XCTAssert(unitSingle.localizedNameOfUnitType(NSLocale(localeIdentifier: "da")) == "kvadratcentimeter")
let unitPlural = AreaUnit(value: 2, type: .SquareCentimetre)
XCTAssert(unitPlural.localizedNameOfUnitType(NSLocale(localeIdentifier: "en")) == "square centimetres")
XCTAssert(unitPlural.localizedNameOfUnitType(NSLocale(localeIdentifier: "da")) == "kvadratcentimeter")
}
func testLocalizedAbbreviation() {
let unitSingle = AreaUnit(value: 1, type: .SquareCentimetre)
XCTAssert(unitSingle.localizedAbbreviationOfUnitType(nil) == "cm²")
XCTAssert(unitSingle.localizedAbbreviationOfUnitType(NSLocale(localeIdentifier: "en")) == "cm²")
XCTAssert(unitSingle.localizedAbbreviationOfUnitType(NSLocale(localeIdentifier: "da")) == "cm²")
let unitPlural = AreaUnit(value: 2, type: .SquareCentimetre)
XCTAssert(unitPlural.localizedAbbreviationOfUnitType(nil) == "cm²")
XCTAssert(unitPlural.localizedAbbreviationOfUnitType(NSLocale(localeIdentifier: "en")) == "cm²")
XCTAssert(unitPlural.localizedAbbreviationOfUnitType(NSLocale(localeIdentifier: "da")) == "cm²")
}
// MARK: - Arithmetic
func testAdditionOfAreaUnits() {
let m2 = AreaUnit(value: 1, type: .SquareMetre)
let mm2 = AreaUnit(value: 1, type: .SquareMillimetre)
var addition = m2 + mm2
var number = addition.squareMetreValue
XCTAssert(addition.unitType == AreaUnitType.SquareMetre, "expected \(AreaUnitType.SquareMetre) - got \(addition.unitType)")
XCTAssert(number == NSDecimalNumber.double(1.000001), "expected 1.000001, got \(number)")
addition = mm2 + m2
number = addition.squareMillimetreValue
XCTAssert(addition.unitType == AreaUnitType.SquareMillimetre, "expected \(AreaUnitType.SquareMillimetre) - got \(addition.unitType)")
XCTAssert(number == NSDecimalNumber.double(1000001), "expected 1000001, got \(number)")
}
func testAdditionWithDouble() {
let initialValue:Double = 1245
let additionValue = 2.5
let acre = AreaUnit(value: initialValue, type: .SquareKilometre)
let addition = acre + additionValue
let number = addition.squareKilometreValue
XCTAssert(number == NSDecimalNumber.double(initialValue + additionValue), "expected \(initialValue + additionValue) - got \(number)")
}
func testAdditionWithInteger() {
let initialValue:Int = 967235
let additionValue = 254
let hectare = AreaUnit(value: initialValue, type: .SquareInch)
let addition = hectare + additionValue
let number = addition.squareInchValue
XCTAssert(number == NSDecimalNumber.integer(initialValue + additionValue), "expected \(initialValue + additionValue) - got \(number)")
}
func testSubtractionOfAreaUnits() {
let m2 = AreaUnit(value: 1, type: .SquareMetre)
let cm2 = AreaUnit(value: 1, type: .SquareCentimetre)
var subtraction = m2 - cm2
var number = subtraction.squareMetreValue
XCTAssert(subtraction.unitType == AreaUnitType.SquareMetre, "expected \(AreaUnitType.SquareMetre) - got \(subtraction.unitType)")
XCTAssert(number == NSDecimalNumber.double(0.9999), "expected 0.9999, got \(number)")
subtraction = cm2 - m2
number = subtraction.squareCentimetreValue
XCTAssert(subtraction.unitType == AreaUnitType.SquareCentimetre, "expected \(AreaUnitType.SquareCentimetre) - got \(subtraction.unitType)")
XCTAssert(number == NSDecimalNumber.double(-9999), "expected -9999, got \(number)")
}
func testSubtractionWithDouble() {
let initialValue:Double = 1245
let subtractionValue = 2.5
let squareFoot = AreaUnit(value: initialValue, type: .SquareFoot)
var subtraction = squareFoot - subtractionValue
var number = subtraction.squareFootValue
XCTAssert(number == NSDecimalNumber.double(initialValue - subtractionValue), "expected \(initialValue - subtractionValue) - got \(number)")
subtraction = subtractionValue - squareFoot
number = subtraction.squareFootValue
XCTAssert(number == NSDecimalNumber.double(subtractionValue - initialValue), "expected \(subtractionValue - initialValue) - got \(number)")
}
func testSubtractionWithInteger() {
let initialValue:Int = 967235
let subtractionValue = 254
let squareYard = AreaUnit(value: initialValue, type: .SquareYard)
let subtraction = squareYard - subtractionValue
let number = subtraction.squareYardValue
XCTAssert(number == NSDecimalNumber.integer(initialValue - subtractionValue), "expected \(initialValue - subtractionValue) - got \(number)")
}
func testMultiplicationWithDouble() {
let initialValue:Double = 1000
let factor = 2.5
let acre = AreaUnit(value: initialValue, type: .Acre)
let mult = acre * factor
let number = mult.acreValue
XCTAssert(number == NSDecimalNumber.double(initialValue * factor), "expected \(initialValue * factor) - got \(number)")
}
func testMultiplicationWithInteger() {
let initialValue:Int = 1000
let multiplicationValue = 3
let hectare = AreaUnit(value: initialValue, type: .Hectare)
let mult = hectare * multiplicationValue
let number = mult.hectareValue
XCTAssert(number == NSDecimalNumber.integer(initialValue * multiplicationValue), "expected \(initialValue * multiplicationValue) - got \(number)")
}
func testDivisionWithDouble() {
let initialValue:Double = 1000
let divValue = 2.5
let acre = AreaUnit(value: initialValue, type: .SquareMile)
let div = acre / divValue
let number = div.squareMileValue
XCTAssert(number == NSDecimalNumber.double(initialValue / divValue), "expected \(initialValue / divValue) - got \(number)")
}
func testDivisionWithInteger() {
let initialValue:Int = 2000
let divValue = 4
let squareNauticalMile = AreaUnit(value: initialValue, type: .SquareNauticalMile)
var div = squareNauticalMile / divValue
var number = div.squareNauticalMileValue
XCTAssert(number == NSDecimalNumber.integer(initialValue / divValue), "expected \(initialValue / divValue) - got \(number)")
div = divValue / squareNauticalMile
number = div.squareNauticalMileValue
XCTAssert(number == NSDecimalNumber.double(Double(divValue) / Double(initialValue)), "expected \(Double(divValue) / Double(initialValue)) - got \(number)")
}
// MARK: - Double and Int extensions
func testSquareMillimetreExtension() {
XCTAssert(1.0.squareMillimetres().squareMillimetreValue == AreaUnit(value: 1.0, type: .SquareMillimetre).squareMillimetreValue)
XCTAssert(1.squareMillimetres().squareMillimetreValue == AreaUnit(value: 1, type: .SquareMillimetre).squareMillimetreValue)
}
func testSquareCentimetreExtension() {
XCTAssert(1.0.squareCentimetres().squareCentimetreValue == AreaUnit(value: 1.0, type: .SquareCentimetre).squareCentimetreValue)
XCTAssert(1.squareCentimetres().squareCentimetreValue == AreaUnit(value: 1, type: .SquareCentimetre).squareCentimetreValue)
}
func testSquareMeterExtension() {
XCTAssert(1.0.squareMetres().squareMetreValue == AreaUnit(value: 1.0, type: .SquareMetre).squareMetreValue)
XCTAssert(1.squareMetres().squareMetreValue == AreaUnit(value: 1, type: .SquareMetre).squareMetreValue)
}
func testHectareExtension() {
XCTAssert(1.0.hectares().hectareValue == AreaUnit(value: 1.0, type: .Hectare).hectareValue)
XCTAssert(1.hectares().hectareValue == AreaUnit(value: 1, type: .Hectare).hectareValue)
}
func testSquareKilometreExtension() {
XCTAssert(1.0.squareKilometres().squareKilometreValue == AreaUnit(value: 1.0, type: .SquareKilometre).squareKilometreValue)
XCTAssert(1.squareKilometres().squareKilometreValue == AreaUnit(value: 1, type: .SquareKilometre).squareKilometreValue)
XCTAssert(1.squareKilometres().squareCentimetreValue.description == "10000000000", "exptected 10000000000 - got \(1.squareKilometres().squareCentimetreValue.description)")
}
func testSquareInchExtension() {
XCTAssert(1.0.squareInches().squareInchValue == AreaUnit(value: 1.0, type: .SquareInch).squareInchValue)
XCTAssert(1.squareInches().squareInchValue == AreaUnit(value: 1, type: .SquareInch).squareInchValue)
}
func testSquareFootExtension() {
XCTAssert(1.0.squareFeet().squareFootValue == AreaUnit(value: 1.0, type: .SquareFoot).squareFootValue)
XCTAssert(1.squareFeet().squareFootValue == AreaUnit(value: 1, type: .SquareFoot).squareFootValue)
}
func testSquareYardExtension() {
XCTAssert(1.0.squareYards().squareYardValue == AreaUnit(value: 1.0, type: .SquareYard).squareYardValue)
XCTAssert(1.squareYards().squareYardValue == AreaUnit(value: 1, type: .SquareYard).squareYardValue)
}
func testAcreExtension() {
XCTAssert(1.0.acres().acreValue == AreaUnit(value: 1.0, type: .Acre).acreValue)
XCTAssert(1.acres().acreValue == AreaUnit(value: 1, type: .Acre).acreValue)
}
func testSquareMileExtension() {
XCTAssert(1.0.squareMiles().squareMileValue == AreaUnit(value: 1.0, type: .SquareMile).squareMileValue)
XCTAssert(1.squareMiles().squareMileValue == AreaUnit(value: 1, type: .SquareMile).squareMileValue)
XCTAssert(1.squareMiles().squareCentimetreValue.description == "25899881103.36", "expected 25899881103.36 - got \(1.squareMiles().squareCentimetreValue.description)")
}
func testSquareNauticalMileExtension() {
XCTAssert(1.0.squareNauticalMiles().squareNauticalMileValue == AreaUnit(value: 1.0, type: .SquareNauticalMile).squareNauticalMileValue)
XCTAssert(1.squareNauticalMiles().squareNauticalMileValue == AreaUnit(value: 1, type: .SquareNauticalMile).squareNauticalMileValue)
XCTAssert(1.squareNauticalMiles().squareCentimetreValue.description == "34299040000", "expected 34299040000 - got \(1.squareNauticalMiles().squareCentimetreValue.description)")
}
}
| 49d9f24b2cb1ae8e582e95a27b50ac38 | 52.408333 | 213 | 0.70323 | false | true | false | false |
jegumhon/URWeatherView | refs/heads/master | URWeatherView/UI/URToneCurveView.swift | mit | 1 | //
// URToneCurveView.swift
// URWeatherView
//
// Created by DongSoo Lee on 2017. 5. 16..
// Copyright © 2017년 zigbang. All rights reserved.
//
import UIKit
open class URToneCurveView: UIView, UIImagePickerControllerDelegate, UINavigationControllerDelegate {
@IBOutlet var view: UIView!
@IBOutlet var graphView: URToneCurveGraphView!
@IBOutlet var graphViewForRed: URToneCurveGraphView!
@IBOutlet var graphViewForGreen: URToneCurveGraphView!
@IBOutlet var graphViewForBlue: URToneCurveGraphView!
@IBOutlet var btnApply: UIButton!
@IBOutlet var btnRGB: URSelectableButton!
@IBOutlet var btnRed: URSelectableButton!
@IBOutlet var btnGreen: URSelectableButton!
@IBOutlet var btnBlue: URSelectableButton!
@IBOutlet var lbInput0: UILabel!
@IBOutlet var lbInput1: UILabel!
@IBOutlet var lbInput2: UILabel!
@IBOutlet var lbInput3: UILabel!
@IBOutlet var lbInput4: UILabel!
@IBOutlet var btnOpenFile: UIButton!
var selectedGraphView: URToneCurveGraphView! {
didSet {
self.setInputText()
}
}
open var setImageBlock: ((UIImage) -> Void)?
open var applyBlock: ((String) -> Void)?
open var parentViewController: UIViewController!
open var vectorPoints: [CGPoint] {
return self.graphView.curveRelativeVectorPoints
}
open var vectorPointsForRed: [CGPoint] {
return self.graphViewForRed.curveRelativeVectorPoints
}
open var vectorPointsForGreen: [CGPoint] {
return self.graphViewForGreen.curveRelativeVectorPoints
}
open var vectorPointsForBlue: [CGPoint] {
return self.graphViewForBlue.curveRelativeVectorPoints
}
override open func awakeFromNib() {
super.awakeFromNib()
}
required public init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
let bundle = Bundle(for: self.classForCoder)
let nib = UINib(nibName: "URToneCurveView", bundle: bundle)
nib.instantiate(withOwner: self, options: nil)
self.addSubview(self.view)
self.view.frame = self.bounds
self.selectedGraphView = self.graphView
}
open func initView() {
self.layoutIfNeeded()
self.btnApply.layer.cornerRadius = 4.0
self.btnApply.layer.borderColor = #colorLiteral(red: 1, green: 1, blue: 1, alpha: 1).cgColor
self.btnApply.layer.borderWidth = 0.4
self.btnRGB.layer.cornerRadius = 4.0
self.btnRGB.layer.borderColor = #colorLiteral(red: 1, green: 1, blue: 1, alpha: 1).cgColor
self.btnRGB.layer.borderWidth = 0.4
self.btnRGB.backgroundColorForNormal = self.btnRGB.titleColor(for: .selected)
self.btnRGB.backgroundColorForSelected = self.btnRGB.titleColor(for: .normal)
self.btnRGB.isSelected = true
self.btnRed.layer.cornerRadius = 4.0
self.btnRed.layer.borderColor = #colorLiteral(red: 1, green: 1, blue: 1, alpha: 1).cgColor
self.btnRed.layer.borderWidth = 0.4
self.btnRed.backgroundColorForNormal = self.btnRed.titleColor(for: .selected)
self.btnRed.backgroundColorForSelected = self.btnRed.titleColor(for: .normal)
self.btnGreen.layer.cornerRadius = 4.0
self.btnGreen.layer.borderColor = #colorLiteral(red: 1, green: 1, blue: 1, alpha: 1).cgColor
self.btnGreen.layer.borderWidth = 0.4
self.btnGreen.backgroundColorForNormal = self.btnGreen.titleColor(for: .selected)
self.btnGreen.backgroundColorForSelected = self.btnGreen.titleColor(for: .normal)
self.btnBlue.layer.cornerRadius = 4.0
self.btnBlue.layer.borderColor = #colorLiteral(red: 1, green: 1, blue: 1, alpha: 1).cgColor
self.btnBlue.layer.borderWidth = 0.4
self.btnBlue.backgroundColorForNormal = self.btnBlue.titleColor(for: .selected)
self.btnBlue.backgroundColorForSelected = self.btnBlue.titleColor(for: .normal)
self.btnOpenFile.layer.cornerRadius = 4.0
self.btnOpenFile.layer.borderColor = #colorLiteral(red: 0, green: 0.4784313725, blue: 1, alpha: 1).cgColor
self.btnOpenFile.layer.borderWidth = 0.4
self.graphView.drawLine(true, needToInit: true)
self.graphView.pointDidChanged = {
self.setInputText()
DispatchQueue.main.async {
guard let block = self.applyBlock else { return }
block("RGB filter value :\n\(self.vectorPoints)\n"
+ "Red filter value :\n\(self.vectorPointsForRed)\n"
+ "Green filter value :\n\(self.vectorPointsForGreen)\n"
+ "Blue filter value :\n\(self.vectorPointsForBlue)\n")
}
}
self.graphViewForRed.rgbMode = .red
self.graphViewForRed.drawLine(true, needToInit: true)
self.graphViewForRed.pointDidChanged = {
self.setInputText()
DispatchQueue.main.async {
guard let block = self.applyBlock else { return }
block("RGB filter value :\n\(self.vectorPoints)\n"
+ "Red filter value :\n\(self.vectorPointsForRed)\n"
+ "Green filter value :\n\(self.vectorPointsForGreen)\n"
+ "Blue filter value :\n\(self.vectorPointsForBlue)\n")
}
}
self.graphViewForGreen.rgbMode = .green
self.graphViewForGreen.drawLine(true, needToInit: true)
self.graphViewForGreen.pointDidChanged = {
self.setInputText()
DispatchQueue.main.async {
guard let block = self.applyBlock else { return }
block("RGB filter value :\n\(self.vectorPoints)\n"
+ "Red filter value :\n\(self.vectorPointsForRed)\n"
+ "Green filter value :\n\(self.vectorPointsForGreen)\n"
+ "Blue filter value :\n\(self.vectorPointsForBlue)\n")
}
}
self.graphViewForBlue.rgbMode = .blue
self.graphViewForBlue.drawLine(true, needToInit: true)
self.graphViewForBlue.pointDidChanged = {
self.setInputText()
DispatchQueue.main.async {
guard let block = self.applyBlock else { return }
block("RGB filter value :\n\(self.vectorPoints)\n"
+ "Red filter value :\n\(self.vectorPointsForRed)\n"
+ "Green filter value :\n\(self.vectorPointsForGreen)\n"
+ "Blue filter value :\n\(self.vectorPointsForBlue)\n")
}
}
}
func setInputText(inputs: [CGPoint]! = nil) {
var points: [CGPoint]! = inputs
if inputs != nil {
guard inputs.count == 5 else {
fatalError("Input values count is not 5!!")
}
} else {
switch self.selectedGraphView {
case self.graphViewForRed:
points = self.vectorPointsForRed
case self.graphViewForGreen:
points = self.vectorPointsForGreen
case self.graphViewForBlue:
points = self.vectorPointsForBlue
default:
points = self.vectorPoints
}
}
DispatchQueue.main.async {
self.lbInput0.text = URFilterUtil.pointToString(point: points[0])
self.lbInput1.text = URFilterUtil.pointToString(point: points[1])
self.lbInput2.text = URFilterUtil.pointToString(point: points[2])
self.lbInput3.text = URFilterUtil.pointToString(point: points[3])
self.lbInput4.text = URFilterUtil.pointToString(point: points[4])
}
}
var applyInfoLabel: UILabel!
@IBAction func tapApply(_ sender: Any) {
print(#function)
guard let block = self.applyBlock else { return }
block("[\"RGB\": [\(self.vectorPoints)]]\n"
+ "[\"R\": [\(self.vectorPointsForRed)]]\n"
+ "[\"G\": [\(self.vectorPointsForGreen)]]\n"
+ "[\"B\": [\(self.vectorPointsForBlue)]]\n")
self.tapRGB(nil)
}
@IBAction func tapRGB(_ sender: Any?) {
self.btnRGB.isSelected = true
self.btnRed.isSelected = false
self.btnGreen.isSelected = false
self.btnBlue.isSelected = false
self.graphView.isHidden = false
// self.graphViewForRed.isHidden = true
// self.graphViewForGreen.isHidden = true
// self.graphViewForBlue.isHidden = true
self.view.sendSubviewToBack(self.graphViewForBlue)
self.view.sendSubviewToBack(self.graphViewForGreen)
self.view.sendSubviewToBack(self.graphViewForRed)
self.view.bringSubviewToFront(self.graphView)
self.selectedGraphView = self.graphView
}
@IBAction func tapRed(_ sender: Any) {
self.btnRGB.isSelected = false
self.btnRed.isSelected = true
self.btnGreen.isSelected = false
self.btnBlue.isSelected = false
// self.graphView.isHidden = true
self.graphViewForRed.isHidden = false
// self.graphViewForGreen.isHidden = true
// self.graphViewForBlue.isHidden = true
self.view.sendSubviewToBack(self.graphViewForBlue)
self.view.sendSubviewToBack(self.graphViewForGreen)
self.view.bringSubviewToFront(self.graphViewForRed)
self.view.sendSubviewToBack(self.graphView)
self.selectedGraphView = self.graphViewForRed
}
@IBAction func tapGreen(_ sender: Any) {
self.btnRGB.isSelected = false
self.btnRed.isSelected = false
self.btnGreen.isSelected = true
self.btnBlue.isSelected = false
// self.graphView.isHidden = true
// self.graphViewForRed.isHidden = true
self.graphViewForGreen.isHidden = false
// self.graphViewForBlue.isHidden = true
self.view.sendSubviewToBack(self.graphViewForBlue)
self.view.bringSubviewToFront(self.graphViewForGreen)
self.view.sendSubviewToBack(self.graphViewForRed)
self.view.sendSubviewToBack(self.graphView)
self.selectedGraphView = self.graphViewForGreen
}
@IBAction func tapBlue(_ sender: Any) {
self.btnRGB.isSelected = false
self.btnRed.isSelected = false
self.btnGreen.isSelected = false
self.btnBlue.isSelected = true
// self.graphView.isHidden = true
// self.graphViewForRed.isHidden = true
// self.graphViewForGreen.isHidden = true
self.graphViewForBlue.isHidden = false
self.view.bringSubviewToFront(self.graphViewForBlue)
self.view.sendSubviewToBack(self.graphViewForGreen)
self.view.sendSubviewToBack(self.graphViewForRed)
self.view.sendSubviewToBack(self.graphView)
self.selectedGraphView = self.graphViewForBlue
}
@IBAction func tapOpenFile(_ sender: Any) {
let picker = UIImagePickerController()
picker.delegate = self
self.parentViewController.present(picker, animated: true, completion: nil)
}
@IBOutlet var swBoxPerCurve: UISwitch!
@IBOutlet var swBoxPerDot: UISwitch!
@IBAction func changedValue(_ sender: Any) {
guard let sw: UISwitch = sender as? UISwitch else { return }
switch sw {
case self.swBoxPerCurve:
self.graphView.isShowCurveArea = self.swBoxPerCurve.isOn
self.graphViewForRed.isShowCurveArea = self.swBoxPerCurve.isOn
self.graphViewForGreen.isShowCurveArea = self.swBoxPerCurve.isOn
self.graphViewForBlue.isShowCurveArea = self.swBoxPerCurve.isOn
case self.swBoxPerDot:
self.graphView.isShowAreaBetweenDots = self.swBoxPerDot.isOn
self.graphViewForRed.isShowAreaBetweenDots = self.swBoxPerDot.isOn
self.graphViewForGreen.isShowAreaBetweenDots = self.swBoxPerDot.isOn
self.graphViewForBlue.isShowAreaBetweenDots = self.swBoxPerDot.isOn
default:
break
}
}
// MARK: - UIImagePickerControllerDelegate
open func imagePickerController(_ picker: UIImagePickerController, didFinishPickingMediaWithInfo info: [UIImagePickerController.InfoKey : Any]) {
defer {
picker.dismiss(animated: true, completion: nil)
}
guard let image = info[UIImagePickerController.InfoKey.originalImage] as? UIImage else { return }
guard let block = self.setImageBlock else { return }
block(image)
}
}
class URSelectableButton: UIButton {
override var isSelected: Bool {
get {
return super.isSelected
}
set {
super.isSelected = newValue
if newValue {
self.backgroundColor = self.backgroundColorForSelected
} else {
self.backgroundColor = self.backgroundColorForNormal
}
}
}
var backgroundColorForNormal: UIColor?
var backgroundColorForSelected: UIColor?
}
| e89fdf1f59954ea1e81c0f90654192a3 | 36.997059 | 149 | 0.644942 | false | false | false | false |
leo-lp/LPIM | refs/heads/master | LPIM/Classes/Card/LPPersonalCardViewController.swift | mit | 1 | //
// LPPersonalCardViewController.swift
// LPIM
//
// Created by lipeng on 2017/6/28.
// Copyright © 2017年 lipeng. All rights reserved.
//
import UIKit
class LPPersonalCardViewController: UITableViewController {
convenience init(uid: String) {
self.init(style: .grouped)
}
override func viewDidLoad() {
super.viewDidLoad()
// 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.
}
*/
}
| ebb395e5d8f26c437e94fa0cd33bfb21 | 31.424242 | 136 | 0.667601 | false | false | false | false |
itsaboutcode/WordPress-iOS | refs/heads/develop | WordPress/WordPressUITests/Screens/Editor/AztecEditorScreen.swift | gpl-2.0 | 1 | import UITestsFoundation
import XCTest
class AztecEditorScreen: BaseScreen {
enum Mode {
case rich
case html
func toggle() -> Mode {
return self == .rich ? .html : .rich
}
}
let mode: Mode
var textView: XCUIElement
private var richTextField = "aztec-rich-text-view"
private var htmlTextField = "aztec-html-text-view"
let editorCloseButton = XCUIApplication().navigationBars["Azctec Editor Navigation Bar"].buttons["Close"]
let publishButton = XCUIApplication().buttons["Publish"]
let publishNowButton = XCUIApplication().buttons["Publish Now"]
let moreButton = XCUIApplication().buttons["more_post_options"]
let uploadProgressBar = XCUIApplication().progressIndicators["Progress"]
let titleView = XCUIApplication().textViews["Title"]
let contentPlaceholder = XCUIApplication().staticTexts["aztec-content-placeholder"]
let mediaButton = XCUIApplication().buttons["format_toolbar_insert_media"]
let insertMediaButton = XCUIApplication().buttons["insert_media_button"]
let headerButton = XCUIApplication().buttons["format_toolbar_select_paragraph_style"]
let boldButton = XCUIApplication().buttons["format_toolbar_toggle_bold"]
let italicButton = XCUIApplication().buttons["format_toolbar_toggle_italic"]
let underlineButton = XCUIApplication().buttons["format_toolbar_toggle_underline"]
let strikethroughButton = XCUIApplication().buttons["format_toolbar_toggle_strikethrough"]
let blockquoteButton = XCUIApplication().buttons["format_toolbar_toggle_blockquote"]
let listButton = XCUIApplication().buttons["format_toolbar_toggle_list_unordered"]
let linkButton = XCUIApplication().buttons["format_toolbar_insert_link"]
let horizontalrulerButton = XCUIApplication().buttons["format_toolbar_insert_horizontal_ruler"]
let sourcecodeButton = XCUIApplication().buttons["format_toolbar_toggle_html_view"]
let moreToolbarButton = XCUIApplication().buttons["format_toolbar_insert_more"]
let unorderedListOption = XCUIApplication().buttons["Unordered List"]
let orderedListOption = XCUIApplication().buttons["Ordered List"]
// Action sheets
let actionSheet = XCUIApplication().sheets.element(boundBy: 0)
let postSettingsButton = XCUIApplication().sheets.buttons["Post Settings"]
let keepEditingButton = XCUIApplication().sheets.buttons["Keep Editing"]
let postHasChangesSheet = XCUIApplication().sheets["post-has-changes-alert"]
init(mode: Mode) {
var textField = ""
self.mode = mode
switch mode {
case .rich:
textField = richTextField
case .html:
textField = htmlTextField
}
let app = XCUIApplication()
textView = app.textViews[textField]
if !textView.exists {
if app.otherElements[textField].exists {
textView = app.otherElements[textField]
}
}
super.init(element: textView)
showOptionsStrip()
}
func showOptionsStrip() {
textView.coordinate(withNormalizedOffset: .zero).tap()
expandOptionsStrip()
}
func expandOptionsStrip() {
let expandButton = app.children(matching: .window).element(boundBy: 1).children(matching: .other).element.children(matching: .other).element.children(matching: .other).element.children(matching: .button).element
if expandButton.exists && expandButton.isHittable && !sourcecodeButton.exists {
expandButton.tap()
}
}
@discardableResult
func addList(type: String) -> AztecEditorScreen {
tapToolbarButton(button: listButton)
if type == "ul" {
unorderedListOption.tap()
} else if type == "ol" {
orderedListOption.tap()
}
return self
}
func addListWithLines(type: String, lines: Array<String>) -> AztecEditorScreen {
addList(type: type)
for (index, line) in lines.enumerated() {
enterText(text: line)
if index != (lines.count - 1) {
app.buttons["Return"].tap()
}
}
return self
}
/**
Tapping on toolbar button. And swipes if needed.
*/
@discardableResult
func tapToolbarButton(button: XCUIElement) -> AztecEditorScreen {
let swipeElement = mediaButton.isHittable ? mediaButton : linkButton
if !button.exists || !button.isHittable {
swipeElement.swipeLeft()
}
Logger.log(message: "Tapping on Toolbar button: \(button)", event: .d)
button.tap()
return self
}
/**
Tapping in to textView by specific coordinate. Its always tricky to know what cooridnates to click.
Here is a list of "known" coordinates:
30:32 - first word in 2d indented line (list)
30:72 - first word in 3d intended line (blockquote)
*/
func tapByCordinates(x: Int, y: Int) -> AztecEditorScreen {
// textView frames on different devices:
// iPhone X (0.0, 88.0, 375.0, 391.0)
// iPhone SE (0.0, 64.0, 320.0, 504.0)
let frame = textView.frame
var vector = CGVector(dx: frame.minX + CGFloat(x), dy: frame.minY + CGFloat(y))
if frame.minY == 88 {
let yDiff = frame.minY - 64 // 64 - is minY for "normal" devices
vector = CGVector(dx: frame.minX + CGFloat(x), dy: frame.minY - yDiff + CGFloat(y))
}
textView.coordinate(withNormalizedOffset: CGVector.zero).withOffset(vector).tap()
sleep(1) // to make sure that "paste" manu wont show up.
return self
}
/**
Switches between Rich and HTML view.
*/
func switchContentView() -> AztecEditorScreen {
tapToolbarButton(button: sourcecodeButton)
return AztecEditorScreen(mode: mode.toggle())
}
/**
Common method to type in different text fields
*/
@discardableResult
func enterText(text: String) -> AztecEditorScreen {
contentPlaceholder.tap()
textView.typeText(text)
return self
}
/**
Enters text into title field.
- Parameter text: the test to enter into the title
*/
func enterTextInTitle(text: String) -> AztecEditorScreen {
titleView.tap()
titleView.typeText(text)
return self
}
@discardableResult
func deleteText(chars: Int) -> AztecEditorScreen {
for _ in 1...chars {
app.keys["delete"].tap()
}
return self
}
func getViewContent() -> String {
if mode == .rich {
return getTextContent()
}
return getHTMLContent()
}
/**
Selects all entered text in provided textView element
*/
func selectAllText() -> AztecEditorScreen {
textView.coordinate(withNormalizedOffset: CGVector.zero).press(forDuration: 1)
app.menuItems["Select All"].tap()
return self
}
/*
Select Image from Camera Roll by its ID. Starts with 0
Simulator range: 0..4
*/
func addImageByOrder(id: Int) -> AztecEditorScreen {
tapToolbarButton(button: mediaButton)
// Allow access to device media
app.tap() // trigger the media permissions alert handler
// Make sure media picker is open
if mediaButton.exists {
tapToolbarButton(button: mediaButton)
}
// Inject the first picture
MediaPickerAlbumScreen().selectImage(atIndex: 0)
insertMediaButton.tap()
// Wait for upload to finish
waitFor(element: uploadProgressBar, predicate: "exists == false", timeout: 10)
return self
}
// returns void since return screen depends on from which screen it loaded
func closeEditor() {
XCTContext.runActivity(named: "Close the Aztec editor") { (activity) in
XCTContext.runActivity(named: "Close the More menu if needed") { (activity) in
if actionSheet.exists {
if XCUIDevice.isPad {
app.otherElements["PopoverDismissRegion"].tap()
} else {
keepEditingButton.tap()
}
}
}
editorCloseButton.tap()
XCTContext.runActivity(named: "Discard any local changes") { (activity) in
let discardButton = XCUIDevice.isPad ? postHasChangesSheet.buttons.lastMatch : postHasChangesSheet.buttons.element(boundBy: 1)
if postHasChangesSheet.exists && (discardButton?.exists ?? false) {
Logger.log(message: "Discarding unsaved changes", event: .v)
discardButton?.tap()
}
}
let editorClosed = waitFor(element: editorCloseButton, predicate: "isEnabled == false")
XCTAssert(editorClosed, "Aztec editor should be closed but is still loaded.")
}
}
func publish() -> EditorNoticeComponent {
publishButton.tap()
confirmPublish()
return EditorNoticeComponent(withNotice: "Post published", andAction: "View")
}
private func confirmPublish() {
if FancyAlertComponent.isLoaded() {
FancyAlertComponent().acceptAlert()
} else {
publishNowButton.tap()
}
}
func openPostSettings() -> EditorPostSettings {
moreButton.tap()
postSettingsButton.tap()
return EditorPostSettings()
}
private func getHTMLContent() -> String {
let text = textView.value as! String
// Remove spaces between HTML tags.
let regex = try! NSRegularExpression(pattern: ">\\s+?<", options: .caseInsensitive)
let range = NSMakeRange(0, text.count)
let strippedText = regex.stringByReplacingMatches(in: text, options: .reportCompletion, range: range, withTemplate: "><")
return strippedText
}
private func getTextContent() -> String {
return textView.value as! String
}
static func isLoaded() -> Bool {
return XCUIApplication().navigationBars["Azctec Editor Navigation Bar"].buttons["Close"].exists
}
}
| d965460b887bbdca5423000a08d5e06a | 32.508197 | 219 | 0.630822 | false | false | false | false |
devincoughlin/swift | refs/heads/master | test/attr/open.swift | apache-2.0 | 8 | // RUN: %empty-directory(%t)
// RUN: %target-build-swift -emit-module -c %S/Inputs/OpenHelpers.swift -o %t/OpenHelpers.swiftmodule
// RUN: %target-typecheck-verify-swift -I %t
import OpenHelpers
/**** General structural limitations on open. ****/
open private class OpenIsNotCompatibleWithPrivate {} // expected-error {{duplicate modifier}} expected-note{{modifier already specified here}}
open fileprivate class OpenIsNotCompatibleWithFilePrivate {} // expected-error {{duplicate modifier}} expected-note{{modifier already specified here}}
open internal class OpenIsNotCompatibleWithInternal {} // expected-error {{duplicate modifier}} expected-note{{modifier already specified here}}
open public class OpenIsNotCompatibleWithPublic {} // expected-error {{duplicate modifier}} expected-note{{modifier already specified here}}
open open class OpenIsNotCompatibleWithOpen {} // expected-error {{duplicate modifier}} expected-note{{modifier already specified here}}
open typealias OpenIsNotAllowedOnTypeAliases = Int // expected-error {{only classes and overridable class members can be declared 'open'; use 'public'}}
open struct OpenIsNotAllowedOnStructs {} // expected-error {{only classes and overridable class members can be declared 'open'; use 'public'}}
open enum OpenIsNotAllowedOnEnums_AtLeastNotYet {} // expected-error {{only classes and overridable class members can be declared 'open'; use 'public'}}
/**** Open entities are at least public. ****/
func foo(object: ExternalOpenClass) {
object.openMethod()
object.openProperty += 5
object[MarkerForOpenSubscripts()] += 5
}
/**** Open classes. ****/
open class ClassesMayBeDeclaredOpen {}
class ExternalSuperClassesMustBeOpen : ExternalNonOpenClass {} // expected-error {{cannot inherit from non-open class 'ExternalNonOpenClass' outside of its defining module}}
class ExternalSuperClassesMayBeOpen : ExternalOpenClass {}
class NestedClassesOfPublicTypesAreOpen : ExternalStruct.OpenClass {}
// This one is hard to diagnose.
class NestedClassesOfInternalTypesAreNotOpen : ExternalInternalStruct.OpenClass {} // expected-error {{use of undeclared type 'ExternalInternalStruct'}}
class NestedPublicClassesOfOpenClassesAreNotOpen : ExternalOpenClass.PublicClass {} // expected-error {{cannot inherit from non-open class 'ExternalOpenClass.PublicClass' outside of its defining module}}
open final class ClassesMayNotBeBothOpenAndFinal {} // expected-error {{class cannot be declared both 'final' and 'open'}}
public class NonOpenSuperClass {} // expected-note {{superclass is declared here}}
open class OpenClassesMustHaveOpenSuperClasses : NonOpenSuperClass {} // expected-error {{superclass 'NonOpenSuperClass' of open class must be open}}
/**** Open methods. ****/
open class AnOpenClass {
open func openMethod() {}
open var openVar: Int = 0
open typealias MyInt = Int // expected-error {{only classes and overridable class members can be declared 'open'; use 'public'}}
open subscript(_: MarkerForOpenSubscripts) -> Int {
return 0
}
}
internal class NonOpenClassesCanHaveOpenMembers {
open var openVar: Int = 0;
open func openMethod() {}
}
class SubClass : ExternalOpenClass {
override func openMethod() {}
override var openProperty: Int { get{return 0} set{} }
override subscript(index: MarkerForOpenSubscripts) -> Int {
get { return 0 }
set {}
}
override func nonOpenMethod() {} // expected-error {{overriding non-open instance method outside of its defining module}}
override var nonOpenProperty: Int { get{return 0} set{} } // expected-error {{overriding non-open property outside of its defining module}}
override subscript(index: MarkerForNonOpenSubscripts) -> Int { // expected-error {{overriding non-open subscript outside of its defining module}}
get { return 0 }
set {}
}
}
open class ValidOpenSubClass : ExternalOpenClass {
public override func openMethod() {}
public override var openProperty: Int { get{return 0} set{} }
public override subscript(index: MarkerForOpenSubscripts) -> Int {
get { return 0 }
set {}
}
}
open class InvalidOpenSubClass : ExternalOpenClass {
internal override func openMethod() {} // expected-error {{overriding instance method must be as accessible as the declaration it overrides}} {{3-11=open}}
internal override var openProperty: Int { get{return 0} set{} } // expected-error {{overriding property must be as accessible as the declaration it overrides}} {{3-11=open}}
internal override subscript(index: MarkerForOpenSubscripts) -> Int { // expected-error {{overriding subscript must be as accessible as the declaration it overrides}} {{3-11=open}}
get { return 0 }
set {}
}
}
open class OpenSubClassFinalMembers : ExternalOpenClass {
final public override func openMethod() {}
final public override var openProperty: Int { get{return 0} set{} }
final public override subscript(index: MarkerForOpenSubscripts) -> Int {
get { return 0 }
set {}
}
}
open class InvalidOpenSubClassFinalMembers : ExternalOpenClass {
final internal override func openMethod() {} // expected-error {{overriding instance method must be as accessible as its enclosing type}} {{9-17=public}}
final internal override var openProperty: Int { get{return 0} set{} } // expected-error {{overriding property must be as accessible as its enclosing type}} {{9-17=public}}
final internal override subscript(index: MarkerForOpenSubscripts) -> Int { // expected-error {{overriding subscript must be as accessible as its enclosing type}} {{9-17=public}}
get { return 0 }
set {}
}
}
public class PublicSubClass : ExternalOpenClass {
public override func openMethod() {}
public override var openProperty: Int { get{return 0} set{} }
public override subscript(index: MarkerForOpenSubscripts) -> Int {
get { return 0 }
set {}
}
}
// The proposal originally made these invalid, but we changed our minds.
open class OpenSuperClass {
public func publicMethod() {}
public var publicProperty: Int { return 0 }
public subscript(index: MarkerForNonOpenSubscripts) -> Int { return 0 }
}
open class OpenSubClass : OpenSuperClass {
open override func publicMethod() {}
open override var publicProperty: Int { return 0 }
open override subscript(index: MarkerForNonOpenSubscripts) -> Int { return 0 }
}
| 2846e7b39c0862b90cdbd421d4b8b5a7 | 45.558824 | 203 | 0.747631 | false | false | false | false |
wj2061/ios7ptl-swift3.0 | refs/heads/master | ch07-Drawing/BlurryText/BlurryText/ViewController.swift | mit | 1 | //
// ViewController.swift
// BlurryText
//
// Created by wj on 15/10/4.
// Copyright © 2015年 wj. All rights reserved.
//
import UIKit
class ViewController: UIViewController {
@IBOutlet weak var label: UILabel!
@IBAction func toggleBlur() {
let scale = UIScreen.main.scale
var x = label.frame.origin.x
if x == floor(x){
x = x + 0.5/scale
print("blur")
}else{
x = CGFloat( floor(x) )
print("unblur")
}
label.frame.origin.x=x
}
}
| 5cbf198c6576a45384f187773ec5178a | 17.633333 | 46 | 0.527728 | false | false | false | false |
BrisyIOS/zhangxuWeiBo | refs/heads/master | zhangxuWeiBo/zhangxuWeiBo/SwiftHeader.swift | apache-2.0 | 1 | //
// SwiftHeader.swift
// zhangxuWeiBo
//
// Created by zhangxu on 16/6/11.
// Copyright © 2016年 zhangxu. All rights reserved.
//
import UIKit
// 屏幕宽度
let kScreenWidth = UIScreen.mainScreen().bounds.width;
// 屏幕高度
let kScreenHeight = UIScreen.mainScreen().bounds.height;
// 是否为iOS8版本
let IOS8 = Double(UIDevice.currentDevice().systemVersion) >= 8.0;
// document路径
let kDocumentPath = NSSearchPathForDirectoriesInDomains(NSSearchPathDirectory.DocumentDirectory, NSSearchPathDomainMask.UserDomainMask, true)[0];
// APPkey可以信息
let ZXAppKey = "594327966";
let ZXAppSecret = "e7536dd658b432a88080fd2a91f59082";
let ZXRedirectURL = "http://www.baidu.com";
let kCellMargin = CGFloat(8);
let kCellPadding = CGFloat(10);
let kPhotoW = CGFloat(70);
let kPhotoMargin = CGFloat(10);
let kPhotoH = CGFloat(70);
let kRepostedContentLabelFont = UIFont.systemFontOfSize(13);
let kEmotionMaxRows = 3;
let kEmotionMaxCols = 7;
let ZXEmotionDidSelectedNotification = "ZXEmotionDidSelectedNotification";
let ZXSelectedEmotion = "ZXSelectedEmotion";
let ZXEmotionDidDeletedNotification = "ZXEmotionDidDeletedNotification";
// 新特性图片个数
let ZXNewfeatureImageCount = 4;
// 是否为4英寸
let INCH_4 = Bool(kScreenHeight == 568.0);
// 根据rgb设置颜色
func RGB(r : CGFloat , g : CGFloat , b : CGFloat) -> UIColor {
let color = UIColor.init(red: r / 255.0, green: g / 255.0, blue: b / 255.0, alpha: 1.0);
return color;
}
// 返回最大列数
func photosMaxCols(photosCount : NSInteger?) -> NSInteger? {
if photosCount == 4 {
return 2;
} else {
return 3;
}
}
| dcf5b2b8644e9b6bb51772588ab91465 | 22.057971 | 145 | 0.712131 | false | false | false | false |
yanke-guo/Acheron | refs/heads/master | Acheron/Common/Component/ACMemoryCache.swift | mit | 1 | //
// ACMemoryCache.swift
// Acheron-Demo
//
// Created by Yanke Guo on 14/11/8.
// Copyright (c) 2014年 Yanke Guo. All rights reserved.
//
import UIKit
typealias ACMemoryCacheBlock = (cache: ACMemoryCache) -> Void
typealias ACMemoryCacheObjectBlock = (cache: ACMemoryCache, key: String, object: AnyObject?) -> Void
let ACMemoryCacheEmptyBlock : ACMemoryCacheBlock = { _ in return }
let ACMemoryCacheObjectEmptyBlock : ACMemoryCacheObjectBlock = { _,_,_ in return }
let ACMemoryCachePrefix = "io.yanke.acmemorycache"
var _sharedACMemoryCache : ACMemoryCache? = nil
class ACMemoryCache {
let queue : dispatch_queue_t
let dictionary = NSMutableDictionary()
let costs = NSMutableDictionary()
let dates = NSMutableDictionary()
var totoalCost : UInt = 0
var costLimit : UInt = 0
var ageLimit : NSTimeInterval = 0
var removeAllObjectsOnMemoryWarning : Bool = true
var removeAllObjectsOnEnteringBackground : Bool = true
var willAddObjectBlock : ACMemoryCacheObjectBlock?
var willRemoveObjectBlock : ACMemoryCacheObjectBlock?
var willRemoveAllObjectsBlock : ACMemoryCacheBlock?
var didAddObjectBlock : ACMemoryCacheObjectBlock?
var didRemoveObjectBlock : ACMemoryCacheObjectBlock?
var didRemoveAllObjectsBlock : ACMemoryCacheBlock?
var didReceiveMemoryWarningBlock : ACMemoryCacheBlock?
var didEnterBackgroundBlock : ACMemoryCacheBlock?
class func sharedCache() -> ACMemoryCache {
if _sharedACMemoryCache == nil {
_sharedACMemoryCache = ACMemoryCache()
}
return _sharedACMemoryCache!
}
init() {
let queueName = "\(ACMemoryCachePrefix).\(CACurrentMediaTime())"
self.queue = dispatch_queue_create(queueName, DISPATCH_QUEUE_CONCURRENT)
// Notifications
NSNotificationCenter.defaultCenter().addObserver(self, selector: "onNotificationReceived:", name: UIApplicationDidEnterBackgroundNotification, object: UIApplication.sharedApplication())
NSNotificationCenter.defaultCenter().addObserver(self, selector: "onNotificationReceived:", name: UIApplicationDidReceiveMemoryWarningNotification, object: UIApplication.sharedApplication())
}
func onNotificationReceived(notification: NSNotification) {
if notification.name == UIApplicationDidReceiveMemoryWarningNotification {
if self.removeAllObjectsOnMemoryWarning {
self.removeAllObjects(ACMemoryCacheEmptyBlock)
}
dispatch_async(self.queue, { [weak self] () -> Void in
if self == nil { return }
self?.didReceiveMemoryWarningBlock?(cache: self!)
})
} else if notification.name == UIApplicationDidEnterBackgroundNotification {
if self.removeAllObjectsOnEnteringBackground {
self.removeAllObjects(ACMemoryCacheEmptyBlock)
}
dispatch_async(self.queue, { [weak self] () -> Void in
if self == nil { return }
self?.didEnterBackgroundBlock?(cache: self!)
})
}
}
// MARK: - Internal Methods
func removeObjectAndExecuteBlocksForKey(key: String) {
let obj : AnyObject? = self.dictionary.objectForKey(key)
self.willRemoveObjectBlock?(cache: self, key: key, object: obj)
if let cost = self.costs.objectForKey(key) as NSNumber? {
self.totoalCost -= cost.unsignedIntegerValue
}
self.dictionary.removeObjectForKey(key)
self.costs.removeObjectForKey(key)
self.dates.removeObjectForKey(key)
self.didRemoveObjectBlock?(cache: self, key: key, object: nil)
}
func _removeObjectForKey(key: String, block: ACMemoryCacheObjectBlock) {
dispatch_barrier_async(self.queue, { [weak self] () -> Void in
if self == nil { return }
self?.removeObjectAndExecuteBlocksForKey(key)
dispatch_async(self?.queue, { [weak self] () -> Void in
if self == nil { return }
block(cache: self!, key: key, object: nil)
})
})
}
func _objectForKey(key: String, block: ACMemoryCacheObjectBlock) {
let now = NSDate()
dispatch_async(self.queue, { [weak self] () -> Void in
if self == nil { return }
var obj : AnyObject? = self?.dictionary.objectForKey(key)
if obj != nil {
dispatch_barrier_async(self?.queue, { [weak self] () -> Void in
if self == nil { return }
self?.dates.setObject(now, forKey: key)
})
block(cache: self!, key: key, object: obj)
}
})
}
func _setObject(object: AnyObject, forKey key: String, withCost cost: UInt, block: ACMemoryCacheObjectBlock) {
let now = NSDate()
dispatch_barrier_async(self.queue, { [weak self] () -> Void in
if self == nil { return }
self?.willAddObjectBlock?(cache: self!, key: key, object: object)
self?.dictionary.setObject(object, forKey: key)
self?.dates.setObject(now, forKey: key)
self?.costs.setObject(NSNumber(unsignedLong: cost), forKey: key)
self?.totoalCost += cost
self?.didAddObjectBlock?(cache: self!, key: key, object: object)
dispatch_async(self?.queue, { [weak self] () -> Void in
if self == nil { return }
block(cache: self!, key: key, object: object)
})
})
}
// MARK: - External Methods
func removeAllObjects(block: ACMemoryCacheBlock? = nil) {
}
func objectForKey(key: String, block: ACMemoryCacheObjectBlock? = nil) -> AnyObject? {
if block != nil {
self._objectForKey(key, block: block!)
return nil
} else {
var obj : AnyObject? = nil
let sema = dispatch_semaphore_create(0)
self._objectForKey(key, block: { (cache, key, object) -> Void in
obj = object
dispatch_semaphore_signal(sema)
})
dispatch_semaphore_wait(sema, DISPATCH_TIME_FOREVER)
return obj
}
}
func removeObjectForKey(key: String, block: ACMemoryCacheObjectBlock? = nil) {
if block != nil {
self._removeObjectForKey(key, block: block!)
} else {
let sema = dispatch_semaphore_create(0)
self._removeObjectForKey(key, block: { (cache, key, object) -> Void in
dispatch_semaphore_signal(sema); return
})
dispatch_semaphore_wait(sema, DISPATCH_TIME_FOREVER)
}
}
func setObject(object: AnyObject?, forKey key: String, withCost cost: UInt, block: ACMemoryCacheObjectBlock? = nil) {
if object == nil {
self.removeObjectForKey(key, block: block)
} else {
if block != nil {
self._setObject(object!, forKey: key, withCost: cost, block: block!)
} else {
let sema = dispatch_semaphore_create(0)
self._setObject(object!, forKey: key, withCost: cost, block: { (cache, key, object) -> Void in
dispatch_semaphore_signal(sema)
return
})
dispatch_semaphore_wait(sema, DISPATCH_TIME_FOREVER)
}
}
}
} | 4a799ea00904c76f98b56a39e443c25e | 35.393617 | 194 | 0.666862 | false | false | false | false |
SoneeJohn/WWDC | refs/heads/master | ConfCore/Storage.swift | bsd-2-clause | 1 | //
// Storage.swift
// WWDC
//
// Created by Guilherme Rambo on 17/03/17.
// Copyright © 2017 Guilherme Rambo. All rights reserved.
//
import Foundation
import RealmSwift
import RxSwift
import RxRealm
public final class Storage {
public let realmConfig: Realm.Configuration
public let realm: Realm
public init(_ configuration: Realm.Configuration) throws {
var config = configuration
config.migrationBlock = Storage.migrate(migration:oldVersion:)
realmConfig = config
realm = try Realm(configuration: config)
DistributedNotificationCenter.default().addObserver(forName: .TranscriptIndexingDidStart, object: nil, queue: OperationQueue.main) { [unowned self] _ in
#if DEBUG
NSLog("[Storage] Locking realm autoupdates until transcript indexing is finished")
#endif
self.realm.autorefresh = false
}
DistributedNotificationCenter.default().addObserver(forName: .TranscriptIndexingDidStop, object: nil, queue: OperationQueue.main) { [unowned self] _ in
#if DEBUG
NSLog("[Storage] Realm autoupdates unlocked")
#endif
self.realm.autorefresh = true
}
deleteOldEventsIfNeeded()
}
private func makeRealm() throws -> Realm {
return try Realm(configuration: realmConfig)
}
public lazy var storageQueue: OperationQueue = {
let q = OperationQueue()
q.name = "WWDC Storage"
q.maxConcurrentOperationCount = 1
q.underlyingQueue = DispatchQueue(label: "WWDC Storage", qos: .background)
return q
}()
private func deleteOldEventsIfNeeded() {
guard let wwdc2012 = realm.objects(Event.self).filter("identifier == %@", "wwdc2012").first else { return }
do {
try realm.write {
realm.delete(wwdc2012.sessions)
realm.delete(wwdc2012)
}
} catch {
NSLog("Error deleting old events: \(error)")
}
}
internal static func migrate(migration: Migration, oldVersion: UInt64) {
if oldVersion < 10 {
// alpha cleanup
migration.deleteData(forType: "Event")
migration.deleteData(forType: "Track")
migration.deleteData(forType: "Room")
migration.deleteData(forType: "Favorite")
migration.deleteData(forType: "SessionProgress")
migration.deleteData(forType: "Session")
migration.deleteData(forType: "SessionInstance")
migration.deleteData(forType: "SessionAsset")
migration.deleteData(forType: "SessionAsset")
}
if oldVersion < 15 {
// download model removal
migration.deleteData(forType: "Download")
}
if oldVersion < 31 {
// remove cached images which might have generic session thumbs instead of the correct ones
migration.deleteData(forType: "ImageCacheEntity")
// delete live stream assets (some of them got duplicated during the week)
migration.enumerateObjects(ofType: "SessionAsset") { asset, _ in
guard let asset = asset else { return }
if asset["rawAssetType"] as? String == SessionAssetType.liveStreamVideo.rawValue {
migration.delete(asset)
}
}
}
if oldVersion < 32 {
migration.deleteData(forType: "Event")
migration.deleteData(forType: "Track")
migration.deleteData(forType: "ScheduleSection")
}
if oldVersion < 34 {
migration.deleteData(forType: "Transcript")
migration.deleteData(forType: "TranscriptAnnotation")
migration.enumerateObjects(ofType: "Session") { _, session in
session?["transcriptIdentifier"] = ""
}
}
}
func store(contentResult: Result<ContentsResponse, APIError>, completion: @escaping (Error?) -> Void) {
if case let .error(error) = contentResult {
NSLog("Error downloading sessions: \(error)")
completion(error)
return
}
guard case let .success(sessionsResponse) = contentResult else {
return
}
performSerializedBackgroundWrite(writeBlock: { backgroundRealm in
// Merge existing session data, preserving user-defined data
sessionsResponse.sessions.forEach { newSession in
if let existingSession = backgroundRealm.object(ofType: Session.self, forPrimaryKey: newSession.identifier) {
existingSession.merge(with: newSession, in: backgroundRealm)
} else {
backgroundRealm.add(newSession, update: true)
}
}
// Merge existing instance data, preserving user-defined data
sessionsResponse.instances.forEach { newInstance in
if let existingInstance = backgroundRealm.object(ofType: SessionInstance.self, forPrimaryKey: newInstance.identifier) {
existingInstance.merge(with: newInstance, in: backgroundRealm)
} else {
backgroundRealm.add(newInstance, update: true)
}
}
// Save everything
backgroundRealm.add(sessionsResponse.rooms, update: true)
backgroundRealm.add(sessionsResponse.tracks, update: true)
backgroundRealm.add(sessionsResponse.events, update: true)
// add instances to rooms
backgroundRealm.objects(Room.self).forEach { room in
let instances = backgroundRealm.objects(SessionInstance.self).filter("roomIdentifier == %@", room.identifier)
instances.forEach({ $0.roomName = room.name })
room.instances.removeAll()
room.instances.append(objectsIn: instances)
}
// add instances and sessions to events
backgroundRealm.objects(Event.self).forEach { event in
let instances = backgroundRealm.objects(SessionInstance.self).filter("eventIdentifier == %@", event.identifier)
let sessions = backgroundRealm.objects(Session.self).filter("eventIdentifier == %@", event.identifier)
event.sessionInstances.removeAll()
event.sessionInstances.append(objectsIn: instances)
event.sessions.removeAll()
event.sessions.append(objectsIn: sessions)
}
// add instances and sessions to tracks
backgroundRealm.objects(Track.self).forEach { track in
let instances = backgroundRealm.objects(SessionInstance.self).filter("trackIdentifier == %@", track.identifier)
let sessions = backgroundRealm.objects(Session.self).filter("trackIdentifier == %@", track.identifier)
track.instances.removeAll()
track.instances.append(objectsIn: instances)
track.sessions.removeAll()
track.sessions.append(objectsIn: sessions)
sessions.forEach({ $0.trackName = track.name })
instances.forEach { instance in
instance.trackName = track.name
instance.session?.trackName = track.name
}
}
// add live video assets to sessions
backgroundRealm.objects(SessionAsset.self).filter("rawAssetType == %@", SessionAssetType.liveStreamVideo.rawValue).forEach { liveAsset in
if let session = backgroundRealm.objects(Session.self).filter("year == %d AND number == %@", liveAsset.year, liveAsset.sessionId).first {
if !session.assets.contains(liveAsset) {
session.assets.append(liveAsset)
}
}
}
// Create schedule view
backgroundRealm.delete(backgroundRealm.objects(ScheduleSection.self))
let instances = backgroundRealm.objects(SessionInstance.self).sorted(by: SessionInstance.standardSort)
var previousStartTime: Date? = nil
for instance in instances {
guard instance.startTime != previousStartTime else { continue }
autoreleasepool {
let instancesForSection = instances.filter({ $0.startTime == instance.startTime })
let section = ScheduleSection()
section.representedDate = instance.startTime
section.eventIdentifier = instance.eventIdentifier
section.instances.removeAll()
section.instances.append(objectsIn: instancesForSection)
section.identifier = ScheduleSection.identifierFormatter.string(from: instance.startTime)
backgroundRealm.add(section, update: true)
previousStartTime = instance.startTime
}
}
}, disableAutorefresh: true, completionBlock: completion)
}
internal func store(liveVideosResult: Result<[SessionAsset], APIError>) {
guard case .success(let assets) = liveVideosResult else { return }
performSerializedBackgroundWrite(writeBlock: { backgroundRealm in
assets.forEach { asset in
asset.identifier = asset.generateIdentifier()
if let existingAsset = backgroundRealm.objects(SessionAsset.self).filter("identifier == %@", asset.identifier).first {
existingAsset.remoteURL = asset.remoteURL
} else {
backgroundRealm.add(asset, update: true)
if let session = backgroundRealm.objects(Session.self).filter("year == %d AND number == %@", asset.year, asset.sessionId).first {
if !session.assets.contains(asset) {
session.assets.append(asset)
}
}
}
}
})
}
/// Performs a write transaction in the background
///
/// - Parameters:
/// - writeBlock: The block that will modify the database in the background (autoreleasepool is created automatically)
/// - disableAutorefresh: Whether to disable autorefresh on the main Realm instance while the write is in progress
/// - completionBlock: A block to be called when the operation is completed (called on the main queue)
private func performSerializedBackgroundWrite(writeBlock: @escaping (Realm) throws -> Void, disableAutorefresh: Bool = false, createTransaction: Bool = true, completionBlock: ((Error?) -> Void)? = nil) {
if disableAutorefresh { realm.autorefresh = false }
DispatchQueue.global(qos: .userInitiated).async {
var storageError: Error?
self.storageQueue.addOperation { [unowned self] in
autoreleasepool {
do {
let backgroundRealm = try self.makeRealm()
if createTransaction { backgroundRealm.beginWrite() }
try writeBlock(backgroundRealm)
if createTransaction { try backgroundRealm.commitWrite() }
backgroundRealm.invalidate()
} catch {
storageError = error
}
}
}
self.storageQueue.waitUntilAllOperationsAreFinished()
DispatchQueue.main.async {
if disableAutorefresh {
self.realm.autorefresh = true
self.realm.refresh()
}
completionBlock?(storageError)
}
}
}
public func backgroundUpdate(with block: @escaping (Realm) throws -> Void) {
performSerializedBackgroundWrite(writeBlock: { backgroundRealm in
try block(backgroundRealm)
})
}
/// Gives you an opportunity to update `object` on a background queue
///
/// - Parameters:
/// - object: The object you want to manipulate in the background
/// - writeBlock: A block that modifies your object
///
/// - Attention:
/// Since this method must pass your object between threads,
/// it is not guaranteed that your writeBlock will be called.
/// Your write block is not called if the method fails to transfer your object between threads.
public func modify<T>(_ object: T, with writeBlock: @escaping (T) -> Void) where T : ThreadConfined {
let safeObject = ThreadSafeReference(to: object)
performSerializedBackgroundWrite(writeBlock: { backgroundRealm in
guard let resolvedObject = backgroundRealm.resolve(safeObject) else { return }
try backgroundRealm.write {
writeBlock(resolvedObject)
}
}, createTransaction: false)
}
/// Gives you an opportunity to update `objects` on a background queue
///
/// - Parameters:
/// - objects: An array of objects you want to manipulate in the background
/// - writeBlock: A block that modifies your objects
///
/// - Attention:
/// Since this method must pass your objects between threads,
/// it is not guaranteed that your writeBlock will be called.
/// Your write block is not called if any of the objects can't be transfered between threads.
public func modify<T>(_ objects: [T], with writeBlock: @escaping ([T]) -> Void) where T : ThreadConfined {
let safeObjects = objects.map { ThreadSafeReference(to: $0) }
performSerializedBackgroundWrite(writeBlock: { backgroundRealm in
let resolvedObjects = safeObjects.flatMap { backgroundRealm.resolve($0) }
guard resolvedObjects.count == safeObjects.count else {
NSLog("Failed to perform modify in the background. Some objects couldn't be resolved.")
return
}
try backgroundRealm.write {
writeBlock(resolvedObjects)
}
}, createTransaction: false)
}
public lazy var events: Observable<Results<Event>> = {
let eventsSortedByDateDescending = self.realm.objects(Event.self).sorted(byKeyPath: "startDate", ascending: false)
return Observable.collection(from: eventsSortedByDateDescending)
}()
public lazy var sessionsObservable: Observable<Results<Session>> = {
return Observable.collection(from: self.realm.objects(Session.self))
}()
public var sessions: Results<Session> {
return realm.objects(Session.self).filter("assets.@count > 0")
}
public func session(with identifier: String) -> Session? {
return realm.object(ofType: Session.self, forPrimaryKey: identifier)
}
public func createFavorite(for session: Session) {
modify(session) { bgSession in
bgSession.favorites.append(Favorite())
}
}
public var isEmpty: Bool {
return realm.objects(Event.self).isEmpty
}
public func removeFavorite(for session: Session) {
guard let favorite = session.favorites.first else { return }
modify(favorite) { bgFavorite in
bgFavorite.realm?.delete(bgFavorite)
}
}
public lazy var tracksObservable: Observable<Results<Track>> = {
let tracks = self.realm.objects(Track.self).sorted(byKeyPath: "order")
return Observable.collection(from: tracks)
}()
public lazy var scheduleObservable: Observable<Results<ScheduleSection>> = {
let currentEvents = self.realm.objects(Event.self).filter("isCurrent == true")
return Observable.collection(from: currentEvents).map({ $0.first?.identifier }).flatMap { (identifier: String?) -> Observable<Results<ScheduleSection>> in
let sections = self.realm.objects(ScheduleSection.self).filter("eventIdentifier == %@", identifier ?? "").sorted(byKeyPath: "representedDate")
return Observable.collection(from: sections)
}
}()
public func asset(with remoteURL: URL) -> SessionAsset? {
return realm.objects(SessionAsset.self).filter("remoteURL == %@", remoteURL.absoluteString).first
}
public func bookmark(with identifier: String, in inputRealm: Realm? = nil) -> Bookmark? {
let effectiveRealm = inputRealm ?? realm
return effectiveRealm.object(ofType: Bookmark.self, forPrimaryKey: identifier)
}
public func deleteBookmark(with identifier: String) {
guard let bookmark = bookmark(with: identifier) else {
NSLog("DELETE ERROR: Unable to find bookmark with identifier \(identifier)")
return
}
modify(bookmark) { bgBookmark in
bgBookmark.realm?.delete(bgBookmark)
}
}
public func softDeleteBookmark(with identifier: String) {
guard let bookmark = bookmark(with: identifier) else {
NSLog("SOFT DELETE ERROR: Unable to find bookmark with identifier \(identifier)")
return
}
modify(bookmark) { bgBookmark in
bgBookmark.isDeleted = true
bgBookmark.deletedAt = Date()
}
}
public func moveBookmark(with identifier: String, to timecode: Double) {
guard let bookmark = bookmark(with: identifier) else {
NSLog("MOVE ERROR: Unable to find bookmark with identifier \(identifier)")
return
}
modify(bookmark) { bgBookmark in
bgBookmark.timecode = timecode
}
}
public func updateDownloadedFlag(_ isDownloaded: Bool, forAssetsAtPaths filePaths: [String]) {
DispatchQueue.main.async {
let assets = filePaths.flatMap { self.realm.objects(SessionAsset.self).filter("relativeLocalURL == %@", $0).first }
self.modify(assets) { bgAssets in
bgAssets.forEach { bgAsset in
bgAsset.session.first?.isDownloaded = isDownloaded
}
}
}
}
public var allEvents: [Event] {
return realm.objects(Event.self).sorted(byKeyPath: "startDate", ascending: false).toArray()
}
public var allFocuses: [Focus] {
return realm.objects(Focus.self).sorted(byKeyPath: "name").toArray()
}
public var allTracks: [Track] {
return realm.objects(Track.self).sorted(byKeyPath: "order").toArray()
}
}
| df0a9dd87e047b02e7aa92eb7892229d | 38.289641 | 207 | 0.612355 | false | false | false | false |
russbishop/swift | refs/heads/master | stdlib/public/SDK/Foundation/Decimal.swift | apache-2.0 | 1 | //===----------------------------------------------------------------------===//
//
// 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
//
//===----------------------------------------------------------------------===//
@_exported import Foundation // Clang module
extension Decimal {
public typealias RoundingMode = NSDecimalNumber.RoundingMode
public typealias CalculationError = NSDecimalNumber.CalculationError
public static let leastFiniteMagnitude = Decimal(_exponent: 127, _length: 8, _isNegative: 1, _isCompact: 1, _reserved: 0, _mantissa: (0xffff, 0xffff, 0xffff, 0xffff, 0xffff, 0xffff, 0xffff, 0xffff))
public static let greatestFiniteMagnitude = Decimal(_exponent: 127, _length: 8, _isNegative: 0, _isCompact: 1, _reserved: 0, _mantissa: (0xffff, 0xffff, 0xffff, 0xffff, 0xffff, 0xffff, 0xffff, 0xffff))
public static let leastNormalMagnitude = Decimal(_exponent: -127, _length: 1, _isNegative: 0, _isCompact: 1, _reserved: 0, _mantissa: (0x0001, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000))
public static let leastNonzeroMagnitude = Decimal(_exponent: -127, _length: 1, _isNegative: 0, _isCompact: 1, _reserved: 0, _mantissa: (0x0001, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000))
public static let pi = Decimal(_exponent: -38, _length: 8, _isNegative: 0, _isCompact: 1, _reserved: 0, _mantissa: (0x6623, 0x7d57, 0x16e7, 0xad0d, 0xaf52, 0x4641, 0xdfa7, 0xec58))
public var exponent: Int {
get {
return Int(_exponent)
}
}
public var significand: Decimal {
get {
return Decimal(_exponent: 1, _length: _length, _isNegative: _isNegative, _isCompact: _isCompact, _reserved: 0, _mantissa: _mantissa)
}
}
public init(sign: FloatingPointSign, exponent: Int, significand: Decimal) {
self.init(_exponent: Int32(exponent), _length: significand._length, _isNegative: sign == .plus ? 1 : 0, _isCompact: significand._isCompact, _reserved: 0, _mantissa: significand._mantissa)
}
public init(signOf: Decimal, magnitudeOf magnitude: Decimal) {
self.init(_exponent: magnitude._exponent, _length: magnitude._length, _isNegative: signOf._isNegative, _isCompact: magnitude._isCompact, _reserved: 0, _mantissa: magnitude._mantissa)
}
public var sign: FloatingPointSign {
return _isNegative == 0 ? FloatingPointSign.plus : FloatingPointSign.minus
}
public static var radix: Int { return 10 }
public var ulp: Decimal {
return Decimal(_exponent: 1, _length: _length, _isNegative: _isNegative, _isCompact: _isCompact, _reserved: 0, _mantissa: _mantissa)
}
@available(*, unavailable, message: "Decimal does not yet fully adopt FloatingPoint.")
public mutating func formTruncatingRemainder(dividingBy other: Decimal) { fatalError("Decimal does not yet fully adopt FloatingPoint") }
public mutating func add(_ other: Decimal) {
var rhs = other
NSDecimalAdd(&self, &self, &rhs, .plain)
}
public mutating func subtract(_ other: Decimal) {
var rhs = other
NSDecimalSubtract(&self, &self, &rhs, .plain)
}
public mutating func multiply(by other: Decimal) {
var rhs = other
NSDecimalMultiply(&self, &self, &rhs, .plain)
}
public mutating func divide(by other: Decimal) {
var rhs = other
NSDecimalMultiply(&self, &self, &rhs, .plain)
}
public mutating func negate() {
_isNegative = _isNegative == 0 ? 1 : 0
}
public func isEqual(to other: Decimal) -> Bool {
var lhs = self
var rhs = other
return NSDecimalCompare(&lhs, &rhs) == .orderedSame
}
public func isLess(than other: Decimal) -> Bool {
var lhs = self
var rhs = other
return NSDecimalCompare(&lhs, &rhs) == .orderedAscending
}
public func isLessThanOrEqualTo(_ other: Decimal) -> Bool {
var lhs = self
var rhs = other
let order = NSDecimalCompare(&lhs, &rhs)
return order == .orderedAscending || order == .orderedSame
}
public func isTotallyOrdered(below other: Decimal) -> Bool {
// Notes: Decimal does not have -0 or infinities to worry about
if self.isNaN {
return false
} else if self < other {
return true
} else if other < self {
return false
}
// fall through to == behavior
return true
}
public var isCanonical: Bool {
return true
}
public var nextUp: Decimal {
return self + Decimal(_exponent: _exponent, _length: 1, _isNegative: 0, _isCompact: 1, _reserved: 0, _mantissa: (0x0001, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000))
}
public var nextDown: Decimal {
return self - Decimal(_exponent: _exponent, _length: 1, _isNegative: 0, _isCompact: 1, _reserved: 0, _mantissa: (0x0001, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000))
}
}
public func +(lhs: Decimal, rhs: Decimal) -> Decimal {
var res = Decimal()
var leftOp = lhs
var rightOp = rhs
NSDecimalAdd(&res, &leftOp, &rightOp, .plain)
return res
}
public func -(lhs: Decimal, rhs: Decimal) -> Decimal {
var res = Decimal()
var leftOp = lhs
var rightOp = rhs
NSDecimalSubtract(&res, &leftOp, &rightOp, .plain)
return res
}
public func /(lhs: Decimal, rhs: Decimal) -> Decimal {
var res = Decimal()
var leftOp = lhs
var rightOp = rhs
NSDecimalDivide(&res, &leftOp, &rightOp, .plain)
return res
}
public func *(lhs: Decimal, rhs: Decimal) -> Decimal {
var res = Decimal()
var leftOp = lhs
var rightOp = rhs
NSDecimalMultiply(&res, &leftOp, &rightOp, .plain)
return res
}
public func pow(_ x: Decimal, _ y: Int) -> Decimal {
var res = Decimal()
var num = x
NSDecimalPower(&res, &num, y, .plain)
return res
}
extension Decimal : Hashable, Comparable {
internal var doubleValue : Double {
var d = 0.0
if _length == 0 && _isNegative == 0 {
return Double.nan
}
for i in 0..<8 {
let index = 8 - i - 1
switch index {
case 0:
d = d * 65536 + Double(_mantissa.0)
break
case 1:
d = d * 65536 + Double(_mantissa.1)
break
case 2:
d = d * 65536 + Double(_mantissa.2)
break
case 3:
d = d * 65536 + Double(_mantissa.3)
break
case 4:
d = d * 65536 + Double(_mantissa.4)
break
case 5:
d = d * 65536 + Double(_mantissa.5)
break
case 6:
d = d * 65536 + Double(_mantissa.6)
break
case 7:
d = d * 65536 + Double(_mantissa.7)
break
default:
fatalError("conversion overflow")
}
}
if _exponent < 0 {
for _ in _exponent..<0 {
d /= 10.0
}
} else {
for _ in 0..<_exponent {
d *= 10.0
}
}
return _isNegative != 0 ? -d : d
}
public var hashValue: Int {
return Int(bitPattern: __CFHashDouble(doubleValue))
}
}
public func ==(lhs: Decimal, rhs: Decimal) -> Bool {
var lhsVal = lhs
var rhsVal = rhs
return NSDecimalCompare(&lhsVal, &rhsVal) == .orderedSame
}
public func <(lhs: Decimal, rhs: Decimal) -> Bool {
var lhsVal = lhs
var rhsVal = rhs
return NSDecimalCompare(&lhsVal, &rhsVal) == .orderedAscending
}
extension Decimal : FloatLiteralConvertible {
public init(floatLiteral value: Double) {
self.init(value)
}
}
extension Decimal : IntegerLiteralConvertible {
public init(integerLiteral value: Int) {
self.init(value)
}
}
extension Decimal : SignedNumber { }
extension Decimal : Strideable {
public func distance(to other: Decimal) -> Decimal {
return self - other
}
public func advanced(by n: Decimal) -> Decimal {
return self + n
}
}
extension Decimal : AbsoluteValuable {
public static func abs(_ x: Decimal) -> Decimal {
return Decimal(_exponent: x._exponent, _length: x._length, _isNegative: 0, _isCompact: x._isCompact, _reserved: 0, _mantissa: x._mantissa)
}
}
extension Decimal {
public init(_ value: UInt8) {
self.init(UInt64(value))
}
public init(_ value: Int8) {
self.init(Int64(value))
}
public init(_ value: UInt16) {
self.init(UInt64(value))
}
public init(_ value: Int16) {
self.init(Int64(value))
}
public init(_ value: UInt32) {
self.init(UInt64(value))
}
public init(_ value: Int32) {
self.init(Int64(value))
}
public init(_ value: Double) {
if value.isNaN {
self = Decimal.nan
} else if value == 0.0 {
self = Decimal(_exponent: 0, _length: 0, _isNegative: 0, _isCompact: 0, _reserved: 0, _mantissa: (0x0000, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000, 0x0000))
} else {
let negative = value < 0
var val = negative ? -1 * value : value
var exponent = 0
while val < Double(UInt64.max - 1) {
val *= 10.0
exponent -= 1
}
while Double(UInt64.max - 1) < val {
val /= 10.0
exponent += 1
}
var mantissa = UInt64(val)
var i = UInt32(0)
// this is a bit ugly but it is the closest approximation of the C initializer that can be expressed here.
_mantissa = (0, 0, 0, 0, 0, 0, 0, 0)
while mantissa != 0 && i < 8 /* NSDecimalMaxSize */ {
switch i {
case 0:
_mantissa.0 = UInt16(mantissa & 0xffff)
break
case 1:
_mantissa.1 = UInt16(mantissa & 0xffff)
break
case 2:
_mantissa.2 = UInt16(mantissa & 0xffff)
break
case 3:
_mantissa.3 = UInt16(mantissa & 0xffff)
break
case 4:
_mantissa.4 = UInt16(mantissa & 0xffff)
break
case 5:
_mantissa.5 = UInt16(mantissa & 0xffff)
break
case 6:
_mantissa.6 = UInt16(mantissa & 0xffff)
break
case 7:
_mantissa.7 = UInt16(mantissa & 0xffff)
break
default:
fatalError("initialization overflow")
}
mantissa = mantissa >> 16
i += 1
}
_length = i
_isNegative = negative ? 1 : 0
_isCompact = 0
_exponent = Int32(exponent)
NSDecimalCompact(&self)
}
}
public init(_ value: UInt64) {
self.init(Double(value))
}
public init(_ value: Int64) {
self.init(Double(value))
}
public init(_ value: UInt) {
self.init(UInt64(value))
}
public init(_ value: Int) {
self.init(Int64(value))
}
@available(*, unavailable, message: "Decimal does not yet fully adopt FloatingPoint.")
public static var infinity: Decimal { fatalError("Decimal does not yet fully adopt FloatingPoint") }
@available(*, unavailable, message: "Decimal does not yet fully adopt FloatingPoint.")
public static var signalingNaN: Decimal { fatalError("Decimal does not yet fully adopt FloatingPoint") }
public var isSignalingNaN: Bool {
return false
}
public static var nan: Decimal {
return quietNaN
}
public static var quietNaN: Decimal {
return Decimal(_exponent: 0, _length: 0, _isNegative: 1, _isCompact: 0, _reserved: 0, _mantissa: (0, 0, 0, 0, 0, 0, 0, 0))
}
/// The IEEE 754 "class" of this type.
public var floatingPointClass: FloatingPointClassification {
if _length == 0 && _isNegative == 1 {
return .quietNaN
} else if _length == 0 {
return .positiveZero
}
// NSDecimal does not really represent normal and subnormal in the same manner as the IEEE standard, for now we can probably claim normal for any nonzero, nonnan values
if _isNegative == 1 {
return .negativeNormal
} else {
return .positiveNormal
}
}
/// `true` iff `self` is negative.
public var isSignMinus: Bool { return _isNegative != 0 }
/// `true` iff `self` is normal (not zero, subnormal, infinity, or
/// NaN).
public var isNormal: Bool { return !isZero && !isInfinite && !isNaN }
/// `true` iff `self` is zero, subnormal, or normal (not infinity
/// or NaN).
public var isFinite: Bool { return !isNaN }
/// `true` iff `self` is +0.0 or -0.0.
public var isZero: Bool { return _length == 0 && _isNegative == 0 }
/// `true` iff `self` is subnormal.
public var isSubnormal: Bool { return false }
/// `true` iff `self` is infinity.
public var isInfinite: Bool { return false }
/// `true` iff `self` is NaN.
public var isNaN: Bool { return _length == 0 && _isNegative == 1 }
/// `true` iff `self` is a signaling NaN.
public var isSignaling: Bool { return false }
}
extension Decimal : CustomStringConvertible {
public init?(string: String, locale: Locale? = nil) {
let scan = Scanner(string: string)
var theDecimal = Decimal()
scan.locale = locale
if !scan.scanDecimal(&theDecimal) {
return nil
}
self = theDecimal
}
public var description: String {
var val = self
return NSDecimalString(&val, nil)
}
}
extension Decimal : _ObjectiveCBridgeable {
public static func _isBridgedToObjectiveC() -> Bool {
return true
}
@_semantics("convertToObjectiveC")
public func _bridgeToObjectiveC() -> NSDecimalNumber {
return NSDecimalNumber(decimal: self)
}
public static func _forceBridgeFromObjectiveC(_ x: NSDecimalNumber, result: inout Decimal?) {
if !_conditionallyBridgeFromObjectiveC(x, result: &result) {
fatalError("Unable to bridge \(_ObjectiveCType.self) to \(self)")
}
}
public static func _conditionallyBridgeFromObjectiveC(_ input: NSDecimalNumber, result: inout Decimal?) -> Bool {
result = input.decimalValue
return true
}
public static func _unconditionallyBridgeFromObjectiveC(_ source: NSDecimalNumber?) -> Decimal {
var result: Decimal? = nil
_forceBridgeFromObjectiveC(source!, result: &result)
return result!
}
}
| ca58ed1f044fbd2410bd5f5d6ebdbbbe | 32.529158 | 205 | 0.563257 | false | false | false | false |
Raiden9000/Sonarus | refs/heads/master | ChatCell.swift | mit | 1 | //
// ChatCell.swift
// Sonarus
//
// Created by Christopher Arciniega on 5/3/17.
// Copyright © 2017 HQZenithLabs. All rights reserved.
//
import UIKit
class ChatCell: UITableViewCell {
let chatCellLabel : UILabel = UILabel()
var cellText : NSMutableAttributedString!
//private let bubbleImageView = UIImageView()
private var outgoingConstraints : [NSLayoutConstraint]!
private var incomingConstraints : [NSLayoutConstraint]!
var u:String = ""//user
var t:String = ""//message text
var i:Int = 100//index
override init(style: UITableViewCellStyle, reuseIdentifier: String?) {
super.init(style: style, reuseIdentifier: reuseIdentifier)
chatCellLabel.translatesAutoresizingMaskIntoConstraints = false
//bubbleImageView.translatesAutoresizingMaskIntoConstraints = false
//contentView.addSubview(bubbleImageView)
contentView.addSubview(chatCellLabel)
NSLayoutConstraint.activate([
chatCellLabel.leadingAnchor.constraint(equalTo: contentView.leadingAnchor),
chatCellLabel.trailingAnchor.constraint(equalTo: contentView.trailingAnchor),
chatCellLabel.topAnchor.constraint(equalTo: contentView.topAnchor),
chatCellLabel.bottomAnchor.constraint(equalTo: contentView.bottomAnchor),
])
//messageLabel.centerXAnchor.constraint(equalTo: bubbleImageView.centerXAnchor).isActive = true
//messageLabel.centerYAnchor.constraint(equalTo: bubbleImageView.centerYAnchor).isActive = true
//So speech bubble grows with text size
//bubbleImageView.widthAnchor.constraint(equalTo: messageLabel.widthAnchor, constant: 50).isActive = true //50 accounts for tail in image
//bubbleImageView.heightAnchor.constraint(equalTo: messageLabel.heightAnchor, constant:20).isActive = true//20 constant for padding text
/*bubbleImageView.topAnchor.constraint(equalTo: contentView.topAnchor).isActive = true
//One of the following will activate depending on message incoming/outgoing
outgoingConstraint = bubbleImageView.trailingAnchor.constraint(equalTo: contentView.trailingAnchor)
incomingConstraint = bubbleImageView.leadingAnchor.constraint(equalTo: contentView.leadingAnchor)
outgoingConstraints = [
//bubbleImageView.trailingAnchor.constraint(equalTo: contentView.trailingAnchor),//flush bubble right
//bubbleImageView.leadingAnchor.constraint(greaterThanOrEqualTo: contentView.centerXAnchor)//not farther than center
]
incomingConstraints = [
//bubbleImageView.leadingAnchor.constraint(equalTo: contentView.leadingAnchor),
//bubbleImageView.trailingAnchor.constraint(lessThanOrEqualTo: contentView.centerXAnchor)
]
*/
//bubbleImageView.topAnchor.constraint(equalTo: contentView.topAnchor, constant: 10).isActive = true//constant for padding
//bubbleImageView.bottomAnchor.constraint(equalTo: contentView.bottomAnchor, constant: -10).isActive = true
//bubbleImageView.backgroundColor = UIColor.clear
self.backgroundColor = UIColor.clear
chatCellLabel.textAlignment = .left
chatCellLabel.numberOfLines = 0
//let image = UIImage(named:"MessageBubble")?.withRenderingMode(.alwaysTemplate)
//bubbleImageView.tintColor = UIColor.blue
//bubbleImageView.image = image
}
override func prepareForReuse() {
super.prepareForReuse()
print("cell Reuse - Previous text: \(t), index: \(i)")
self.chatCellLabel.attributedText = nil
u = ""
t = ""
i = 100
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
//Bubble image flush left or right, depending on incoming or outgoing
func setText(isIncoming:Bool, user:String, message:String){
let nameLength = user.characters.count + 1
let messageLength = message.characters.count + 1
if isIncoming{
cellText = NSMutableAttributedString(string: user + ": " + message, attributes: [NSAttributedStringKey.font:UIFont(name: "Georgia", size: 12)!])
cellText.addAttribute(NSAttributedStringKey.foregroundColor, value: UIColor.blue, range: NSMakeRange(0, nameLength))
cellText.addAttribute(NSAttributedStringKey.foregroundColor, value: UIColor.white, range: NSMakeRange(nameLength, messageLength))
chatCellLabel.attributedText = cellText
/*incomingConstraint.isActive = true
outgoingConstraint.isActive = false*/
// NSLayoutConstraint.deactivate(outgoingConstraints)
// NSLayoutConstraint.activate(incomingConstraints)
//bubbleImageView.image = bubble.incoming//calls makeBubble method
}
else{//message isOutgoing
cellText = NSMutableAttributedString(string: user + ": " + message, attributes: [NSAttributedStringKey.font:UIFont(name: "Georgia", size: 13)!])
print(cellText)
print(cellText.length)
cellText.addAttribute(NSAttributedStringKey.foregroundColor, value: UIColor.red, range: NSMakeRange(0, nameLength))
cellText.addAttribute(NSAttributedStringKey.foregroundColor, value: UIColor.white, range: NSMakeRange(nameLength, messageLength))
chatCellLabel.attributedText = cellText
/*incomingConstraint.isActive = false
outgoingConstraint.isActive = true*/
// NSLayoutConstraint.deactivate(incomingConstraints)
// NSLayoutConstraint.activate(outgoingConstraints)
//bubbleImageView.image = bubble.outgoing//calls makeBubble method
}
}
}
//let bubble = makeBubble()
/*
func makeBubble() -> (incoming : UIImage, outgoing : UIImage){
let image = UIImage(named:"MessageBubble")!
let insetsIncoming = UIEdgeInsets(top: 17, left: 26.5, bottom: 17.5, right: 21)
let insetsOutgoing = UIEdgeInsets(top: 17, left: 21, bottom: 17.5, right: 26.5)
let outgoing = coloredImage(image: image, red: 0/255, green: 122/255, blue: 255/255, alpha:1).resizableImage(withCapInsets: insetsOutgoing)
let flippedImage = UIImage(cgImage: image.cgImage!, scale: image.scale, orientation: UIImageOrientation.upMirrored)
let incoming = coloredImage(image: flippedImage, red: 229/255, green: 229/255, blue: 229/255, alpha:1).resizableImage(withCapInsets: insetsIncoming)
return(incoming, outgoing)
}
func coloredImage(image: UIImage, red:CGFloat, green:CGFloat, blue:CGFloat, alpha:CGFloat) -> UIImage{
let rect = CGRect(origin: CGPoint.zero, size: image.size)
UIGraphicsBeginImageContextWithOptions(image.size, false, image.scale)
let context = UIGraphicsGetCurrentContext()
image.draw(in: rect)
context?.setFillColor(red: red, green: green, blue: blue, alpha: alpha)
context?.setBlendMode(CGBlendMode.sourceAtop)
context?.fill(rect)
let result = UIGraphicsGetImageFromCurrentImageContext()
UIGraphicsEndImageContext()
return result!
}
*/
| cffdb5c3a43b5396a2e8873960ac219f | 44.72956 | 156 | 0.69564 | false | false | false | false |
crepashok/encryptor-swift | refs/heads/master | ios-swift/encryptor-swift/ViewControllers/AES256/CPAES256ViewController.swift | gpl-3.0 | 1 | //
// CPAES256ViewController.swift
// encryptor-swift
//
// Created by Pavlo Cretsu on 11/12/16.
// Copyright © 2016 Pavlo Cretsu. All rights reserved.
//
import UIKit
class CPAES256ViewController: UIViewController {
private let settingsSegueID = "show-aes256-settings"
@IBOutlet weak var randomizeBtn: UIButton!
@IBOutlet weak var inputTextView: UITextView!
@IBOutlet weak var outputTextView: UITextView!
override func viewDidLoad() {
super.viewDidLoad()
randomizeInput(randomizeBtn)
}
@IBAction func showSettingsTapped(_ sender: UIBarButtonItem) {
performSegue(withIdentifier: settingsSegueID, sender: self)
}
@IBAction func clearInput(_ sender: UIButton) {
inputTextView.text = .none
encodeInput()
}
@IBAction func randomizeInput(_ sender: UIButton) {
inputTextView.text = CPDummyManager.getRandomQuote()
encodeInput()
}
@IBAction func encodeInput(_ sender: UIButton) {
encodeInput()
}
@IBAction func clearResult(_ sender: UIButton) {
outputTextView.text = .none
decodeOutput()
}
@IBAction func decodeResult(_ sender: UIButton) {
decodeOutput()
}
private func encodeInput() {
do {
if let encrypted = try AES256Manager.shared.encrypt(string: inputTextView.text) {
outputTextView.text = encrypted
}
} catch {
print("Encoding error: \(error.localizedDescription)")
}
}
private func decodeOutput() {
do {
if let decrypted = try AES256Manager.shared.decrypt(string: outputTextView.text) {
inputTextView.text = decrypted
}
} catch {
print("Decoding error: \(error.localizedDescription)")
}
}
}
| 5fb4f651fa4a8edaed25fdd115ef0256 | 23.025 | 94 | 0.598335 | false | false | false | false |
Subsets and Splits