repo_name
stringlengths 6
91
| path
stringlengths 8
968
| copies
stringclasses 210
values | size
stringlengths 2
7
| content
stringlengths 61
1.01M
| license
stringclasses 15
values | hash
stringlengths 32
32
| line_mean
float64 6
99.8
| line_max
int64 12
1k
| alpha_frac
float64 0.3
0.91
| ratio
float64 2
9.89
| autogenerated
bool 1
class | config_or_test
bool 2
classes | has_no_keywords
bool 2
classes | has_few_assignments
bool 1
class |
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
MoZhouqi/KMNavigationBarTransition | Example/SettingsViewController.swift | 1 | 2086 | //
// SettingsViewController.swift
// KMNavigationBarTransition
//
// Created by Zhouqi Mo on 1/1/16.
// Copyright © 2017 Zhouqi Mo. All rights reserved.
//
import UIKit
class SettingsViewController: UITableViewController {
// MARK: Constants
struct Constants {
struct TableViewCell {
static let Identifier = "Cell"
}
}
// MARK: Properties
var colorsData: (colorsArray: [NavigationBarBackgroundViewColor], selectedIndex: Int?)!
var configurationBlock: ((_ color: NavigationBarBackgroundViewColor) -> Void)!
var titleText = ""
// MARK: View Life Cycle
override func viewDidLoad() {
title = titleText
}
}
// MARK: - Table view data source
extension SettingsViewController {
override func numberOfSections(in tableView: UITableView) -> Int {
return 1
}
override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return colorsData.colorsArray.count
}
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: Constants.TableViewCell.Identifier, for: indexPath)
cell.textLabel?.text = colorsData.colorsArray[indexPath.row].rawValue
cell.accessoryType = (indexPath.row == colorsData.selectedIndex) ? .checkmark : .none
return cell
}
}
// MARK: - Table view delegate
extension SettingsViewController {
override func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
if let selectedIndex = colorsData.selectedIndex {
tableView.cellForRow(at: IndexPath(row: selectedIndex, section: 0))?.accessoryType = .none
}
colorsData.selectedIndex = indexPath.row
tableView.cellForRow(at: indexPath)?.accessoryType = .checkmark
tableView.deselectRow(at: indexPath, animated: true)
configurationBlock?(colorsData.colorsArray[indexPath.row])
}
}
| mit | f8d693d97dc660b1e6dbb20c5385eb3a | 28.366197 | 116 | 0.67482 | 5.225564 | false | false | false | false |
Ezfen/iOS.Apprentice.1-4 | MyLocations/MyLocations/LocationsViewController.swift | 1 | 7656 | //
// LocationsViewController.swift
// MyLocations
//
// Created by ezfen on 16/8/22.
// Copyright © 2016年 Ezfen Inc. All rights reserved.
//
import UIKit
import CoreData
import CoreLocation
class LocationsViewController: UITableViewController {
var managedObjectContext: NSManagedObjectContext!
var locations = [Location]()
lazy var fetchedResultsController: NSFetchedResultsController = {
let fetchRequest = NSFetchRequest()
let entity = NSEntityDescription.entityForName("Location", inManagedObjectContext: self.managedObjectContext)
fetchRequest.entity = entity
let sortDescription1 = NSSortDescriptor(key: "category", ascending: true)
let sortDescription2 = NSSortDescriptor(key: "date", ascending: true)
fetchRequest.sortDescriptors = [sortDescription1, sortDescription2]
fetchRequest.fetchBatchSize = 20
let fetchResultsController = NSFetchedResultsController(fetchRequest: fetchRequest, managedObjectContext: self.managedObjectContext, sectionNameKeyPath: "category", cacheName: "Locations")
fetchResultsController.delegate = self
return fetchResultsController
}()
override func viewDidLoad() {
super.viewDidLoad()
performFetch()
navigationItem.rightBarButtonItem = editButtonItem()
tableView.backgroundColor = UIColor.blackColor()
tableView.separatorColor = UIColor(white: 1.0, alpha: 0.2)
tableView.indicatorStyle = .White
}
func performFetch() {
do {
try fetchedResultsController.performFetch()
} catch {
fatalCoreDataError(error)
}
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
// MARK: - Table view data source
override func numberOfSectionsInTableView(tableView: UITableView) -> Int {
return fetchedResultsController.sections!.count
}
override func tableView(tableView: UITableView, titleForHeaderInSection section: Int) -> String? {
let sectionInfo = fetchedResultsController.sections![section]
return sectionInfo.name.uppercaseString
}
override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
let sectionInfo = fetchedResultsController.sections![section]
return sectionInfo.numberOfObjects
}
override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCellWithIdentifier("LocationCell", forIndexPath: indexPath) as! LocationCell
let location = fetchedResultsController.objectAtIndexPath(indexPath) as! Location
cell.configureForLocation(location)
return cell
}
override func tableView(tableView: UITableView, commitEditingStyle editingStyle: UITableViewCellEditingStyle, forRowAtIndexPath indexPath: NSIndexPath) {
if editingStyle == .Delete {
let location = fetchedResultsController.objectAtIndexPath(indexPath) as! Location
location.removePhotoFile()
managedObjectContext.deleteObject(location)
do {
try managedObjectContext.save()
} catch {
fatalCoreDataError(error)
}
}
}
override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) {
if segue.identifier == "EditLocation" {
let navigationController = segue.destinationViewController as! UINavigationController
let controller = navigationController.topViewController as! LocationDetailsViewController
controller.managedObjectContext = managedObjectContext
if let indexPath = tableView.indexPathForCell(sender as! UITableViewCell) {
let location = fetchedResultsController.objectAtIndexPath(indexPath) as! Location
controller.locationToEdit = location
}
}
}
override func tableView(tableView: UITableView, viewForHeaderInSection section: Int) -> UIView? {
let labelRect = CGRect(x: 15, y: tableView.sectionHeaderHeight - 14, width: 300, height: 14)
let label = UILabel(frame: labelRect)
label.font = UIFont.boldSystemFontOfSize(11)
label.text = tableView.dataSource!.tableView!(tableView, titleForFooterInSection: section)
label.textColor = UIColor(white: 1.0, alpha: 0.4)
label.backgroundColor = UIColor.clearColor()
let separatorRect = CGRect(x: 15, y: tableView.sectionHeaderHeight - 0.5, width: tableView.bounds.size.width - 15, height: 0.5)
let separator = UIView(frame: separatorRect)
separator.backgroundColor = tableView.separatorColor
let viewRect = CGRect(x: 0, y: 0, width: tableView.bounds.size.width, height: tableView.sectionHeaderHeight)
let view = UIView(frame: viewRect)
view.backgroundColor = UIColor(white: 0, alpha: 0.85)
view.addSubview(label)
view.addSubview(separator)
return view
}
deinit {
fetchedResultsController.delegate = nil
}
}
extension LocationsViewController: NSFetchedResultsControllerDelegate {
func controllerWillChangeContent(controller: NSFetchedResultsController) {
print("*** controllerWillChangeContent")
tableView.beginUpdates()
}
func controller(controller: NSFetchedResultsController, didChangeObject anObject: AnyObject, atIndexPath indexPath: NSIndexPath?, forChangeType type: NSFetchedResultsChangeType, newIndexPath: NSIndexPath?) {
switch type {
case .Insert:
print("*** NSFetchResultsChangeInsert (object)")
tableView.insertRowsAtIndexPaths([newIndexPath!], withRowAnimation: .Fade)
case .Delete:
print("*** NSFetchResultsChangeDelete (object)")
tableView.deleteRowsAtIndexPaths([indexPath!], withRowAnimation: .Fade)
case .Update:
print("*** NSFetchResultsChangeUpdate (object)")
if let cell = tableView.cellForRowAtIndexPath(indexPath!) as? LocationCell {
let location = controller.objectAtIndexPath(indexPath!) as! Location
cell.configureForLocation(location)
}
case .Move:
print("*** NSFetchResultsChangeMove (object)")
tableView.deleteRowsAtIndexPaths([indexPath!], withRowAnimation: .Fade)
tableView.insertRowsAtIndexPaths([newIndexPath!], withRowAnimation: .Fade)
}
}
func controller(controller: NSFetchedResultsController, didChangeSection sectionInfo: NSFetchedResultsSectionInfo, atIndex sectionIndex: Int, forChangeType type: NSFetchedResultsChangeType) {
switch type {
case .Insert:
print("*** NSFetchResultsChangeInsert (section)")
tableView.insertSections(NSIndexSet(index: sectionIndex), withRowAnimation: .Fade)
case .Delete:
print("*** NSFetchResultsChangeDelete (section)")
tableView.deleteSections(NSIndexSet(index: sectionIndex), withRowAnimation: .Fade)
case .Update:
print("*** NSFetchResultsChangeUpdate (section)")
case .Move:
print("*** NSFetchResultsChangeMove (section)")
}
}
func controllerDidChangeContent(controller: NSFetchedResultsController) {
print("*** controllerDidChangeContent")
tableView.endUpdates()
}
}
| mit | 81ac88f68c6a5a71cefbe6828c69d54e | 41.994382 | 211 | 0.682085 | 6.156879 | false | false | false | false |
chenchangqing/learniosRAC | FRP-Swift/FRP-Swift/ViewModels/FRPPhotoViewModel.swift | 1 | 2601 | //
// FRPPhotoViewModel.swift
// FRP-Swift
//
// Created by green on 15/9/4.
// Copyright (c) 2015年 green. All rights reserved.
//
import UIKit
import ReactiveViewModel
import ReactiveCocoa
class FRPPhotoViewModel: ImageViewModel {
let photoModelDataSourceProtocol = FRPPhotoModelDataSource.shareInstance()
var searchFullsizedURLCommand :RACCommand!
var errorMsg : String = ""
var isLoading : Bool = false
init(photoModel:FRPPhotoModel) {
super.init(urlString: nil,model:photoModel,isNeedCompress:false)
// 初始化command
searchFullsizedURLCommand = RACCommand(signalBlock: { (any:AnyObject!) -> RACSignal! in
self.setValue(true, forKey: "isLoading")
if let identifier=(self.model as! FRPPhotoModel).identifier {
return self.photoModelDataSourceProtocol.searchFullsizedURL(identifier)
} else {
return RACSignal.empty()
}
})
// 错误处理
searchFullsizedURLCommand.errors.subscribeNextAs { (error:NSError) -> () in
self.setValue(false, forKey: "isLoading")
self.setValue(error.localizedDescription, forKey: "errorMsg")
}
downloadImageCommand.errors.subscribeNextAs { (error:NSError) -> () in
self.setValue(false, forKey: "isLoading")
self.setValue(error.localizedDescription, forKey: "errorMsg")
}
// 更新大图URLString
searchFullsizedURLCommand.executionSignals.switchToLatest()
// .takeUntil(didBecomeInactiveSignal.skip(1))
.subscribeNext({ (any:AnyObject!) -> Void in
// 更新图片
self.urlString = any as? String
self.downloadImageCommand.execute(nil)
}, completed: { () -> Void in
println("searchFullsizedURLCommand completed")
})
downloadImageCommand.executionSignals.switchToLatest()
// .takeUntil(didBecomeInactiveSignal.skip(1))
.subscribeNext({ (any:AnyObject!) -> Void in
self.setValue(false, forKey: "isLoading")
}, completed: { () -> Void in
self.setValue(false, forKey: "isLoading")
})
// 激活后开始查询
didBecomeActiveSignal.subscribeNext { (any:AnyObject!) -> Void in
searchFullsizedURLCommand.execute(nil)
}
}
}
| gpl-2.0 | fdbd0b9791d0fce3df7ce4d5bccceceb | 31.341772 | 95 | 0.579256 | 5.345188 | false | false | false | false |
br1sk/brisk-ios | Brisk iOS/App/StatusDisplay.swift | 1 | 1102 | import UIKit
import SVProgressHUD
protocol StatusDisplay {
func showLoading()
func showSuccess(message: String, autoDismissAfter delay: TimeInterval)
func showError(title: String?, message: String, dismissButtonTitle: String?, completion: (() -> Void)?)
func hideLoading()
}
extension StatusDisplay where Self: UIViewController {
func showLoading() {
SVProgressHUD.show()
}
func showSuccess(message: String, autoDismissAfter delay: TimeInterval = 3.0) {
SVProgressHUD.setMinimumDismissTimeInterval(delay)
SVProgressHUD.showSuccess(withStatus: message)
}
func showError(title: String? = Localizable.Global.error.localized,
message: String,
dismissButtonTitle: String? = Localizable.Global.dismiss.localized,
completion: (() -> Void)? = nil) {
let alert = UIAlertController(title: title, message: message, preferredStyle: .alert)
alert.addAction(UIAlertAction(title: dismissButtonTitle, style: .cancel, handler: nil))
present(alert, animated: true, completion: completion)
}
func hideLoading() {
SVProgressHUD.dismiss()
}
}
| mit | 48921e9011700debf25f43cd125c52c0 | 31.411765 | 104 | 0.732305 | 4.390438 | false | false | false | false |
luckymore0520/leetcode | Multiply Strings.playground/Contents.swift | 1 | 2895 | //: Playground - noun: a place where people can play
import UIKit
//Given two non-negative integers num1 and num2 represented as strings, return the product of num1 and num2.
//
//Note:
//
//The length of both num1 and num2 is < 110.
//Both num1 and num2 contains only digits 0-9.
//Both num1 and num2 does not contain any leading zero.
extension Character {
var asciiValue: UInt32? {
return String(self).unicodeScalars.filter{$0.isASCII}.first?.value
}
}
class Solution {
func multiply(_ num1: String, _ num2: String) -> String {
if (num1 == "0" || num2 == "0") {
return "0"
}
let num1 = getNumArray(num1)
let num2 = getNumArray(num2)
let short = num1.count > num2.count ? num2: num1
let long = short == num1 ? num2 : num1
var result:[Int] = []
var zeros:[Int] = []
for num in short.reversed() {
var tmp = multiply(long, multiper: num)
tmp += zeros
print(tmp)
result = add(result, tmp)
zeros.append(0)
}
let resultString = result.reduce("") { (str, next) -> String in
"\(str)\(next)"
}
return resultString
}
func add(_ num1:[Int],_ num2:[Int]) -> [Int] {
var i = 0
var add = 0
var result:[Int] = []
let num1Count = num1.count
let num2Count = num2.count
while i < num1Count && i < num2Count {
let eachResult = num1[num1Count - i - 1] + num2[num2Count - i - 1] + add
add = eachResult / 10
result.insert(eachResult % 10, at: 0)
i += 1
}
while i < num1Count {
let eachResult = num1[num1Count - i - 1] + add
add = eachResult / 10
result.insert(eachResult % 10, at: 0)
i += 1
}
while i < num2Count {
let eachResult = num2[num2Count - i - 1] + add
add = eachResult / 10
result.insert(eachResult % 10, at: 0)
i += 1
}
if (add > 0) {
result.insert(add, at: 0)
}
return result
}
func multiply(_ num:[Int], multiper:Int) -> [Int] {
var result:[Int] = []
var add = 0
for eachNum in num.reversed() {
let eachResult = eachNum * multiper + add
result.insert(eachResult % 10, at: 0)
add = eachResult / 10
}
if (add > 0) {
result.insert(add, at: 0)
}
return result
}
func getNumArray(_ num:String) -> [Int] {
var array:[Int] = []
for char in num.characters {
let ascii = Int(char.asciiValue!)
array.append(ascii - 48)
}
return array
}
}
let solution = Solution()
solution.multiply("0", "456")
| mit | f770a3c4e6de8d8164d6ebf607f2c1c6 | 26.836538 | 108 | 0.502591 | 3.814229 | false | false | false | false |
AdaptiveMe/adaptive-arp-api-lib-darwin | Pod/Classes/Sources.Api/SecurityResultCallbackImpl.swift | 1 | 4638 | /**
--| ADAPTIVE RUNTIME PLATFORM |----------------------------------------------------------------------------------------
(C) Copyright 2013-2015 Carlos Lozano Diez t/a Adaptive.me <http://adaptive.me>.
Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the
License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 . Unless required by appli-
-cable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing
permissions and limitations under the License.
Original author:
* Carlos Lozano Diez
<http://github.com/carloslozano>
<http://twitter.com/adaptivecoder>
<mailto:[email protected]>
Contributors:
* Ferran Vila Conesa
<http://github.com/fnva>
<http://twitter.com/ferran_vila>
<mailto:[email protected]>
* See source code files for contributors.
Release:
* @version v2.2.15
-------------------------------------------| aut inveniam viam aut faciam |--------------------------------------------
*/
import Foundation
/**
Interface for Managing the Security result callback
Auto-generated implementation of ISecurityResultCallback specification.
*/
public class SecurityResultCallbackImpl : BaseCallbackImpl, ISecurityResultCallback {
/**
Constructor with callback id.
@param id The id of the callback.
*/
public override init(id : Int64) {
super.init(id: id)
}
/**
No data received - error condition, not authorized .
@param error Error values
@since v2.0
*/
public func onError(error : ISecurityResultCallbackError) {
let param0 : String = "Adaptive.ISecurityResultCallbackError.toObject(JSON.parse(\"{ \\\"value\\\": \\\"\(error.toString())\\\"}\"))"
var callbackId : Int64 = -1
if (getId() != nil) {
callbackId = getId()!
}
AppRegistryBridge.sharedInstance.getPlatformContextWeb().executeJavaScript("Adaptive.handleSecurityResultCallbackError( \(callbackId), \(param0))")
}
/**
Correct data received.
@param keyValues key and values
@since v2.0
*/
public func onResult(keyValues : [SecureKeyPair]) {
let param0Array : NSMutableString = NSMutableString()
param0Array.appendString("[")
for (index,obj) in keyValues.enumerate() {
param0Array.appendString("Adaptive.SecureKeyPair.toObject(JSON.parse(\"\(JSONUtil.escapeString(SecureKeyPair.Serializer.toJSON(obj)))\"))")
if index < keyValues.count-1 {
param0Array.appendString(", ")
}
}
param0Array.appendString("]")
let param0 : String = param0Array as String
var callbackId : Int64 = -1
if (getId() != nil) {
callbackId = getId()!
}
AppRegistryBridge.sharedInstance.getPlatformContextWeb().executeJavaScript("Adaptive.handleSecurityResultCallbackResult( \(callbackId), \(param0))")
}
/**
Data received with warning - ie Found entries with existing key and values have been overriden
@param keyValues key and values
@param warning Warning values
@since v2.0
*/
public func onWarning(keyValues : [SecureKeyPair], warning : ISecurityResultCallbackWarning) {
let param0Array : NSMutableString = NSMutableString()
param0Array.appendString("[")
for (index,obj) in keyValues.enumerate() {
param0Array.appendString("Adaptive.SecureKeyPair.toObject(JSON.parse(\"\(JSONUtil.escapeString(SecureKeyPair.Serializer.toJSON(obj)))\"))")
if index < keyValues.count-1 {
param0Array.appendString(", ")
}
}
param0Array.appendString("]")
let param0 : String = param0Array as String
let param1 : String = "Adaptive.ISecurityResultCallbackWarning.toObject(JSON.parse(\"{ \\\"value\\\": \\\"\(warning.toString())\\\"}\"))"
var callbackId : Int64 = -1
if (getId() != nil) {
callbackId = getId()!
}
AppRegistryBridge.sharedInstance.getPlatformContextWeb().executeJavaScript("Adaptive.handleSecurityResultCallbackWarning( \(callbackId), \(param0), \(param1))")
}
}
/**
------------------------------------| Engineered with ♥ in Barcelona, Catalonia |--------------------------------------
*/
| apache-2.0 | 602fb8d10b7c6928e9005edfe48fa041 | 37.633333 | 168 | 0.61497 | 4.890295 | false | false | false | false |
huangboju/Moots | Examples/UITextField_Demo/TextField/ViewController.swift | 1 | 4146 | //
// ViewController.swift
// TextField
//
// Created by 伯驹 黄 on 2016/10/12.
// Copyright © 2016年 伯驹 黄. All rights reserved.
//
import UIKit
class ViewController: UIViewController, UITextFieldDelegate {
fileprivate lazy var textField: UITextField = {
let textField = UITextField(frame: CGRect(x: 100, y: 100, width: 100, height: 44))
textField.setValue(UIColor.yellow, forKeyPath: "_placeholderLabel.textColor")
textField.text = "有光标无键盘"
textField.placeholder = "13423143214"
return textField
}()
fileprivate lazy var button: UIButton = {
let button = UIButton(type: .custom)
button.addTarget(self, action: #selector(buttonAction), for: .touchUpInside)
return button
}()
private lazy var tableView: UITableView = {
let tableView = UITableView(frame: self.view.frame, style: .grouped)
tableView.dataSource = self
return tableView
}()
fileprivate lazy var cursorView: UIView = {
let cursorView = UIView(frame: CGRect(x: 15, y: 10, width: 2, height: 24))
cursorView.backgroundColor = UIColor.blue
cursorView.layer.add(self.opacityForever_Animation(), forKey: nil)
return cursorView
}()
var animation: CABasicAnimation {
let animation = CABasicAnimation(keyPath: "opacity")
animation.duration = 0.4
animation.autoreverses = true
animation.repeatCount = HUGE
animation.isRemovedOnCompletion = false
animation.fromValue = NSNumber(value: 1.0)
animation.toValue = NSNumber(value: 0.0)
return animation
}
func opacityForever_Animation() -> CABasicAnimation {
let animation = CABasicAnimation(keyPath: "opacity")//必须写opacity才行。
animation.fromValue = NSNumber(value: 1.0)
animation.toValue = NSNumber(value: 0.0)
// animation.autoreverses = true
animation.duration = 0.8
animation.repeatCount = MAXFLOAT
animation.isRemovedOnCompletion = false
animation.fillMode = CAMediaTimingFillMode.removed
animation.timingFunction = CAMediaTimingFunction(name: CAMediaTimingFunctionName.easeInEaseOut)///没有的话是均匀的动画。
return animation
}
override func viewDidLoad() {
super.viewDidLoad()
NotificationCenter.default.addObserver(self, selector: #selector(calueChange), name: UITextField.textDidBeginEditingNotification, object: nil)
view.addSubview(tableView)
}
@objc func buttonAction() {
textField.inputView = nil
textField.reloadInputViews() // 重载输入视图
}
@objc func calueChange() {
tableView.reloadRows(at: [IndexPath(row: 1, section: 0)], with: .none)
}
}
extension ViewController: UITableViewDataSource {
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return 4
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = UITableViewCell(style: .value1, reuseIdentifier: "cell")
cell.textLabel?.text = indexPath.row.description
if indexPath == IndexPath(row: 0, section: 0) {
textField.inputView = UIView()
textField.becomeFirstResponder()
textField.removeFromSuperview()
button.removeFromSuperview()
cell.textLabel?.sizeToFit()
textField.frame = CGRect(x: 15 + cell.textLabel!.frame.width, y: 0, width: view.frame.width - 30, height: 44)
textField.backgroundColor = UIColor.red
cell.contentView.addSubview(textField)
button.frame = textField.frame
cell.contentView.addSubview(button)
} else if indexPath == IndexPath(row: 1, section: 0) {
cursorView.removeFromSuperview()
cell.textLabel?.text = "假光标"
cell.contentView.addSubview(cursorView)
}
return cell
}
func numberOfSections(in tableView: UITableView) -> Int {
return 2
}
}
| mit | 772bd79fee01bb02298452045d89d757 | 36.311927 | 150 | 0.652569 | 4.853222 | false | false | false | false |
charmaex/photo-table | PhotoTable/Pics.swift | 1 | 1175 | //
// Pics.swift
// PhotoTable
//
// Created by Jan Dammshäuser on 14.02.16.
// Copyright © 2016 Jan Dammshäuser. All rights reserved.
//
import Foundation
import UIKit
class Pics: NSObject, NSCoding {
private var _img: String!
private var _title: String!
private var _desc: String!
var img: String {
return _img
}
var title: String {
return _title
}
var desc: String {
return _desc
}
init(img: String, title: String, description: String) {
_img = img
_title = title
_desc = description
}
override init() {
}
convenience required init?(coder aDecoder: NSCoder) {
self.init()
self._img = aDecoder.decodeObjectForKey("img") as? String
self._title = aDecoder.decodeObjectForKey("title") as? String
self._desc = aDecoder.decodeObjectForKey("desc") as? String
}
func encodeWithCoder(aCoder: NSCoder) {
aCoder.encodeObject(self._img, forKey: "img")
aCoder.encodeObject(self._title, forKey: "title")
aCoder.encodeObject(self._desc, forKey: "desc")
}
}
| gpl-3.0 | be11f53326f65005b312cae617b52cfc | 21.538462 | 69 | 0.587031 | 4.246377 | false | false | false | false |
huangboju/Moots | Examples/UIScrollViewDemo/UIScrollViewDemo/Controllers/DiffableDatasource/TableDiffableVC.swift | 1 | 4423 | //
// TableDiffable.swift
// UIScrollViewDemo
//
// Created by 黄伯驹 on 2022/6/19.
// Copyright © 2022 伯驹 黄. All rights reserved.
//
import Foundation
enum ContactSection: CaseIterable {
case favourite
case all
}
// MARK:- Item model
struct Contact: Hashable {
var id: Int?
var firstName: String?
var lastName: String?
var dateOfBirth: Date?
}
class TableDiffableVC: UIViewController {
private lazy var tableView: UITableView = {
let tableView = UITableView()
return tableView
}()
let reuseIdentifier = "TableViewCell"
private var dataSource: UITableViewDiffableDataSource<ContactSection, Contact>?
// MARK:- View life cycle methods
override func viewDidLoad() {
super.viewDidLoad()
view.addSubview(tableView)
tableView.snp.makeConstraints { make in
make.edges.equalToSuperview()
}
customiseTableview()
}
// MARK:- Custom methods
/**Customise tableview */
func customiseTableview() {
title = NSLocalizedString("Contact list", comment: "Contact list screen title")
tableView.register(UITableViewCell.self, forCellReuseIdentifier: "TableViewCell")
createContactDataSource()
updateTableViewModels()
}
/**Create mock data and update into tableview */
func updateTableViewModels() {
let model1 = Contact(id: 1, firstName: "Contact 1", lastName: "Contact 1", dateOfBirth: nil)
let model2 = Contact(id: 2, firstName: "Contact 2", lastName: "Contact 2", dateOfBirth: nil)
let model3 = Contact(id: 3, firstName: "Contact 3", lastName: "Contact 3", dateOfBirth: nil)
let model4 = Contact(id: 4, firstName: "Contact 4", lastName: "Contact 4", dateOfBirth: nil)
let model5 = Contact(id: 5, firstName: "Contact 5", lastName: "Contact 5", dateOfBirth: nil)
let models = [model1, model2, model3, model4, model5]
update(models, animate: true)
}
/**Define diffable datasource for tableview with the help of cell provider and assign datasource to tablview */
func createContactDataSource() {
dataSource = UITableViewDiffableDataSource(tableView: tableView, cellProvider: { tableView, indexPath, contact in
let cell = tableView.dequeueReusableCell(withIdentifier: self.reuseIdentifier, for: indexPath)
cell.textLabel?.text = contact.firstName
cell.detailTextLabel?.text = contact.lastName
return cell
})
tableView.dataSource = dataSource
}
/**Create an empty new snapshot and add contact into that and apply updated snapshot into tableview's datasource */
func add(_ contact: Contact, animate: Bool = true) {
guard let dataSource = self.dataSource else { return }
var snapshot = NSDiffableDataSourceSnapshot<ContactSection, Contact>()
snapshot.appendSections([ContactSection.all])
snapshot.appendItems([contact], toSection: ContactSection.all)
dataSource.apply(snapshot, animatingDifferences: animate, completion: nil)
}
/**Update the contact list into current snapshot and apply updated snapshot into tableview's datasource */
func update(_ contactList: [Contact], animate: Bool = true) {
guard let dataSource = self.dataSource else { return }
var snapshot = dataSource.snapshot()
snapshot.appendSections([ContactSection.all])
snapshot.appendItems(contactList, toSection: ContactSection.all)
dataSource.apply(snapshot, animatingDifferences: animate, completion: nil)
}
/**Delete the contact from current snapshot and apply updated snapshot into tableview's datasource */
func remove(_ contact: Contact, animate: Bool = true) {
guard let dataSource = self.dataSource else { return }
var snapshot = dataSource.snapshot()
snapshot.deleteItems([contact])
dataSource.apply(snapshot, animatingDifferences: animate, completion: nil)
}
}
// MARK:- UITableViewDelegate methods
extension TableDiffableVC: UITableViewDelegate {
/**We can define delegate methods while using diffable datasource in tableview. For confirming that,I will just printed the sample text. */
func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
print("Cell selected")
}
}
| mit | a03cd442013c108a858b21d95b8ef3bb | 37.017241 | 143 | 0.680045 | 4.988688 | false | false | false | false |
Valbrand/tibei | Sources/Tibei/client/TibeiServiceBrowser.swift | 1 | 1802 | //
// GameControllerClient.swift
// connectivityTest
//
// Created by Daniel de Jesus Oliveira on 15/11/2016.
// Copyright © 2016 Daniel de Jesus Oliveira. All rights reserved.
//
import UIKit
class TibeiServiceBrowser: NSObject {
let serviceBrowser: NetServiceBrowser = NetServiceBrowser()
var inputStream: InputStream?
var outputStream: OutputStream?
var isBrowsing: Bool = false
var delegate: TibeiServiceBrowserDelegate?
override init() {
super.init()
self.serviceBrowser.includesPeerToPeer = true
self.serviceBrowser.delegate = self
}
func startBrowsing(forServiceType serviceIdentifier: String) {
self.serviceBrowser.searchForServices(ofType: "\(serviceIdentifier)._tcp", inDomain: "local")
}
func stopBrowsing() {
self.serviceBrowser.stop()
}
}
extension TibeiServiceBrowser: NetServiceBrowserDelegate {
func netServiceBrowserWillSearch(_ browser: NetServiceBrowser) {
self.isBrowsing = true
}
func netServiceBrowserDidStopSearch(_ browser: NetServiceBrowser) {
self.isBrowsing = false
}
func netServiceBrowser(_ browser: NetServiceBrowser, didNotSearch errorDict: [String : NSNumber]) {
self.delegate?.gameControllerServiceBrowser(self, raisedErrors: errorDict)
}
func netServiceBrowser(_ browser: NetServiceBrowser, didFind service: NetService, moreComing: Bool) {
self.delegate?.gameControllerServiceBrowser(self, foundService: service, moreComing: moreComing)
}
func netServiceBrowser(_ browser: NetServiceBrowser, didRemove service: NetService, moreComing: Bool) {
self.delegate?.gameControllerServiceBrowser(self, removedService: service, moreComing: moreComing)
}
}
| mit | 932f1016a2532b3b26dea5ab457e2914 | 31.160714 | 107 | 0.710161 | 5.087571 | false | false | false | false |
u10int/Kinetic | Pod/Classes/Easing.swift | 1 | 10208 | //
// Easing.swift
// Kinetic
//
// Created by Nicholas Shipes on 12/18/15.
// Copyright © 2015 Urban10 Interactive, LLC. All rights reserved.
//
import UIKit
public protocol FloatingPointMath: FloatingPoint {
var sine: Self { get }
var cosine: Self { get }
var powerOfTwo: Self { get }
}
extension Float: FloatingPointMath {
public var sine: Float {
return sin(self)
}
public var cosine: Float {
return cos(self)
}
public var powerOfTwo: Float {
return pow(2, self)
}
}
extension Double: FloatingPointMath {
public var sine: Double {
return sin(self)
}
public var cosine: Double {
return cos(self)
}
public var powerOfTwo: Double {
return pow(2, self)
}
}
public protocol TimingFunction {
func solve(_ x: Double) -> Double
}
struct TimingFunctionSolver: TimingFunction {
var solver: (Double) -> Double
init(solver: @escaping (Double) -> Double) {
self.solver = solver
}
func solve(_ x: Double) -> Double {
return solver(x)
}
}
public protocol EasingType {
var timingFunction: TimingFunction { get }
}
public struct Linear: EasingType {
public var timingFunction: TimingFunction {
return TimingFunctionSolver(solver: { (x) -> Double in
return x
})
}
}
public struct Bezier: EasingType {
private var bezier: UnitBezier
public init(_ p1x: Double, _ p1y: Double, _ p2x: Double, _ p2y: Double) {
self.bezier = UnitBezier(p1x, p1y, p2x, p2y)
}
public var timingFunction: TimingFunction {
return TimingFunctionSolver(solver: { (x) -> Double in
return self.bezier.solve(x)
})
}
}
public enum Quadratic: EasingType {
case easeIn
case easeOut
case easeInOut
public var timingFunction: TimingFunction {
var fn: (Double) -> Double
switch self {
case .easeIn:
fn = { (x) -> Double in
return x * x
}
case .easeOut:
fn = { (x) -> Double in
return -x * (x - 2)
}
case .easeInOut:
fn = { (x) -> Double in
if x < 1 / 2 {
return 2 * x * x
} else {
return (-2 * x * x) + (4 * x) - 1
}
}
}
return TimingFunctionSolver(solver: fn)
}
}
public enum Cubic: EasingType {
case easeIn
case easeOut
case easeInOut
public var timingFunction: TimingFunction {
var fn: (Double) -> Double
switch self {
case .easeIn:
fn = { (x) -> Double in
return x * x * x
}
case .easeOut:
fn = { (x) -> Double in
let p = x - 1
return p * p * p + 1
}
case .easeInOut:
fn = { (x) -> Double in
if x < 1 / 2 {
return 4 * x * x * x
} else {
let f = 2 * x - 2
return 1 / 2 * f * f * f + 1
}
}
}
return TimingFunctionSolver(solver: fn)
}
}
public enum Quartic: EasingType {
case easeIn
case easeOut
case easeInOut
public var timingFunction: TimingFunction {
var fn: (Double) -> Double
switch self {
case .easeIn:
fn = { (x) -> Double in
return x * x * x * x
}
case .easeOut:
fn = { (x) -> Double in
let f = x - 1
return f * f * f * (1 - x) + 1
}
case .easeInOut:
fn = { (x) -> Double in
if x < 1 / 2 {
return 8 * x * x * x * x
} else {
let f = x - 1
return -8 * f * f * f * f + 1
}
}
}
return TimingFunctionSolver(solver: fn)
}
}
public enum Quintic: EasingType {
case easeIn
case easeOut
case easeInOut
public var timingFunction: TimingFunction {
var fn: (Double) -> Double
switch self {
case .easeIn:
fn = { (x) -> Double in
return x * x * x * x * x
}
case .easeOut:
fn = { (x) -> Double in
let f = x - 1
return f * f * f * f * f + 1
}
case .easeInOut:
fn = { (x) -> Double in
if x < 1 / 2 {
return 16 * x * x * x * x * x
} else {
let f = 2 * x - 2
return 1 / 2 * f * f * f * f * f + 1
}
}
}
return TimingFunctionSolver(solver: fn)
}
}
public enum Sine: EasingType {
case easeIn
case easeOut
case easeInOut
public var timingFunction: TimingFunction {
var fn: (Double) -> Double
switch self {
case .easeIn:
fn = { (x) -> Double in
return ((x - 1) * Double.pi / 2).sine + 1
}
case .easeOut:
fn = { (x) -> Double in
return (x * Double.pi / 2).sine
}
case .easeInOut:
fn = { (x) -> Double in
return 1 / 2 * (1 - (x * Double.pi).cosine)
}
}
return TimingFunctionSolver(solver: fn)
}
}
public enum Circular: EasingType {
case easeIn
case easeOut
case easeInOut
public var timingFunction: TimingFunction {
var fn: (Double) -> Double
switch self {
case .easeIn:
fn = { (x) -> Double in
return 1 - sqrt(1 - x * x)
}
case .easeOut:
fn = { (x) -> Double in
return sqrt((2 - x) * x)
}
case .easeInOut:
fn = { (x) -> Double in
if x < 1 / 2 {
let h = 1 - sqrt(1 - 4 * x * x)
return 1 / 2 * h
} else {
let f = -(2 * x - 3) * (2 * x - 1)
let g = sqrt(f)
return 1 / 2 * (g + 1)
}
}
}
return TimingFunctionSolver(solver: fn)
}
}
public enum Exponential: EasingType {
case easeIn
case easeOut
case easeInOut
public var timingFunction: TimingFunction {
var fn: (Double) -> Double
switch self {
case .easeIn:
fn = { (x) -> Double in
return x == 0 ? x : (10 * (x - 1)).powerOfTwo
}
case .easeOut:
fn = { (x) -> Double in
return x == 1 ? x : 1 - (-10 * x).powerOfTwo
}
case .easeInOut:
fn = { (x) -> Double in
if x == 0 || x == 1 {
return x
}
if x < 1 / 2 {
return 1 / 2 * (20 * x - 10).powerOfTwo
} else {
let h = (-20 * x + 10).powerOfTwo
return -1 / 2 * h + 1
}
}
}
return TimingFunctionSolver(solver: fn)
}
}
public enum Elastic: EasingType {
case easeIn
case easeOut
case easeInOut
public var timingFunction: TimingFunction {
var fn: (Double) -> Double
switch self {
case .easeIn:
fn = { (x) -> Double in
return (13 * Double.pi / 2 * x).sine * (10 * (x - 1)).powerOfTwo
}
case .easeOut:
fn = { (x) -> Double in
let f = (-13 * Double.pi / 2 * (x + 1)).sine
let g = (-10 * x).powerOfTwo
return f * g + 1
}
case .easeInOut:
fn = { (x) -> Double in
if x < 1 / 2 {
let f = ((13 * Double.pi / 2) * 2 * x).sine
return 1 / 2 * f * (10 * ((2 * x) - 1)).powerOfTwo
} else {
let h = (2 * x - 1) + 1
let f = (-13 * Double.pi / 2 * h).sine
let g = (-10 * (2 * x - 1)).powerOfTwo
return 1 / 2 * (f * g + 2)
}
}
}
return TimingFunctionSolver(solver: fn)
}
}
public enum Back: EasingType {
case easeIn
case easeOut
case easeInOut
public var timingFunction: TimingFunction {
var fn: (Double) -> Double
switch self {
case .easeIn:
fn = { (x) -> Double in
return x * x * x - x * (x * Double.pi).sine
}
case .easeOut:
fn = { (x) -> Double in
let f = 1 - x
return 1 - ( f * f * f - f * (f * Double.pi).sine)
}
case .easeInOut:
fn = { (x) -> Double in
if x < 1 / 2 {
let f = 2 * x
return 1 / 2 * (f * f * f - f * (f * Double.pi).sine)
} else {
let f = 1 - (2 * x - 1)
let g = (f * Double.pi).sine
let h = f * f * f - f * g
return 1 / 2 * (1 - h ) + 1 / 2
}
}
}
return TimingFunctionSolver(solver: fn)
}
}
public enum Bounce: EasingType {
case easeIn
case easeOut
case easeInOut
public var timingFunction: TimingFunction {
var fn: (Double) -> Double
switch self {
case .easeIn:
fn = easeIn
case .easeOut:
fn = easeOut
case .easeInOut:
fn = { (x) -> Double in
if x < 1 / 2 {
return 1 / 2 * self.easeIn(2 * x)
} else {
let f = self.easeOut(x * 2 - 1) + 1
return 1 / 2 * f
}
}
}
return TimingFunctionSolver(solver: fn)
}
private func easeIn<T: FloatingPoint>(_ x: T) -> T {
return 1 - easeOut(1 - x)
}
private func easeOut<T: FloatingPoint>(_ x: T) -> T {
if x < 4 / 11 {
return (121 * x * x) / 16
} else if x < 8 / 11 {
let f = (363 / 40) * x * x
let g = (99 / 10) * x
return f - g + (17 / 5)
} else if x < 9 / 10 {
let f = (4356 / 361) * x * x
let g = (35442 / 1805) * x
return f - g + 16061 / 1805
} else {
let f = (54 / 5) * x * x
return f - ((513 / 25) * x) + 268 / 25
}
}
}
// MARK: - Unit Bezier
//
// This implementation is based on WebCore Bezier implmentation
// http://opensource.apple.com/source/WebCore/WebCore-955.66/platform/graphics/UnitBezier.h
private let epsilon: Double = 1.0 / 1000
private struct UnitBezier {
public var p1x: Double
public var p1y: Double
public var p2x: Double
public var p2y: Double
init(_ p1x: Double, _ p1y: Double, _ p2x: Double, _ p2y: Double) {
self.p1x = p1x
self.p1y = p1y
self.p2x = p2x
self.p2y = p2y
}
func solve(_ x: Double) -> Double {
return UnitBezierSover(bezier: self).solve(x)
}
}
private struct UnitBezierSover {
var ax: Double
var ay: Double
var bx: Double
var by: Double
var cx: Double
var cy: Double
init(bezier: UnitBezier) {
self.init(p1x: bezier.p1x, p1y: bezier.p1y, p2x: bezier.p2x, p2y: bezier.p2y)
}
init(p1x: Double, p1y: Double, p2x: Double, p2y: Double) {
cx = 3 * p1x
bx = 3 * (p2x - p1x) - cx
ax = 1 - cx - bx
cy = 3 * p1y
by = 3 * (p2y - p1y) - cy
ay = 1.0 - cy - by
}
func sampleCurveX(_ t: Double) -> Double {
return ((ax * t + bx) * t + cx) * t
}
func sampleCurveY(_ t: Double) -> Double {
return ((ay * t + by) * t + cy) * t
}
func sampleCurveDerivativeX(_ t: Double) -> Double {
return (3.0 * ax * t + 2.0 * bx) * t + cx
}
func solveCurveX(_ x: Double) -> Double {
var t0, t1, t2, x2, d2: Double
// first try a few iterations of Newton's method -- normally very fast
t2 = x
for _ in 0..<8 {
x2 = sampleCurveX(t2) - x
if fabs(x2) < epsilon {
return t2
}
d2 = sampleCurveDerivativeX(t2)
if fabs(x2) < 1e-6 {
break
}
t2 = t2 - x2 / d2
}
// fall back to the bisection method for reliability
t0 = 0
t1 = 1
t2 = x
if t2 < t0 {
return t0
}
if t2 > t1 {
return t1
}
while t0 < t1 {
x2 = sampleCurveX(t2)
if fabs(x2 - x) < epsilon {
return t2
}
if x > x2 {
t0 = t2
} else {
t1 = t2
}
t2 = (t1 - t0) * 0.5 + t0
}
// failure
return t2
}
func solve(_ x: Double) -> Double {
return sampleCurveY(solveCurveX(x))
}
}
| mit | 4eb92de3d5448eb03f6b1902dd933f1e | 18.666667 | 91 | 0.55795 | 2.734262 | false | false | false | false |
optimizely/objective-c-sdk | Pods/Mixpanel-swift/Mixpanel/Flush.swift | 1 | 6864 | //
// Flush.swift
// Mixpanel
//
// Created by Yarden Eitan on 6/3/16.
// Copyright © 2016 Mixpanel. All rights reserved.
//
import Foundation
protocol FlushDelegate {
func flush(completion: (() -> Void)?)
func updateQueue(_ queue: Queue, type: FlushType)
#if os(iOS)
func updateNetworkActivityIndicator(_ on: Bool)
#endif // os(iOS)
}
class Flush: AppLifecycle {
var timer: Timer?
var delegate: FlushDelegate?
var useIPAddressForGeoLocation = true
var flushRequest: FlushRequest
var flushOnBackground = true
var _flushInterval = 0.0
private let flushIntervalReadWriteLock: DispatchQueue
var flushInterval: Double {
set {
flushIntervalReadWriteLock.sync(flags: .barrier, execute: {
_flushInterval = newValue
})
delegate?.flush(completion: nil)
startFlushTimer()
}
get {
flushIntervalReadWriteLock.sync {
return _flushInterval
}
}
}
required init(basePathIdentifier: String) {
self.flushRequest = FlushRequest(basePathIdentifier: basePathIdentifier)
flushIntervalReadWriteLock = DispatchQueue(label: "com.mixpanel.flush_interval.lock", qos: .utility, attributes: .concurrent)
}
func flushEventsQueue(_ eventsQueue: Queue, automaticEventsEnabled: Bool?) -> Queue? {
let (automaticEventsQueue, eventsQueue) = orderAutomaticEvents(queue: eventsQueue,
automaticEventsEnabled: automaticEventsEnabled)
var mutableEventsQueue = flushQueue(type: .events, queue: eventsQueue)
if let automaticEventsQueue = automaticEventsQueue {
mutableEventsQueue?.append(contentsOf: automaticEventsQueue)
}
return mutableEventsQueue
}
func orderAutomaticEvents(queue: Queue, automaticEventsEnabled: Bool?) ->
(automaticEventQueue: Queue?, eventsQueue: Queue) {
var eventsQueue = queue
if automaticEventsEnabled == nil || !automaticEventsEnabled! {
var discardedItems = Queue()
for (i, ev) in eventsQueue.enumerated().reversed() {
if let eventName = ev["event"] as? String, eventName.hasPrefix("$ae_") {
discardedItems.append(ev)
eventsQueue.remove(at: i)
}
}
if automaticEventsEnabled == nil {
return (discardedItems, eventsQueue)
}
}
return (nil, eventsQueue)
}
func flushPeopleQueue(_ peopleQueue: Queue) -> Queue? {
return flushQueue(type: .people, queue: peopleQueue)
}
func flushGroupsQueue(_ groupsQueue: Queue) -> Queue? {
return flushQueue(type: .groups, queue: groupsQueue)
}
func flushQueue(type: FlushType, queue: Queue) -> Queue? {
if flushRequest.requestNotAllowed() {
return queue
}
return flushQueueInBatches(queue, type: type)
}
func startFlushTimer() {
stopFlushTimer()
if flushInterval > 0 {
DispatchQueue.main.async() { [weak self] in
guard let self = self else {
return
}
self.timer = Timer.scheduledTimer(timeInterval: self.flushInterval,
target: self,
selector: #selector(self.flushSelector),
userInfo: nil,
repeats: true)
}
}
}
@objc func flushSelector() {
delegate?.flush(completion: nil)
}
func stopFlushTimer() {
if let timer = timer {
DispatchQueue.main.async() { [weak self, timer] in
timer.invalidate()
self?.timer = nil
}
}
}
func flushQueueInBatches(_ queue: Queue, type: FlushType) -> Queue {
var mutableQueue = queue
while !mutableQueue.isEmpty {
var shouldContinue = false
let batchSize = min(mutableQueue.count, APIConstants.batchSize)
let range = 0..<batchSize
let batch = Array(mutableQueue[range])
// Log data payload sent
Logger.debug(message: "Sending batch of data")
Logger.debug(message: batch as Any)
let requestData = JSONHandler.encodeAPIData(batch)
if let requestData = requestData {
let semaphore = DispatchSemaphore(value: 0)
#if os(iOS)
if !MixpanelInstance.isiOSAppExtension() {
delegate?.updateNetworkActivityIndicator(true)
}
#endif // os(iOS)
var shadowQueue = mutableQueue
flushRequest.sendRequest(requestData,
type: type,
useIP: useIPAddressForGeoLocation,
completion: { [weak self, semaphore, range] success in
#if os(iOS)
if !MixpanelInstance.isiOSAppExtension() {
guard let self = self else { return }
self.delegate?.updateNetworkActivityIndicator(false)
}
#endif // os(iOS)
if success {
if let lastIndex = range.last, shadowQueue.count - 1 > lastIndex {
shadowQueue.removeSubrange(range)
} else {
shadowQueue.removeAll()
}
self?.delegate?.updateQueue(shadowQueue, type: type)
}
shouldContinue = success
semaphore.signal()
})
_ = semaphore.wait(timeout: DispatchTime.distantFuture)
mutableQueue = shadowQueue
}
if !shouldContinue {
break
}
}
return mutableQueue
}
// MARK: - Lifecycle
func applicationDidBecomeActive() {
startFlushTimer()
}
func applicationWillResignActive() {
stopFlushTimer()
}
}
| apache-2.0 | 64e3b9cb3d1124cbb9e48de802c5fc35 | 36.708791 | 133 | 0.498179 | 5.999126 | false | false | false | false |
NordicSemiconductor/IOS-Pods-DFU-Library | iOSDFULibrary/Classes/Utilities/Streams/DFUStreamBin.swift | 1 | 3353 | /*
* Copyright (c) 2019, Nordic Semiconductor
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
*
* 1. Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
*
* 2. Redistributions in binary form must reproduce the above copyright notice, this
* list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
*
* 3. Neither the name of the copyright holder nor the names of its contributors may
* be used to endorse or promote products derived from this software without
* specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
* ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
import Foundation
internal class DFUStreamBin : DFUStream {
private(set) var currentPart = 1
private(set) var parts = 1
private(set) var currentPartType: UInt8 = 0
/// Firmware binaries.
private var binaries: Data
/// The init packet content.
private var initPacketBinaries: Data?
private var firmwareSize: UInt32 = 0
var size: DFUFirmwareSize {
switch currentPartType {
case FIRMWARE_TYPE_SOFTDEVICE:
return DFUFirmwareSize(softdevice: firmwareSize, bootloader: 0, application: 0)
case FIRMWARE_TYPE_BOOTLOADER:
return DFUFirmwareSize(softdevice: 0, bootloader: firmwareSize, application: 0)
// case FIRMWARE_TYPE_APPLICATION:
default:
return DFUFirmwareSize(softdevice: 0, bootloader: 0, application: firmwareSize)
}
}
var currentPartSize: DFUFirmwareSize {
return size
}
init(urlToBinFile: URL, urlToDatFile: URL?, type: DFUFirmwareType) {
binaries = try! Data(contentsOf: urlToBinFile)
firmwareSize = UInt32(binaries.count)
if let dat = urlToDatFile {
initPacketBinaries = try? Data(contentsOf: dat)
}
currentPartType = type.rawValue
}
init(binFile: Data, datFile: Data?, type: DFUFirmwareType) {
binaries = binFile
firmwareSize = UInt32(binaries.count)
initPacketBinaries = datFile
currentPartType = type.rawValue
}
var data: Data {
return binaries
}
var initPacket: Data? {
return initPacketBinaries
}
func hasNextPart() -> Bool {
return false
}
func switchToNextPart() {
// Do nothing.
}
}
| bsd-3-clause | 4e5ed3018aecb765c76a24ac127a6afc | 33.927083 | 91 | 0.689234 | 4.930882 | false | false | false | false |
fitpay/fitpay-ios-sdk | FitpaySDK/PaymentDevice/EventListeners/FitpayBlockEventListener.swift | 1 | 762 | import Foundation
open class FitpayBlockEventListener {
public typealias BlockCompletion = (_ event: FitpayEvent) -> Void
var blockCompletion: BlockCompletion
var completionQueue: DispatchQueue
private var isValid = true
public init(completion: @escaping BlockCompletion, queue: DispatchQueue = DispatchQueue.main) {
self.blockCompletion = completion
self.completionQueue = queue
}
}
extension FitpayBlockEventListener: FitpayEventListener {
public func dispatchEvent(_ event: FitpayEvent) {
guard isValid else { return }
completionQueue.async {
self.blockCompletion(event)
}
}
public func invalidate() {
isValid = false
}
}
| mit | 5f4a432f4bdac125ddd20ed8db4fed0a | 23.580645 | 99 | 0.661417 | 5.482014 | false | false | false | false |
cubixlabs/GIST-Framework | GISTFramework/Classes/GISTCore/GISTUtility.swift | 1 | 12524 | //
// GISTUtility.swift
// GISTFramework
//
// Created by Shoaib Abdul on 07/09/2016.
// Copyright © 2016 Social Cubix. All rights reserved.
//
import UIKit
import PhoneNumberKit
/// Class for Utility methods.
public class GISTUtility: NSObject {
//MARK: - Properties
@nonobjc static var bundle:Bundle? {
let frameworkBundle = Bundle(for: GISTUtility.self);
if let bundleURL = frameworkBundle.resourceURL?.appendingPathComponent("GISTFrameworkBundle.bundle") {
return Bundle(url: bundleURL);
} else {
return nil;
}
} //P.E.
@nonobjc static var screenHeight:CGFloat {
if #available(iOS 11.0, *) {
let window = UIApplication.shared.windows.filter {$0.isKeyWindow}.first
let topInset:CGFloat = window?.windowScene?.statusBarManager?.statusBarFrame.height ?? 0
guard topInset >= 44 else { return UIScreen.main.bounds.height }
let bottomInset:CGFloat = 34;//rootView.safeAreaInsets.bottom
return UIScreen.main.bounds.height - topInset - bottomInset;
} else {
return UIScreen.main.bounds.height;
}
} //F.E.
@nonobjc public static let deviceRatio:CGFloat = screenHeight / 736.0;
@nonobjc public static let deviceRatioWN:CGFloat = (UIScreen.main.bounds.height - 64.0) / (736.0 - 64.0); // Ratio with Navigation
/// Bool flag for device type.
@nonobjc public static let isIPad:Bool = UIDevice.current.userInterfaceIdiom == .pad;
///Bool flag for if the device has nodge
@nonobjc public static var hasNotch:Bool {
get {
if #available(iOS 11.0, *) {
// with notch: 44.0 on iPhone X, XS, XS Max, XR.
// without notch: 24.0 on iPad Pro 12.9" 3rd generation, 20.0 on iPhone 8 on iOS 12+.
let window = UIApplication.shared.windows.filter {$0.isKeyWindow}.first
return window?.safeAreaInsets.bottom ?? 0 > 0
}
return false
}
}
/// Flag to check user interfce layout direction
@nonobjc public static var isRTL:Bool {
get {
return GIST_CONFIG.isRTL;
}
} //P.E.
//MARK: - Methods
/// Function to delay a particular action.
///
/// - Parameters:
/// - delay: Delay Time in double.
/// - closure: Closure to call after delay.
public class func delay(_ delay:Double, closure:@escaping () -> Void) {
DispatchQueue.main.asyncAfter(
deadline: DispatchTime.now() + Double(Int64(delay * Double(NSEC_PER_SEC))) / Double(NSEC_PER_SEC), execute: closure)
} //F.E.
/// Native Phone Call
///
/// - Parameter number: a valid phone number
public class func nativePhoneCall(at number:String) {
let phoneNumber: String = "tel://\(number.trimmingCharacters(in: CharacterSet.whitespacesAndNewlines))";
if let phoneURL:URL = URL(string: phoneNumber), UIApplication.shared.canOpenURL(phoneURL) {
if #available(iOS 10.0, *) {
UIApplication.shared.open(phoneURL, options: [:], completionHandler: nil)
} else {
UIApplication.shared.openURL(phoneURL);
}
}
} //F.E.
/// Calculate Age
///
/// - Parameter birthday: Date of birth
/// - Returns: age
public class func calculateAge (_ dateOfBirth: Date) -> Int {
let calendar : Calendar = Calendar.current
let unitFlags : NSCalendar.Unit = [NSCalendar.Unit.year, NSCalendar.Unit.month, NSCalendar.Unit.day]
let dateComponentNow : DateComponents = (calendar as NSCalendar).components(unitFlags, from: Date())
let dateComponentBirth : DateComponents = (calendar as NSCalendar).components(unitFlags, from: dateOfBirth)
if ((dateComponentNow.month! < dateComponentBirth.month!) ||
((dateComponentNow.month! == dateComponentBirth.month!) && (dateComponentNow.day! < dateComponentBirth.day!))
) {
return dateComponentNow.year! - dateComponentBirth.year! - 1
} else {
return dateComponentNow.year! - dateComponentBirth.year!
}
}//F.E.
/// Converts value to (value * device ratio) considering navigtion bar fixed height.
///
/// - Parameter value: Value
/// - Returns: Device specific ratio * value
public class func convertToRatioSizedForNavi(_ value:CGFloat) ->CGFloat {
return self.convertToRatio(value, sizedForIPad: false, sizedForNavi:true); // Explicit true for Sized For Navi
} //F.E.
/// Converts value to (value * device ratio).
///
/// - Parameters:
/// - value: Value
/// - sizedForIPad: Bool flag for sizedForIPad
/// - sizedForNavi: Bool flag for sizedForNavi
/// - Returns: Device specific ratio * value
public class func convertToRatio(_ value:CGFloat, sizedForIPad:Bool = false, sizedForNavi:Bool = false) -> CGFloat {
/*
iPhone6 Hight:667 ===== 0.90625
iPhone5 Hight:568 ====== 0.77173913043478
iPhone4S Hight:480
iPAd Hight:1024 ===== 1.39130434782609
(height/736.0)
*/
if (GISTConfig.shared.convertToRatio == false || (GISTUtility.isIPad && !sizedForIPad)) {
return value;
}
if (sizedForNavi) {
return value * GISTUtility.deviceRatioWN; // With Navigation
}
return value * GISTUtility.deviceRatio;
} //F.E.
/// Converts CGPoint to (point * device ratio).
///
/// - Parameters:
/// - value: CGPoint value
/// - sizedForIPad: Bool flag for sizedForIPad
/// - Returns: Device specific ratio * point
public class func convertPointToRatio(_ value:CGPoint, sizedForIPad:Bool = false) ->CGPoint {
return CGPoint(x:self.convertToRatio(value.x, sizedForIPad: sizedForIPad), y:self.convertToRatio(value.y, sizedForIPad: sizedForIPad));
} //F.E.
/// Converts CGSize to (size * device ratio).
///
/// - Parameters:
/// - value: CGSize value
/// - sizedForIPad: Bool flag for sizedForIPad
/// - Returns: Device specific ratio * size
public class func convertSizeToRatio(_ value:CGSize, sizedForIPad:Bool = false) ->CGSize {
return CGSize(width:self.convertToRatio(value.width, sizedForIPad: sizedForIPad), height:self.convertToRatio(value.height, sizedForIPad: sizedForIPad));
} //F.E.
/// Validate String for Empty
///
/// - Parameter text: String
/// - Returns: Bool whether the string is empty or not.
public class func isEmpty(_ text:String?)->Bool {
guard (text != nil) else {
return true;
}
return (text!.trimmingCharacters(in: CharacterSet.whitespacesAndNewlines) == "");
} //F.E.
/// Validate String for email regex.
///
/// - Parameter text: Sting
/// - Returns: Bool whether the string is a valid email or not.
public class func isValidEmail(_ text:String?)->Bool {
guard (text != nil) else {
return false;
}
let emailRegex:String = "[A-Z0-9a-z._%+-]+@[A-Za-z0-9.-]+\\.[A-Za-z]{2,4}"
let predicate:NSPredicate = NSPredicate(format: "SELF MATCHES %@", emailRegex)
return predicate.evaluate(with: text!);
} //F.E.
/// Validate String for URL regex.
///
/// - Parameter text: Sting
/// - Returns: Bool whether the string is a valid URL or not.
public class func isValidUrl(_ text:String?) -> Bool {
guard (text != nil) else {
return false;
}
let regexURL: String = "(http://|https://)?((\\w)*|([0-9]*)|([-|_])*)+([\\.|/]((\\w)*|([0-9]*)|([-|_])*))+"
let predicate:NSPredicate = NSPredicate(format: "SELF MATCHES %@", regexURL)
return predicate.evaluate(with: text)
} //F.E.
/// Validate String for Phone Number regex.
///
/// - Parameter text: Sting
/// - Returns: Bool whether the string is a valid phone number or not.
public class func isValidPhoneNo(_ text:String?, withRegion region: String = PhoneNumberKit.defaultRegionCode()) -> Bool {
return self.validatePhoneNumber(text, withRegion:region) != nil;
} //F.E.
public class func validatePhoneNumber(_ text:String?, withRegion region: String = PhoneNumberKit.defaultRegionCode()) -> PhoneNumber? {
guard (text != nil) else {
return nil;
}
let kit = PhoneNumberKit()
var pNumber:String = text!
if pNumber.hasPrefix("0") {
pNumber.remove(at: pNumber.startIndex);
}
do {
let phoneNumber:PhoneNumber = try kit.parse(pNumber, withRegion:region);
print("numberString: \(phoneNumber.numberString) countryCode: \(phoneNumber.countryCode) leadingZero: \(phoneNumber.leadingZero) nationalNumber: \(phoneNumber.nationalNumber) numberExtension: \(String(describing: phoneNumber.numberExtension)) type: \(phoneNumber.type)")
return phoneNumber;
}
catch {
}
return nil;
} //F.E.
/// Validate String for number.
///
/// - Parameter text: Sting
/// - Returns: Bool whether the string is a valid number or not.
public class func isNumeric(_ text:String?) -> Bool {
guard (text != nil) else {
return false;
}
return Double(text!) != nil;
} //F.E.
/// Validate String for alphabetic.
///
/// - Parameter text: Sting
/// - Returns: Bool whether the string is a valid alphabetic string or not.
public class func isAlphabetic(_ text:String?) -> Bool {
guard (text != nil) else {
return false;
}
let regexURL: String = ".*[^A-Za-z ].*"
let predicate:NSPredicate = NSPredicate(format: "SELF MATCHES %@", regexURL)
return predicate.evaluate(with: text)
} //F.E.
/// Validate String for minimum character limit.
///
/// - Parameter text: String
/// - Parameter noOfChar: Int
/// - Returns: Bool whether the string is a valid number of characters.
public class func isValidForMinChar(_ text:String?, noOfChar:Int) -> Bool {
guard (text != nil) else {
return false;
}
return (text!.count >= noOfChar);
} //F.E.
/// Validate String for maximum character limit.
///
/// - Parameter text: String?
/// - Parameter noOfChar: Int
/// - Returns: Bool whether the string is a valid number of characters.
public class func isValidForMaxChar(_ text:String?, noOfChar:Int) -> Bool {
guard (text != nil) else {
return false;
}
return (text!.count <= noOfChar);
} //F.E.
/// Validate String for mininum value entered.
///
/// - Parameter text: String?
/// - Parameter value: Int
/// - Returns: Bool whether the string is valid.
public class func isValidForMinValue(_ text:String?, value:Int) -> Bool {
guard (text != nil) else {
return false;
}
let amount:Int = Int(text!) ?? 0;
return amount >= value;
} //F.E.
/// Validate String for mininum value entered.
///
/// - Parameter text: String
/// - Parameter value: Int
/// - Returns: Bool whether the string is valid.
public class func isValidForMaxValue(_ text:String?, value:Int) -> Bool {
guard (text != nil) else {
return false;
}
let amount:Int = Int(text!) ?? 0;
return amount <= value;
} //F.E.
/// Validate String for a regex.
///
/// - Parameters:
/// - text: String
/// - regex: Ragex String
/// - Returns: Bool whether the string is a valid regex string.
public class func isValidForRegex(_ text:String?, regex:String) -> Bool {
guard (text != nil) else {
return false;
}
let predicate:NSPredicate = NSPredicate(format: "SELF MATCHES %@", regex)
return predicate.evaluate(with: text!);
} //F.E.
} //CLS END
| agpl-3.0 | b99af24674cbb0a4f5331c78b2f6931b | 34.882521 | 282 | 0.580532 | 4.567104 | false | false | false | false |
jindulys/HackerRankSolutions | Sources/ZenefitsContest.swift | 1 | 14383 | //
// ZenefitsContest.swift
// HRSwift
//
// Created by yansong li on 2015-11-20.
// Copyright © 2015 yansong li. All rights reserved.
//
import Foundation
// This one scored 65.0, due to time out
// Need to optimize this solution
// Question 1
class bobCandyShop {
let cashes = [1, 2, 5, 10, 20, 50, 100]
var combinations = [[Int]]()
func getNumOfCost(cost:Int, start:Int, valueList:[Int]) -> Void {
// This way to get rid of redundant cost
let length = cashes.count
if cost == 0 {
combinations.append(valueList)
}
for i in start..<length {
if cost < cashes[i] {
return
}
self.getNumOfCost(cost - cashes[i], start: i, valueList: valueList+[cashes[i]])
}
}
// Editorial Solution
// https://www.hackerrank.com/contests/zenhacks/challenges/candy-shop/editorial
func call(i:Int, n:Int) -> Int {
if n < 0 {
return 0
}
if n == 0 {
return 1
}
if i == 7{
return 0
}
var ans = 0
ans += call(i, n: n-cashes[i]) + call(i+1, n: n)
return ans
}
func solution() -> Void {
let cost = Int(getLine())!
//getNumOfCost(cost, start: 0, valueList: [])
//print(combinations.count)
print(call(0, n: cost))
}
}
// Question 2
class EncryptionModule {
let p: String
let ePrime: String
var shiftCounts: [Int:Int]
init(p:String, ep:String) {
self.p = p
self.ePrime = ep
shiftCounts = [Int: Int]()
}
// wrong one because I forgot to count recycle of shift
// func calculateShifting() -> Void {
// for (i, c) in p.characters.enumerate() {
// let currentDetectIndex = ePrime.characters.startIndex.advancedBy(i)
// let characterToCompare = ePrime.characters[currentDetectIndex]
// let toCompare = characterToCompare.unicodeScalarCodePoint()
// let compared = c.unicodeScalarCodePoint()
// if let val = shiftCounts[toCompare - compared] {
// shiftCounts[toCompare - compared] = val + 1
// } else {
// shiftCounts[toCompare - compared] = 1
// }
// }
// var minimal = Int.min
// for (_, counts) in shiftCounts {
// if minimal < counts {
// minimal = counts
// }
// }
// print(shiftCounts)
// print(p.characters.count - minimal)
// }
func calculateShifting() -> Void {
for (i, c) in p.characters.enumerate() {
let currentDetectIndex = ePrime.characters.startIndex.advancedBy(i)
let characterToCompare = ePrime.characters[currentDetectIndex]
let toCompare = characterToCompare.unicodeScalarCodePoint()
let compared = c.unicodeScalarCodePoint()
if let val = shiftCounts[toCompare - compared] {
shiftCounts[toCompare - compared] = val + 1
} else {
shiftCounts[toCompare - compared] = 1
}
}
var final = [Int: Int]()
for (k, v) in shiftCounts {
print("key:\(k), value:\(v)")
let reverseKey = k > 0 ? k-26 : 26+k
if let _ = final[k] {
continue
}
if let _ = final[reverseKey] {
continue
}
var countTotal = v
if let val = shiftCounts[reverseKey] {
countTotal += val
}
final[k] = countTotal
}
var minimal = Int.min
for (_, counts) in final {
if minimal < counts {
minimal = counts
}
}
print(final)
print(p.characters.count - minimal)
}
}
// Question 3
class jarjarBinks {
// This question want me to find pair of shoes that matches
func getPairOfShoes(pairs:[(String, String)]) -> Void {
var matches = [String:[String:Int]]()
for (des, type) in pairs {
if var savedType = matches[des] {
if let typeCount = savedType[type] {
savedType[type] = typeCount + 1
} else {
savedType[type] = 1
}
matches[des] = savedType
} else {
matches[des] = [type: 1]
}
}
var totalMatches = 0
for (_, savedType) in matches {
if savedType.keys.count == 2 {
var lessCount = Int.max
for (_, count) in savedType {
if count < lessCount {
lessCount = count
}
}
totalMatches += lessCount
}
}
print(totalMatches)
}
func solution() -> Void {
let N = Int(getLine())!
var inputs = [(String, String)]()
for _ in 0..<N {
let currentInput = getLine()
let splitted = currentInput.componentsSeparatedByCharactersInSet(NSCharacterSet.whitespaceAndNewlineCharacterSet())
let des = splitted[0] + splitted[1] + splitted[2]
let type = splitted[3]
inputs.append((des, type))
}
getPairOfShoes(inputs)
}
func test() -> Void {
let myPairs = [("nike4blue","L"),("adidas4green","L"),("nike4blue","R")]
getPairOfShoes(myPairs)
}
}
// Question 4
class PrimeTargets {
var currentPrimes = [Int]()
func solution() -> Void {
let N = Int(getLine())!
let inputs = getLine().componentsSeparatedByCharactersInSet(NSCharacterSet.whitespaceAndNewlineCharacterSet()).map{Int($0)!}
getPrimesSumBetter(inputs,count: N)
}
// This solution has time out
func getPrimesSum(inputs:[Int], count:Int) -> Void {
let primes = getPrimes(count)
var total = 0
for i in 0..<count {
for j in primes {
if i + j < count {
// valid index
total += inputs[i+j] - inputs[i]
}
}
}
print(total)
}
// Find another solution that could improve time efficiency
/*
The idea behind this is to count the position in the prime, so we could directly get the num of this value be minused times and minus others time
To find the position of some index we could use binary search
Already improve score from 33.3 to 66.6 the limitation now is how to fast generate prime
*/
func getPrimesSumBetter(inputs:[Int], count:Int) -> Void {
let primes = getPrimes(count)
currentPrimes = primes
var total = 0
for i in 0..<count {
let minusPartCount = (count-1) - i
let plusPartCount = i
let minusCount = binarySearchLessOrEqualIndex(minusPartCount)
let plusCount = binarySearchLessOrEqualIndex(plusPartCount)
total = total + inputs[i] * plusCount - inputs[i] * minusCount
}
print(total)
}
func getPrimes(length:Int) -> [Int] {
// Here the length means how many elements we have
// This prime finder is a specific one because we want to find gap that is prime
// so we start from 3
var primes = [Int]()
if length < 3 {
return primes
}
// here since we want to find gap, length should not be included, start from 2 since 2 is the smallest prime
for i in 2..<length {
var currentIsPrime = true
// check prime is general, we should use count from 2 to sqrt(i) to see whether or not it
// could be divided.
let higherBounder = sqrt(Double(i))
let intHigher = Int(higherBounder)
if intHigher >= 2 {
for j in 2...intHigher {
if i % j == 0 {
currentIsPrime = false
break
}
}
}
if currentIsPrime {
primes.append(i)
}
}
return primes
}
func binarySearchLessOrEqualIndex(target:Int) -> Int {
var lowerIndex = 0
var higherIndex = currentPrimes.count - 1
var indexToCheck = (higherIndex + lowerIndex) / 2
while lowerIndex <= higherIndex {
if currentPrimes[indexToCheck] == target {
return indexToCheck + 1
} else if (currentPrimes[indexToCheck] < target) {
lowerIndex = indexToCheck + 1
indexToCheck = (higherIndex + lowerIndex) / 2
} else {
higherIndex = indexToCheck - 1
indexToCheck = (higherIndex + lowerIndex) / 2
}
}
// At this point our lower exceed higher
return higherIndex + 1
}
func test() -> Void {
getPrimesSumBetter([2, 4, 6, 8, 10, 12, 14], count: 7)
}
}
// Question 9
// https://www.hackerrank.com/contests/zenhacks/challenges/zenland
class BattleOfRyloth {
// required person at Node[i]
var required = [Int](count: 100000, repeatedValue: 0)
// available person at Node[i]
var available = [Int](count: 100000, repeatedValue: 0)
// degree of node i in given tree
var degree = [Int](count: 100000, repeatedValue: 0)
// Adjacency list of Node
var graph = [[Int]](count: 100000, repeatedValue: [])
// Queue to store all the leaves
var leafNodes = Queue<Int>()
// Used LinkedListQueue to try to improve performance, failed
var leafNodes2 = LinkedListQueue<Int>()
func solution() {
let numberOfNodes = Int(getLine())!
for i in 0..<numberOfNodes {
let infoArray = getLineToArray().map {Int($0)!}
available[i] = infoArray[0]
required[i] = infoArray[1]
}
for _ in 0..<numberOfNodes-1 {
let edge = getLineToArray().map {Int($0)!}
degree[edge[0]] += 1;
degree[edge[1]] += 1;
graph[edge[0]].append(edge[1])
graph[edge[1]].append(edge[0])
}
// save leaf to leafQueue
for i in 0..<numberOfNodes {
if degree[i] == 1 {
leafNodes.enqueue(i)
}
}
var answer = 0
while !leafNodes.isEmpty {
let currentLeaf = leafNodes.dequeue()! as Int
// Maybe negative
let extraPersonCount = available[currentLeaf] - required[currentLeaf]
// delete current leaf node from tree
degree[currentLeaf] = 0
for i in 0..<graph[currentLeaf].count {
let adjacentNode = graph[currentLeaf][i]
if degree[adjacentNode] == 0 {
continue
}
degree[adjacentNode] -= 1
if degree[adjacentNode] == 1 {
leafNodes.enqueue(adjacentNode)
}
available[adjacentNode] += extraPersonCount
answer += abs(extraPersonCount)
}
}
print(answer)
}
func solution2() {
let numberOfNodes = Int(getLine())!
for i in 0..<numberOfNodes {
let infoArray = getLineToArray().map {Int($0)!}
available[i] = infoArray[0]
required[i] = infoArray[1]
}
for _ in 0..<numberOfNodes-1 {
let edge = getLineToArray().map {Int($0)!}
degree[edge[0]] += 1;
degree[edge[1]] += 1;
graph[edge[0]].append(edge[1])
graph[edge[1]].append(edge[0])
}
// save leaf to leafQueue
for i in 0..<numberOfNodes {
if degree[i] == 1 {
leafNodes2.enqueue(i)
}
}
var answer = 0
while !leafNodes2.isEmpty() {
let currentLeaf = leafNodes2.dequeue()! as Int
// Maybe negative
let extraPersonCount = available[currentLeaf] - required[currentLeaf]
// delete current leaf node from tree
degree[currentLeaf] = 0
for i in 0..<graph[currentLeaf].count {
let adjacentNode = graph[currentLeaf][i]
if degree[adjacentNode] == 0 {
continue
}
degree[adjacentNode]--
if degree[adjacentNode] == 1 {
leafNodes2.enqueue(adjacentNode)
}
available[adjacentNode] += extraPersonCount
answer += abs(extraPersonCount)
}
}
print(answer)
}
func solution3() {
let numberOfNodes = Int(getLine())!
for i in 0..<numberOfNodes {
let infoArray = getLineToArray().map {Int($0)!}
available[i] = infoArray[0]
required[i] = infoArray[1]
}
for _ in 0..<numberOfNodes-1 {
let edge = getLineToArray().map {Int($0)!}
graph[edge[0]].append(edge[1])
graph[edge[1]].append(edge[0])
}
var seq: [Int] = [Int](count: numberOfNodes, repeatedValue: 0)
var p: [Int] = [Int](count: numberOfNodes, repeatedValue: 0)
seq[0] = 0
p[0] = -1
var top = 1
for i in SRange(end: numberOfNodes - 1) {
let now = seq[i]
for j in graph[now] {
if j != p[now] {
p[j] = now
seq[top] = j
top += 1
}
}
}
var answer = 0
for i in SRange(start: numberOfNodes-1, end: 0, step: -1) {
let x = seq[i]
answer += abs(available[x] - required[x])
available[p[x]] += available[x] - required[x]
}
print(answer)
}
}
| mit | f6bb7a0f62e9c49199706182d85c0330 | 29.862661 | 153 | 0.498123 | 4.619981 | false | false | false | false |
Incipia/Goalie | PaintCode/GoalieSpeechBubbleKit.swift | 1 | 5420 | //
// File.swift
// Goalie
//
// Created by Gregory Klein on 1/7/16.
// Copyright © 2016 Incipia. All rights reserved.
//
import Foundation
struct GoalieSpeechBubbleKit
{
static func drawBubbleWithColor(_ color: UIColor, tailDirection: BubbleTailDirection, inFrame frame: CGRect)
{
switch tailDirection
{
case .left: _drawBubblePointingLeft(frame: frame, withColor: color)
case .right: _drawBubblePointingRight(frame: frame, withColor: color)
}
}
fileprivate static func _drawBubblePointingLeft(frame: CGRect = CGRect(x: 0, y: 0, width: 180, height: 87), withColor color: UIColor) {
//// General Declarations
let context = UIGraphicsGetCurrentContext()
//// Shadow Declarations
let speechBubbleShadow = NSShadow()
speechBubbleShadow.shadowColor = UIColor.black.withAlphaComponent(0.2)
speechBubbleShadow.shadowOffset = CGSize(width: 0.1, height: 3.1)
speechBubbleShadow.shadowBlurRadius = 5
//// Bezier Drawing
let bezierPath = UIBezierPath()
bezierPath.move(to: CGPoint(x: frame.minX + 17.65, y: frame.maxY - 22.55))
bezierPath.addLine(to: CGPoint(x: frame.minX + 24.15, y: frame.maxY - 22.55))
bezierPath.addLine(to: CGPoint(x: frame.minX + 24.15, y: frame.maxY - 12))
bezierPath.addLine(to: CGPoint(x: frame.minX + 38.05, y: frame.maxY - 22.55))
bezierPath.addLine(to: CGPoint(x: frame.maxX - 18.95, y: frame.maxY - 22.55))
bezierPath.addCurve(to: CGPoint(x: frame.maxX - 15.45, y: frame.maxY - 26.05), controlPoint1: CGPoint(x: frame.maxX - 17.05, y: frame.maxY - 22.55), controlPoint2: CGPoint(x: frame.maxX - 15.45, y: frame.maxY - 24.1))
bezierPath.addLine(to: CGPoint(x: frame.maxX - 14.3, y: frame.minY + 8.5))
bezierPath.addCurve(to: CGPoint(x: frame.maxX - 17.8, y: frame.minY + 5), controlPoint1: CGPoint(x: frame.maxX - 14.3, y: frame.minY + 6.6), controlPoint2: CGPoint(x: frame.maxX - 15.85, y: frame.minY + 5))
bezierPath.addLine(to: CGPoint(x: frame.minX + 16.5, y: frame.minY + 5))
bezierPath.addCurve(to: CGPoint(x: frame.minX + 13, y: frame.minY + 8.5), controlPoint1: CGPoint(x: frame.minX + 14.6, y: frame.minY + 5), controlPoint2: CGPoint(x: frame.minX + 13, y: frame.minY + 6.55))
bezierPath.addLine(to: CGPoint(x: frame.minX + 14.15, y: frame.maxY - 26.05))
bezierPath.addCurve(to: CGPoint(x: frame.minX + 17.65, y: frame.maxY - 22.55), controlPoint1: CGPoint(x: frame.minX + 14.2, y: frame.maxY - 24.15), controlPoint2: CGPoint(x: frame.minX + 15.75, y: frame.maxY - 22.55))
bezierPath.close()
bezierPath.miterLimit = 4;
context!.saveGState()
context!.setShadow(offset: speechBubbleShadow.shadowOffset, blur: speechBubbleShadow.shadowBlurRadius, color: (speechBubbleShadow.shadowColor as! UIColor).cgColor)
color.setFill()
bezierPath.fill()
context!.restoreGState()
}
fileprivate static func _drawBubblePointingRight(frame: CGRect = CGRect(x: 0, y: 0, width: 180, height: 87), withColor color: UIColor) {
//// General Declarations
//// General Declarations
let context = UIGraphicsGetCurrentContext()
//// Shadow Declarations
let speechBubbleShadow = NSShadow()
speechBubbleShadow.shadowColor = UIColor.black.withAlphaComponent(0.2)
speechBubbleShadow.shadowOffset = CGSize(width: 0.1, height: 3.1)
speechBubbleShadow.shadowBlurRadius = 5
//// Bezier Drawing
let bezierPath = UIBezierPath()
bezierPath.move(to: CGPoint(x: frame.minX + 17.65, y: frame.maxY - 22.55))
bezierPath.addLine(to: CGPoint(x: frame.maxX - 39.35, y: frame.maxY - 22.55))
bezierPath.addLine(to: CGPoint(x: frame.maxX - 25.45, y: frame.maxY - 12))
bezierPath.addLine(to: CGPoint(x: frame.maxX - 25.45, y: frame.maxY - 22.55))
bezierPath.addLine(to: CGPoint(x: frame.maxX - 18.95, y: frame.maxY - 22.55))
bezierPath.addCurve(to: CGPoint(x: frame.maxX - 15.45, y: frame.maxY - 26.05), controlPoint1: CGPoint(x: frame.maxX - 17.05, y: frame.maxY - 22.55), controlPoint2: CGPoint(x: frame.maxX - 15.45, y: frame.maxY - 24.1))
bezierPath.addLine(to: CGPoint(x: frame.maxX - 14.3, y: frame.minY + 8.5))
bezierPath.addCurve(to: CGPoint(x: frame.maxX - 17.8, y: frame.minY + 5), controlPoint1: CGPoint(x: frame.maxX - 14.3, y: frame.minY + 6.6), controlPoint2: CGPoint(x: frame.maxX - 15.85, y: frame.minY + 5))
bezierPath.addLine(to: CGPoint(x: frame.minX + 16.5, y: frame.minY + 5))
bezierPath.addCurve(to: CGPoint(x: frame.minX + 13, y: frame.minY + 8.5), controlPoint1: CGPoint(x: frame.minX + 14.6, y: frame.minY + 5), controlPoint2: CGPoint(x: frame.minX + 13, y: frame.minY + 6.55))
bezierPath.addLine(to: CGPoint(x: frame.minX + 14.15, y: frame.maxY - 26.05))
bezierPath.addCurve(to: CGPoint(x: frame.minX + 17.65, y: frame.maxY - 22.55), controlPoint1: CGPoint(x: frame.minX + 14.2, y: frame.maxY - 24.15), controlPoint2: CGPoint(x: frame.minX + 15.75, y: frame.maxY - 22.55))
bezierPath.close()
bezierPath.miterLimit = 4;
context!.saveGState()
context!.setShadow(offset: speechBubbleShadow.shadowOffset, blur: speechBubbleShadow.shadowBlurRadius, color: (speechBubbleShadow.shadowColor as! UIColor).cgColor)
color.setFill()
bezierPath.fill()
context!.restoreGState()
}
}
| apache-2.0 | 77c18f8d99080531dc387cbae9684687 | 59.211111 | 223 | 0.66802 | 3.516548 | false | false | false | false |
hooman/swift | test/Distributed/Runtime/distributed_actor_identity.swift | 1 | 1463 | // RUN: %target-run-simple-swift( -Xfrontend -disable-availability-checking -Xfrontend -enable-experimental-distributed -parse-as-library)
// REQUIRES: executable_test
// REQUIRES: concurrency
// REQUIRES: distributed
// rdar://76038845
// UNSUPPORTED: use_os_stdlib
// UNSUPPORTED: back_deployment_runtime
import StdlibUnittest
import _Distributed
@available(SwiftStdlib 5.5, *)
struct ActorAddress: ActorIdentity, CustomStringConvertible {
let id: String
var description: Swift.String {
"ActorAddress(id: \(id))"
}
}
@main struct Main {
static func main() async {
if #available(SwiftStdlib 5.5, *) {
let ActorIdentityTests = TestSuite("ActorIdentity")
ActorIdentityTests.test("equality") {
let a = ActorAddress(id: "a")
let b = ActorAddress(id: "b")
let anyA = AnyActorIdentity(a)
let anyB = AnyActorIdentity(b)
expectEqual(a, a)
expectEqual(anyA, anyA)
expectNotEqual(a, b)
expectNotEqual(anyA, anyB)
}
ActorIdentityTests.test("hash") {
let a = ActorAddress(id: "a")
let b = ActorAddress(id: "b")
let anyA = AnyActorIdentity(a)
let anyB = AnyActorIdentity(b)
expectEqual(a.hashValue, a.hashValue)
expectEqual(anyA.hashValue, anyA.hashValue)
expectNotEqual(a.hashValue, b.hashValue)
expectNotEqual(anyA.hashValue, anyB.hashValue)
}
}
await runAllTestsAsync()
}
} | apache-2.0 | 2502feba61636f883b0053f8f70ab8bf | 23.813559 | 138 | 0.658237 | 4.019231 | false | true | false | false |
dietcoke27/TableVector | Example/TableVector/ViewController.swift | 1 | 11983 | //
// ViewController.swift
// TableVector
//
// Created by Cole Kurkowski on 2/3/16.
// Copyright © 2016 Cole Kurkowski. All rights reserved.
//
import UIKit
import TableVector
final class ViewController: UITableViewController, TableVectorDelegate {
typealias VectorType = TableVector<Container>
var tableVector: VectorType!
var reader: FileReader!
var buffer: VectorBuffer<Container>!
var filterString: String?
var shouldSleep = true
var shouldReadFile = true
override func viewDidLoad() {
super.viewDidLoad()
let compare = {
(lhs: T, rhs: T) -> Bool in
return lhs.string.caseInsensitiveCompare(rhs.string) == .orderedAscending
}
let sectionMember = {
(elem: T, rep: T) -> Bool in
let elemChar = elem.string.substring(to: elem.string.characters.index(after: elem.string.startIndex))
let repChar = rep.string.substring(to: rep.string.characters.index(after: rep.string.startIndex))
return elemChar.caseInsensitiveCompare(repChar) == .orderedSame
}
let sectionCompare = {
(lhs: T, rhs: T) -> Bool in
let elemChar = lhs.string.substring(to: lhs.string.characters.index(after: lhs.string.startIndex))
let repChar = rhs.string.substring(to: rhs.string.characters.index(after: rhs.string.startIndex))
return elemChar.caseInsensitiveCompare(repChar) == .orderedAscending
}
self.tableVector = VectorType(delegate: self, comparator: compare, sectionClosure: sectionMember, sectionComparator: sectionCompare)
self.buffer = VectorBuffer(vector: self.tableVector)
self.tableVector.suspendDelegateCalls = true
if self.shouldReadFile {
self.reader = FileReader()
self.reader.vc = self
}
self.tableView.allowsMultipleSelection = false
let button = UIBarButtonItem(barButtonSystemItem: .bookmarks, target: self, action: #selector(ViewController.filterButton(sender:)))
let addButton = UIBarButtonItem(barButtonSystemItem: .add, target: self, action: #selector(ViewController.addButton(sender:)))
self.navigationItem.rightBarButtonItems = [addButton, button]
self.tableView.register(UITableViewHeaderFooterView.self, forHeaderFooterViewReuseIdentifier: "header")
}
func addButton(sender: Any?) {
let alert = UIAlertController(title: "Add", message: nil, preferredStyle: .alert)
alert.addTextField(configurationHandler: nil)
alert.addAction(UIAlertAction(title: "Cancel", style: .cancel, handler: nil))
alert.addAction(UIAlertAction(title: "Add", style: .default, handler: {[weak alert] (action) in
if let text = alert?.textFields?.first {
let container = Container(string: text.text ?? "")
self.tableVector.insert(container)
}
}))
self.present(alert, animated: true, completion: nil)
}
func filterButton(sender: Any?) {
let alert = UIAlertController(title: "Filter", message: nil, preferredStyle: .alert)
alert.addTextField { (field) in
field.text = self.filterString
}
alert.addAction(UIAlertAction(title: "Okay", style: .default, handler: {[weak alert] (action) in
if let textField = alert?.textFields?.first, let text = textField.text {
if text == "" {
self.tableVector.removeFilter()
} else {
if let previousFilter = self.filterString, text.contains(previousFilter) {
self.tableVector.refineFilter{
(container) -> Bool in
return container.string.contains(text) || text.contains(container.string)
}
} else {
if self.filterString != nil {
self.tableVector.removeFilter()
}
self.tableVector.filter(predicate: { (container) -> Bool in
return container.string.contains(text) || text.contains(container.string)
})
}
}
self.filterString = text
} else {
self.tableVector.removeFilter()
}
}))
alert.addAction(UIAlertAction(title: "Cancel", style: .cancel, handler: nil))
self.present(alert, animated: true, completion: nil)
}
override func viewWillAppear(_ animated: Bool) {
self.tableVector.suspendDelegateCalls = false
}
override func viewDidAppear(_ animated: Bool) {
if !(self.reader?.started ?? true) {
self.reader.startReader()
}
let timer = Timer(timeInterval: 1, target: self, selector: #selector(ViewController.timerUpdate(_:)), userInfo: nil, repeats: true)
RunLoop.main.add(timer, forMode: .commonModes)
}
@objc func timerUpdate(_ sender: Any) {
DispatchQueue.global(qos: .background).async {
var total = 0
for section in 0..<(self.tableVector.sectionCount) {
total += self.tableVector.countForSection(section)
}
var secondTotal = 0
for section in 0..<(self.tableView.numberOfSections) {
secondTotal += self.tableView.numberOfRows(inSection: section)
}
DispatchQueue.main.async {
self.title = "\(total) | \(secondTotal)"
}
}
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
override func tableView(_ tableView: UITableView, viewForHeaderInSection section: Int) -> UIView? {
let str = self.tableVector.representative(at: section)?.string
if let str = str
{
let header = self.tableView.dequeueReusableHeaderFooterView(withIdentifier: "header")
let char = str.substring(to: str.characters.index(after: str.startIndex))
header?.textLabel?.text = char.uppercased()
return header
}
else
{
return nil
}
}
override func tableView(_ tableView: UITableView, heightForHeaderInSection section: Int) -> CGFloat {
if self.tableView(tableView, numberOfRowsInSection: section) == 0 {
return 0
}
return 28
}
override func tableView(_ tableView: UITableView, commit editingStyle: UITableViewCellEditingStyle, forRowAt indexPath: IndexPath) {
if editingStyle == .delete {
self.tableVector.remove(at: indexPath)
}
}
override func tableView(_ tableView: UITableView, editingStyleForRowAt indexPath: IndexPath) -> UITableViewCellEditingStyle {
return .delete
}
func elementChangedForVector(_ vector: VectorType, changes: ElementChangeType<Container>, atIndexPaths: [IndexPath]) {
switch changes {
case .inserted:
var newSections = [Int]()
for path in atIndexPaths {
if self.tableView.numberOfRows(inSection: path.section) == 0 {
newSections.append(path.section)
}
}
self.tableView.insertRows(at: atIndexPaths, with: .automatic)
if newSections.count > 0 {
self.tableView.reloadSections(IndexSet(newSections), with: .automatic)
}
case .removed, .filteredOut:
var emptySections = [Int]()
self.tableView.deleteRows(at: atIndexPaths, with: .automatic)
for path in atIndexPaths {
if self.tableView.numberOfRows(inSection: path.section) == 0 {
emptySections.append(path.section)
}
}
if emptySections.count > 0 {
self.tableView.reloadSections(IndexSet(emptySections), with: .automatic)
}
case .updated:
break
}
}
func refresh(sections: IndexSet, inVector: VectorType) {
UIView.transition(with: self.tableView, duration: 0.5, options: .transitionCrossDissolve, animations: {
self.tableView.reloadData()
}, completion: nil)
}
func sectionChangedForVector(_ vector: VectorType, change: SectionChangeType, atIndex: Int) {
if case .inserted = change {
self.tableView.insertSections(IndexSet(integer: atIndex), with: .automatic)
}
}
override func numberOfSections(in tableView: UITableView) -> Int {
let c = self.tableVector.sectionCount
return c
}
override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
let c = self.tableVector.countForSection(section)
return c
}
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = self.tableView.dequeueReusableCell(withIdentifier: "cell", for: indexPath)
let container = self.tableVector[indexPath]!
cell.textLabel?.text = container.string
return cell
}
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
if let vc = segue.destination as? DetailViewController {
if let path = self.tableView.indexPathForSelectedRow {
vc.container = self.tableVector[path]
}
}
}
}
class FileReader {
private var filename = "american"
private var fileHandle: FileHandle?
weak var vc: ViewController!
let queue = DispatchQueue(label: "filereader", attributes: .concurrent, target: .global(qos: .background))
let group = DispatchGroup()
let sem = DispatchSemaphore(value: 0)
var started = false
func startReader()
{
started = true
self.queue.async {
self.readWholeFile()
}
}
private func readWholeFile()
{
if let path = Bundle.main.path(forResource: self.filename, ofType: nil)
{
var count = 0
do {
let str = try String(contentsOfFile: path)
let components = str.components(separatedBy: "\n")
for comp in components
{
weak var vc = self.vc
self.queue.async(group: self.group) {
let contain = Container(string: comp)
if vc?.shouldSleep ?? false
{
let slp = arc4random_uniform(10)
sleep(slp)
}
vc?.buffer.append(contain)
}
count += 1
if count >= 50 {
self.group.notify(queue: self.queue) {
count = 0
self.sem.signal()
}
self.sem.wait()
}
}
}
catch {
}
}
}
}
class Container: CustomStringConvertible {
let string: String
var description: String {
get {
return self.string
}
}
init(string: String)
{
self.string = string
}
}
| mit | 90fd7cabbb471420b01a691781f28f54 | 34.13783 | 140 | 0.557253 | 5.299425 | false | false | false | false |
krzysztofzablocki/Sourcery | Sourcery/Utils/FolderWatcher.swift | 1 | 4706 | //
// FolderWatcher.swift
// Sourcery
//
// Created by Krzysztof Zabłocki on 24/12/2016.
// Copyright © 2016 Pixle. All rights reserved.
//
import Foundation
public enum FolderWatcher {
struct Event {
let path: String
let flags: Flag
struct Flag: OptionSet {
let rawValue: FSEventStreamEventFlags
init(rawValue: FSEventStreamEventFlags) {
self.rawValue = rawValue
}
init(_ value: Int) {
self.rawValue = FSEventStreamEventFlags(value)
}
static let isDirectory = Flag(kFSEventStreamEventFlagItemIsDir)
static let isFile = Flag(kFSEventStreamEventFlagItemIsFile)
static let created = Flag(kFSEventStreamEventFlagItemCreated)
static let modified = Flag(kFSEventStreamEventFlagItemModified)
static let removed = Flag(kFSEventStreamEventFlagItemRemoved)
static let renamed = Flag(kFSEventStreamEventFlagItemRenamed)
static let isHardlink = Flag(kFSEventStreamEventFlagItemIsHardlink)
static let isLastHardlink = Flag(kFSEventStreamEventFlagItemIsLastHardlink)
static let isSymlink = Flag(kFSEventStreamEventFlagItemIsSymlink)
static let changeOwner = Flag(kFSEventStreamEventFlagItemChangeOwner)
static let finderInfoModified = Flag(kFSEventStreamEventFlagItemFinderInfoMod)
static let inodeMetaModified = Flag(kFSEventStreamEventFlagItemInodeMetaMod)
static let xattrsModified = Flag(kFSEventStreamEventFlagItemXattrMod)
var description: String {
var names: [String] = []
if self.contains(.isDirectory) { names.append("isDir") }
if self.contains(.isFile) { names.append("isFile") }
if self.contains(.created) { names.append("created") }
if self.contains(.modified) { names.append("modified") }
if self.contains(.removed) { names.append("removed") }
if self.contains(.renamed) { names.append("renamed") }
if self.contains(.isHardlink) { names.append("isHardlink") }
if self.contains(.isLastHardlink) { names.append("isLastHardlink") }
if self.contains(.isSymlink) { names.append("isSymlink") }
if self.contains(.changeOwner) { names.append("changeOwner") }
if self.contains(.finderInfoModified) { names.append("finderInfoModified") }
if self.contains(.inodeMetaModified) { names.append("inodeMetaModified") }
if self.contains(.xattrsModified) { names.append("xattrsModified") }
return names.joined(separator: ", ")
}
}
}
public class Local {
private let path: String
private var stream: FSEventStreamRef!
private let closure: (_ events: [Event]) -> Void
/// Creates folder watcher.
///
/// - Parameters:
/// - path: Path to observe
/// - latency: Latency to use
/// - closure: Callback closure
init(path: String, latency: TimeInterval = 1/60, closure: @escaping (_ events: [Event]) -> Void) {
self.path = path
self.closure = closure
func handler(_ stream: ConstFSEventStreamRef, clientCallbackInfo: UnsafeMutableRawPointer?, numEvents: Int, eventPaths: UnsafeMutableRawPointer, eventFlags: UnsafePointer<FSEventStreamEventFlags>, eventIDs: UnsafePointer<FSEventStreamEventId>) {
let eventStream = unsafeBitCast(clientCallbackInfo, to: Local.self)
let paths = unsafeBitCast(eventPaths, to: NSArray.self)
let events = (0..<numEvents).compactMap { idx in
return (paths[idx] as? String).flatMap { Event(path: $0, flags: Event.Flag(rawValue: eventFlags[idx])) }
}
eventStream.closure(events)
}
var context = FSEventStreamContext()
context.info = unsafeBitCast(self, to: UnsafeMutableRawPointer.self)
let flags = UInt32(kFSEventStreamCreateFlagUseCFTypes | kFSEventStreamCreateFlagFileEvents)
stream = FSEventStreamCreate(nil, handler, &context, [path] as CFArray, FSEventStreamEventId(kFSEventStreamEventIdSinceNow), latency, flags)
FSEventStreamScheduleWithRunLoop(stream, CFRunLoopGetCurrent(), CFRunLoopMode.defaultMode.rawValue)
FSEventStreamStart(stream)
}
deinit {
FSEventStreamStop(stream)
FSEventStreamInvalidate(stream)
FSEventStreamRelease(stream)
}
}
}
| mit | d9532c78a0ec5a25645fdac82d520eee | 42.555556 | 257 | 0.632228 | 5.215078 | false | false | false | false |
powerytg/Accented | Accented/UI/Gallery/UserGalleryListViewController.swift | 1 | 4531 | //
// UserGalleryListViewController.swift
// Accented
//
// User gallery list page
//
// Created by You, Tiangong on 9/1/17.
// Copyright © 2017 Tiangong You. All rights reserved.
//
import UIKit
class UserGalleryListViewController: UIViewController, InfiniteLoadingViewControllerDelegate, MenuDelegate {
private let headerCompressionStart : CGFloat = 50
private let headerCompressionDist : CGFloat = 200
private var streamViewController : UserGalleryListStreamViewController!
private var user : UserModel
private var backButton = UIButton(type: .custom)
private var headerView : UserHeaderSectionView!
private var backgroundView : DetailBackgroundView!
private let displayStyles = [MenuItem(action: .None, text: "Display As Groups"),
MenuItem(action: .None, text: "Display As List")]
// Menu
private var menu = [MenuItem(action : .Home, text: "Home")]
private var menuBar : CompactMenuBar!
init(user : UserModel) {
// Get an updated copy of user profile
self.user = StorageService.sharedInstance.getUserProfile(userId: user.userId)!
super.init(nibName: nil, bundle: nil)
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
override func viewDidLoad() {
super.viewDidLoad()
self.view.backgroundColor = ThemeManager.sharedInstance.currentTheme.rootViewBackgroundColor
backgroundView = DetailBackgroundView(frame: self.view.bounds)
self.view.insertSubview(backgroundView, at: 0)
// Header view
headerView = UserHeaderSectionView(user)
view.addSubview(headerView)
// Stream controller
createStreamViewController()
// Back button
self.view.addSubview(backButton)
backButton.setImage(UIImage(named: "DetailBackButton"), for: .normal)
backButton.addTarget(self, action: #selector(backButtonDidTap(_:)), for: .touchUpInside)
backButton.sizeToFit()
// Create a menu
menuBar = CompactMenuBar(menu)
menuBar.delegate = self
view.addSubview(menuBar)
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
}
override func viewWillLayoutSubviews() {
super.viewWillLayoutSubviews()
backgroundView.frame = view.bounds
streamViewController.view.frame = CGRect(x: 0, y: 0, width: view.bounds.width, height: view.bounds.height - CompactMenuBar.defaultHeight)
streamViewController.view.setNeedsLayout()
var f = headerView.frame
f.size.width = view.bounds.size.width
headerView.frame = f
headerView.setNeedsLayout()
f = backButton.frame
f.origin.x = 10
f.origin.y = 30
backButton.frame = f
f = menuBar.frame
f.origin.x = 0
f.origin.y = view.bounds.height - CompactMenuBar.defaultHeight
f.size.width = view.bounds.width
f.size.height = CompactMenuBar.defaultHeight
menuBar.frame = f
}
private func createStreamViewController() {
streamViewController = UserGalleryListStreamViewController(user : user)
addChildViewController(streamViewController)
streamViewController.delegate = self
self.view.insertSubview(streamViewController.view, at: 1)
streamViewController.view.frame = CGRect(x: 0, y: 0, width: view.bounds.size.width, height: view.bounds.size.height)
streamViewController.didMove(toParentViewController: self)
}
// MARK: - Events
@objc private func backButtonDidTap(_ sender : UIButton) {
_ = self.navigationController?.popViewController(animated: true)
}
// MARK: - InfiniteLoadingViewControllerDelegate
func collectionViewContentOffsetDidChange(_ contentOffset: CGFloat) {
var dist = contentOffset - headerCompressionStart
dist = min(headerCompressionDist, max(0, dist))
headerView.alpha = 1 - (dist / headerCompressionDist)
// Apply background effects
backgroundView.applyScrollingAnimation(contentOffset)
}
// MARK : - MenuDelegate
func didSelectMenuItem(_ menuItem: MenuItem) {
if menuItem.action == .Home {
NavigationService.sharedInstance.popToRootController(animated: true)
}
}
}
| mit | aa27f76f6fdca25790640c2d42532c07 | 34.116279 | 145 | 0.658278 | 5.130238 | false | false | false | false |
shuoli84/RxSwift | RxExample/RxExample/Examples/PartialUpdates/PartialUpdatesViewController.swift | 2 | 7831 | //
// PartialUpdatesViewController.swift
// RxExample
//
// Created by Krunoslav Zaher on 6/8/15.
// Copyright (c) 2015 Krunoslav Zaher. All rights reserved.
//
import Foundation
import UIKit
import RxSwift
import RxCocoa
import CoreData
let generateCustomSize = true
let runAutomatically = false
let useAnimatedUpdateForCollectionView = false
class PartialUpdatesViewController : ViewController {
@IBOutlet weak var reloadTableViewOutlet: UITableView!
@IBOutlet weak var partialUpdatesTableViewOutlet: UITableView!
@IBOutlet weak var partialUpdatesCollectionViewOutlet: UICollectionView!
var moc: NSManagedObjectContext!
var child: NSManagedObjectContext!
var timer: NSTimer? = nil
static let initialValue: [HashableSectionModel<String, Int>] = [
NumberSection(model: "section 1", items: [1, 2, 3]),
NumberSection(model: "section 2", items: [4, 5, 6]),
NumberSection(model: "section 3", items: [7, 8, 9]),
NumberSection(model: "section 4", items: [10, 11, 12]),
NumberSection(model: "section 5", items: [13, 14, 15]),
NumberSection(model: "section 6", items: [16, 17, 18]),
NumberSection(model: "section 7", items: [19, 20, 21]),
NumberSection(model: "section 8", items: [22, 23, 24]),
NumberSection(model: "section 9", items: [25, 26, 27]),
NumberSection(model: "section 10", items: [28, 29, 30])
]
static let firstChange: [HashableSectionModel<String, Int>]? = nil
var generator = Randomizer(rng: PseudoRandomGenerator(4, 3), sections: initialValue)
var sections = Variable([NumberSection]())
let disposeBag = DisposeBag()
func skinTableViewDataSource(dataSource: RxTableViewSectionedDataSource<NumberSection>) {
dataSource.cellFactory = { (tv, ip, i) in
let cell = tv.dequeueReusableCellWithIdentifier("Cell") as? UITableViewCell
?? UITableViewCell(style:.Default, reuseIdentifier: "Cell")
cell.textLabel!.text = "\(i)"
return cell
}
dataSource.titleForHeaderInSection = { [unowned dataSource] (section: Int) -> String in
return dataSource.sectionAtIndex(section).model
}
}
func skinCollectionViewDataSource(dataSource: RxCollectionViewSectionedDataSource<NumberSection>) {
dataSource.cellFactory = { [unowned dataSource] (cv, ip, i) in
let cell = cv.dequeueReusableCellWithReuseIdentifier("Cell", forIndexPath: ip) as! NumberCell
cell.value!.text = "\(i)"
return cell
}
dataSource.supplementaryViewFactory = { [unowned dataSource] (cv, kind, ip) in
let section = cv.dequeueReusableSupplementaryViewOfKind(kind, withReuseIdentifier: "Section", forIndexPath: ip) as! NumberSectionView
section.value!.text = "\(dataSource.sectionAtIndex(ip.section).model)"
return section
}
}
override func viewDidLoad() {
super.viewDidLoad()
// For UICollectionView, if another animation starts before previous one is finished, it will sometimes crash :(
// It's not deterministic (because Randomizer generates deterministic updates), and if you click fast
// It sometimes will and sometimes wont crash, depending on tapping speed.
// I guess you can maybe try some tricks with timeout, hard to tell :( That's on Apple side.
if generateCustomSize {
let nSections = 10
let nItems = 100
var sections = [HashableSectionModel<String, Int>]()
for i in 0 ..< nSections {
sections.append(HashableSectionModel(model: "Section \(i + 1)", items: Array(i * nItems ..< (i + 1) * nItems)))
}
generator = Randomizer(rng: PseudoRandomGenerator(4, 3), sections: sections)
}
#if runAutomatically
timer = NSTimer.scheduledTimerWithTimeInterval(0.6, target: self, selector: "randomize", userInfo: nil, repeats: true)
#endif
self.sections.next(generator.sections)
let tvAnimatedDataSource = RxTableViewSectionedAnimatedDataSource<NumberSection>()
let reloadDataSource = RxTableViewSectionedReloadDataSource<NumberSection>()
skinTableViewDataSource(tvAnimatedDataSource)
skinTableViewDataSource(reloadDataSource)
let newSections = self.sections >- skip(1)
let initialState = [Changeset.initialValue(self.sections.value)]
// reactive data sources
let updates = zip(self.sections, newSections) { (old, new) in
return differentiate(old, new)
}
>- startWith(initialState)
updates
>- partialUpdatesTableViewOutlet.rx_subscribeWithReactiveDataSource(tvAnimatedDataSource)
>- disposeBag.addDisposable
self.sections
>- reloadTableViewOutlet.rx_subscribeWithReactiveDataSource(reloadDataSource)
>- disposeBag.addDisposable
// Collection view logic works, but when clicking fast because of internal bugs
// collection view will sometimes get confused. I know what you are thinking,
// but this is really not a bug in the algorithm. The generated changes are
// pseudorandom, and crash happens depending on clicking speed.
//
// More info in `RxDataSourceStarterKit/README.md`
//
// If you want, turn this to true, just click slow :)
//
// While `useAnimatedUpdateForCollectionView` is false, you can click as fast as
// you want, table view doesn't seem to have same issues like collection view.
#if useAnimatedUpdateForCollectionView
let cvAnimatedDataSource = RxCollectionViewSectionedAnimatedDataSource<NumberSection>()
skinCollectionViewDataSource(cvAnimatedDataSource)
updates
>- partialUpdatesCollectionViewOutlet.rx_subscribeWithReactiveDataSource(cvAnimatedDataSource)
>- disposeBag.addDisposable
#else
let cvReloadDataSource = RxCollectionViewSectionedReloadDataSource<NumberSection>()
skinCollectionViewDataSource(cvReloadDataSource)
self.sections
>- partialUpdatesCollectionViewOutlet.rx_subscribeWithReactiveDataSource(cvReloadDataSource)
>- disposeBag.addDisposable
#endif
// touches
partialUpdatesCollectionViewOutlet.rx_itemSelected
>- subscribeNext { [unowned self] i in
println("Let me guess, it's .... It's \(self.generator.sections[i.section].items[i.item]), isn't it? Yeah, I've got it.")
}
>- disposeBag.addDisposable
merge(from([partialUpdatesTableViewOutlet.rx_itemSelected, reloadTableViewOutlet.rx_itemSelected]))
>- subscribeNext { [unowned self] i in
println("I have a feeling it's .... \(self.generator.sections[i.section].items[i.item])?")
}
>- disposeBag.addDisposable
}
override func viewWillDisappear(animated: Bool) {
self.timer?.invalidate()
}
@IBAction func randomize() {
generator.randomize()
var values = generator.sections
// useful for debugging
if PartialUpdatesViewController.firstChange != nil {
values = PartialUpdatesViewController.firstChange!
}
//println(values)
sections.next(values)
}
} | mit | e9c0a08f48724376a98472ef0499e6bf | 39.371134 | 145 | 0.632231 | 5.42313 | false | false | false | false |
edopelawi/CascadingTableDelegate | Example/CascadingTableDelegate/RowTableDelegates/DestinationReviewUserRowDelegate.swift | 1 | 2072 | //
// DestinationReviewUserRowDelegate.swift
// CascadingTableDelegate
//
// Created by Ricardo Pramana Suranta on 11/2/16.
// Copyright © 2016 Ricardo Pramana Suranta. All rights reserved.
//
import Foundation
import CascadingTableDelegate
struct DestinationReviewUserRowViewModel {
let userName: String
let userReview: String
let rating: Int
}
class DestinationReviewUserRowDelegate: CascadingBareTableDelegate {
/// Cell identifier that will be used by this instance. Kindly register this on section-level delegate that will use this class' instance.
static let cellIdentifier = DestinationReviewUserCell.nibIdentifier()
fileprivate var viewModel: DestinationReviewUserRowViewModel?
convenience init(viewModel: DestinationReviewUserRowViewModel) {
self.init(index: 0, childDelegates: [])
self.viewModel = viewModel
}
}
extension DestinationReviewUserRowDelegate {
@objc override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let identifier = DestinationReviewUserRowDelegate.cellIdentifier
return tableView.dequeueReusableCell(withIdentifier: identifier, for: indexPath)
}
@objc func tableView(_ tableView: UITableView, heightForRowAtIndexPath indexPath: IndexPath) -> CGFloat {
let userReview = viewModel?.userReview ?? ""
return DestinationReviewUserCell.preferredHeight(userReview: userReview)
}
@objc func tableView(_ tableView: UITableView, estimatedHeightForRowAtIndexPath indexPath: IndexPath) -> CGFloat {
return DestinationReviewUserCell.preferredHeight(userReview: "")
}
@objc func tableView(_ tableView: UITableView, willDisplayCell cell: UITableViewCell, forRowAtIndexPath indexPath: IndexPath) {
guard let cell = cell as? DestinationReviewUserCell,
let viewModel = viewModel else {
return
}
cell.configure(
userName: viewModel.userName,
userReview: viewModel.userReview,
rating: viewModel.rating
)
let lastRow = (index + 1) == parentDelegate?.childDelegates.count
cell.hideBottomBorder = lastRow
}
}
| mit | 180d338c0417db4754b4d490f04f4aea | 29.455882 | 139 | 0.778368 | 5.002415 | false | false | false | false |
djwbrown/swift | stdlib/public/SDK/Foundation/Codable.swift | 2 | 2897 | //===----------------------------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2017 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
//===----------------------------------------------------------------------===//
// Errors
//===----------------------------------------------------------------------===//
// Both of these error types bridge to NSError, and through the entry points they use, no further work is needed to make them localized.
extension EncodingError : LocalizedError {}
extension DecodingError : LocalizedError {}
//===----------------------------------------------------------------------===//
// Error Utilities
//===----------------------------------------------------------------------===//
internal extension DecodingError {
/// Returns a `.typeMismatch` error describing the expected type.
///
/// - parameter path: The path of `CodingKey`s taken to decode a value of this type.
/// - parameter expectation: The type expected to be encountered.
/// - parameter reality: The value that was encountered instead of the expected type.
/// - returns: A `DecodingError` with the appropriate path and debug description.
internal static func _typeMismatch(at path: [CodingKey], expectation: Any.Type, reality: Any) -> DecodingError {
let description = "Expected to decode \(expectation) but found \(_typeDescription(of: reality)) instead."
return .typeMismatch(expectation, Context(codingPath: path, debugDescription: description))
}
/// Returns a description of the type of `value` appropriate for an error message.
///
/// - parameter value: The value whose type to describe.
/// - returns: A string describing `value`.
/// - precondition: `value` is one of the types below.
fileprivate static func _typeDescription(of value: Any) -> String {
if value is NSNull {
return "a null value"
} else if value is NSNumber /* FIXME: If swift-corelibs-foundation isn't updated to use NSNumber, this check will be necessary: || value is Int || value is Double */ {
return "a number"
} else if value is String {
return "a string/data"
} else if value is [Any] {
return "an array"
} else if value is [String : Any] {
return "a dictionary"
} else {
// This should never happen -- we somehow have a non-JSON type here.
preconditionFailure("Invalid storage type \(type(of: value)).")
}
}
}
| apache-2.0 | be9b29e5d6bd37b4c973d27a307439d2 | 48.948276 | 175 | 0.559544 | 5.466038 | false | false | false | false |
MillmanY/MMPlayerView | MMPlayerView/Classes/Item/SRTInfo.swift | 1 | 555 | //
// SRTInfo.swift
// MMPlayerView
//
// Created by Millman on 2019/12/13.
//
import Foundation
public struct SRTInfo: Equatable {
public let index: Int
public let timeRange: ClosedRange<TimeInterval>
public let text: String
static func emptyInfo() -> Self {
return SRTInfo(index: -1, timeRange: 0...0, text: "")
}
public static func == (lhs: Self, rhs: Self) -> Bool {
return (lhs.index == rhs.index &&
lhs.timeRange == rhs.timeRange &&
lhs.text == rhs.text)
}
}
| mit | 58eab90ef50fa04acabe8836f27ae50a | 23.130435 | 61 | 0.58018 | 3.77551 | false | false | false | false |
roambotics/swift | test/Interop/SwiftToCxx/expose-attr/expose-swift-decls-to-cxx.swift | 2 | 4318 | // RUN: %empty-directory(%t)
// RUN: %target-swift-frontend %s -typecheck -module-name Expose -enable-experimental-cxx-interop -clang-header-expose-decls=has-expose-attr -emit-clang-header-path %t/expose.h
// RUN: %FileCheck %s < %t/expose.h
// RUN: %check-interop-cxx-header-in-clang(%t/expose.h -Wno-error=unused-function)
// RUN: %target-swift-frontend %s -typecheck -module-name Expose -enable-experimental-cxx-interop-in-clang-header -clang-header-expose-decls=has-expose-attr -emit-clang-header-path %t/expose.h
// RUN: %FileCheck %s < %t/expose.h
// RUN: %empty-directory(%t)
// RUN: %target-swift-frontend %s -emit-module -module-name Expose -o %t
// RUN: %target-swift-frontend -parse-as-library %t/Expose.swiftmodule -typecheck -module-name Expose -enable-experimental-cxx-interop -clang-header-expose-decls=has-expose-attr -emit-clang-header-path %t/expose.h
// RUN: %FileCheck %s < %t/expose.h
// RUN: %empty-directory(%t)
// RUN: %target-swift-frontend %s -enable-library-evolution -typecheck -emit-module-interface-path %t/Expose.swiftinterface -module-name Expose
// RUN: %target-swift-frontend -parse-as-library %t/Expose.swiftinterface -enable-library-evolution -disable-objc-attr-requires-foundation-module -typecheck -module-name Expose -enable-experimental-cxx-interop -clang-header-expose-decls=has-expose-attr -emit-clang-header-path %t/expose.h
// RUN: %FileCheck %s < %t/expose.h
@_expose(Cxx)
public func exposed1() {
}
public func exposed2NotExposed() {
}
@_expose(Cxx)
public func exposed3() {
}
@_expose(Cxx, "exposed4")
public func exposed4Renamed() {
}
@_expose(Cxx)
public struct ExposedStruct {
public var x: Int
public func method() {}
}
public struct NotExposedStruct {
public var x: Int
}
@_expose(Cxx, "ExposedStruct2")
public struct ExposedStructRenamed {
public var y: Int
@_expose(Cxx)
public init() { y = 42; prop = 0; prop2 = 0; }
@_expose(Cxx, "initWithValue")
public init(why x: Int) { y = x; prop = 0; prop2 = 0; }
@_expose(Cxx, "renamedProp")
public var prop: Int
@_expose(Cxx, "prop3")
public let prop2: Int
@_expose(Cxx, "renamedMethod")
public func method() {}
public func getNonExposedStruct() -> NotExposedStruct {
return NotExposedStruct(x: 2)
}
// FIXME: if 'getNonExposedStruct' has explicit @_expose we should error in Sema.
public func passNonExposedStruct(_ x: NotExposedStruct) {
}
// FIXME: if 'passNonExposedStruct' has explicit @_expose we should error in Sema.
}
@_expose(Cxx)
public final class ExposedClass {
public func method() {}
}
// CHECK: class ExposedClass final
// CHECK: class ExposedStruct final {
// CHECK: class ExposedStruct2 final {
// CHECK: ExposedStruct2(ExposedStruct2 &&)
// CHECK-NEXT: swift::Int getY() const;
// CHECK-NEXT: void setY(swift::Int value);
// CHECK-NEXT: static inline ExposedStruct2 init();
// CHECK-NEXT: static inline ExposedStruct2 initWithValue(swift::Int x);
// CHECK-NEXT: swift::Int getRenamedProp() const;
// CHECK-NEXT: void setRenamedProp(swift::Int value);
// CHECK-NEXT: swift::Int getProp3() const;
// CHECK-NEXT: void renamedMethod() const;
// CHECK-NEXT: private:
// CHECK: inline void exposed1() noexcept {
// CHECK-NEXT: return _impl::$s6Expose8exposed1yyF();
// CHECK-NEXT: }
// CHECK-EMPTY:
// CHECK-EMPTY:
// CHECK-NEXT: inline void exposed3() noexcept {
// CHECK-NEXT: return _impl::$s6Expose8exposed3yyF();
// CHECK-NEXT: }
// CHECK-EMPTY:
// CHECK-EMPTY:
// CHECK-NEXT: inline void exposed4() noexcept {
// CHECK-NEXT: return _impl::$s6Expose15exposed4RenamedyyF();
// CHECK-NEXT: }
// CHECK: void ExposedClass::method()
// CHECK: swift::Int ExposedStruct::getX() const {
// CHECK: void ExposedStruct::setX(swift::Int value) {
// CHECK: void ExposedStruct::method() const {
// CHECK: swift::Int ExposedStruct2::getY() const {
// CHECK: void ExposedStruct2::setY(swift::Int value) {
// CHECK: ExposedStruct2 ExposedStruct2::init() {
// CHECK: ExposedStruct2 ExposedStruct2::initWithValue(swift::Int x) {
// CHECK: swift::Int ExposedStruct2::getRenamedProp() const {
// CHECK: void ExposedStruct2::setRenamedProp(swift::Int value) {
// CHECK: swift::Int ExposedStruct2::getProp3() const {
// CHECK: void ExposedStruct2::renamedMethod() const {
// CHECK-NOT: NonExposedStruct
| apache-2.0 | 6b4338873b343fa35171b9e49976a0d1 | 34.393443 | 288 | 0.70704 | 3.384013 | false | false | false | false |
stephencelis/SQLite.swift | Sources/SQLite/Typed/CustomFunctions.swift | 1 | 8237 | //
// SQLite.swift
// https://github.com/stephencelis/SQLite.swift
// Copyright © 2014-2015 Stephen Celis.
//
// 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.
//
public extension Connection {
/// Creates or redefines a custom SQL function.
///
/// - Parameters:
///
/// - function: The name of the function to create or redefine.
///
/// - deterministic: Whether or not the function is deterministic (_i.e._
/// the function always returns the same result for a given input).
///
/// Default: `false`
///
/// - block: A block of code to run when the function is called.
/// The assigned types must be explicit.
///
/// - Returns: A closure returning an SQL expression to call the function.
func createFunction<Z: Value>(_ function: String, deterministic: Bool = false, _ block: @escaping () -> Z) throws
-> () -> Expression<Z> {
let fn = try createFunction(function, 0, deterministic) { _ in block() }
return { fn([]) }
}
func createFunction<Z: Value>(_ function: String, deterministic: Bool = false, _ block: @escaping () -> Z?) throws
-> () -> Expression<Z?> {
let fn = try createFunction(function, 0, deterministic) { _ in block() }
return { fn([]) }
}
// MARK: -
func createFunction<Z: Value, A: Value>(_ function: String, deterministic: Bool = false, _ block: @escaping (A) -> Z) throws
-> (Expression<A>) -> Expression<Z> {
let fn = try createFunction(function, 1, deterministic) { args in block(value(args[0])) }
return { arg in fn([arg]) }
}
func createFunction<Z: Value, A: Value>(_ function: String, deterministic: Bool = false, _ block: @escaping (A?) -> Z) throws
-> (Expression<A?>) -> Expression<Z> {
let fn = try createFunction(function, 1, deterministic) { args in block(args[0].map(value)) }
return { arg in fn([arg]) }
}
func createFunction<Z: Value, A: Value>(_ function: String, deterministic: Bool = false, _ block: @escaping (A) -> Z?) throws
-> (Expression<A>) -> Expression<Z?> {
let fn = try createFunction(function, 1, deterministic) { args in block(value(args[0])) }
return { arg in fn([arg]) }
}
func createFunction<Z: Value, A: Value>(_ function: String, deterministic: Bool = false, _ block: @escaping (A?) -> Z?) throws
-> (Expression<A?>) -> Expression<Z?> {
let fn = try createFunction(function, 1, deterministic) { args in block(args[0].map(value)) }
return { arg in fn([arg]) }
}
// MARK: -
func createFunction<Z: Value, A: Value, B: Value>(_ function: String, deterministic: Bool = false,
_ block: @escaping (A, B) -> Z) throws -> (Expression<A>, Expression<B>)
-> Expression<Z> {
let fn = try createFunction(function, 2, deterministic) { args in block(value(args[0]), value(args[1])) }
return { a, b in fn([a, b]) }
}
func createFunction<Z: Value, A: Value, B: Value>(_ function: String, deterministic: Bool = false,
_ block: @escaping (A?, B) -> Z) throws
-> (Expression<A?>, Expression<B>) -> Expression<Z> {
let fn = try createFunction(function, 2, deterministic) { args in block(args[0].map(value), value(args[1])) }
return { a, b in fn([a, b]) }
}
func createFunction<Z: Value, A: Value, B: Value>(_ function: String, deterministic: Bool = false,
_ block: @escaping (A, B?) -> Z) throws ->
(Expression<A>, Expression<B?>) -> Expression<Z> {
let fn = try createFunction(function, 2, deterministic) { args in block(value(args[0]), args[1].map(value)) }
return { a, b in fn([a, b]) }
}
func createFunction<Z: Value, A: Value, B: Value>(_ function: String, deterministic: Bool = false,
_ block: @escaping (A, B) -> Z?) throws
-> (Expression<A>, Expression<B>) -> Expression<Z?> {
let fn = try createFunction(function, 2, deterministic) { args in block(value(args[0]), value(args[1])) }
return { a, b in fn([a, b]) }
}
func createFunction<Z: Value, A: Value, B: Value>(_ function: String, deterministic: Bool = false,
_ block: @escaping (A?, B?) -> Z) throws
-> (Expression<A?>, Expression<B?>) -> Expression<Z> {
let fn = try createFunction(function, 2, deterministic) { args in block(args[0].map(value), args[1].map(value)) }
return { a, b in fn([a, b]) }
}
func createFunction<Z: Value, A: Value, B: Value>(_ function: String, deterministic: Bool = false,
_ block: @escaping (A?, B) -> Z?) throws
-> (Expression<A?>, Expression<B>) -> Expression<Z?> {
let fn = try createFunction(function, 2, deterministic) { args in block(args[0].map(value), value(args[1])) }
return { a, b in fn([a, b]) }
}
func createFunction<Z: Value, A: Value, B: Value>(_ function: String, deterministic: Bool = false,
_ block: @escaping (A, B?) -> Z?) throws
-> (Expression<A>, Expression<B?>) -> Expression<Z?> {
let fn = try createFunction(function, 2, deterministic) { args in block(value(args[0]), args[1].map(value)) }
return { a, b in fn([a, b]) }
}
func createFunction<Z: Value, A: Value, B: Value>(_ function: String, deterministic: Bool = false,
_ block: @escaping (A?, B?) -> Z?) throws
-> (Expression<A?>, Expression<B?>) -> Expression<Z?> {
let fn = try createFunction(function, 2, deterministic) { args in block(args[0].map(value), args[1].map(value)) }
return { a, b in fn([a, b]) }
}
// MARK: -
fileprivate func createFunction<Z: Value>(_ function: String, _ argumentCount: UInt, _ deterministic: Bool,
_ block: @escaping ([Binding?]) -> Z) throws
-> ([Expressible]) -> Expression<Z> {
createFunction(function, argumentCount: argumentCount, deterministic: deterministic) { arguments in
block(arguments).datatypeValue
}
return { arguments in
function.quote().wrap(", ".join(arguments))
}
}
fileprivate func createFunction<Z: Value>(_ function: String, _ argumentCount: UInt, _ deterministic: Bool,
_ block: @escaping ([Binding?]) -> Z?) throws
-> ([Expressible]) -> Expression<Z?> {
createFunction(function, argumentCount: argumentCount, deterministic: deterministic) { arguments in
block(arguments)?.datatypeValue
}
return { arguments in
function.quote().wrap(", ".join(arguments))
}
}
}
| mit | 5726515626f496ee27fde3143f4d3829 | 49.839506 | 130 | 0.568116 | 4.28512 | false | false | false | false |
wavecos/curso_ios_3 | Playgrounds/Condicionales.playground/section-1.swift | 1 | 537 | // Playground - noun: a place where people can play
import UIKit
var str = "Hello, playground"
var saludo = "Hola Mundo"
let edadJuan = 21
let edadAna = 34
let edadMaria = 1
if edadJuan > 20 {
println("Juan es Mayor de edad")
} else {
println("Debe ir a dormir")
}
if edadMaria > edadAna {
println("Maria es mamá de Ana")
} else if edadAna < edadJuan {
println("Ana es la hermana menor de Juán")
} else {
println("todos son menores")
}
if edadJuan > 20 && edadAna > 20 {
println("Juan y Ana son adultos")
}
| apache-2.0 | 0d0d58a62bfcc475eda043f809af5957 | 13.078947 | 51 | 0.657944 | 2.988827 | false | false | false | false |
motoom/ios-apps | TraceMaze/TraceMaze/Maze.swift | 1 | 3779 |
import Foundation
/*
struct PhysicsCategory {
static let None : UInt32 = 0
static let All : UInt32 = UInt32.max
static let Monster : UInt32 = 0b1 // 1
static let Projectile: UInt32 = 0b10 // 2
}
*/
let WALLNORTH = 1 // Walls
let WALLEAST = 2
let WALLSOUTH = 4
let WALLWEST = 8
let VISITED = 16 // Used during maze generation
let NORTH = 0
let EAST = 1
let SOUTH = 2
let WEST = 3
class Maze {
var rowcount: Int = 0
var colcount: Int = 0
var cells: Array<Array<Int>>
// Wall bits for NORTH, EAST, SOUTH, WEST
let wallbit = [WALLNORTH, WALLEAST, WALLSOUTH, WALLWEST]
// Coordinate offsets for NORTH, EAST, SOUTH, WEST
let drow = [-1, 0, 1, 0]
let dcol = [0, 1, 0, -1]
// Directions opposite of NORTH, EAST, SOUTH, WEST
let opposite = [SOUTH, WEST, NORTH, EAST]
init(_ rowcount: Int, _ colcount: Int) {
self.rowcount = rowcount
self.colcount = colcount
// See http://stackoverflow.com/questions/25127700/two-dimensional-array-in-swift
cells = Array(count: rowcount, repeatedValue: Array(count: colcount, repeatedValue: 0))
generate()
}
func generateStep(row: Int, _ col: Int) {
var directions = [NORTH, EAST, SOUTH, WEST]
// Randomize the directions, so the path will meander.
for a in 0 ..< 4 {
let b = Int(arc4random() & 3)
(directions[a], directions[b]) = (directions[b], directions[a])
}
// Iterate over the directions.
for dir in 0 ..< 4 {
// Determine the coordinates of the cell in that direction.
let direction = directions[dir]
let newrow = row + drow[direction]
let newcol = col + dcol[direction]
// Decide if the cell is valid or not. Skip cells outside the maze.
if newrow < 0 || newrow >= rowcount { continue }
if newcol < 0 || newcol >= colcount { continue }
// New cell must not have been previously visited.
if cells[newrow][newcol] & VISITED != 0 { continue }
// Cut down the walls.
cells[row][col] &= ~wallbit[direction]
cells[row][col] |= VISITED
cells[newrow][newcol] &= ~wallbit[opposite[direction]]
cells[newrow][newcol] |= VISITED
generateStep(newrow, newcol)
}
}
// Maze generation according to http://weblog.jamisbuck.org/2010/12/27/maze-generation-recursive-backtracking
func generate() {
// Start with all walls up, also clears 'visited' bit.
for r in 0 ..< rowcount {
for c in 0 ..< colcount {
cells[r][c] = WALLNORTH|WALLEAST|WALLSOUTH|WALLWEST
}
}
// ...and generate the maze from the middle.
generateStep(rowcount / 2, colcount / 2)
}
func asciiRepresentation() -> String {
var s = " "
for _ in 0 ..< self.colcount * 2 - 1 {
s += "_"
}
s += "\n"
for r in 0 ..< self.rowcount {
s += "|"
for c in 0 ..< self.colcount {
if cells[r][c] & WALLSOUTH != 0 {
if cells[r][c] & WALLEAST != 0 {
s += "_|" // └├┤└┐┣╋━┃
}
else {
s += "__"
}
}
else {
if cells[r][c] & WALLEAST != 0 {
s += " |"
}
else {
s += " "
}
}
}
s += "\n"
}
return s
}
}
| mit | 72d9babe4bbd73eb88db3578ca7c0c44 | 30.605042 | 113 | 0.490029 | 4.074756 | false | false | false | false |
godlift/XWSwiftRefresh | XWSwiftRefresh/Helper/UIViewExtension-XW.swift | 2 | 1703 | //
// UIViewExtension-XW.swift
// 01-drawingBoard
//
// Created by Xiong Wei on 15/8/8.
// Copyright © 2015年 Xiong Wei. All rights reserved.
// 增加frame 快速访问计算属性
import UIKit
extension UIView {
var xw_x:CGFloat {
get{
//写下面这句不会进入 死循环
// let a = self.xw_x
return self.frame.origin.x
}
set {
self.frame.origin.x = newValue
// 写下面这句不会死循环
//self.frame.origin.x = x
}
}
var xw_y:CGFloat {
get{
return self.frame.origin.y
}
set {
self.frame.origin.y = newValue
}
}
var xw_width:CGFloat {
get{
return self.frame.size.width
}
set {
self.frame.size.width = newValue
}
}
var xw_height:CGFloat {
get{
return self.frame.size.height
}
set {
self.frame.size.height = newValue
}
}
var xw_size:CGSize {
get {
return self.frame.size
}
set {
self.frame.size = newValue
}
}
var xw_origin:CGPoint {
get {
return self.frame.origin
}
set {
self.frame.origin = newValue
}
}
var xw_centerX:CGFloat {
get{
return self.center.x
}
set {
self.center.x = newValue
}
}
var xw_centerY:CGFloat {
get{
return self.center.y
}
set {
self.center.y = newValue
}
}
}
| mit | 9a4cecb3ef7be2a6d9bcf9ad99eaa8b1 | 15.865979 | 53 | 0.439487 | 4.029557 | false | false | false | false |
CoderYLiu/30DaysOfSwift | Project 07 - PullToRefresh/PullToRefresh/ViewController.swift | 1 | 3070 | //
// ViewController.swift
// PullToRefresh <https://github.com/DeveloperLY/30DaysOfSwift>
//
// Created by Liu Y on 16/4/13.
// Copyright © 2016年 DeveloperLY. All rights reserved.
//
// This source code is licensed under the MIT-style license found in the
// LICENSE file in the root directory of this source tree.
//
import UIKit
class ViewController: UITableViewController {
let cellIdentifer = "NewCellIdentifier"
let favoriteEmoji = ["🤗🤗🤗🤗🤗", "😅😅😅😅😅", "😆😆😆😆😆"]
let newFavoriteEmoji = ["🏃🏃🏃🏃🏃", "💩💩💩💩💩", "👸👸👸👸👸", "🤗🤗🤗🤗🤗", "😅😅😅😅😅", "😆😆😆😆😆" ]
var emojiData = [String]()
override func viewDidLoad() {
super.viewDidLoad()
emojiData = favoriteEmoji
self.tableView.backgroundColor = UIColor(red:0.092, green:0.096, blue:0.116, alpha:1)
self.tableView.register(UITableViewCell.self, forCellReuseIdentifier: cellIdentifer)
self.refreshControl = UIRefreshControl()
self.refreshControl!.addTarget(self, action: #selector(ViewController.didRoadEmoji), for: .valueChanged)
self.refreshControl!.backgroundColor = UIColor(red:0.113, green:0.113, blue:0.145, alpha:1)
let attributes = [NSForegroundColorAttributeName: UIColor.white]
self.refreshControl!.attributedTitle = NSAttributedString(string: "Last updated on \(Date())", attributes: attributes)
self.refreshControl!.tintColor = UIColor.white
self.title = "emoji"
self.navigationController?.navigationBar.barStyle = UIBarStyle.blackTranslucent
self.tableView.rowHeight = UITableViewAutomaticDimension
self.tableView.estimatedRowHeight = 60.0
self.tableView.tableFooterView = UIView(frame: CGRect.zero)
self.tableView.separatorStyle = UITableViewCellSeparatorStyle.none
}
override var preferredStatusBarStyle : UIStatusBarStyle {
return UIStatusBarStyle.lightContent
}
// MARK: - UITableViewDataSource
override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return emojiData.count
}
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: cellIdentifer)! as UITableViewCell
cell.textLabel?.text = self.emojiData[indexPath.row];
cell.textLabel?.textAlignment = NSTextAlignment.center
cell.textLabel?.font = UIFont.systemFont(ofSize: 50.0)
cell.backgroundColor = UIColor.clear
cell.selectionStyle = UITableViewCellSelectionStyle.none
return cell
}
// MARK: - RoadEmoji
func didRoadEmoji() {
self.emojiData = newFavoriteEmoji
self.tableView.reloadData()
self.refreshControl!.endRefreshing()
}
}
| mit | f3e5c168b2d0099e94460faaa53efd78 | 35.197531 | 126 | 0.659277 | 4.919463 | false | false | false | false |
kstaring/swift | stdlib/public/SDK/AppKit/NSError.swift | 3 | 10044 | //===----------------------------------------------------------------------===//
//
// 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 AppKit
extension CocoaError.Code {
public static var textReadInapplicableDocumentType: CocoaError.Code {
return CocoaError.Code(rawValue: 65806)
}
public static var textWriteInapplicableDocumentType: CocoaError.Code {
return CocoaError.Code(rawValue: 66062)
}
public static var serviceApplicationNotFound: CocoaError.Code {
return CocoaError.Code(rawValue: 66560)
}
public static var serviceApplicationLaunchFailed: CocoaError.Code {
return CocoaError.Code(rawValue: 66561)
}
public static var serviceRequestTimedOut: CocoaError.Code {
return CocoaError.Code(rawValue: 66562)
}
public static var serviceInvalidPasteboardData: CocoaError.Code {
return CocoaError.Code(rawValue: 66563)
}
public static var serviceMalformedServiceDictionary: CocoaError.Code {
return CocoaError.Code(rawValue: 66564)
}
public static var serviceMiscellaneous: CocoaError.Code {
return CocoaError.Code(rawValue: 66800)
}
public static var sharingServiceNotConfigured: CocoaError.Code {
return CocoaError.Code(rawValue: 67072)
}
}
// Names deprecated late in Swift 3
extension CocoaError.Code {
@available(*, deprecated, renamed: "textReadInapplicableDocumentType")
public static var textReadInapplicableDocumentTypeError: CocoaError.Code {
return CocoaError.Code(rawValue: 65806)
}
@available(*, deprecated, renamed: "textWriteInapplicableDocumentType")
public static var textWriteInapplicableDocumentTypeError: CocoaError.Code {
return CocoaError.Code(rawValue: 66062)
}
@available(*, deprecated, renamed: "serviceApplicationNotFound")
public static var serviceApplicationNotFoundError: CocoaError.Code {
return CocoaError.Code(rawValue: 66560)
}
@available(*, deprecated, renamed: "serviceApplicationLaunchFailed")
public static var serviceApplicationLaunchFailedError: CocoaError.Code {
return CocoaError.Code(rawValue: 66561)
}
@available(*, deprecated, renamed: "serviceRequestTimedOut")
public static var serviceRequestTimedOutError: CocoaError.Code {
return CocoaError.Code(rawValue: 66562)
}
@available(*, deprecated, renamed: "serviceInvalidPasteboardData")
public static var serviceInvalidPasteboardDataError: CocoaError.Code {
return CocoaError.Code(rawValue: 66563)
}
@available(*, deprecated, renamed: "serviceMalformedServiceDictionary")
public static var serviceMalformedServiceDictionaryError: CocoaError.Code {
return CocoaError.Code(rawValue: 66564)
}
@available(*, deprecated, renamed: "serviceMiscellaneous")
public static var serviceMiscellaneousError: CocoaError.Code {
return CocoaError.Code(rawValue: 66800)
}
@available(*, deprecated, renamed: "sharingServiceNotConfigured")
public static var sharingServiceNotConfiguredError: CocoaError.Code {
return CocoaError.Code(rawValue: 67072)
}
}
extension CocoaError {
public static var textReadInapplicableDocumentType: CocoaError.Code {
return CocoaError.Code(rawValue: 65806)
}
public static var textWriteInapplicableDocumentType: CocoaError.Code {
return CocoaError.Code(rawValue: 66062)
}
public static var serviceApplicationNotFound: CocoaError.Code {
return CocoaError.Code(rawValue: 66560)
}
public static var serviceApplicationLaunchFailed: CocoaError.Code {
return CocoaError.Code(rawValue: 66561)
}
public static var serviceRequestTimedOut: CocoaError.Code {
return CocoaError.Code(rawValue: 66562)
}
public static var serviceInvalidPasteboardData: CocoaError.Code {
return CocoaError.Code(rawValue: 66563)
}
public static var serviceMalformedServiceDictionary: CocoaError.Code {
return CocoaError.Code(rawValue: 66564)
}
public static var serviceMiscellaneous: CocoaError.Code {
return CocoaError.Code(rawValue: 66800)
}
public static var sharingServiceNotConfigured: CocoaError.Code {
return CocoaError.Code(rawValue: 67072)
}
}
// Names deprecated late in Swift 3
extension CocoaError {
@available(*, deprecated, renamed: "textReadInapplicableDocumentType")
public static var textReadInapplicableDocumentTypeError: CocoaError.Code {
return CocoaError.Code(rawValue: 65806)
}
@available(*, deprecated, renamed: "textWriteInapplicableDocumentType")
public static var textWriteInapplicableDocumentTypeError: CocoaError.Code {
return CocoaError.Code(rawValue: 66062)
}
@available(*, deprecated, renamed: "serviceApplicationNotFound")
public static var serviceApplicationNotFoundError: CocoaError.Code {
return CocoaError.Code(rawValue: 66560)
}
@available(*, deprecated, renamed: "serviceApplicationLaunchFailed")
public static var serviceApplicationLaunchFailedError: CocoaError.Code {
return CocoaError.Code(rawValue: 66561)
}
@available(*, deprecated, renamed: "serviceRequestTimedOut")
public static var serviceRequestTimedOutError: CocoaError.Code {
return CocoaError.Code(rawValue: 66562)
}
@available(*, deprecated, renamed: "serviceInvalidPasteboardData")
public static var serviceInvalidPasteboardDataError: CocoaError.Code {
return CocoaError.Code(rawValue: 66563)
}
@available(*, deprecated, renamed: "serviceMalformedServiceDictionary")
public static var serviceMalformedServiceDictionaryError: CocoaError.Code {
return CocoaError.Code(rawValue: 66564)
}
@available(*, deprecated, renamed: "serviceMiscellaneous")
public static var serviceMiscellaneousError: CocoaError.Code {
return CocoaError.Code(rawValue: 66800)
}
@available(*, deprecated, renamed: "sharingServiceNotConfigured")
public static var sharingServiceNotConfiguredError: CocoaError.Code {
return CocoaError.Code(rawValue: 67072)
}
}
extension CocoaError {
public var isServiceError: Bool {
return code.rawValue >= 66560 && code.rawValue <= 66817
}
public var isSharingServiceError: Bool {
return code.rawValue >= 67072 && code.rawValue <= 67327
}
public var isTextReadWriteError: Bool {
return code.rawValue >= 65792 && code.rawValue <= 66303
}
}
extension CocoaError {
@available(*, deprecated, renamed: "textReadInapplicableDocumentType")
public static var TextReadInapplicableDocumentTypeError: CocoaError.Code {
return CocoaError.Code(rawValue: 65806)
}
@available(*, deprecated, renamed: "textWriteInapplicableDocumentType")
public static var TextWriteInapplicableDocumentTypeError: CocoaError.Code {
return CocoaError.Code(rawValue: 66062)
}
@available(*, deprecated, renamed: "serviceApplicationNotFound")
public static var ServiceApplicationNotFoundError: CocoaError.Code {
return CocoaError.Code(rawValue: 66560)
}
@available(*, deprecated, renamed: "serviceApplicationLaunchFailed")
public static var ServiceApplicationLaunchFailedError: CocoaError.Code {
return CocoaError.Code(rawValue: 66561)
}
@available(*, deprecated, renamed: "serviceRequestTimedOut")
public static var ServiceRequestTimedOutError: CocoaError.Code {
return CocoaError.Code(rawValue: 66562)
}
@available(*, deprecated, renamed: "serviceInvalidPasteboardData")
public static var ServiceInvalidPasteboardDataError: CocoaError.Code {
return CocoaError.Code(rawValue: 66563)
}
@available(*, deprecated, renamed: "serviceMalformedServiceDictionary")
public static var ServiceMalformedServiceDictionaryError: CocoaError.Code {
return CocoaError.Code(rawValue: 66564)
}
@available(*, deprecated, renamed: "serviceMiscellaneous")
public static var ServiceMiscellaneousError: CocoaError.Code {
return CocoaError.Code(rawValue: 66800)
}
@available(*, deprecated, renamed: "sharingServiceNotConfigured")
public static var SharingServiceNotConfiguredError: CocoaError.Code {
return CocoaError.Code(rawValue: 67072)
}
}
extension CocoaError.Code {
@available(*, deprecated, renamed: "textReadInapplicableDocumentType")
public static var TextReadInapplicableDocumentTypeError: CocoaError.Code {
return CocoaError.Code(rawValue: 65806)
}
@available(*, deprecated, renamed: "textWriteInapplicableDocumentType")
public static var TextWriteInapplicableDocumentTypeError: CocoaError.Code {
return CocoaError.Code(rawValue: 66062)
}
@available(*, deprecated, renamed: "serviceApplicationNotFound")
public static var ServiceApplicationNotFoundError: CocoaError.Code {
return CocoaError.Code(rawValue: 66560)
}
@available(*, deprecated, renamed: "serviceApplicationLaunchFailed")
public static var ServiceApplicationLaunchFailedError: CocoaError.Code {
return CocoaError.Code(rawValue: 66561)
}
@available(*, deprecated, renamed: "serviceRequestTimedOut")
public static var ServiceRequestTimedOutError: CocoaError.Code {
return CocoaError.Code(rawValue: 66562)
}
@available(*, deprecated, renamed: "serviceInvalidPasteboardData")
public static var ServiceInvalidPasteboardDataError: CocoaError.Code {
return CocoaError.Code(rawValue: 66563)
}
@available(*, deprecated, renamed: "serviceMalformedServiceDictionary")
public static var ServiceMalformedServiceDictionaryError: CocoaError.Code {
return CocoaError.Code(rawValue: 66564)
}
@available(*, deprecated, renamed: "serviceMiscellaneous")
public static var ServiceMiscellaneousError: CocoaError.Code {
return CocoaError.Code(rawValue: 66800)
}
@available(*, deprecated, renamed: "sharingServiceNotConfigured")
public static var SharingServiceNotConfiguredError: CocoaError.Code {
return CocoaError.Code(rawValue: 67072)
}
}
| apache-2.0 | a71d75b4c7f2d79f55264f5448be7430 | 40.163934 | 80 | 0.76374 | 5.339713 | false | false | false | false |
pluralsight/PSOperations | PSOperationsAppForTestsTests/PSOperationsAppForTestsTests.swift | 1 | 1493 | import PSOperations
import XCTest
class PSOperationsAppForTestsTests: XCTestCase {
/*
This test only exhibits the problem when run in an app container, thus, it is part of a test suite that is
part of an application. When you have many (less than the tested amount) operations that have dependencies
often a crash occurs when all operations in the dependency chain are completed.
This problem is not limited to PSOperations. If you adapt this test to use NSOperationQueue and NSBlockOperation
(or some other NSOperation, doesn't matter) This same crash will occur. While meeting expectations is important
the real test is whether or not it crashes when the last operation finishes
*/
func testDependantOpsCrash() {
let queue = PSOperations.OperationQueue()
let opcount = 5_000
var ops: [PSOperations.Operation] = []
for _ in 0..<opcount {
let exp = expectation(description: "block should finish")
let block = PSOperations.BlockOperation { finish in
// NSLog("op: \(i): opcount: queue: \(queue.operationCount)")
exp.fulfill()
finish()
}
ops.append(block)
}
for index in 1..<opcount {
let op1 = ops[index]
op1.addDependency(ops[index - 1])
}
queue.addOperations(ops, waitUntilFinished: false)
waitForExpectations(timeout: 60 * 3, handler: nil)
}
}
| apache-2.0 | bbd5bcf79f5c033d15d66a257802358d | 36.325 | 118 | 0.64635 | 4.847403 | false | true | false | false |
MaddTheSane/WWDC | WWDC/DownloadListProgressCellView.swift | 10 | 915 | //
// DownloadListProgressCellView.swift
// WWDC
//
// Created by Ruslan Alikhamov on 26/04/15.
// Copyright (c) 2015 Guilherme Rambo. All rights reserved.
//
import Cocoa
class DownloadListCellView: NSTableCellView {
weak var item: AnyObject?
var cancelBlock: ((AnyObject?, DownloadListCellView) -> Void)?
var started: Bool = false
@IBOutlet weak var progressIndicator: NSProgressIndicator!
@IBOutlet weak var statusLabel: NSTextField!
@IBOutlet weak var cancelButton: NSButton!
@IBAction func cancelBtnPressed(sender: NSButton) {
if let block = self.cancelBlock {
block(self.item, self)
}
}
override func awakeFromNib() {
super.awakeFromNib()
self.progressIndicator.indeterminate = true
self.progressIndicator.startAnimation(nil)
}
func startProgress() {
if (self.started) {
return
}
self.progressIndicator.indeterminate = false
self.started = true
}
}
| bsd-2-clause | 40d371e1562ea25cdb516379cd13737d | 21.317073 | 63 | 0.726776 | 3.765432 | false | false | false | false |
Fidetro/SwiftFFDB | Sources/FMDBConnection.swift | 1 | 5593 | //
// FMDBConnection.swift
// Swift-FFDB
//
// Created by Fidetro on 2017/10/14.
// Copyright © 2017年 Fidetro. All rights reserved.
//
import FMDB
public struct FMDBConnection:FFDBConnection {
public typealias T = FMDatabase
public static let share = FMDBConnection()
public static var databasePath : String?
private init() {}
public func executeDBQuery<R:Decodable>(db:FMDatabase?,
return type: R.Type,
sql: String,
values: [Any]?,
completion: QueryResult?) throws {
if let db = db {
try db.executeDBQuery(return: type, sql: sql, values: values, completion: completion)
} else {
try database().executeDBQuery(return: type, sql: sql, values: values, completion: completion)
}
}
public func executeDBUpdate(db:FMDatabase?,
sql: String,
values: [Any]?,
completion: UpdateResult?) throws {
if let db = db {
try db.executeDBUpdate(sql: sql, values: values, completion: completion)
} else {
try database().executeDBUpdate(sql: sql, values: values, completion: completion)
}
}
/// Get databaseContentFileURL
///
/// - Returns: databaseURL
public func databasePathURL() -> URL {
if let databasePath = FMDBConnection.databasePath {
return URL(fileURLWithPath: databasePath)
}
let executableFile = (Bundle.main.object(forInfoDictionaryKey: kCFBundleExecutableKey as String) as! String)
let fileURL = try! FileManager.default
.url(for: .documentDirectory, in: .userDomainMask, appropriateFor: nil, create: false)
.appendingPathComponent(executableFile+".sqlite")
return fileURL
}
public func database() -> T {
let database = FMDatabase(url: databasePathURL())
return database
}
public func findNewColumns(_ table:FFObject.Type) -> [String]? {
var newColumns = [String]()
for column in table.columnsOfSelf() {
let result = columnExists(column, inTableWithName: table.tableName())
if result == false {
newColumns.append(column)
}
}
guard newColumns.count != 0 else {
return nil
}
return newColumns
}
private func columnExists(_ columnName: String, inTableWithName: String) -> Bool {
let database = self.database()
guard database.open() else {
debugPrintLog("Unable to open database")
return false
}
let result = database.columnExists(columnName, inTableWithName: inTableWithName)
return result
}
}
extension FMDatabase {
func executeDBUpdate(sql:String,values:[Any]?,completion:UpdateResult?) throws {
guard open() else {
debugPrintLog("Unable to open database")
if let completion = completion { completion(false) }
return
}
guard var values = values else {
try self.executeUpdate(sql, values: nil)
if let completion = completion { completion(true) }
return
}
values = values.map { (ele) -> Any in
if let data = ele as? Data {
return data.base64EncodedString()
}else if let json = ele as? [String:Any] {
do{
return try JSONSerialization.data(withJSONObject: json, options: .prettyPrinted).base64EncodedString()
}catch{
debugPrintLog("\(error)")
assertionFailure()
}
}
return ele
}
try self.executeUpdate(sql, values: values)
if let completion = completion { completion(true) }
}
func executeDBQuery<T:Decodable>(return type:T.Type, sql:String, values:[Any]?,completion: QueryResult?) throws {
guard self.open() else {
debugPrintLog("Unable to open database")
if let completion = completion { completion(nil) }
return
}
let result = try self.executeQuery(sql, values: values)
var modelArray = Array<Decodable>()
while result.next() {
if let dict = result.resultDictionary {
let jsonData = try JSONSerialization.data(withJSONObject: dict, options: .prettyPrinted)
do{
let decoder = JSONDecoder()
decoder.dateDecodingStrategy = .secondsSince1970
decoder.dataDecodingStrategy = .base64
let model = try decoder.decode(type, from: jsonData)
modelArray.append(model)
}catch{
debugPrintLog(error)
assertionFailure("check you func columntype,func customColumnsType,property type")
}
}
}
guard modelArray.count != 0 else {
if let completion = completion { completion(nil) }
return
}
if let completion = completion { completion(modelArray) }
}
}
| apache-2.0 | aca6398ab72c3ef561d8cb186a7d99f0 | 31.312139 | 122 | 0.533453 | 5.385356 | false | false | false | false |
xxxAIRINxxx/ARNHeaderStretchFlowLayout-Swift | Lib/ARNHeaderStretchFlowLayout.swift | 1 | 1488 | //
// ARNHeaderStretchFlowLayout.swift
//
// Created by xxxAIRINxxx on 2014/09/17.
// Copyright (c) 2014 xxxAIRINxxx. All rights reserved.
//
import UIKit
public class ARNHeaderStretchFlowLayout: UICollectionViewFlowLayout {
public override func shouldInvalidateLayoutForBoundsChange(newBounds: CGRect) -> Bool {
return true
}
public override func layoutAttributesForElementsInRect(rect: CGRect) -> [UICollectionViewLayoutAttributes]? {
let att = super.layoutAttributesForElementsInRect(rect)
var attributes:[UICollectionViewLayoutAttributes] = []
att?.forEach() { attributes.append($0.copy() as! UICollectionViewLayoutAttributes) }
let offset = self.collectionView!.contentOffset
let minY = 0 - self.collectionView!.contentInset.top
if offset.y < minY {
let headerSize = self.headerReferenceSize
let deltaY = fabsf(CFloat(offset.y) - CFloat(minY))
attributes.forEach() {
if $0.representedElementKind == UICollectionElementKindSectionHeader && $0.indexPath.section == 0 {
var headerRect = $0.frame
headerRect.size.height = max(minY, CGFloat(headerSize.height) + CGFloat(deltaY))
headerRect.origin.y = headerRect.origin.y - CGFloat(deltaY)
$0.frame = headerRect
}
}
}
return attributes
}
}
| mit | abc972381096f0a913e847e5d2b31f3b | 36.2 | 115 | 0.629032 | 5.450549 | false | false | false | false |
GraphQLSwift/GraphQL | Sources/GraphQL/Map/Number.swift | 1 | 4343 | import Foundation
public struct Number {
public enum StorageType {
case bool
case int
case double
case unknown
}
private var _number: NSNumber
public var storageType: StorageType
public var number: NSNumber {
mutating get {
if !isKnownUniquelyReferenced(&_number) {
_number = _number.copy() as! NSNumber
}
return _number
}
set {
_number = newValue
}
}
public init(_ value: NSNumber) {
_number = value
storageType = .unknown
}
public init(_ value: Bool) {
_number = NSNumber(value: value)
storageType = .bool
}
@available(OSX 10.5, *)
public init(_ value: Int) {
_number = NSNumber(value: value)
storageType = .int
}
@available(OSX 10.5, *)
public init(_ value: UInt) {
_number = NSNumber(value: value)
storageType = .int
}
public init(_ value: Int8) {
_number = NSNumber(value: value)
storageType = .int
}
public init(_ value: UInt8) {
_number = NSNumber(value: value)
storageType = .int
}
public init(_ value: Int16) {
_number = NSNumber(value: value)
storageType = .int
}
public init(_ value: UInt16) {
_number = NSNumber(value: value)
storageType = .int
}
public init(_ value: Int32) {
_number = NSNumber(value: value)
storageType = .int
}
public init(_ value: UInt32) {
_number = NSNumber(value: value)
storageType = .int
}
public init(_ value: Int64) {
_number = NSNumber(value: value)
storageType = .int
}
public init(_ value: UInt64) {
_number = NSNumber(value: value)
storageType = .int
}
public init(_ value: Float) {
_number = NSNumber(value: value)
storageType = .double
}
public init(_ value: Double) {
_number = NSNumber(value: value)
storageType = .double
}
public var boolValue: Bool {
return _number.boolValue
}
@available(OSX 10.5, *)
public var intValue: Int {
return _number.intValue
}
@available(OSX 10.5, *)
public var uintValue: UInt {
return _number.uintValue
}
public var int8Value: Int8 {
return _number.int8Value
}
public var uint8Value: UInt8 {
return _number.uint8Value
}
public var int16Value: Int16 {
return _number.int16Value
}
public var uint16Value: UInt16 {
return _number.uint16Value
}
public var int32Value: Int32 {
return _number.int32Value
}
public var uint32Value: UInt32 {
return _number.uint32Value
}
public var int64Value: Int64 {
return _number.int64Value
}
public var uint64Value: UInt64 {
return _number.uint64Value
}
public var floatValue: Float {
return _number.floatValue
}
public var doubleValue: Double {
return _number.doubleValue
}
public var stringValue: String {
return _number.stringValue
}
}
extension Number: Hashable {}
extension Number: Equatable {
public static func == (lhs: Self, rhs: Self) -> Bool {
return lhs._number == rhs._number
}
}
extension Number: Comparable {
public static func < (lhs: Number, rhs: Number) -> Bool {
return lhs._number.compare(rhs._number) == .orderedAscending
}
}
extension Number: ExpressibleByBooleanLiteral {
/// Create an instance initialized to `value`.
public init(booleanLiteral value: Bool) {
_number = NSNumber(value: value)
storageType = .bool
}
}
extension Number: ExpressibleByIntegerLiteral {
/// Create an instance initialized to `value`.
public init(integerLiteral value: Int) {
_number = NSNumber(value: value)
storageType = .int
}
}
extension Number: ExpressibleByFloatLiteral {
/// Create an instance initialized to `value`.
public init(floatLiteral value: Double) {
_number = NSNumber(value: value)
storageType = .double
}
}
extension Number: CustomStringConvertible {
public var description: String {
return _number.description
}
}
| mit | 8fe485f5672cf40cd3eb7b7a1d7a3d24 | 20.606965 | 68 | 0.582086 | 4.343 | false | false | false | false |
MoZhouqi/iOS8SelfSizingCells | iOS8SelfSizingCells/KMTableViewCell.swift | 1 | 1170 | //
// KMTableViewCell.swift
// iOS8SelfSizingCells
//
// Created by Zhouqi Mo on 1/28/15.
// Copyright (c) 2015 Zhouqi Mo. All rights reserved.
//
import UIKit
class KMTableViewCell: UITableViewCell {
@IBOutlet weak var titleLabel: UILabel!
@IBOutlet weak var leadingConstraint: NSLayoutConstraint!
@IBOutlet weak var trailingConstraint: NSLayoutConstraint!
var tableView: UIView!
var maxLayoutWidth: CGFloat {
// So weird! The value is 47.0 in IB, but it is actually 48.0.
let CellTrailingToContentViewTrailingConstant: CGFloat = 48.0
// Minus the left/right padding for the label
let maxLayoutWidth = CGRectGetWidth(tableView.frame) - leadingConstraint.constant - trailingConstraint.constant - CellTrailingToContentViewTrailingConstant
return maxLayoutWidth
}
func updateFonts()
{
titleLabel.font = UIFont.preferredFontForTextStyle(UIFontTextStyleSubheadline)
}
override func layoutSubviews() {
super.layoutSubviews()
if tableView != nil {
titleLabel.preferredMaxLayoutWidth = maxLayoutWidth
}
}
}
| mit | eff0880d53c410797b98419ac9adad29 | 27.536585 | 163 | 0.686325 | 5.043103 | false | false | false | false |
gsempe/ADVOperation | Source/BlockObserver.swift | 1 | 1306 | /*
Copyright (C) 2015 Apple Inc. All Rights Reserved.
See LICENSE.txt for this sample’s licensing information
Abstract:
This file shows how to implement the OperationObserver protocol.
*/
import Foundation
/**
The `BlockObserver` is a way to attach arbitrary blocks to significant events
in an `Operation`'s lifecycle.
*/
struct BlockObserver: OperationObserver {
// MARK: Properties
private let startHandler: (Operation -> Void)?
private let produceHandler: ((Operation, NSOperation) -> Void)?
private let finishHandler: ((Operation, [NSError]) -> Void)?
init(startHandler: (Operation -> Void)? = nil, produceHandler: ((Operation, NSOperation) -> Void)? = nil, finishHandler: ((Operation, [NSError]) -> Void)? = nil) {
self.startHandler = startHandler
self.produceHandler = produceHandler
self.finishHandler = finishHandler
}
// MARK: OperationObserver
func operationDidStart(operation: Operation) {
startHandler?(operation)
}
func operation(operation: Operation, didProduceOperation newOperation: NSOperation) {
produceHandler?(operation, newOperation)
}
func operationDidFinish(operation: Operation, errors: [NSError]) {
finishHandler?(operation, errors)
}
}
| unlicense | ac3e55eeacae921d062669cd5e8c18e4 | 30.804878 | 167 | 0.687883 | 5.034749 | false | false | false | false |
j-chao/venture | source/venture/UIViewX.swift | 1 | 2247 | //
// UIViewX.swift
// DesignableX
//
// Created by Mark Moeykens on 12/31/16.
// Copyright © 2016 Mark Moeykens. All rights reserved.
//
import UIKit
@IBDesignable
class UIViewX: UIView {
// MARK: - Gradient
@IBInspectable var firstColor: UIColor = UIColor.white {
didSet {
updateView()
}
}
@IBInspectable var secondColor: UIColor = UIColor.white {
didSet {
updateView()
}
}
@IBInspectable var horizontalGradient: Bool = false {
didSet {
updateView()
}
}
override class var layerClass: AnyClass {
get {
return CAGradientLayer.self
}
}
func updateView() {
let layer = self.layer as! CAGradientLayer
layer.colors = [ firstColor.cgColor, secondColor.cgColor ]
if (horizontalGradient) {
layer.startPoint = CGPoint(x: 0.0, y: 0.5)
layer.endPoint = CGPoint(x: 1.0, y: 0.5)
} else {
layer.startPoint = CGPoint(x: 0, y: 0)
layer.endPoint = CGPoint(x: 0, y: 1)
}
}
// MARK: - Border
@IBInspectable public var borderColor: UIColor = UIColor.clear {
didSet {
layer.borderColor = borderColor.cgColor
}
}
@IBInspectable public var borderWidth: CGFloat = 0 {
didSet {
layer.borderWidth = borderWidth
}
}
@IBInspectable public var cornerRadius: CGFloat = 0 {
didSet {
layer.cornerRadius = cornerRadius
}
}
// MARK: - Shadow
@IBInspectable public var shadowOpacity: CGFloat = 0 {
didSet {
layer.shadowOpacity = Float(shadowOpacity)
}
}
@IBInspectable public var shadowColor: UIColor = UIColor.clear {
didSet {
layer.shadowColor = shadowColor.cgColor
}
}
@IBInspectable public var shadowRadius: CGFloat = 0 {
didSet {
layer.shadowRadius = shadowRadius
}
}
@IBInspectable public var shadowOffsetY: CGFloat = 0 {
didSet {
layer.shadowOffset.height = shadowOffsetY
}
}
}
| mit | 61a2f154a6f8ba55511a6ce700ad3557 | 21.918367 | 68 | 0.540962 | 4.861472 | false | false | false | false |
wireapp/wire-ios | Wire-iOS/Sources/UserInterface/LegalHoldDetails/Sections/SingleViewSectionController.swift | 1 | 2952 | //
// Wire
// Copyright (C) 2019 Wire Swiss GmbH
//
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//
// You should have received a copy of the GNU General Public License
// along with this program. If not, see http://www.gnu.org/licenses/.
//
import Foundation
import UIKit
class CollectionViewCellAdapter: UICollectionViewCell {
override init(frame: CGRect) {
super.init(frame: frame)
}
var wrappedView: UIView? {
didSet {
guard wrappedView != oldValue else { return }
contentView.subviews.forEach({ $0.removeFromSuperview() })
guard let wrappedView = wrappedView else { return }
wrappedView.translatesAutoresizingMaskIntoConstraints = false
contentView.addSubview(wrappedView)
NSLayoutConstraint.activate([
wrappedView.leadingAnchor.constraint(equalTo: contentView.leadingAnchor),
wrappedView.trailingAnchor.constraint(equalTo: contentView.trailingAnchor),
wrappedView.topAnchor.constraint(equalTo: contentView.topAnchor),
wrappedView.bottomAnchor.constraint(equalTo: contentView.bottomAnchor)
])
}
}
@available(*, unavailable)
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
}
class SingleViewSectionController: NSObject, CollectionViewSectionController {
fileprivate var view: UIView
init(view: UIView) {
self.view = view
super.init()
}
func prepareForUse(in collectionView: UICollectionView?) {
collectionView?.register(CollectionViewCellAdapter.self, forCellWithReuseIdentifier: CollectionViewCellAdapter.zm_reuseIdentifier)
}
var isHidden: Bool {
return false
}
func collectionView(_ collectionView: UICollectionView, layout collectionViewLayout: UICollectionViewLayout, sizeForItemAt indexPath: IndexPath) -> CGSize {
view.size(fittingWidth: collectionView.bounds.size.width)
return view.bounds.size
}
func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return 1
}
func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
let cell = collectionView.dequeueReusableCell(ofType: CollectionViewCellAdapter.self, for: indexPath)
cell.wrappedView = view
return cell
}
}
| gpl-3.0 | 196baa5550bb2110f79ffa54359c0f82 | 31.43956 | 160 | 0.701897 | 5.357532 | false | false | false | false |
esttorhe/SlackTeamExplorer | SlackTeamExplorer/Pods/Nimble/Nimble/DSL+Wait.swift | 28 | 1971 | import Foundation
/// Only classes, protocols, methods, properties, and subscript declarations can be
/// bridges to Objective-C via the @objc keyword. This class encapsulates callback-style
/// asynchronous waiting logic so that it may be called from Objective-C and Swift.
@objc internal class NMBWait {
internal class func until(#timeout: NSTimeInterval, file: String = __FILE__, line: UInt = __LINE__, action: (() -> Void) -> Void) -> Void {
var completed = false
var token: dispatch_once_t = 0
let result = pollBlock(pollInterval: 0.01, timeoutInterval: timeout) {
dispatch_once(&token) {
dispatch_async(dispatch_get_main_queue()) {
action() { completed = true }
}
}
return completed
}
if result == PollResult.Failure {
let pluralize = (timeout == 1 ? "" : "s")
fail("Waited more than \(timeout) second\(pluralize)", file: file, line: line)
} else if result == PollResult.Timeout {
fail("Stall on main thread - too much enqueued on main run loop before waitUntil executes.", file: file, line: line)
}
}
internal class func until(file: String = __FILE__, line: UInt = __LINE__, action: (() -> Void) -> Void) -> Void {
until(timeout: 1, file: file, line: line, action: action)
}
}
/// Wait asynchronously until the done closure is called.
///
/// This will advance the run loop.
public func waitUntil(#timeout: NSTimeInterval, file: String = __FILE__, line: UInt = __LINE__, action: (() -> Void) -> Void) -> Void {
NMBWait.until(timeout: timeout, file: file, line: line, action: action)
}
/// Wait asynchronously until the done closure is called.
///
/// This will advance the run loop.
public func waitUntil(file: String = __FILE__, line: UInt = __LINE__, action: (() -> Void) -> Void) -> Void {
NMBWait.until(file: file, line: line, action: action)
} | mit | cd863950b18718444a653771e7f9e040 | 44.860465 | 143 | 0.615424 | 4.193617 | false | false | false | false |
LDlalala/LDZBLiving | LDZBLiving/LDZBLiving/Classes/Main/Main/LDConst.swift | 1 | 289 | //
// LDConst.swift
// LDZBLiving
//
// Created by 李丹 on 17/8/7.
// Copyright © 2017年 LD. All rights reserved.
//
import UIKit
let KScreenW = UIScreen.main.bounds.width
let KScreenH = UIScreen.main.bounds.height
let KNavgationBarH = 64
let KStatusBarH = 20
let KTabBarH = 44
| mit | 0461aa05f6a24c5594b36ac93881e34a | 16.625 | 46 | 0.70922 | 2.968421 | false | false | false | false |
v2panda/DaysofSwift | swift2.3/My-SnapchatMenu/My-SnapchatMenu/ViewController.swift | 1 | 1632 | //
// ViewController.swift
// My-SnapchatMenu
//
// Created by Panda on 16/2/19.
// Copyright © 2016年 v2panda. All rights reserved.
//
import UIKit
class ViewController: UIViewController {
@IBOutlet weak var scrollView: UIScrollView!
override func viewDidLoad() {
super.viewDidLoad()
UIApplication.sharedApplication().statusBarHidden = true
let leftVC = LeftViewController(nibName: "LeftViewController", bundle: nil)
let centerVC = CameraViewController(nibName: "CameraViewController", bundle: nil)
let rightVC = RightViewController(nibName: "RightViewController", bundle: nil)
self.addChildViewController(leftVC)
self.scrollView.addSubview(leftVC.view)
// leftVC.didMoveToParentViewController(self)
self.addChildViewController(centerVC)
self.scrollView.addSubview(centerVC.view)
self.addChildViewController(rightVC)
self.scrollView.addSubview(rightVC.view)
var centerViewFrame: CGRect = centerVC.view.frame
centerViewFrame.origin.x = self.view.frame.width
centerVC.view.frame = centerViewFrame
var rightViewFrame: CGRect = rightVC.view.frame
rightViewFrame.origin.x = 2 * self.view.frame.width
rightVC.view.frame = rightViewFrame
self.scrollView.contentSize = CGSizeMake(self.view.frame.width * 3, self.view.frame.height)
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
}
| mit | 5b53d12f41d6b9781082771f5de8f337 | 30.326923 | 99 | 0.672192 | 4.996933 | false | false | false | false |
daltoniam/SwiftHTTP | Source/Operation.swift | 1 | 21381 | //
// Operation.swift
// SwiftHTTP
//
// Created by Dalton Cherry on 8/2/15.
// Copyright © 2015 vluxe. All rights reserved.
//
import Foundation
enum HTTPOptError: Error {
case invalidRequest
}
/**
This protocol exist to allow easy and customizable swapping of a serializing format within an class methods of HTTP.
*/
public protocol HTTPSerializeProtocol {
/**
implement this protocol to support serializing parameters to the proper HTTP body or URL
-parameter request: The URLRequest object you will modify to add the parameters to
-parameter parameters: The container (array or dictionary) to convert and append to the URL or Body
*/
func serialize(_ request: inout URLRequest, parameters: HTTPParameterProtocol) -> Error?
}
/**
Standard HTTP encoding
*/
public struct HTTPParameterSerializer: HTTPSerializeProtocol {
public init() { }
public func serialize(_ request: inout URLRequest, parameters: HTTPParameterProtocol) -> Error? {
return request.appendParameters(parameters)
}
}
/**
Send the data as a JSON body
*/
public struct JSONParameterSerializer: HTTPSerializeProtocol {
public init() { }
public func serialize(_ request: inout URLRequest, parameters: HTTPParameterProtocol) -> Error? {
return request.appendParametersAsJSON(parameters)
}
}
/**
All the things of an HTTP response
*/
open class Response {
/// The header values in HTTP response.
open var headers: Dictionary<String,String>?
/// The mime type of the HTTP response.
open var mimeType: String?
/// The suggested filename for a downloaded file.
open var suggestedFilename: String?
/// The body data of the HTTP response.
open var data: Data {
return collectData as Data
}
/// The status code of the HTTP response.
open var statusCode: Int?
/// The URL of the HTTP response.
open var URL: Foundation.URL?
/// The Error of the HTTP response (if there was one).
open var error: Error?
///Returns the response as a string
open var text: String? {
return String(data: data, encoding: .utf8)
}
///get the description of the response
open var description: String {
var buffer = ""
if let u = URL {
buffer += "URL:\n\(u)\n\n"
}
if let code = self.statusCode {
buffer += "Status Code:\n\(code)\n\n"
}
if let heads = headers {
buffer += "Headers:\n"
for (key, value) in heads {
buffer += "\(key): \(value)\n"
}
buffer += "\n"
}
if let t = text {
buffer += "Payload:\n\(t)\n"
}
return buffer
}
///private things
///holds the collected data
var collectData = NSMutableData()
///finish closure
var completionHandler:((Response) -> Void)?
//progress closure. Progress is between 0 and 1.
var progressHandler:((Float) -> Void)?
//download closure. the URL is the file URL where the temp file has been download.
//This closure will be called so you can move the file where you desire.
var downloadHandler:((Response, URL) -> Void)?
///This gets called on auth challenges. If nil, default handling is use.
///Returning nil from this method will cause the request to be rejected and cancelled
var auth:((URLAuthenticationChallenge) -> URLCredential?)?
///This is for doing SSL pinning
var security: HTTPSecurity?
}
/**
The class that does the magic. Is a subclass of NSOperation so you can use it with operation queues or just a good ole HTTP request.
*/
open class HTTP {
/**
Get notified with a request finishes.
*/
open var onFinish:((Response) -> Void)? {
didSet {
if let handler = onFinish {
DelegateManager.sharedInstance.addTask(task, completionHandler: { (response: Response) in
handler(response)
})
}
}
}
///This is for handling authenication
open var auth:((URLAuthenticationChallenge) -> URLCredential?)? {
set {
guard let resp = DelegateManager.sharedInstance.responseForTask(task) else { return }
resp.auth = newValue
}
get {
guard let resp = DelegateManager.sharedInstance.responseForTask(task) else { return nil }
return resp.auth
}
}
///This is for doing SSL pinning
open var security: HTTPSecurity? {
set {
guard let resp = DelegateManager.sharedInstance.responseForTask(task) else { return }
resp.security = newValue
}
get {
guard let resp = DelegateManager.sharedInstance.responseForTask(task) else { return nil }
return resp.security
}
}
///This is for monitoring progress
open var progress: ((Float) -> Void)? {
set {
guard let resp = DelegateManager.sharedInstance.responseForTask(task) else { return }
resp.progressHandler = newValue
}
get {
guard let resp = DelegateManager.sharedInstance.responseForTask(task) else { return nil }
return resp.progressHandler
}
}
///This is for handling downloads
open var downloadHandler: ((Response, URL) -> Void)? {
set {
guard let resp = DelegateManager.sharedInstance.responseForTask(task) else { return }
resp.downloadHandler = newValue
}
get {
guard let resp = DelegateManager.sharedInstance.responseForTask(task) else { return nil }
return resp.downloadHandler
}
}
///the actual task
var task: URLSessionTask!
/**
creates a new HTTP request.
*/
public init(_ req: URLRequest, session: URLSession = SharedSession.defaultSession, isDownload: Bool = false) {
if isDownload {
task = session.downloadTask(with: req)
} else {
task = session.dataTask(with: req)
}
DelegateManager.sharedInstance.addResponseForTask(task)
}
/**
start/sends the HTTP task with a completionHandler. Use this when *NOT* using an NSOperationQueue.
*/
open func run(_ completionHandler: ((Response) -> Void)? = nil) {
if let handler = completionHandler {
onFinish = handler
}
task.resume()
}
/**
Cancel the running task
*/
open func cancel() {
task.cancel()
}
/**
Class method to run a GET request that handles the URLRequest and parameter encoding for you.
*/
@discardableResult open class func GET(_ url: String, parameters: HTTPParameterProtocol? = nil, headers: [String:String]? = nil,
requestSerializer: HTTPSerializeProtocol = HTTPParameterSerializer(), completionHandler: ((Response) -> Void)? = nil) -> HTTP? {
return Run(url, method: .GET, parameters: parameters, headers: headers, requestSerializer: requestSerializer, completionHandler: completionHandler)
}
/**
Class method to run a HEAD request that handles the URLRequest and parameter encoding for you.
*/
@discardableResult open class func HEAD(_ url: String, parameters: HTTPParameterProtocol? = nil, headers: [String:String]? = nil, requestSerializer: HTTPSerializeProtocol = HTTPParameterSerializer(), completionHandler: ((Response) -> Void)? = nil) -> HTTP? {
return Run(url, method: .HEAD, parameters: parameters, headers: headers, requestSerializer: requestSerializer, completionHandler: completionHandler)
}
/**
Class method to run a DELETE request that handles the URLRequest and parameter encoding for you.
*/
@discardableResult open class func DELETE(_ url: String, parameters: HTTPParameterProtocol? = nil, headers: [String:String]? = nil, requestSerializer: HTTPSerializeProtocol = HTTPParameterSerializer(), completionHandler: ((Response) -> Void)? = nil) -> HTTP? {
return Run(url, method: .DELETE, parameters: parameters, headers: headers, requestSerializer: requestSerializer, completionHandler: completionHandler)
}
/**
Class method to run a POST request that handles the URLRequest and parameter encoding for you.
*/
@discardableResult open class func POST(_ url: String, parameters: HTTPParameterProtocol? = nil, headers: [String:String]? = nil, requestSerializer: HTTPSerializeProtocol = HTTPParameterSerializer(), completionHandler: ((Response) -> Void)? = nil) -> HTTP? {
return Run(url, method: .POST, parameters: parameters, headers: headers, requestSerializer: requestSerializer, completionHandler: completionHandler)
}
/**
Class method to run a PUT request that handles the URLRequest and parameter encoding for you.
*/
@discardableResult open class func PUT(_ url: String, parameters: HTTPParameterProtocol? = nil, headers: [String:String]? = nil,
requestSerializer: HTTPSerializeProtocol = HTTPParameterSerializer(), completionHandler: ((Response) -> Void)? = nil) -> HTTP? {
return Run(url, method: .PUT, parameters: parameters, headers: headers, requestSerializer: requestSerializer, completionHandler: completionHandler)
}
/**
Class method to run a PUT request that handles the URLRequest and parameter encoding for you.
*/
@discardableResult open class func PATCH(_ url: String, parameters: HTTPParameterProtocol? = nil, headers: [String:String]? = nil, requestSerializer: HTTPSerializeProtocol = HTTPParameterSerializer(), completionHandler: ((Response) -> Void)? = nil) -> HTTP? {
return Run(url, method: .PATCH, parameters: parameters, headers: headers, requestSerializer: requestSerializer, completionHandler: completionHandler)
}
@discardableResult class func Run(_ url: String, method: HTTPVerb, parameters: HTTPParameterProtocol? = nil, headers: [String:String]? = nil, requestSerializer: HTTPSerializeProtocol = HTTPParameterSerializer(), completionHandler: ((Response) -> Void)? = nil) -> HTTP? {
guard let task = HTTP.New(url, method: method, parameters: parameters, headers: headers, requestSerializer: requestSerializer, completionHandler: completionHandler) else {return nil}
task.run()
return task
}
/**
Class method to create a Download request that handles the URLRequest and parameter encoding for you.
*/
open class func Download(_ url: String, parameters: HTTPParameterProtocol? = nil, headers: [String:String]? = nil,
requestSerializer: HTTPSerializeProtocol = HTTPParameterSerializer(), completion:@escaping ((Response, URL) -> Void)) {
guard let task = HTTP.New(url, method: .GET, parameters: parameters, headers: headers, requestSerializer: requestSerializer) else {return}
task.downloadHandler = completion
task.run()
}
/**
Class method to create a HTTP request that handles the URLRequest and parameter encoding for you.
*/
open class func New(_ url: String, method: HTTPVerb, parameters: HTTPParameterProtocol? = nil, headers: [String:String]? = nil, requestSerializer: HTTPSerializeProtocol = HTTPParameterSerializer(), completionHandler: ((Response) -> Void)? = nil) -> HTTP? {
guard var req = URLRequest(urlString: url, headers: headers) else {
guard let handler = completionHandler else { return nil }
let resp = Response()
resp.error = HTTPOptError.invalidRequest
handler(resp)
return nil
}
if let handler = DelegateManager.sharedInstance.requestHandler {
handler(&req)
}
req.verb = method
if let params = parameters {
if let error = requestSerializer.serialize(&req, parameters: params) {
guard let handler = completionHandler else { return nil }
let resp = Response()
resp.error = error
handler(resp)
return nil
}
}
let httpReq = HTTP(req)
httpReq.onFinish = completionHandler
return httpReq
}
/**
Set the global auth handler
*/
open class func globalAuth(_ handler: ((URLAuthenticationChallenge) -> URLCredential?)?) {
DelegateManager.sharedInstance.auth = handler
}
/**
Set the global security handler
*/
open class func globalSecurity(_ security: HTTPSecurity?) {
DelegateManager.sharedInstance.security = security
}
/**
Set the global request handler
*/
open class func globalRequest(_ handler: ((inout URLRequest) -> Void)?) {
DelegateManager.sharedInstance.requestHandler = handler
}
}
extension HTTP {
static func == (left: HTTP, right: HTTP) -> Bool {
return left.task.taskIdentifier == right.task.taskIdentifier
}
static func != (left: HTTP, right: HTTP) -> Bool {
return !(left == right)
}
}
/**
Absorb all the delegates methods of NSURLSession and forwards them to pretty closures.
This is basically the sin eater for NSURLSession.
*/
public class DelegateManager: NSObject, URLSessionDataDelegate, URLSessionDownloadDelegate {
//the singleton to handle delegate needs of NSURLSession
static let sharedInstance = DelegateManager()
/// this is for global authenication handling
var auth:((URLAuthenticationChallenge) -> URLCredential?)?
///This is for global SSL pinning
var security: HTTPSecurity?
/// this is for global request handling
var requestHandler:((inout URLRequest) -> Void)?
var taskMap = Dictionary<Int,Response>()
//"install" a task by adding the task to the map and setting the completion handler
func addTask(_ task: URLSessionTask, completionHandler:@escaping ((Response) -> Void)) {
addResponseForTask(task)
if let resp = responseForTask(task) {
resp.completionHandler = completionHandler
}
}
//"remove" a task by removing the task from the map
func removeTask(_ task: URLSessionTask) {
taskMap.removeValue(forKey: task.taskIdentifier)
}
//add the response task
func addResponseForTask(_ task: URLSessionTask) {
if taskMap[task.taskIdentifier] == nil {
taskMap[task.taskIdentifier] = Response()
}
}
//get the response object for the task
func responseForTask(_ task: URLSessionTask) -> Response? {
return taskMap[task.taskIdentifier]
}
//handle getting data
public func urlSession(_ session: URLSession, dataTask: URLSessionDataTask, didReceive data: Data) {
addResponseForTask(dataTask)
guard let resp = responseForTask(dataTask) else { return }
resp.collectData.append(data)
if resp.progressHandler != nil { //don't want the extra cycles for no reason
guard let taskResp = dataTask.response else { return }
progressHandler(resp, expectedLength: taskResp.expectedContentLength, currentLength: Int64(resp.collectData.length))
}
}
//handle task finishing
public func urlSession(_ session: URLSession, task: URLSessionTask, didCompleteWithError error: Error?) {
guard let resp = responseForTask(task) else { return }
resp.error = error as NSError?
if let hresponse = task.response as? HTTPURLResponse {
resp.headers = hresponse.allHeaderFields as? Dictionary<String,String>
resp.mimeType = hresponse.mimeType
resp.suggestedFilename = hresponse.suggestedFilename
resp.statusCode = hresponse.statusCode
resp.URL = hresponse.url
}
if let code = resp.statusCode, code > 299 {
resp.error = createError(code)
}
if let handler = resp.completionHandler {
handler(resp)
}
removeTask(task)
}
//handle authenication
public func urlSession(_ session: URLSession, task: URLSessionTask, didReceive challenge: URLAuthenticationChallenge, completionHandler: @escaping (URLSession.AuthChallengeDisposition, URLCredential?) -> Void) {
var sec = security
var au = auth
if let resp = responseForTask(task) {
if let s = resp.security {
sec = s
}
if let a = resp.auth {
au = a
}
}
if let sec = sec , challenge.protectionSpace.authenticationMethod == NSURLAuthenticationMethodServerTrust {
let space = challenge.protectionSpace
if let trust = space.serverTrust {
if sec.isValid(trust, domain: space.host) {
completionHandler(.useCredential, URLCredential(trust: trust))
return
}
}
completionHandler(.cancelAuthenticationChallenge, nil)
return
} else if let a = au {
let cred = a(challenge)
if let c = cred {
completionHandler(.useCredential, c)
return
}
completionHandler(.rejectProtectionSpace, nil)
return
}
completionHandler(.performDefaultHandling, nil)
}
//upload progress
public func urlSession(_ session: URLSession, task: URLSessionTask, didSendBodyData bytesSent: Int64, totalBytesSent: Int64, totalBytesExpectedToSend: Int64) {
guard let resp = responseForTask(task) else { return }
progressHandler(resp, expectedLength: totalBytesExpectedToSend, currentLength: totalBytesSent)
}
//download progress
public func urlSession(_ session: Foundation.URLSession, downloadTask: URLSessionDownloadTask, didWriteData bytesWritten: Int64, totalBytesWritten: Int64, totalBytesExpectedToWrite: Int64) {
guard let resp = responseForTask(downloadTask) else { return }
progressHandler(resp, expectedLength: totalBytesExpectedToWrite, currentLength: totalBytesWritten)
}
//handle download task
public func urlSession(_ session: URLSession, downloadTask: URLSessionDownloadTask, didFinishDownloadingTo location: URL) {
guard let resp = responseForTask(downloadTask) else { return }
guard let handler = resp.downloadHandler else { return }
handler(resp, location)
}
//handle progress
public func progressHandler(_ response: Response, expectedLength: Int64, currentLength: Int64) {
guard let handler = response.progressHandler else { return }
let slice = Float(1.0)/Float(expectedLength)
handler(slice*Float(currentLength))
}
/**
Create an error for response you probably don't want (400-500 HTTP responses for example).
-parameter code: Code for error.
-returns An NSError.
*/
fileprivate func createError(_ code: Int) -> NSError {
let text = HTTPStatusCode(statusCode: code).statusDescription
return NSError(domain: "HTTP", code: code, userInfo: [NSLocalizedDescriptionKey: text])
}
}
/**
Handles providing singletons of NSURLSession.
*/
public class SharedSession {
public static let defaultSession = URLSession(configuration: URLSessionConfiguration.default,
delegate: DelegateManager.sharedInstance, delegateQueue: nil)
static let ephemeralSession = URLSession(configuration: URLSessionConfiguration.ephemeral,
delegate: DelegateManager.sharedInstance, delegateQueue: nil)
}
/**
Bare bones queue to manage HTTP Requests
*/
open class HTTPQueue {
public var maxSimultaneousRequest = 5
var queue = [HTTP]()
let mutex = NSLock()
var activeReq = [Int: HTTP]()
var finishedHandler: (() -> Void)?
public init(maxSimultaneousRequest: Int) {
self.maxSimultaneousRequest = maxSimultaneousRequest
}
open func add(request: URLRequest) {
add(http: HTTP(request))
}
open func add(http: HTTP) {
var doWork = false
mutex.lock()
queue.append(http)
if activeReq.count < maxSimultaneousRequest {
doWork = true
}
mutex.unlock()
if doWork {
run()
}
}
open func finished(queue: DispatchQueue = DispatchQueue.main, completionHandler: @escaping (() -> Void)) {
finishedHandler = completionHandler
}
func run() {
guard let http = nextItem() else {
mutex.lock()
let count = activeReq.count
mutex.unlock()
if count == 0 {
finishedHandler?()
}
return
}
let handler = http.onFinish
http.run {[weak self] (response) in
handler?(response)
self?.mutex.lock()
self?.activeReq.removeValue(forKey: http.task.taskIdentifier)
self?.mutex.unlock()
self?.run()
}
}
func nextItem() -> HTTP? {
mutex.lock()
if queue.count == 0 {
mutex.unlock()
return nil
}
let next = queue.removeFirst()
activeReq[next.task.taskIdentifier] = next
mutex.unlock()
return next
}
}
| apache-2.0 | 58b8b94328df9bf834089bd50974e774 | 37.453237 | 275 | 0.643545 | 5.184287 | false | false | false | false |
clappr/clappr-ios | Sources/Clappr/Classes/Log/Logger.swift | 1 | 1170 | import Foundation
open class Logger: NSObject {
fileprivate static var logLevel = LogLevel.info
open class func setLevel(_ level: LogLevel) {
logLevel = level
}
fileprivate class func log(_ level: LogLevel, message: String) {
if level.rawValue <= logLevel.rawValue {
print("\(level.description()) \(message)")
}
}
fileprivate class func log(_ level: LogLevel, scope: String?, message: String) {
if let scope = scope {
log(level, message: "[\(scope)] \(message)")
} else {
log(level, message: message)
}
}
@objc open class func logError(_ message: String, scope: String? = nil) {
log(.error, scope: scope, message: message)
}
@objc open class func logWarn(_ message: String, scope: String? = nil) {
log(.warning, scope: scope, message: message)
}
@objc open class func logInfo(_ message: String, scope: String? = nil) {
log(.info, scope: scope, message: message)
}
@objc open class func logDebug(_ message: String, scope: String? = nil) {
log(.debug, scope: scope, message: message)
}
}
| bsd-3-clause | 1750cda089ecbf6a0885c1527ae888e1 | 29 | 84 | 0.595726 | 4.254545 | false | false | false | false |
306244907/Weibo | JLSina/JLSina/Classes/Tools(工具)/UI框架/Emoticon/Model/CZEmoticonPackage.swift | 1 | 2465 | //
// CZEmoticonPackage.swift
// 表情包数据
//
// Created by 盘赢 on 2017/12/7.
// Copyright © 2017年 盘赢. All rights reserved.
//
import UIKit
import YYModel
//表情包模型
@objcMembers
class CZEmoticonPackage: NSObject {
//表情包分组名
var groupName: String?
//背景图片名称
var bgImageName: String?
//表情包目录,从目录下加载info.plist可以创建表情模型数组
var directory: String? {
didSet {
//当设置目录时,从目录下加载info.plist
guard let directory = directory ,
let path = Bundle.main.path(forResource: "HMEmoticon.bundle", ofType: nil) ,
let bundle = Bundle(path: path) ,
let infoPath = bundle.path(forResource: "info.plist", ofType: nil, inDirectory: directory) ,
let array = NSArray(contentsOfFile: infoPath) as? [[String : String]] ,
let models = NSArray.yy_modelArray(with: CZEmoticon.self, json: array) as? [CZEmoticon] else {
return
}
//遍历models数组,设置每一个表情符号的目录
for m in models {
m.directory = directory
}
//设置表情模型数组
emoticons += models
}
}
//懒加载的表情模型的空数组
//使用懒加载可以避免后续解包
lazy var emoticons = [CZEmoticon]()
///表情页面数量
var numberOfPages: Int {
return (emoticons.count - 1) / 20 + 1
}
///从懒加载的表情包中,按照page截取最多20个表情模型的数组
//例如有25个模型
///例如:page == 0,返回0~20个
///page == 1,返回20~25个模型
func emoticon(page: Int) -> [CZEmoticon] {
//每页的数量
let count = 20
let location = page * count
var length = count
//判断数组是否越界
if location + length > emoticons.count {
length = emoticons.count - location
}
let range = NSRange(location: location, length: length)
//截取数组的子数组
let subArray = (emoticons as NSArray).subarray(with: range)
return subArray as! [CZEmoticon]
}
override var description: String {
return yy_modelDescription()
}
}
| mit | 15794ac4cacb72d6f9c5b730a69643f7 | 24 | 112 | 0.541905 | 4.142012 | false | false | false | false |
NghiaTranUIT/Unofficial-Uber-macOS | UberGo/UberGo/UberAlertView.swift | 1 | 1593 | //
// UberAlertView.swift
// UberGo
//
// Created by Nghia Tran on 7/27/17.
// Copyright © 2017 Nghia Tran. All rights reserved.
//
import Cocoa
class UberAlertView: NSView {
// MARK: - OUTLET
@IBOutlet fileprivate var errorTitle: NSTextField!
// MARK: - Variable
fileprivate var isShow = false
// MARK: - Public
public func showError(_ error: NSError, view: NSView) {
let title = error.userInfo["message"] as? String ?? error.description
errorTitle.stringValue = title
// Animate
addSubViewIfNeed(view)
fadeInAnimation()
}
}
// MARK: - Animation
extension UberAlertView {
fileprivate func addSubViewIfNeed(_ view: NSView) {
guard self.superview == nil else { return }
translatesAutoresizingMaskIntoConstraints = false
view.addSubview(self)
// Constraints
top(to: view)
left(to: view)
right(to: view)
height(36)
}
fileprivate func fadeInAnimation() {
self.alphaValue = 0
NSAnimationContext.defaultAnimate({ _ in
self.alphaValue = 1
}) {
self.fadeOutAnimation()
}
}
fileprivate func fadeOutAnimation() {
DispatchQueue.main.asyncAfter(wallDeadline: .now() + 5.0) {
NSAnimationContext.defaultAnimate({ _ in
self.alphaValue = 0
}) {
self.removeFromSuperview()
}
}
}
}
// MARK: - XIBInitializable
extension UberAlertView: XIBInitializable {
typealias XibType = UberAlertView
}
| mit | 77c5562eb83ef7b09e4852522ed3b516 | 21.111111 | 77 | 0.59799 | 4.752239 | false | false | false | false |
ahoppen/swift | stdlib/public/core/FloatingPoint.swift | 5 | 79312 | //===--- FloatingPoint.swift ----------------------------------*- swift -*-===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2018 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
/// A floating-point numeric type.
///
/// Floating-point types are used to represent fractional numbers, like 5.5,
/// 100.0, or 3.14159274. Each floating-point type has its own possible range
/// and precision. The floating-point types in the standard library are
/// `Float`, `Double`, and `Float80` where available.
///
/// Create new instances of floating-point types using integer or
/// floating-point literals. For example:
///
/// let temperature = 33.2
/// let recordHigh = 37.5
///
/// The `FloatingPoint` protocol declares common arithmetic operations, so you
/// can write functions and algorithms that work on any floating-point type.
/// The following example declares a function that calculates the length of
/// the hypotenuse of a right triangle given its two perpendicular sides.
/// Because the `hypotenuse(_:_:)` function uses a generic parameter
/// constrained to the `FloatingPoint` protocol, you can call it using any
/// floating-point type.
///
/// func hypotenuse<T: FloatingPoint>(_ a: T, _ b: T) -> T {
/// return (a * a + b * b).squareRoot()
/// }
///
/// let (dx, dy) = (3.0, 4.0)
/// let distance = hypotenuse(dx, dy)
/// // distance == 5.0
///
/// Floating-point values are represented as a *sign* and a *magnitude*, where
/// the magnitude is calculated using the type's *radix* and the instance's
/// *significand* and *exponent*. This magnitude calculation takes the
/// following form for a floating-point value `x` of type `F`, where `**` is
/// exponentiation:
///
/// x.significand * F.radix ** x.exponent
///
/// Here's an example of the number -8.5 represented as an instance of the
/// `Double` type, which defines a radix of 2.
///
/// let y = -8.5
/// // y.sign == .minus
/// // y.significand == 1.0625
/// // y.exponent == 3
///
/// let magnitude = 1.0625 * Double(2 ** 3)
/// // magnitude == 8.5
///
/// Types that conform to the `FloatingPoint` protocol provide most basic
/// (clause 5) operations of the [IEEE 754 specification][spec]. The base,
/// precision, and exponent range are not fixed in any way by this protocol,
/// but it enforces the basic requirements of any IEEE 754 floating-point
/// type.
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// Additional Considerations
/// =========================
///
/// In addition to representing specific numbers, floating-point types also
/// have special values for working with overflow and nonnumeric results of
/// calculation.
///
/// Infinity
/// --------
///
/// Any value whose magnitude is so great that it would round to a value
/// outside the range of representable numbers is rounded to *infinity*. For a
/// type `F`, positive and negative infinity are represented as `F.infinity`
/// and `-F.infinity`, respectively. Positive infinity compares greater than
/// every finite value and negative infinity, while negative infinity compares
/// less than every finite value and positive infinity. Infinite values with
/// the same sign are equal to each other.
///
/// let values: [Double] = [10.0, 25.0, -10.0, .infinity, -.infinity]
/// print(values.sorted())
/// // Prints "[-inf, -10.0, 10.0, 25.0, inf]"
///
/// Operations with infinite values follow real arithmetic as much as possible:
/// Adding or subtracting a finite value, or multiplying or dividing infinity
/// by a nonzero finite value, results in infinity.
///
/// NaN ("not a number")
/// --------------------
///
/// Floating-point types represent values that are neither finite numbers nor
/// infinity as NaN, an abbreviation for "not a number." Comparing a NaN with
/// any value, including another NaN, results in `false`.
///
/// let myNaN = Double.nan
/// print(myNaN > 0)
/// // Prints "false"
/// print(myNaN < 0)
/// // Prints "false"
/// print(myNaN == .nan)
/// // Prints "false"
///
/// Because testing whether one NaN is equal to another NaN results in `false`,
/// use the `isNaN` property to test whether a value is NaN.
///
/// print(myNaN.isNaN)
/// // Prints "true"
///
/// NaN propagates through many arithmetic operations. When you are operating
/// on many values, this behavior is valuable because operations on NaN simply
/// forward the value and don't cause runtime errors. The following example
/// shows how NaN values operate in different contexts.
///
/// Imagine you have a set of temperature data for which you need to report
/// some general statistics: the total number of observations, the number of
/// valid observations, and the average temperature. First, a set of
/// observations in Celsius is parsed from strings to `Double` values:
///
/// let temperatureData = ["21.5", "19.25", "27", "no data", "28.25", "no data", "23"]
/// let tempsCelsius = temperatureData.map { Double($0) ?? .nan }
/// print(tempsCelsius)
/// // Prints "[21.5, 19.25, 27, nan, 28.25, nan, 23.0]"
///
///
/// Note that some elements in the `temperatureData ` array are not valid
/// numbers. When these invalid strings are parsed by the `Double` failable
/// initializer, the example uses the nil-coalescing operator (`??`) to
/// provide NaN as a fallback value.
///
/// Next, the observations in Celsius are converted to Fahrenheit:
///
/// let tempsFahrenheit = tempsCelsius.map { $0 * 1.8 + 32 }
/// print(tempsFahrenheit)
/// // Prints "[70.7, 66.65, 80.6, nan, 82.85, nan, 73.4]"
///
/// The NaN values in the `tempsCelsius` array are propagated through the
/// conversion and remain NaN in `tempsFahrenheit`.
///
/// Because calculating the average of the observations involves combining
/// every value of the `tempsFahrenheit` array, any NaN values cause the
/// result to also be NaN, as seen in this example:
///
/// let badAverage = tempsFahrenheit.reduce(0.0, +) / Double(tempsFahrenheit.count)
/// // badAverage.isNaN == true
///
/// Instead, when you need an operation to have a specific numeric result,
/// filter out any NaN values using the `isNaN` property.
///
/// let validTemps = tempsFahrenheit.filter { !$0.isNaN }
/// let average = validTemps.reduce(0.0, +) / Double(validTemps.count)
///
/// Finally, report the average temperature and observation counts:
///
/// print("Average: \(average)°F in \(validTemps.count) " +
/// "out of \(tempsFahrenheit.count) observations.")
/// // Prints "Average: 74.84°F in 5 out of 7 observations."
public protocol FloatingPoint: SignedNumeric, Strideable, Hashable
where Magnitude == Self {
/// A type that can represent any written exponent.
associatedtype Exponent: SignedInteger
/// Creates a new value from the given sign, exponent, and significand.
///
/// The following example uses this initializer to create a new `Double`
/// instance. `Double` is a binary floating-point type that has a radix of
/// `2`.
///
/// let x = Double(sign: .plus, exponent: -2, significand: 1.5)
/// // x == 0.375
///
/// This initializer is equivalent to the following calculation, where `**`
/// is exponentiation, computed as if by a single, correctly rounded,
/// floating-point operation:
///
/// let sign: FloatingPointSign = .plus
/// let exponent = -2
/// let significand = 1.5
/// let y = (sign == .minus ? -1 : 1) * significand * Double.radix ** exponent
/// // y == 0.375
///
/// As with any basic operation, if this value is outside the representable
/// range of the type, overflow or underflow occurs, and zero, a subnormal
/// value, or infinity may result. In addition, there are two other edge
/// cases:
///
/// - If the value you pass to `significand` is zero or infinite, the result
/// is zero or infinite, regardless of the value of `exponent`.
/// - If the value you pass to `significand` is NaN, the result is NaN.
///
/// For any floating-point value `x` of type `F`, the result of the following
/// is equal to `x`, with the distinction that the result is canonicalized
/// if `x` is in a noncanonical encoding:
///
/// let x0 = F(sign: x.sign, exponent: x.exponent, significand: x.significand)
///
/// This initializer implements the `scaleB` operation defined by the [IEEE
/// 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameters:
/// - sign: The sign to use for the new value.
/// - exponent: The new value's exponent.
/// - significand: The new value's significand.
init(sign: FloatingPointSign, exponent: Exponent, significand: Self)
/// Creates a new floating-point value using the sign of one value and the
/// magnitude of another.
///
/// The following example uses this initializer to create a new `Double`
/// instance with the sign of `a` and the magnitude of `b`:
///
/// let a = -21.5
/// let b = 305.15
/// let c = Double(signOf: a, magnitudeOf: b)
/// print(c)
/// // Prints "-305.15"
///
/// This initializer implements the IEEE 754 `copysign` operation.
///
/// - Parameters:
/// - signOf: A value from which to use the sign. The result of the
/// initializer has the same sign as `signOf`.
/// - magnitudeOf: A value from which to use the magnitude. The result of
/// the initializer has the same magnitude as `magnitudeOf`.
init(signOf: Self, magnitudeOf: Self)
/// Creates a new value, rounded to the closest possible representation.
///
/// If two representable values are equally close, the result is the value
/// with more trailing zeros in its significand bit pattern.
///
/// - Parameter value: The integer to convert to a floating-point value.
init(_ value: Int)
/// Creates a new value, rounded to the closest possible representation.
///
/// If two representable values are equally close, the result is the value
/// with more trailing zeros in its significand bit pattern.
///
/// - Parameter value: The integer to convert to a floating-point value.
init<Source: BinaryInteger>(_ value: Source)
/// Creates a new value, if the given integer can be represented exactly.
///
/// If the given integer cannot be represented exactly, the result is `nil`.
///
/// - Parameter value: The integer to convert to a floating-point value.
init?<Source: BinaryInteger>(exactly value: Source)
/// The radix, or base of exponentiation, for a floating-point type.
///
/// The magnitude of a floating-point value `x` of type `F` can be calculated
/// by using the following formula, where `**` is exponentiation:
///
/// x.significand * (F.radix ** x.exponent)
///
/// A conforming type may use any integer radix, but values other than 2 (for
/// binary floating-point types) or 10 (for decimal floating-point types)
/// are extraordinarily rare in practice.
static var radix: Int { get }
/// A quiet NaN ("not a number").
///
/// A NaN compares not equal, not greater than, and not less than every
/// value, including itself. Passing a NaN to an operation generally results
/// in NaN.
///
/// let x = 1.21
/// // x > Double.nan == false
/// // x < Double.nan == false
/// // x == Double.nan == false
///
/// Because a NaN always compares not equal to itself, to test whether a
/// floating-point value is NaN, use its `isNaN` property instead of the
/// equal-to operator (`==`). In the following example, `y` is NaN.
///
/// let y = x + Double.nan
/// print(y == Double.nan)
/// // Prints "false"
/// print(y.isNaN)
/// // Prints "true"
static var nan: Self { get }
/// A signaling NaN ("not a number").
///
/// The default IEEE 754 behavior of operations involving a signaling NaN is
/// to raise the Invalid flag in the floating-point environment and return a
/// quiet NaN.
///
/// Operations on types conforming to the `FloatingPoint` protocol should
/// support this behavior, but they might also support other options. For
/// example, it would be reasonable to implement alternative operations in
/// which operating on a signaling NaN triggers a runtime error or results
/// in a diagnostic for debugging purposes. Types that implement alternative
/// behaviors for a signaling NaN must document the departure.
///
/// Other than these signaling operations, a signaling NaN behaves in the
/// same manner as a quiet NaN.
static var signalingNaN: Self { get }
/// Positive infinity.
///
/// Infinity compares greater than all finite numbers and equal to other
/// infinite values.
///
/// let x = Double.greatestFiniteMagnitude
/// let y = x * 2
/// // y == Double.infinity
/// // y > x
static var infinity: Self { get }
/// The greatest finite number representable by this type.
///
/// This value compares greater than or equal to all finite numbers, but less
/// than `infinity`.
///
/// This value corresponds to type-specific C macros such as `FLT_MAX` and
/// `DBL_MAX`. The naming of those macros is slightly misleading, because
/// `infinity` is greater than this value.
static var greatestFiniteMagnitude: Self { get }
/// The [mathematical constant π][wiki], approximately equal to 3.14159.
///
/// When measuring an angle in radians, π is equivalent to a half-turn.
///
/// This value is rounded toward zero to keep user computations with angles
/// from inadvertently ending up in the wrong quadrant. A type that conforms
/// to the `FloatingPoint` protocol provides the value for `pi` at its best
/// possible precision.
///
/// print(Double.pi)
/// // Prints "3.14159265358979"
///
/// [wiki]: https://en.wikipedia.org/wiki/Pi
static var pi: Self { get }
// NOTE: Rationale for "ulp" instead of "epsilon":
// We do not use that name because it is ambiguous at best and misleading
// at worst:
//
// - Historically several definitions of "machine epsilon" have commonly
// been used, which differ by up to a factor of two or so. By contrast
// "ulp" is a term with a specific unambiguous definition.
//
// - Some languages have used "epsilon" to refer to wildly different values,
// such as `leastNonzeroMagnitude`.
//
// - Inexperienced users often believe that "epsilon" should be used as a
// tolerance for floating-point comparisons, because of the name. It is
// nearly always the wrong value to use for this purpose.
/// The unit in the last place of this value.
///
/// This is the unit of the least significant digit in this value's
/// significand. For most numbers `x`, this is the difference between `x`
/// and the next greater (in magnitude) representable number. There are some
/// edge cases to be aware of:
///
/// - If `x` is not a finite number, then `x.ulp` is NaN.
/// - If `x` is very small in magnitude, then `x.ulp` may be a subnormal
/// number. If a type does not support subnormals, `x.ulp` may be rounded
/// to zero.
/// - `greatestFiniteMagnitude.ulp` is a finite number, even though the next
/// greater representable value is `infinity`.
///
/// See also the `ulpOfOne` static property.
var ulp: Self { get }
/// The unit in the last place of 1.0.
///
/// The positive difference between 1.0 and the next greater representable
/// number. `ulpOfOne` corresponds to the value represented by the C macros
/// `FLT_EPSILON`, `DBL_EPSILON`, etc, and is sometimes called *epsilon* or
/// *machine epsilon*. Swift deliberately avoids using the term "epsilon"
/// because:
///
/// - Historically "epsilon" has been used to refer to several different
/// concepts in different languages, leading to confusion and bugs.
///
/// - The name "epsilon" suggests that this quantity is a good tolerance to
/// choose for approximate comparisons, but it is almost always unsuitable
/// for that purpose.
///
/// See also the `ulp` member property.
static var ulpOfOne: Self { get }
/// The least positive normal number.
///
/// This value compares less than or equal to all positive normal numbers.
/// There may be smaller positive numbers, but they are *subnormal*, meaning
/// that they are represented with less precision than normal numbers.
///
/// This value corresponds to type-specific C macros such as `FLT_MIN` and
/// `DBL_MIN`. The naming of those macros is slightly misleading, because
/// subnormals, zeros, and negative numbers are smaller than this value.
static var leastNormalMagnitude: Self { get }
/// The least positive number.
///
/// This value compares less than or equal to all positive numbers, but
/// greater than zero. If the type supports subnormal values,
/// `leastNonzeroMagnitude` is smaller than `leastNormalMagnitude`;
/// otherwise they are equal.
static var leastNonzeroMagnitude: Self { get }
/// The sign of the floating-point value.
///
/// The `sign` property is `.minus` if the value's signbit is set, and
/// `.plus` otherwise. For example:
///
/// let x = -33.375
/// // x.sign == .minus
///
/// Don't use this property to check whether a floating point value is
/// negative. For a value `x`, the comparison `x.sign == .minus` is not
/// necessarily the same as `x < 0`. In particular, `x.sign == .minus` if
/// `x` is -0, and while `x < 0` is always `false` if `x` is NaN, `x.sign`
/// could be either `.plus` or `.minus`.
var sign: FloatingPointSign { get }
/// The exponent of the floating-point value.
///
/// The *exponent* of a floating-point value is the integer part of the
/// logarithm of the value's magnitude. For a value `x` of a floating-point
/// type `F`, the magnitude can be calculated as the following, where `**`
/// is exponentiation:
///
/// let magnitude = x.significand * F.radix ** x.exponent
///
/// In the next example, `y` has a value of `21.5`, which is encoded as
/// `1.34375 * 2 ** 4`. The significand of `y` is therefore 1.34375.
///
/// let y: Double = 21.5
/// // y.significand == 1.34375
/// // y.exponent == 4
/// // Double.radix == 2
///
/// The `exponent` property has the following edge cases:
///
/// - If `x` is zero, then `x.exponent` is `Int.min`.
/// - If `x` is +/-infinity or NaN, then `x.exponent` is `Int.max`
///
/// This property implements the `logB` operation defined by the [IEEE 754
/// specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
var exponent: Exponent { get }
/// The significand of the floating-point value.
///
/// The magnitude of a floating-point value `x` of type `F` can be calculated
/// by using the following formula, where `**` is exponentiation:
///
/// let magnitude = x.significand * F.radix ** x.exponent
///
/// In the next example, `y` has a value of `21.5`, which is encoded as
/// `1.34375 * 2 ** 4`. The significand of `y` is therefore 1.34375.
///
/// let y: Double = 21.5
/// // y.significand == 1.34375
/// // y.exponent == 4
/// // Double.radix == 2
///
/// If a type's radix is 2, then for finite nonzero numbers, the significand
/// is in the range `1.0 ..< 2.0`. For other values of `x`, `x.significand`
/// is defined as follows:
///
/// - If `x` is zero, then `x.significand` is 0.0.
/// - If `x` is infinite, then `x.significand` is infinity.
/// - If `x` is NaN, then `x.significand` is NaN.
/// - Note: The significand is frequently also called the *mantissa*, but
/// significand is the preferred terminology in the [IEEE 754
/// specification][spec], to allay confusion with the use of mantissa for
/// the fractional part of a logarithm.
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
var significand: Self { get }
/// Adds two values and produces their sum, rounded to a
/// representable value.
///
/// The addition operator (`+`) calculates the sum of its two arguments. For
/// example:
///
/// let x = 1.5
/// let y = x + 2.25
/// // y == 3.75
///
/// The `+` operator implements the addition operation defined by the
/// [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameters:
/// - lhs: The first value to add.
/// - rhs: The second value to add.
override static func +(lhs: Self, rhs: Self) -> Self
/// Adds two values and stores the result in the left-hand-side variable,
/// rounded to a representable value.
///
/// - Parameters:
/// - lhs: The first value to add.
/// - rhs: The second value to add.
override static func +=(lhs: inout Self, rhs: Self)
/// Calculates the additive inverse of a value.
///
/// The unary minus operator (prefix `-`) calculates the negation of its
/// operand. The result is always exact.
///
/// let x = 21.5
/// let y = -x
/// // y == -21.5
///
/// - Parameter operand: The value to negate.
override static prefix func - (_ operand: Self) -> Self
/// Replaces this value with its additive inverse.
///
/// The result is always exact. This example uses the `negate()` method to
/// negate the value of the variable `x`:
///
/// var x = 21.5
/// x.negate()
/// // x == -21.5
override mutating func negate()
/// Subtracts one value from another and produces their difference, rounded
/// to a representable value.
///
/// The subtraction operator (`-`) calculates the difference of its two
/// arguments. For example:
///
/// let x = 7.5
/// let y = x - 2.25
/// // y == 5.25
///
/// The `-` operator implements the subtraction operation defined by the
/// [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameters:
/// - lhs: A numeric value.
/// - rhs: The value to subtract from `lhs`.
override static func -(lhs: Self, rhs: Self) -> Self
/// Subtracts the second value from the first and stores the difference in
/// the left-hand-side variable, rounding to a representable value.
///
/// - Parameters:
/// - lhs: A numeric value.
/// - rhs: The value to subtract from `lhs`.
override static func -=(lhs: inout Self, rhs: Self)
/// Multiplies two values and produces their product, rounding to a
/// representable value.
///
/// The multiplication operator (`*`) calculates the product of its two
/// arguments. For example:
///
/// let x = 7.5
/// let y = x * 2.25
/// // y == 16.875
///
/// The `*` operator implements the multiplication operation defined by the
/// [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameters:
/// - lhs: The first value to multiply.
/// - rhs: The second value to multiply.
override static func *(lhs: Self, rhs: Self) -> Self
/// Multiplies two values and stores the result in the left-hand-side
/// variable, rounding to a representable value.
///
/// - Parameters:
/// - lhs: The first value to multiply.
/// - rhs: The second value to multiply.
override static func *=(lhs: inout Self, rhs: Self)
/// Returns the quotient of dividing the first value by the second, rounded
/// to a representable value.
///
/// The division operator (`/`) calculates the quotient of the division if
/// `rhs` is nonzero. If `rhs` is zero, the result of the division is
/// infinity, with the sign of the result matching the sign of `lhs`.
///
/// let x = 16.875
/// let y = x / 2.25
/// // y == 7.5
///
/// let z = x / 0
/// // z.isInfinite == true
///
/// The `/` operator implements the division operation defined by the [IEEE
/// 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameters:
/// - lhs: The value to divide.
/// - rhs: The value to divide `lhs` by.
static func /(lhs: Self, rhs: Self) -> Self
/// Divides the first value by the second and stores the quotient in the
/// left-hand-side variable, rounding to a representable value.
///
/// - Parameters:
/// - lhs: The value to divide.
/// - rhs: The value to divide `lhs` by.
static func /=(lhs: inout Self, rhs: Self)
/// Returns the remainder of this value divided by the given value.
///
/// For two finite values `x` and `y`, the remainder `r` of dividing `x` by
/// `y` satisfies `x == y * q + r`, where `q` is the integer nearest to
/// `x / y`. If `x / y` is exactly halfway between two integers, `q` is
/// chosen to be even. Note that `q` is *not* `x / y` computed in
/// floating-point arithmetic, and that `q` may not be representable in any
/// available integer type.
///
/// The following example calculates the remainder of dividing 8.625 by 0.75:
///
/// let x = 8.625
/// print(x / 0.75)
/// // Prints "11.5"
///
/// let q = (x / 0.75).rounded(.toNearestOrEven)
/// // q == 12.0
/// let r = x.remainder(dividingBy: 0.75)
/// // r == -0.375
///
/// let x1 = 0.75 * q + r
/// // x1 == 8.625
///
/// If this value and `other` are finite numbers, the remainder is in the
/// closed range `-abs(other / 2)...abs(other / 2)`. The
/// `remainder(dividingBy:)` method is always exact. This method implements
/// the remainder operation defined by the [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameter other: The value to use when dividing this value.
/// - Returns: The remainder of this value divided by `other`.
func remainder(dividingBy other: Self) -> Self
/// Replaces this value with the remainder of itself divided by the given
/// value.
///
/// For two finite values `x` and `y`, the remainder `r` of dividing `x` by
/// `y` satisfies `x == y * q + r`, where `q` is the integer nearest to
/// `x / y`. If `x / y` is exactly halfway between two integers, `q` is
/// chosen to be even. Note that `q` is *not* `x / y` computed in
/// floating-point arithmetic, and that `q` may not be representable in any
/// available integer type.
///
/// The following example calculates the remainder of dividing 8.625 by 0.75:
///
/// var x = 8.625
/// print(x / 0.75)
/// // Prints "11.5"
///
/// let q = (x / 0.75).rounded(.toNearestOrEven)
/// // q == 12.0
/// x.formRemainder(dividingBy: 0.75)
/// // x == -0.375
///
/// let x1 = 0.75 * q + x
/// // x1 == 8.625
///
/// If this value and `other` are finite numbers, the remainder is in the
/// closed range `-abs(other / 2)...abs(other / 2)`. The
/// `formRemainder(dividingBy:)` method is always exact.
///
/// - Parameter other: The value to use when dividing this value.
mutating func formRemainder(dividingBy other: Self)
/// Returns the remainder of this value divided by the given value using
/// truncating division.
///
/// Performing truncating division with floating-point values results in a
/// truncated integer quotient and a remainder. For values `x` and `y` and
/// their truncated integer quotient `q`, the remainder `r` satisfies
/// `x == y * q + r`.
///
/// The following example calculates the truncating remainder of dividing
/// 8.625 by 0.75:
///
/// let x = 8.625
/// print(x / 0.75)
/// // Prints "11.5"
///
/// let q = (x / 0.75).rounded(.towardZero)
/// // q == 11.0
/// let r = x.truncatingRemainder(dividingBy: 0.75)
/// // r == 0.375
///
/// let x1 = 0.75 * q + r
/// // x1 == 8.625
///
/// If this value and `other` are both finite numbers, the truncating
/// remainder has the same sign as this value and is strictly smaller in
/// magnitude than `other`. The `truncatingRemainder(dividingBy:)` method
/// is always exact.
///
/// - Parameter other: The value to use when dividing this value.
/// - Returns: The remainder of this value divided by `other` using
/// truncating division.
func truncatingRemainder(dividingBy other: Self) -> Self
/// Replaces this value with the remainder of itself divided by the given
/// value using truncating division.
///
/// Performing truncating division with floating-point values results in a
/// truncated integer quotient and a remainder. For values `x` and `y` and
/// their truncated integer quotient `q`, the remainder `r` satisfies
/// `x == y * q + r`.
///
/// The following example calculates the truncating remainder of dividing
/// 8.625 by 0.75:
///
/// var x = 8.625
/// print(x / 0.75)
/// // Prints "11.5"
///
/// let q = (x / 0.75).rounded(.towardZero)
/// // q == 11.0
/// x.formTruncatingRemainder(dividingBy: 0.75)
/// // x == 0.375
///
/// let x1 = 0.75 * q + x
/// // x1 == 8.625
///
/// If this value and `other` are both finite numbers, the truncating
/// remainder has the same sign as this value and is strictly smaller in
/// magnitude than `other`. The `formTruncatingRemainder(dividingBy:)`
/// method is always exact.
///
/// - Parameter other: The value to use when dividing this value.
mutating func formTruncatingRemainder(dividingBy other: Self)
/// Returns the square root of the value, rounded to a representable value.
///
/// The following example declares a function that calculates the length of
/// the hypotenuse of a right triangle given its two perpendicular sides.
///
/// func hypotenuse(_ a: Double, _ b: Double) -> Double {
/// return (a * a + b * b).squareRoot()
/// }
///
/// let (dx, dy) = (3.0, 4.0)
/// let distance = hypotenuse(dx, dy)
/// // distance == 5.0
///
/// - Returns: The square root of the value.
func squareRoot() -> Self
/// Replaces this value with its square root, rounded to a representable
/// value.
mutating func formSquareRoot()
/// Returns the result of adding the product of the two given values to this
/// value, computed without intermediate rounding.
///
/// This method is equivalent to the C `fma` function and implements the
/// `fusedMultiplyAdd` operation defined by the [IEEE 754
/// specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameters:
/// - lhs: One of the values to multiply before adding to this value.
/// - rhs: The other value to multiply.
/// - Returns: The product of `lhs` and `rhs`, added to this value.
func addingProduct(_ lhs: Self, _ rhs: Self) -> Self
/// Adds the product of the two given values to this value in place, computed
/// without intermediate rounding.
///
/// - Parameters:
/// - lhs: One of the values to multiply before adding to this value.
/// - rhs: The other value to multiply.
mutating func addProduct(_ lhs: Self, _ rhs: Self)
/// Returns the lesser of the two given values.
///
/// This method returns the minimum of two values, preserving order and
/// eliminating NaN when possible. For two values `x` and `y`, the result of
/// `minimum(x, y)` is `x` if `x <= y`, `y` if `y < x`, or whichever of `x`
/// or `y` is a number if the other is a quiet NaN. If both `x` and `y` are
/// NaN, or either `x` or `y` is a signaling NaN, the result is NaN.
///
/// Double.minimum(10.0, -25.0)
/// // -25.0
/// Double.minimum(10.0, .nan)
/// // 10.0
/// Double.minimum(.nan, -25.0)
/// // -25.0
/// Double.minimum(.nan, .nan)
/// // nan
///
/// The `minimum` method implements the `minNum` operation defined by the
/// [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameters:
/// - x: A floating-point value.
/// - y: Another floating-point value.
/// - Returns: The minimum of `x` and `y`, or whichever is a number if the
/// other is NaN.
static func minimum(_ x: Self, _ y: Self) -> Self
/// Returns the greater of the two given values.
///
/// This method returns the maximum of two values, preserving order and
/// eliminating NaN when possible. For two values `x` and `y`, the result of
/// `maximum(x, y)` is `x` if `x > y`, `y` if `x <= y`, or whichever of `x`
/// or `y` is a number if the other is a quiet NaN. If both `x` and `y` are
/// NaN, or either `x` or `y` is a signaling NaN, the result is NaN.
///
/// Double.maximum(10.0, -25.0)
/// // 10.0
/// Double.maximum(10.0, .nan)
/// // 10.0
/// Double.maximum(.nan, -25.0)
/// // -25.0
/// Double.maximum(.nan, .nan)
/// // nan
///
/// The `maximum` method implements the `maxNum` operation defined by the
/// [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameters:
/// - x: A floating-point value.
/// - y: Another floating-point value.
/// - Returns: The greater of `x` and `y`, or whichever is a number if the
/// other is NaN.
static func maximum(_ x: Self, _ y: Self) -> Self
/// Returns the value with lesser magnitude.
///
/// This method returns the value with lesser magnitude of the two given
/// values, preserving order and eliminating NaN when possible. For two
/// values `x` and `y`, the result of `minimumMagnitude(x, y)` is `x` if
/// `x.magnitude <= y.magnitude`, `y` if `y.magnitude < x.magnitude`, or
/// whichever of `x` or `y` is a number if the other is a quiet NaN. If both
/// `x` and `y` are NaN, or either `x` or `y` is a signaling NaN, the result
/// is NaN.
///
/// Double.minimumMagnitude(10.0, -25.0)
/// // 10.0
/// Double.minimumMagnitude(10.0, .nan)
/// // 10.0
/// Double.minimumMagnitude(.nan, -25.0)
/// // -25.0
/// Double.minimumMagnitude(.nan, .nan)
/// // nan
///
/// The `minimumMagnitude` method implements the `minNumMag` operation
/// defined by the [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameters:
/// - x: A floating-point value.
/// - y: Another floating-point value.
/// - Returns: Whichever of `x` or `y` has lesser magnitude, or whichever is
/// a number if the other is NaN.
static func minimumMagnitude(_ x: Self, _ y: Self) -> Self
/// Returns the value with greater magnitude.
///
/// This method returns the value with greater magnitude of the two given
/// values, preserving order and eliminating NaN when possible. For two
/// values `x` and `y`, the result of `maximumMagnitude(x, y)` is `x` if
/// `x.magnitude > y.magnitude`, `y` if `x.magnitude <= y.magnitude`, or
/// whichever of `x` or `y` is a number if the other is a quiet NaN. If both
/// `x` and `y` are NaN, or either `x` or `y` is a signaling NaN, the result
/// is NaN.
///
/// Double.maximumMagnitude(10.0, -25.0)
/// // -25.0
/// Double.maximumMagnitude(10.0, .nan)
/// // 10.0
/// Double.maximumMagnitude(.nan, -25.0)
/// // -25.0
/// Double.maximumMagnitude(.nan, .nan)
/// // nan
///
/// The `maximumMagnitude` method implements the `maxNumMag` operation
/// defined by the [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameters:
/// - x: A floating-point value.
/// - y: Another floating-point value.
/// - Returns: Whichever of `x` or `y` has greater magnitude, or whichever is
/// a number if the other is NaN.
static func maximumMagnitude(_ x: Self, _ y: Self) -> Self
/// Returns this value rounded to an integral value using the specified
/// rounding rule.
///
/// The following example rounds a value using four different rounding rules:
///
/// let x = 6.5
///
/// // Equivalent to the C 'round' function:
/// print(x.rounded(.toNearestOrAwayFromZero))
/// // Prints "7.0"
///
/// // Equivalent to the C 'trunc' function:
/// print(x.rounded(.towardZero))
/// // Prints "6.0"
///
/// // Equivalent to the C 'ceil' function:
/// print(x.rounded(.up))
/// // Prints "7.0"
///
/// // Equivalent to the C 'floor' function:
/// print(x.rounded(.down))
/// // Prints "6.0"
///
/// For more information about the available rounding rules, see the
/// `FloatingPointRoundingRule` enumeration. To round a value using the
/// default "schoolbook rounding", you can use the shorter `rounded()`
/// method instead.
///
/// print(x.rounded())
/// // Prints "7.0"
///
/// - Parameter rule: The rounding rule to use.
/// - Returns: The integral value found by rounding using `rule`.
func rounded(_ rule: FloatingPointRoundingRule) -> Self
/// Rounds the value to an integral value using the specified rounding rule.
///
/// The following example rounds a value using four different rounding rules:
///
/// // Equivalent to the C 'round' function:
/// var w = 6.5
/// w.round(.toNearestOrAwayFromZero)
/// // w == 7.0
///
/// // Equivalent to the C 'trunc' function:
/// var x = 6.5
/// x.round(.towardZero)
/// // x == 6.0
///
/// // Equivalent to the C 'ceil' function:
/// var y = 6.5
/// y.round(.up)
/// // y == 7.0
///
/// // Equivalent to the C 'floor' function:
/// var z = 6.5
/// z.round(.down)
/// // z == 6.0
///
/// For more information about the available rounding rules, see the
/// `FloatingPointRoundingRule` enumeration. To round a value using the
/// default "schoolbook rounding", you can use the shorter `round()` method
/// instead.
///
/// var w1 = 6.5
/// w1.round()
/// // w1 == 7.0
///
/// - Parameter rule: The rounding rule to use.
mutating func round(_ rule: FloatingPointRoundingRule)
/// The least representable value that compares greater than this value.
///
/// For any finite value `x`, `x.nextUp` is greater than `x`. For `nan` or
/// `infinity`, `x.nextUp` is `x` itself. The following special cases also
/// apply:
///
/// - If `x` is `-infinity`, then `x.nextUp` is `-greatestFiniteMagnitude`.
/// - If `x` is `-leastNonzeroMagnitude`, then `x.nextUp` is `-0.0`.
/// - If `x` is zero, then `x.nextUp` is `leastNonzeroMagnitude`.
/// - If `x` is `greatestFiniteMagnitude`, then `x.nextUp` is `infinity`.
var nextUp: Self { get }
/// The greatest representable value that compares less than this value.
///
/// For any finite value `x`, `x.nextDown` is less than `x`. For `nan` or
/// `-infinity`, `x.nextDown` is `x` itself. The following special cases
/// also apply:
///
/// - If `x` is `infinity`, then `x.nextDown` is `greatestFiniteMagnitude`.
/// - If `x` is `leastNonzeroMagnitude`, then `x.nextDown` is `0.0`.
/// - If `x` is zero, then `x.nextDown` is `-leastNonzeroMagnitude`.
/// - If `x` is `-greatestFiniteMagnitude`, then `x.nextDown` is `-infinity`.
var nextDown: Self { get }
/// Returns a Boolean value indicating whether this instance is equal to the
/// given value.
///
/// This method serves as the basis for the equal-to operator (`==`) for
/// floating-point values. When comparing two values with this method, `-0`
/// is equal to `+0`. NaN is not equal to any value, including itself. For
/// example:
///
/// let x = 15.0
/// x.isEqual(to: 15.0)
/// // true
/// x.isEqual(to: .nan)
/// // false
/// Double.nan.isEqual(to: .nan)
/// // false
///
/// The `isEqual(to:)` method implements the equality predicate defined by
/// the [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameter other: The value to compare with this value.
/// - Returns: `true` if `other` has the same value as this instance;
/// otherwise, `false`. If either this value or `other` is NaN, the result
/// of this method is `false`.
func isEqual(to other: Self) -> Bool
/// Returns a Boolean value indicating whether this instance is less than the
/// given value.
///
/// This method serves as the basis for the less-than operator (`<`) for
/// floating-point values. Some special cases apply:
///
/// - Because NaN compares not less than nor greater than any value, this
/// method returns `false` when called on NaN or when NaN is passed as
/// `other`.
/// - `-infinity` compares less than all values except for itself and NaN.
/// - Every value except for NaN and `+infinity` compares less than
/// `+infinity`.
///
/// let x = 15.0
/// x.isLess(than: 20.0)
/// // true
/// x.isLess(than: .nan)
/// // false
/// Double.nan.isLess(than: x)
/// // false
///
/// The `isLess(than:)` method implements the less-than predicate defined by
/// the [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameter other: The value to compare with this value.
/// - Returns: `true` if this value is less than `other`; otherwise, `false`.
/// If either this value or `other` is NaN, the result of this method is
/// `false`.
func isLess(than other: Self) -> Bool
/// Returns a Boolean value indicating whether this instance is less than or
/// equal to the given value.
///
/// This method serves as the basis for the less-than-or-equal-to operator
/// (`<=`) for floating-point values. Some special cases apply:
///
/// - Because NaN is incomparable with any value, this method returns `false`
/// when called on NaN or when NaN is passed as `other`.
/// - `-infinity` compares less than or equal to all values except NaN.
/// - Every value except NaN compares less than or equal to `+infinity`.
///
/// let x = 15.0
/// x.isLessThanOrEqualTo(20.0)
/// // true
/// x.isLessThanOrEqualTo(.nan)
/// // false
/// Double.nan.isLessThanOrEqualTo(x)
/// // false
///
/// The `isLessThanOrEqualTo(_:)` method implements the less-than-or-equal
/// predicate defined by the [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameter other: The value to compare with this value.
/// - Returns: `true` if `other` is greater than this value; otherwise,
/// `false`. If either this value or `other` is NaN, the result of this
/// method is `false`.
func isLessThanOrEqualTo(_ other: Self) -> Bool
/// Returns a Boolean value indicating whether this instance should precede
/// or tie positions with the given value in an ascending sort.
///
/// This relation is a refinement of the less-than-or-equal-to operator
/// (`<=`) that provides a total order on all values of the type, including
/// signed zeros and NaNs.
///
/// The following example uses `isTotallyOrdered(belowOrEqualTo:)` to sort an
/// array of floating-point values, including some that are NaN:
///
/// var numbers = [2.5, 21.25, 3.0, .nan, -9.5]
/// numbers.sort { !$1.isTotallyOrdered(belowOrEqualTo: $0) }
/// print(numbers)
/// // Prints "[-9.5, 2.5, 3.0, 21.25, nan]"
///
/// The `isTotallyOrdered(belowOrEqualTo:)` method implements the total order
/// relation as defined by the [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameter other: A floating-point value to compare to this value.
/// - Returns: `true` if this value is ordered below or the same as `other`
/// in a total ordering of the floating-point type; otherwise, `false`.
func isTotallyOrdered(belowOrEqualTo other: Self) -> Bool
/// A Boolean value indicating whether this instance is normal.
///
/// A *normal* value is a finite number that uses the full precision
/// available to values of a type. Zero is neither a normal nor a subnormal
/// number.
var isNormal: Bool { get }
/// A Boolean value indicating whether this instance is finite.
///
/// All values other than NaN and infinity are considered finite, whether
/// normal or subnormal. For NaN, both `isFinite` and `isInfinite` are false.
var isFinite: Bool { get }
/// A Boolean value indicating whether the instance is equal to zero.
///
/// The `isZero` property of a value `x` is `true` when `x` represents either
/// `-0.0` or `+0.0`. `x.isZero` is equivalent to the following comparison:
/// `x == 0.0`.
///
/// let x = -0.0
/// x.isZero // true
/// x == 0.0 // true
var isZero: Bool { get }
/// A Boolean value indicating whether the instance is subnormal.
///
/// A *subnormal* value is a nonzero number that has a lesser magnitude than
/// the smallest normal number. Subnormal values don't use the full
/// precision available to values of a type.
///
/// Zero is neither a normal nor a subnormal number. Subnormal numbers are
/// often called *denormal* or *denormalized*---these are different names
/// for the same concept.
var isSubnormal: Bool { get }
/// A Boolean value indicating whether the instance is infinite.
///
/// For NaN, both `isFinite` and `isInfinite` are false.
var isInfinite: Bool { get }
/// A Boolean value indicating whether the instance is NaN ("not a number").
///
/// Because NaN is not equal to any value, including NaN, use this property
/// instead of the equal-to operator (`==`) or not-equal-to operator (`!=`)
/// to test whether a value is or is not NaN. For example:
///
/// let x = 0.0
/// let y = x * .infinity
/// // y is a NaN
///
/// // Comparing with the equal-to operator never returns 'true'
/// print(x == Double.nan)
/// // Prints "false"
/// print(y == Double.nan)
/// // Prints "false"
///
/// // Test with the 'isNaN' property instead
/// print(x.isNaN)
/// // Prints "false"
/// print(y.isNaN)
/// // Prints "true"
///
/// This property is `true` for both quiet and signaling NaNs.
var isNaN: Bool { get }
/// A Boolean value indicating whether the instance is a signaling NaN.
///
/// Signaling NaNs typically raise the Invalid flag when used in general
/// computing operations.
var isSignalingNaN: Bool { get }
/// The classification of this value.
///
/// A value's `floatingPointClass` property describes its "class" as
/// described by the [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
var floatingPointClass: FloatingPointClassification { get }
/// A Boolean value indicating whether the instance's representation is in
/// its canonical form.
///
/// The [IEEE 754 specification][spec] defines a *canonical*, or preferred,
/// encoding of a floating-point value. On platforms that fully support
/// IEEE 754, every `Float` or `Double` value is canonical, but
/// non-canonical values can exist on other platforms or for other types.
/// Some examples:
///
/// - On platforms that flush subnormal numbers to zero (such as armv7
/// with the default floating-point environment), Swift interprets
/// subnormal `Float` and `Double` values as non-canonical zeros.
/// (In Swift 5.1 and earlier, `isCanonical` is `true` for these
/// values, which is the incorrect value.)
///
/// - On i386 and x86_64, `Float80` has a number of non-canonical
/// encodings. "Pseudo-NaNs", "pseudo-infinities", and "unnormals" are
/// interpreted as non-canonical NaN encodings. "Pseudo-denormals" are
/// interpreted as non-canonical encodings of subnormal values.
///
/// - Decimal floating-point types admit a large number of non-canonical
/// encodings. Consult the IEEE 754 standard for additional details.
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
var isCanonical: Bool { get }
}
/// The sign of a floating-point value.
@frozen
public enum FloatingPointSign: Int, Sendable {
/// The sign for a positive value.
case plus
/// The sign for a negative value.
case minus
// Explicit declarations of otherwise-synthesized members to make them
// @inlinable, promising that we will never change the implementation.
@inlinable
public init?(rawValue: Int) {
switch rawValue {
case 0: self = .plus
case 1: self = .minus
default: return nil
}
}
@inlinable
public var rawValue: Int {
switch self {
case .plus: return 0
case .minus: return 1
}
}
@_transparent
@inlinable
public static func ==(a: FloatingPointSign, b: FloatingPointSign) -> Bool {
return a.rawValue == b.rawValue
}
@inlinable
public var hashValue: Int { return rawValue.hashValue }
@inlinable
public func hash(into hasher: inout Hasher) {
hasher.combine(rawValue)
}
@inlinable
public func _rawHashValue(seed: Int) -> Int {
return rawValue._rawHashValue(seed: seed)
}
}
/// The IEEE 754 floating-point classes.
@frozen
public enum FloatingPointClassification: Sendable {
/// A signaling NaN ("not a number").
///
/// A signaling NaN sets the floating-point exception status when used in
/// many floating-point operations.
case signalingNaN
/// A silent NaN ("not a number") value.
case quietNaN
/// A value equal to `-infinity`.
case negativeInfinity
/// A negative value that uses the full precision of the floating-point type.
case negativeNormal
/// A negative, nonzero number that does not use the full precision of the
/// floating-point type.
case negativeSubnormal
/// A value equal to zero with a negative sign.
case negativeZero
/// A value equal to zero with a positive sign.
case positiveZero
/// A positive, nonzero number that does not use the full precision of the
/// floating-point type.
case positiveSubnormal
/// A positive value that uses the full precision of the floating-point type.
case positiveNormal
/// A value equal to `+infinity`.
case positiveInfinity
}
/// A rule for rounding a floating-point number.
public enum FloatingPointRoundingRule: Sendable {
/// Round to the closest allowed value; if two values are equally close, the
/// one with greater magnitude is chosen.
///
/// This rounding rule is also known as "schoolbook rounding." The following
/// example shows the results of rounding numbers using this rule:
///
/// (5.2).rounded(.toNearestOrAwayFromZero)
/// // 5.0
/// (5.5).rounded(.toNearestOrAwayFromZero)
/// // 6.0
/// (-5.2).rounded(.toNearestOrAwayFromZero)
/// // -5.0
/// (-5.5).rounded(.toNearestOrAwayFromZero)
/// // -6.0
///
/// This rule is equivalent to the C `round` function and implements the
/// `roundToIntegralTiesToAway` operation defined by the [IEEE 754
/// specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
case toNearestOrAwayFromZero
/// Round to the closest allowed value; if two values are equally close, the
/// even one is chosen.
///
/// This rounding rule is also known as "bankers rounding," and is the
/// default IEEE 754 rounding mode for arithmetic. The following example
/// shows the results of rounding numbers using this rule:
///
/// (5.2).rounded(.toNearestOrEven)
/// // 5.0
/// (5.5).rounded(.toNearestOrEven)
/// // 6.0
/// (4.5).rounded(.toNearestOrEven)
/// // 4.0
///
/// This rule implements the `roundToIntegralTiesToEven` operation defined by
/// the [IEEE 754 specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
case toNearestOrEven
/// Round to the closest allowed value that is greater than or equal to the
/// source.
///
/// The following example shows the results of rounding numbers using this
/// rule:
///
/// (5.2).rounded(.up)
/// // 6.0
/// (5.5).rounded(.up)
/// // 6.0
/// (-5.2).rounded(.up)
/// // -5.0
/// (-5.5).rounded(.up)
/// // -5.0
///
/// This rule is equivalent to the C `ceil` function and implements the
/// `roundToIntegralTowardPositive` operation defined by the [IEEE 754
/// specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
case up
/// Round to the closest allowed value that is less than or equal to the
/// source.
///
/// The following example shows the results of rounding numbers using this
/// rule:
///
/// (5.2).rounded(.down)
/// // 5.0
/// (5.5).rounded(.down)
/// // 5.0
/// (-5.2).rounded(.down)
/// // -6.0
/// (-5.5).rounded(.down)
/// // -6.0
///
/// This rule is equivalent to the C `floor` function and implements the
/// `roundToIntegralTowardNegative` operation defined by the [IEEE 754
/// specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
case down
/// Round to the closest allowed value whose magnitude is less than or equal
/// to that of the source.
///
/// The following example shows the results of rounding numbers using this
/// rule:
///
/// (5.2).rounded(.towardZero)
/// // 5.0
/// (5.5).rounded(.towardZero)
/// // 5.0
/// (-5.2).rounded(.towardZero)
/// // -5.0
/// (-5.5).rounded(.towardZero)
/// // -5.0
///
/// This rule is equivalent to the C `trunc` function and implements the
/// `roundToIntegralTowardZero` operation defined by the [IEEE 754
/// specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
case towardZero
/// Round to the closest allowed value whose magnitude is greater than or
/// equal to that of the source.
///
/// The following example shows the results of rounding numbers using this
/// rule:
///
/// (5.2).rounded(.awayFromZero)
/// // 6.0
/// (5.5).rounded(.awayFromZero)
/// // 6.0
/// (-5.2).rounded(.awayFromZero)
/// // -6.0
/// (-5.5).rounded(.awayFromZero)
/// // -6.0
case awayFromZero
}
extension FloatingPoint {
@_transparent
public static func == (lhs: Self, rhs: Self) -> Bool {
return lhs.isEqual(to: rhs)
}
@_transparent
public static func < (lhs: Self, rhs: Self) -> Bool {
return lhs.isLess(than: rhs)
}
@_transparent
public static func <= (lhs: Self, rhs: Self) -> Bool {
return lhs.isLessThanOrEqualTo(rhs)
}
@_transparent
public static func > (lhs: Self, rhs: Self) -> Bool {
return rhs.isLess(than: lhs)
}
@_transparent
public static func >= (lhs: Self, rhs: Self) -> Bool {
return rhs.isLessThanOrEqualTo(lhs)
}
}
/// A radix-2 (binary) floating-point type.
///
/// The `BinaryFloatingPoint` protocol extends the `FloatingPoint` protocol
/// with operations specific to floating-point binary types, as defined by the
/// [IEEE 754 specification][spec]. `BinaryFloatingPoint` is implemented in
/// the standard library by `Float`, `Double`, and `Float80` where available.
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
public protocol BinaryFloatingPoint: FloatingPoint, ExpressibleByFloatLiteral {
/// A type that represents the encoded significand of a value.
associatedtype RawSignificand: UnsignedInteger
/// A type that represents the encoded exponent of a value.
associatedtype RawExponent: UnsignedInteger
/// Creates a new instance from the specified sign and bit patterns.
///
/// The values passed as `exponentBitPattern` and `significandBitPattern` are
/// interpreted in the binary interchange format defined by the [IEEE 754
/// specification][spec].
///
/// [spec]: http://ieeexplore.ieee.org/servlet/opac?punumber=4610933
///
/// - Parameters:
/// - sign: The sign of the new value.
/// - exponentBitPattern: The bit pattern to use for the exponent field of
/// the new value.
/// - significandBitPattern: The bit pattern to use for the significand
/// field of the new value.
init(sign: FloatingPointSign,
exponentBitPattern: RawExponent,
significandBitPattern: RawSignificand)
/// Creates a new instance from the given value, rounded to the closest
/// possible representation.
///
/// - Parameter value: A floating-point value to be converted.
init(_ value: Float)
/// Creates a new instance from the given value, rounded to the closest
/// possible representation.
///
/// - Parameter value: A floating-point value to be converted.
init(_ value: Double)
#if !(os(Windows) || os(Android)) && (arch(i386) || arch(x86_64))
/// Creates a new instance from the given value, rounded to the closest
/// possible representation.
///
/// - Parameter value: A floating-point value to be converted.
init(_ value: Float80)
#endif
/// Creates a new instance from the given value, rounded to the closest
/// possible representation.
///
/// If two representable values are equally close, the result is the value
/// with more trailing zeros in its significand bit pattern.
///
/// - Parameter value: A floating-point value to be converted.
init<Source: BinaryFloatingPoint>(_ value: Source)
/// Creates a new instance from the given value, if it can be represented
/// exactly.
///
/// If the given floating-point value cannot be represented exactly, the
/// result is `nil`. A value that is NaN ("not a number") cannot be
/// represented exactly if its payload cannot be encoded exactly.
///
/// - Parameter value: A floating-point value to be converted.
init?<Source: BinaryFloatingPoint>(exactly value: Source)
/// The number of bits used to represent the type's exponent.
///
/// A binary floating-point type's `exponentBitCount` imposes a limit on the
/// range of the exponent for normal, finite values. The *exponent bias* of
/// a type `F` can be calculated as the following, where `**` is
/// exponentiation:
///
/// let bias = 2 ** (F.exponentBitCount - 1) - 1
///
/// The least normal exponent for values of the type `F` is `1 - bias`, and
/// the largest finite exponent is `bias`. An all-zeros exponent is reserved
/// for subnormals and zeros, and an all-ones exponent is reserved for
/// infinity and NaN.
///
/// For example, the `Float` type has an `exponentBitCount` of 8, which gives
/// an exponent bias of `127` by the calculation above.
///
/// let bias = 2 ** (Float.exponentBitCount - 1) - 1
/// // bias == 127
/// print(Float.greatestFiniteMagnitude.exponent)
/// // Prints "127"
/// print(Float.leastNormalMagnitude.exponent)
/// // Prints "-126"
static var exponentBitCount: Int { get }
/// The available number of fractional significand bits.
///
/// For fixed-width floating-point types, this is the actual number of
/// fractional significand bits.
///
/// For extensible floating-point types, `significandBitCount` should be the
/// maximum allowed significand width (without counting any leading integral
/// bit of the significand). If there is no upper limit, then
/// `significandBitCount` should be `Int.max`.
///
/// Note that `Float80.significandBitCount` is 63, even though 64 bits are
/// used to store the significand in the memory representation of a
/// `Float80` (unlike other floating-point types, `Float80` explicitly
/// stores the leading integral significand bit, but the
/// `BinaryFloatingPoint` APIs provide an abstraction so that users don't
/// need to be aware of this detail).
static var significandBitCount: Int { get }
/// The raw encoding of the value's exponent field.
///
/// This value is unadjusted by the type's exponent bias.
var exponentBitPattern: RawExponent { get }
/// The raw encoding of the value's significand field.
///
/// The `significandBitPattern` property does not include the leading
/// integral bit of the significand, even for types like `Float80` that
/// store it explicitly.
var significandBitPattern: RawSignificand { get }
/// The floating-point value with the same sign and exponent as this value,
/// but with a significand of 1.0.
///
/// A *binade* is a set of binary floating-point values that all have the
/// same sign and exponent. The `binade` property is a member of the same
/// binade as this value, but with a unit significand.
///
/// In this example, `x` has a value of `21.5`, which is stored as
/// `1.34375 * 2**4`, where `**` is exponentiation. Therefore, `x.binade` is
/// equal to `1.0 * 2**4`, or `16.0`.
///
/// let x = 21.5
/// // x.significand == 1.34375
/// // x.exponent == 4
///
/// let y = x.binade
/// // y == 16.0
/// // y.significand == 1.0
/// // y.exponent == 4
var binade: Self { get }
/// The number of bits required to represent the value's significand.
///
/// If this value is a finite nonzero number, `significandWidth` is the
/// number of fractional bits required to represent the value of
/// `significand`; otherwise, `significandWidth` is -1. The value of
/// `significandWidth` is always -1 or between zero and
/// `significandBitCount`. For example:
///
/// - For any representable power of two, `significandWidth` is zero, because
/// `significand` is `1.0`.
/// - If `x` is 10, `x.significand` is `1.01` in binary, so
/// `x.significandWidth` is 2.
/// - If `x` is Float.pi, `x.significand` is `1.10010010000111111011011` in
/// binary, and `x.significandWidth` is 23.
var significandWidth: Int { get }
}
extension FloatingPoint {
@inlinable // FIXME(sil-serialize-all)
public static var ulpOfOne: Self {
return (1 as Self).ulp
}
@_transparent
public func rounded(_ rule: FloatingPointRoundingRule) -> Self {
var lhs = self
lhs.round(rule)
return lhs
}
@_transparent
public func rounded() -> Self {
return rounded(.toNearestOrAwayFromZero)
}
@_transparent
public mutating func round() {
round(.toNearestOrAwayFromZero)
}
@inlinable // FIXME(inline-always)
public var nextDown: Self {
@inline(__always)
get {
return -(-self).nextUp
}
}
@inlinable // FIXME(inline-always)
@inline(__always)
public func truncatingRemainder(dividingBy other: Self) -> Self {
var lhs = self
lhs.formTruncatingRemainder(dividingBy: other)
return lhs
}
@inlinable // FIXME(inline-always)
@inline(__always)
public func remainder(dividingBy other: Self) -> Self {
var lhs = self
lhs.formRemainder(dividingBy: other)
return lhs
}
@_transparent
public func squareRoot( ) -> Self {
var lhs = self
lhs.formSquareRoot( )
return lhs
}
@_transparent
public func addingProduct(_ lhs: Self, _ rhs: Self) -> Self {
var addend = self
addend.addProduct(lhs, rhs)
return addend
}
@inlinable
public static func minimum(_ x: Self, _ y: Self) -> Self {
if x <= y || y.isNaN { return x }
return y
}
@inlinable
public static func maximum(_ x: Self, _ y: Self) -> Self {
if x > y || y.isNaN { return x }
return y
}
@inlinable
public static func minimumMagnitude(_ x: Self, _ y: Self) -> Self {
if x.magnitude <= y.magnitude || y.isNaN { return x }
return y
}
@inlinable
public static func maximumMagnitude(_ x: Self, _ y: Self) -> Self {
if x.magnitude > y.magnitude || y.isNaN { return x }
return y
}
@inlinable
public var floatingPointClass: FloatingPointClassification {
if isSignalingNaN { return .signalingNaN }
if isNaN { return .quietNaN }
if isInfinite { return sign == .minus ? .negativeInfinity : .positiveInfinity }
if isNormal { return sign == .minus ? .negativeNormal : .positiveNormal }
if isSubnormal { return sign == .minus ? .negativeSubnormal : .positiveSubnormal }
return sign == .minus ? .negativeZero : .positiveZero
}
}
extension BinaryFloatingPoint {
@inlinable @inline(__always)
public static var radix: Int { return 2 }
@inlinable
public init(signOf: Self, magnitudeOf: Self) {
self.init(
sign: signOf.sign,
exponentBitPattern: magnitudeOf.exponentBitPattern,
significandBitPattern: magnitudeOf.significandBitPattern
)
}
public // @testable
static func _convert<Source: BinaryFloatingPoint>(
from source: Source
) -> (value: Self, exact: Bool) {
guard _fastPath(!source.isZero) else {
return (source.sign == .minus ? -0.0 : 0, true)
}
guard _fastPath(source.isFinite) else {
if source.isInfinite {
return (source.sign == .minus ? -.infinity : .infinity, true)
}
// IEEE 754 requires that any NaN payload be propagated, if possible.
let payload_ =
source.significandBitPattern &
~(Source.nan.significandBitPattern |
Source.signalingNaN.significandBitPattern)
let mask =
Self.greatestFiniteMagnitude.significandBitPattern &
~(Self.nan.significandBitPattern |
Self.signalingNaN.significandBitPattern)
let payload = Self.RawSignificand(truncatingIfNeeded: payload_) & mask
// Although .signalingNaN.exponentBitPattern == .nan.exponentBitPattern,
// we do not *need* to rely on this relation, and therefore we do not.
let value = source.isSignalingNaN
? Self(
sign: source.sign,
exponentBitPattern: Self.signalingNaN.exponentBitPattern,
significandBitPattern: payload |
Self.signalingNaN.significandBitPattern)
: Self(
sign: source.sign,
exponentBitPattern: Self.nan.exponentBitPattern,
significandBitPattern: payload | Self.nan.significandBitPattern)
// We define exactness by equality after roundtripping; since NaN is never
// equal to itself, it can never be converted exactly.
return (value, false)
}
let exponent = source.exponent
var exemplar = Self.leastNormalMagnitude
let exponentBitPattern: Self.RawExponent
let leadingBitIndex: Int
let shift: Int
let significandBitPattern: Self.RawSignificand
if exponent < exemplar.exponent {
// The floating-point result is either zero or subnormal.
exemplar = Self.leastNonzeroMagnitude
let minExponent = exemplar.exponent
if exponent + 1 < minExponent {
return (source.sign == .minus ? -0.0 : 0, false)
}
if _slowPath(exponent + 1 == minExponent) {
// Although the most significant bit (MSB) of a subnormal source
// significand is explicit, Swift BinaryFloatingPoint APIs actually
// omit any explicit MSB from the count represented in
// significandWidth. For instance:
//
// Double.leastNonzeroMagnitude.significandWidth == 0
//
// Therefore, we do not need to adjust our work here for a subnormal
// source.
return source.significandWidth == 0
? (source.sign == .minus ? -0.0 : 0, false)
: (source.sign == .minus ? -exemplar : exemplar, false)
}
exponentBitPattern = 0 as Self.RawExponent
leadingBitIndex = Int(Self.Exponent(exponent) - minExponent)
shift =
leadingBitIndex &-
(source.significandWidth &+
source.significandBitPattern.trailingZeroBitCount)
let leadingBit = source.isNormal
? (1 as Self.RawSignificand) << leadingBitIndex
: 0
significandBitPattern = leadingBit | (shift >= 0
? Self.RawSignificand(source.significandBitPattern) << shift
: Self.RawSignificand(source.significandBitPattern >> -shift))
} else {
// The floating-point result is either normal or infinite.
exemplar = Self.greatestFiniteMagnitude
if exponent > exemplar.exponent {
return (source.sign == .minus ? -.infinity : .infinity, false)
}
exponentBitPattern = exponent < 0
? (1 as Self).exponentBitPattern - Self.RawExponent(-exponent)
: (1 as Self).exponentBitPattern + Self.RawExponent(exponent)
leadingBitIndex = exemplar.significandWidth
shift =
leadingBitIndex &-
(source.significandWidth &+
source.significandBitPattern.trailingZeroBitCount)
let sourceLeadingBit = source.isSubnormal
? (1 as Source.RawSignificand) <<
(source.significandWidth &+
source.significandBitPattern.trailingZeroBitCount)
: 0
significandBitPattern = shift >= 0
? Self.RawSignificand(
sourceLeadingBit ^ source.significandBitPattern) << shift
: Self.RawSignificand(
(sourceLeadingBit ^ source.significandBitPattern) >> -shift)
}
let value = Self(
sign: source.sign,
exponentBitPattern: exponentBitPattern,
significandBitPattern: significandBitPattern)
if source.significandWidth <= leadingBitIndex {
return (value, true)
}
// We promise to round to the closest representation. Therefore, we must
// take a look at the bits that we've just truncated.
let ulp = (1 as Source.RawSignificand) << -shift
let truncatedBits = source.significandBitPattern & (ulp - 1)
if truncatedBits < ulp / 2 {
return (value, false)
}
let rounded = source.sign == .minus ? value.nextDown : value.nextUp
if _fastPath(truncatedBits > ulp / 2) {
return (rounded, false)
}
// If two representable values are equally close, we return the value with
// more trailing zeros in its significand bit pattern.
return
significandBitPattern.trailingZeroBitCount >
rounded.significandBitPattern.trailingZeroBitCount
? (value, false)
: (rounded, false)
}
/// Creates a new instance from the given value, rounded to the closest
/// possible representation.
///
/// If two representable values are equally close, the result is the value
/// with more trailing zeros in its significand bit pattern.
///
/// - Parameter value: A floating-point value to be converted.
@inlinable
public init<Source: BinaryFloatingPoint>(_ value: Source) {
// If two IEEE 754 binary interchange formats share the same exponent bit
// count and significand bit count, then they must share the same encoding
// for finite and infinite values.
switch (Source.exponentBitCount, Source.significandBitCount) {
#if !((os(macOS) || targetEnvironment(macCatalyst)) && arch(x86_64))
case (5, 10):
guard #available(macOS 11.0, iOS 14.0, watchOS 7.0, tvOS 14.0, *) //SwiftStdlib 5.3
else {
// Convert signaling NaN to quiet NaN by multiplying by 1.
self = Self._convert(from: value).value * 1
break
}
let value_ = value as? Float16 ?? Float16(
sign: value.sign,
exponentBitPattern:
UInt(truncatingIfNeeded: value.exponentBitPattern),
significandBitPattern:
UInt16(truncatingIfNeeded: value.significandBitPattern))
self = Self(Float(value_))
#endif
case (8, 23):
let value_ = value as? Float ?? Float(
sign: value.sign,
exponentBitPattern:
UInt(truncatingIfNeeded: value.exponentBitPattern),
significandBitPattern:
UInt32(truncatingIfNeeded: value.significandBitPattern))
self = Self(value_)
case (11, 52):
let value_ = value as? Double ?? Double(
sign: value.sign,
exponentBitPattern:
UInt(truncatingIfNeeded: value.exponentBitPattern),
significandBitPattern:
UInt64(truncatingIfNeeded: value.significandBitPattern))
self = Self(value_)
#if !(os(Windows) || os(Android)) && (arch(i386) || arch(x86_64))
case (15, 63):
let value_ = value as? Float80 ?? Float80(
sign: value.sign,
exponentBitPattern:
UInt(truncatingIfNeeded: value.exponentBitPattern),
significandBitPattern:
UInt64(truncatingIfNeeded: value.significandBitPattern))
self = Self(value_)
#endif
default:
// Convert signaling NaN to quiet NaN by multiplying by 1.
self = Self._convert(from: value).value * 1
}
}
/// Creates a new instance from the given value, if it can be represented
/// exactly.
///
/// If the given floating-point value cannot be represented exactly, the
/// result is `nil`.
///
/// - Parameter value: A floating-point value to be converted.
@inlinable
public init?<Source: BinaryFloatingPoint>(exactly value: Source) {
// We define exactness by equality after roundtripping; since NaN is never
// equal to itself, it can never be converted exactly.
if value.isNaN { return nil }
if (Source.exponentBitCount > Self.exponentBitCount
|| Source.significandBitCount > Self.significandBitCount)
&& value.isFinite && !value.isZero {
let exponent = value.exponent
if exponent < Self.leastNormalMagnitude.exponent {
if exponent < Self.leastNonzeroMagnitude.exponent { return nil }
if value.significandWidth >
Int(Self.Exponent(exponent) - Self.leastNonzeroMagnitude.exponent) {
return nil
}
} else {
if exponent > Self.greatestFiniteMagnitude.exponent { return nil }
if value.significandWidth >
Self.greatestFiniteMagnitude.significandWidth {
return nil
}
}
}
self = Self(value)
}
@inlinable
public func isTotallyOrdered(belowOrEqualTo other: Self) -> Bool {
// Quick return when possible.
if self < other { return true }
if other > self { return false }
// Self and other are either equal or unordered.
// Every negative-signed value (even NaN) is less than every positive-
// signed value, so if the signs do not match, we simply return the
// sign bit of self.
if sign != other.sign { return sign == .minus }
// Sign bits match; look at exponents.
if exponentBitPattern > other.exponentBitPattern { return sign == .minus }
if exponentBitPattern < other.exponentBitPattern { return sign == .plus }
// Signs and exponents match, look at significands.
if significandBitPattern > other.significandBitPattern {
return sign == .minus
}
if significandBitPattern < other.significandBitPattern {
return sign == .plus
}
// Sign, exponent, and significand all match.
return true
}
}
extension BinaryFloatingPoint where Self.RawSignificand: FixedWidthInteger {
public // @testable
static func _convert<Source: BinaryInteger>(
from source: Source
) -> (value: Self, exact: Bool) {
// Useful constants:
let exponentBias = (1 as Self).exponentBitPattern
let significandMask = ((1 as RawSignificand) << Self.significandBitCount) &- 1
// Zero is really extra simple, and saves us from trying to normalize a
// value that cannot be normalized.
if _fastPath(source == 0) { return (0, true) }
// We now have a non-zero value; convert it to a strictly positive value
// by taking the magnitude.
let magnitude = source.magnitude
var exponent = magnitude._binaryLogarithm()
// If the exponent would be larger than the largest representable
// exponent, the result is just an infinity of the appropriate sign.
guard exponent <= Self.greatestFiniteMagnitude.exponent else {
return (Source.isSigned && source < 0 ? -.infinity : .infinity, false)
}
// If exponent <= significandBitCount, we don't need to round it to
// construct the significand; we just need to left-shift it into place;
// the result is always exact as we've accounted for exponent-too-large
// already and no rounding can occur.
if exponent <= Self.significandBitCount {
let shift = Self.significandBitCount &- exponent
let significand = RawSignificand(magnitude) &<< shift
let value = Self(
sign: Source.isSigned && source < 0 ? .minus : .plus,
exponentBitPattern: exponentBias + RawExponent(exponent),
significandBitPattern: significand
)
return (value, true)
}
// exponent > significandBitCount, so we need to do a rounding right
// shift, and adjust exponent if needed
let shift = exponent &- Self.significandBitCount
let halfway = (1 as Source.Magnitude) << (shift - 1)
let mask = 2 * halfway - 1
let fraction = magnitude & mask
var significand = RawSignificand(truncatingIfNeeded: magnitude >> shift) & significandMask
if fraction > halfway || (fraction == halfway && significand & 1 == 1) {
var carry = false
(significand, carry) = significand.addingReportingOverflow(1)
if carry || significand > significandMask {
exponent += 1
guard exponent <= Self.greatestFiniteMagnitude.exponent else {
return (Source.isSigned && source < 0 ? -.infinity : .infinity, false)
}
}
}
return (Self(
sign: Source.isSigned && source < 0 ? .minus : .plus,
exponentBitPattern: exponentBias + RawExponent(exponent),
significandBitPattern: significand
), fraction == 0)
}
/// Creates a new value, rounded to the closest possible representation.
///
/// If two representable values are equally close, the result is the value
/// with more trailing zeros in its significand bit pattern.
///
/// - Parameter value: The integer to convert to a floating-point value.
@inlinable
public init<Source: BinaryInteger>(_ value: Source) {
self = Self._convert(from: value).value
}
/// Creates a new value, if the given integer can be represented exactly.
///
/// If the given integer cannot be represented exactly, the result is `nil`.
///
/// - Parameter value: The integer to convert to a floating-point value.
@inlinable
public init?<Source: BinaryInteger>(exactly value: Source) {
let (value_, exact) = Self._convert(from: value)
guard exact else { return nil }
self = value_
}
}
| apache-2.0 | bc746b878b7f3c8eec10a4ed488ed95d | 36.964576 | 94 | 0.63957 | 4.109223 | false | false | false | false |
suragch/MongolAppDevelopment-iOS | Mongol App Componants/KeyboardKey.swift | 1 | 5273 | // This is a generic Keyboard Key class for specific key classes to subclass. Its main purposes are to
// (1) provide a common background appearance for all keys
// (2) set the standard for how to communicate with the parent keyboard class
import UIKit
// protocol for communication with keyboard
protocol KeyboardKeyDelegate: class {
func keyTextEntered(_ keyText: String)
func keyFvsTapped(_ fvs: String)
func keyBackspaceTapped()
func keyKeyboardTapped()
func keyNewKeyboardChosen(_ keyboardName: String)
func otherAvailableKeyboards(_ displayNames: [String])
}
@IBDesignable
class KeyboardKey: UIControl {
weak var delegate: KeyboardKeyDelegate? // probably a keyboard class
fileprivate let backgroundLayer = KeyboardKeyBackgroundLayer()
fileprivate var oldFrame = CGRect.zero
// space between the frame edge of the visible border of the key
var padding: CGFloat {
get {
return backgroundLayer.padding
}
}
var fillColor = UIColor.white {
didSet {
backgroundLayer.setNeedsDisplay()
}
}
var borderColor = UIColor.gray {
didSet {
backgroundLayer.setNeedsDisplay()
}
}
@IBInspectable var cornerRadius: CGFloat = 8 {
didSet {
backgroundLayer.setNeedsDisplay()
}
}
// MARK: - Initialization
override init(frame: CGRect) {
super.init(frame: frame)
initializeBackgroundLayer()
}
required init?(coder: NSCoder) {
super.init(coder: coder)
initializeBackgroundLayer()
}
override var frame: CGRect {
didSet {
// only update frames if non-zero and changed
if frame != CGRect.zero && frame != oldFrame {
updateBackgroundFrame()
}
}
}
func initializeBackgroundLayer() {
// Background layer
backgroundLayer.keyboardKey = self
backgroundLayer.contentsScale = UIScreen.main.scale
layer.addSublayer(backgroundLayer)
// Long press guesture recognizer
addLongPressGestureRecognizer()
}
// subclasses can override this method if they don't want the gesture recognizer
func addLongPressGestureRecognizer() {
let longPress = UILongPressGestureRecognizer(target: self, action: #selector(longPress(_:)))
self.addGestureRecognizer(longPress)
}
func updateBackgroundFrame() {
backgroundLayer.frame = bounds
backgroundLayer.setNeedsDisplay()
}
// MARK: - Other methods
func longPress(_ guesture: UILongPressGestureRecognizer) {
if guesture.state == UIGestureRecognizerState.began {
backgroundLayer.highlighted = false
longPressBegun(guesture)
} else if guesture.state == UIGestureRecognizerState.changed {
longPressStateChanged(guesture)
} else if guesture.state == UIGestureRecognizerState.ended {
longPressEnded()
} else if guesture.state == UIGestureRecognizerState.cancelled {
longPressCancelled()
}
}
func longPressBegun(_ guesture: UILongPressGestureRecognizer) {
// this method is for subclasses to override
}
func longPressStateChanged(_ guesture: UILongPressGestureRecognizer) {
// this method is for subclasses to override
}
func longPressEnded() {
// this method is for subclasses to override
}
func longPressCancelled() {
// this method is for subclasses to override
}
// MARK: - Overrides
override func beginTracking(_ touch: UITouch, with event: UIEvent?) -> Bool {
backgroundLayer.highlighted = true
return backgroundLayer.highlighted
}
override func endTracking(_ touch: UITouch?, with event: UIEvent?) {
backgroundLayer.highlighted = false
}
}
// MARK: - Key Background Layer Class
class KeyboardKeyBackgroundLayer: CALayer {
var highlighted: Bool = false {
didSet {
setNeedsDisplay()
}
}
weak var keyboardKey: KeyboardKey?
let padding: CGFloat = 2.0
override func draw(in ctx: CGContext) {
if let key = keyboardKey {
let keyFrame = bounds.insetBy(dx: padding, dy: padding)
let keyPath = UIBezierPath(roundedRect: keyFrame, cornerRadius: key.cornerRadius)
//let borderColor = key.borderColor.CGColor
// Fill
ctx.setFillColor(key.fillColor.cgColor)
ctx.addPath(keyPath.cgPath)
ctx.fillPath()
// Outline
ctx.setStrokeColor(key.borderColor.cgColor)
ctx.setLineWidth(0.5)
ctx.addPath(keyPath.cgPath)
ctx.strokePath()
if highlighted {
ctx.setFillColor(UIColor(white: 0.0, alpha: 0.1).cgColor)
ctx.addPath(keyPath.cgPath)
ctx.fillPath()
}
}
}
}
| mit | 935e56aa31d33bd7000b0f7806617433 | 27.047872 | 104 | 0.601745 | 5.675996 | false | false | false | false |
Moballo/MOBCore | Sources-iOS-only/MOBAlerts.swift | 2 | 7834 | //
// MOBAlerts.swift
// MOBCore
//
// Created by Jason Morcos on 12/4/15.
// Copyright © 2017 Moballo, LLC. All rights reserved.
//
import UIKit
public var MOBAlertQueue = [MOBAlertController]()
public var MOBAlertTimer: Timer?
public class MOBAlertHandler: NSObject {
@objc var internalApplication: UIApplication
@objc public func MOBAlertTimerCall() {
self.presentAlertController()
}
@objc public init(_ application: UIApplication) {
internalApplication = application
super.init()
}
@objc public func dismissAlert(completion: (() -> Void)? = nil) {
if let keyWindow = internalApplication.getCurrentWindow() {
if let rootVC = keyWindow.rootViewController {
let topVC = getTopmostNavController(relativeTo: rootVC)
if topVC.presentedViewController is MOBAlertController {
topVC.dismiss(animated: true, completion: completion)
return
}
}
}
if ((completion) != nil) {
completion!()
}
}
@objc public func tryQueuedAlerts() {
self.presentAlertController()
}
@objc public func minimizeAllAlerts(completion: (() -> Void)? = nil) {
if let theTimer = MOBAlertTimer , MOBAlertQueue.count == 0 {
theTimer.invalidate()
MOBAlertTimer = nil
}
if let keyWindow = internalApplication.getCurrentWindow() {
if let rootVC = keyWindow.rootViewController {
let topVC = getTopmostNavController(relativeTo: rootVC)
if let currentAlert = topVC.presentedViewController as? MOBAlertController {
MOBAlertQueue.insert(currentAlert, at: 0)
DispatchQueue.main.async {
topVC.dismiss(animated: true, completion: completion)
}
return
}
}
}
if ((completion) != nil) {
completion!()
}
}
fileprivate func presentAlertController(_ inputAlert: MOBAlertController? = nil, placeOnTopOfQueue:Bool = false, completion: (() -> Void)? = nil) {
if let keyWindow = internalApplication.getCurrentWindow() {
if let rootVC = keyWindow.rootViewController {
let topVC = getTopmostNavController(relativeTo: rootVC)
if let inputAlertItem = inputAlert {
if let alertIdentifier = inputAlertItem.alertIdentifier {
if let presented = topVC.presentedViewController as? MOBAlertController {
if presented.alertIdentifier == alertIdentifier {
return
}
}
if MOBAlertQueue.count > 0 {
for anAlert in MOBAlertQueue {
if anAlert.alertIdentifier == alertIdentifier {
return
}
}
}
}
if (placeOnTopOfQueue) {
MOBAlertQueue.insert(inputAlertItem, at: 0)
} else {
MOBAlertQueue.append(inputAlertItem)
}
}
if MOBAlertTimer == nil {
MOBAlertTimer = Timer.scheduledTimer(timeInterval: 5.0, target: self, selector: #selector(self.MOBAlertTimerCall), userInfo: nil, repeats: true)
}
if let _ = topVC.presentedViewController as? UIAlertController {
return
}
if MOBAlertQueue.count > 0 && topVC.isViewLoaded {
if let toPresent = MOBAlertQueue.first {
toPresent.alertHandler = self
topVC.present(toPresent, animated: true, completion: {
if ((completion) != nil) {
completion!()
}
if let textFields = toPresent.textFields , (keyWindow.bounds.height < 667.0 && keyWindow.bounds.width < 667.0) {
self.mobAlertDelay(0.1) {
toPresent.resignFirstResponder()
for aField in textFields {
aField.resignFirstResponder()
}
toPresent.resignFirstResponder()
}
}
if MOBAlertQueue.count > 0 {
MOBAlertQueue.removeFirst()
}
if let theTimer = MOBAlertTimer , MOBAlertQueue.count == 0 {
theTimer.invalidate()
MOBAlertTimer = nil
}
})
}
}
}
}
if let theTimer = MOBAlertTimer , MOBAlertQueue.count == 0 {
theTimer.invalidate()
MOBAlertTimer = nil
}
}
private func getTopmostNavController(relativeTo inputView: UIViewController) -> UIViewController {
if let presented = inputView.presentedViewController as? UINavigationController {
return getTopmostNavController(relativeTo: presented)
}
return inputView
}
private func mobAlertDelay(_ delay: Double, closure: @escaping ()->()) {
let time = DispatchTime.now() + Double(Int64(delay * Double(NSEC_PER_SEC))) / Double(NSEC_PER_SEC)
DispatchQueue.main.asyncAfter(deadline: time, execute: closure)
}
@objc public static func resetQueue() {
if let theTimer = MOBAlertTimer {
theTimer.invalidate()
}
MOBAlertQueue = [MOBAlertController]()
}
}
public class MOBAlertController: UIAlertController {
//used to make duplicate alerts not a thing
@objc public var alertIdentifier: String?
@objc var alertHandler: MOBAlertHandler?
@objc public static func alertControllerWithTitle(title:String?,message:String?,actions:[UIAlertAction],dismissingActionTitle:String? = "Dismiss", dismissBlock:(() -> ())?) -> MOBAlertController {
let alertController = MOBAlertController(title: title, message: message, preferredStyle: .alert)
if dismissingActionTitle != nil {
let okAction = UIAlertAction(title: dismissingActionTitle, style: .default) { (action) -> Void in
if dismissBlock != nil {
dismissBlock?()
}
}
alertController.addAction(okAction)
}
for action in actions {
alertController.addAction(action)
}
return alertController
}
deinit {
if let handler = alertHandler {
handler.tryQueuedAlerts()
}
}
@objc public func show(_ application: UIApplication) {
let handler = MOBAlertHandler(application)
handler.presentAlertController(self)
}
@objc public func showNow(_ application: UIApplication, completion: (() -> Void)? = nil) {
let handler = MOBAlertHandler(application)
handler.minimizeAllAlerts()
handler.presentAlertController(self, placeOnTopOfQueue: true, completion: completion)
}
@objc public func showNext(_ application: UIApplication) {
let handler = MOBAlertHandler(application)
handler.presentAlertController(self, placeOnTopOfQueue: true)
}
}
| mit | 85488b28723f6d7d3f32958cbb4c46d3 | 41.340541 | 200 | 0.531852 | 6.129108 | false | false | false | false |
JamieScanlon/AugmentKit | AugmentKit/AKCore/Anchors/AugmentedAnchor.swift | 1 | 4589 | //
// AugmentedAnchor.swift
// AugmentKit
//
// MIT License
//
// Copyright (c) 2018 JamieScanlon
//
// 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 ARKit
import Foundation
import ModelIO
/**
A generic implementation of `AKAugmentedAnchor`. An AR anchor that can be placed in the AR world. These can be created and given to the AR engine to render in the AR world.
*/
open class AugmentedAnchor: AKAugmentedAnchor {
/**
Returns "AugmentedAnchor"
*/
public static var type: String {
return "AugmentedAnchor"
}
/**
The location of the anchor
*/
public var worldLocation: AKWorldLocation
/**
The locaiton of the anchor
*/
public var heading: AKHeading = NorthHeading()
/**
The `MDLAsset` associated with the entity.
*/
public var asset: MDLAsset
/**
A unique, per-instance identifier
*/
public var identifier: UUID?
/**
An array of `AKEffect` objects that are applied by the renderer
*/
public var effects: [AnyEffect<Any>]?
/**
Specified a perfered renderer to use when rendering this enitity. Most will use the standard PBR renderer but some entities may prefer a simpiler renderer when they are not trying to achieve the look of real-world objects. Defaults to the PBR renderer.
*/
public var shaderPreference: ShaderPreference = .pbr
/**
Indicates whether this geometry participates in the generation of augmented shadows. Since this is an augmented geometry, it does generate shadows.
*/
public var generatesShadows: Bool = true
/**
If `true`, the current base color texture of the entity has changed since the last time it was rendered and the pixel data needs to be updated. This flag can be used to achieve dynamically updated textures for rendered objects.
*/
public var needsColorTextureUpdate: Bool = false
/// If `true` the underlying mesh for this geometry has changed and the renderer needs to update. This can be used to achieve dynamically generated geometries that change over time.
public var needsMeshUpdate: Bool = false
/**
An `ARAnchor` that will be tracked in the AR world by `ARKit`
*/
public var arAnchor: ARAnchor?
/**
Initialize a new object with an `MDLAsset` and an `AKWorldLocation`
- Parameters:
- withModelAsset: The `MDLAsset` associated with the entity.
- at: The location of the anchor
*/
public init(withModelAsset asset: MDLAsset, at location: AKWorldLocation) {
self.asset = asset
self.worldLocation = location
}
/**
Sets a new `arAnchor`
- Parameters:
- _: An `ARAnchor`
*/
public func setARAnchor(_ arAnchor: ARAnchor) {
self.arAnchor = arAnchor
if identifier == nil {
identifier = arAnchor.identifier
}
worldLocation.transform = arAnchor.transform
}
}
/// :nodoc:
extension AugmentedAnchor: CustomDebugStringConvertible, CustomStringConvertible {
/// :nodoc:
public var description: String {
return debugDescription
}
/// :nodoc:
public var debugDescription: String {
let myDescription = "<AugmentedAnchor: \(Unmanaged.passUnretained(self).toOpaque())> worldLocation: \(worldLocation), identifier:\(identifier?.debugDescription ?? "None"), effects: \(effects?.debugDescription ?? "None"), arAnchor: \(arAnchor?.debugDescription ?? "None"), asset: \(asset)"
return myDescription
}
}
| mit | fcfd72c7c5752bdf0ee0535f061434e7 | 37.241667 | 296 | 0.691654 | 4.635354 | false | false | false | false |
webim/webim-client-sdk-ios | WebimClientLibrary/Backend/Items/Responses/HistorySinceResponse.swift | 1 | 3579 | //
// HistorySinceResponse.swift
// WebimClientLibrary
//
// Created by Nikita Lazarev-Zubov on 15.08.17.
// Copyright © 2017 Webim. All rights reserved.
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in all
// copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
// SOFTWARE.
//
import Foundation
/**
- author:
Nikita Lazarev-Zubov
- copyright:
2017 Webim
*/
struct HistorySinceResponse {
// MARK: - Constants
// Raw values equal to field names received in responses from server.
enum JSONField: String {
case data = "data"
}
// MARK: - Properties
private var historyResponseData: HistoryResponseData?
// MARK: - Initialization
init(jsonDictionary: [String: Any?]) {
if let dataDictionary = jsonDictionary[JSONField.data.rawValue] as? [String: Any?] {
historyResponseData = HistoryResponseData(jsonDictionary: dataDictionary)
}
}
// MARK: - Methods
func getData() -> HistoryResponseData? {
return historyResponseData
}
// MARK: -
struct HistoryResponseData {
// MARK: - Constants
// Raw values equal to field names received in responses from server.
enum JSONField: String {
case hasMore = "hasMore"
case messages = "messages"
case revision = "revision"
}
// MARK: - Properties
private var hasMore: Bool?
private var messages: [MessageItem]?
private var revision: String?
// MARK: - Initialization
init(jsonDictionary: [String: Any?]) {
var messages = [MessageItem]()
if let messagesArray = jsonDictionary[JSONField.messages.rawValue] as? [Any?] {
for item in messagesArray {
if let messageDictionary = item as? [String: Any?] {
let messageItem = MessageItem(jsonDictionary: messageDictionary)
messages.append(messageItem)
}
}
}
self.messages = messages
hasMore = ((jsonDictionary[JSONField.hasMore.rawValue] as? Bool) ?? false)
revision = jsonDictionary[JSONField.revision.rawValue] as? String
}
// MARK: - Methods
func getMessages() -> [MessageItem]? {
return messages
}
func isHasMore() -> Bool? {
return hasMore
}
func getRevision() -> String? {
return revision
}
}
}
| mit | 8bf06c50040fcaebfe83802581d590c9 | 32.439252 | 92 | 0.615987 | 4.941989 | false | false | false | false |
britez/sdk-ios | sdk_ios_v2/Extensions.swift | 2 | 1894 | // Extensions.swift
//
import Alamofire
extension Bool: JSONEncodable {
func encodeToJSON() -> Any { return self as Any }
}
extension Float: JSONEncodable {
func encodeToJSON() -> Any { return self as Any }
}
extension Int: JSONEncodable {
func encodeToJSON() -> Any { return self as Any }
}
extension Int32: JSONEncodable {
func encodeToJSON() -> Any { return NSNumber(value: self as Int32) }
}
extension Int64: JSONEncodable {
func encodeToJSON() -> Any { return NSNumber(value: self as Int64) }
}
extension Double: JSONEncodable {
func encodeToJSON() -> Any { return self as Any }
}
extension String: JSONEncodable {
func encodeToJSON() -> Any { return self as Any }
}
private func encodeIfPossible<T>(_ object: T) -> Any {
if let encodableObject = object as? JSONEncodable {
return encodableObject.encodeToJSON()
} else {
return object as Any
}
}
extension Array: JSONEncodable {
func encodeToJSON() -> Any {
return self.map(encodeIfPossible)
}
}
extension Dictionary: JSONEncodable {
func encodeToJSON() -> Any {
var dictionary = [AnyHashable: Any]()
for (key, value) in self {
dictionary[key as! NSObject] = encodeIfPossible(value)
}
return dictionary as Any
}
}
extension Data: JSONEncodable {
func encodeToJSON() -> Any {
return self.base64EncodedString(options: Data.Base64EncodingOptions())
}
}
private let dateFormatter: DateFormatter = {
let fmt = DateFormatter()
fmt.dateFormat = "yyyy-MM-dd'T'HH:mm:ss.SSSZZZZZ"
fmt.locale = Locale(identifier: "en_US_POSIX")
return fmt
}()
extension Date: JSONEncodable {
func encodeToJSON() -> Any {
return dateFormatter.string(from: self) as Any
}
}
extension UUID: JSONEncodable {
func encodeToJSON() -> Any {
return self.uuidString
}
}
| mit | 41a6870b4cd9c42497dcd721e44716f4 | 21.547619 | 78 | 0.655755 | 4.208889 | false | false | false | false |
gustavosaume/DotUserDefaults | DotUserDefaults/Classes/NSUserDefaults+DotExtensions.swift | 1 | 6576 | //
// UserDefaultsUtils.swift
// UserDefaultsUtils
//
// Created by Gustavo Saume on 4/28/16.
// Copyright © 2016 BigPanza. All rights reserved.
//
import Foundation
public enum RawRepresentableError: ErrorType {
case InvalidRawValue
}
extension NSUserDefaults {
public func objectForKey<K: RawRepresentable where K.RawValue == String>(defaultName: K) -> AnyObject? {
return objectForKey(defaultName.rawValue)
}
public func setObject<K: RawRepresentable where K.RawValue == String>(value: AnyObject?, forKey defaultName: K) {
setObject(value, forKey: defaultName.rawValue)
}
public func removeObjectForKey<K: RawRepresentable where K.RawValue == String>(defaultName: K) {
removeObjectForKey(defaultName.rawValue)
}
public func stringForKey<K: RawRepresentable where K.RawValue == String>(defaultName: K) -> String? {
return stringForKey(defaultName.rawValue)
}
public func arrayForKey<K: RawRepresentable where K.RawValue == String>(defaultName: K) -> [AnyObject]? {
return arrayForKey(defaultName.rawValue)
}
public func dictionaryForKey<K: RawRepresentable where K.RawValue == String>(defaultName: K) -> [String : AnyObject]? {
return dictionaryForKey(defaultName.rawValue)
}
public func dataForKey<K: RawRepresentable where K.RawValue == String>(defaultName: K) -> NSData? {
return dataForKey(defaultName.rawValue)
}
public func stringArrayForKey<K: RawRepresentable where K.RawValue == String>(defaultName: K) -> [String]? {
return stringArrayForKey(defaultName.rawValue)
}
public func integerForKey<K: RawRepresentable where K.RawValue == String>(defaultName: K) -> Int {
return integerForKey(defaultName.rawValue)
}
public func floatForKey<K: RawRepresentable where K.RawValue == String>(defaultName: K) -> Float {
return floatForKey(defaultName.rawValue)
}
public func doubleForKey<K: RawRepresentable where K.RawValue == String>(defaultName: K) -> Double {
return doubleForKey(defaultName.rawValue)
}
public func boolForKey<K: RawRepresentable where K.RawValue == String>(defaultName: K) -> Bool {
return boolForKey(defaultName.rawValue)
}
public func URLForKey<K: RawRepresentable where K.RawValue == String>(defaultName: K) -> NSURL? {
return URLForKey(defaultName.rawValue)
}
public func enumForKey<T: RawRepresentable where T.RawValue == Int>(defaultName: String) -> T? {
guard let storedEnum = T(rawValue: integerForKey(defaultName)) else {
return nil
}
return storedEnum
}
public func enumForKey<K: RawRepresentable, T: RawRepresentable where K.RawValue == String, T.RawValue == Int>(defaultName: K) -> T? {
guard let storedEnum = T(rawValue: integerForKey(defaultName)) else {
return nil
}
return storedEnum
}
public func enumForKey<T: RawRepresentable where T.RawValue == Double>(defaultName: String) -> T? {
guard let storedEnum = T(rawValue: doubleForKey(defaultName)) else {
return nil
}
return storedEnum
}
public func enumForKey<K: RawRepresentable, T: RawRepresentable where K.RawValue == String, T.RawValue == Double>(defaultName: K) -> T? {
guard let storedEnum = T(rawValue: doubleForKey(defaultName)) else {
return nil
}
return storedEnum
}
public func enumForKey<T: RawRepresentable where T.RawValue == Float>(defaultName: String) -> T? {
guard let storedEnum = T(rawValue: floatForKey(defaultName)) else {
return nil
}
return storedEnum
}
public func enumForKey<K: RawRepresentable, T: RawRepresentable where K.RawValue == String, T.RawValue == Float>(defaultName: K) -> T? {
guard let storedEnum = T(rawValue: floatForKey(defaultName)) else {
return nil
}
return storedEnum
}
public func enumForKey<T: RawRepresentable where T.RawValue == String>(defaultName: String) -> T? {
guard let storedString = stringForKey(defaultName), storedEnum = T(rawValue: storedString) else {
return nil
}
return storedEnum
}
public func enumForKey<K: RawRepresentable, T: RawRepresentable where K.RawValue == String, T.RawValue == String>(defaultName: K) -> T? {
guard let storedString = stringForKey(defaultName), storedEnum = T(rawValue: storedString) else {
return nil
}
return storedEnum
}
// MARK: - Setters
public func setInteger<K: RawRepresentable where K.RawValue == String>(value: Int, forKey defaultName: K) {
setInteger(value, forKey: defaultName.rawValue)
}
public func setFloat<K: RawRepresentable where K.RawValue == String>(value: Float, forKey defaultName: K) {
setFloat(value, forKey: defaultName.rawValue)
}
public func setDouble<K: RawRepresentable where K.RawValue == String>(value: Double, forKey defaultName: K) {
setDouble(value, forKey: defaultName.rawValue)
}
public func setBool<K: RawRepresentable where K.RawValue == String>(value: Bool, forKey defaultName: K) {
setBool(value, forKey: defaultName.rawValue)
}
@available(iOS 4.0, *)
public func setURL<K: RawRepresentable where K.RawValue == String>(url: NSURL?, forKey defaultName: K) {
setURL(url, forKey: defaultName.rawValue)
}
public func setEnum<V: RawRepresentable where V.RawValue == String>(value: V, forKey key: String) {
setObject(value.rawValue, forKey: key)
}
public func setEnum<V: RawRepresentable, K: RawRepresentable where V.RawValue == String, K.RawValue == String>(value: V, forKey key: K) {
setObject(value.rawValue, forKey: key.rawValue)
}
public func setEnum<V: RawRepresentable where V.RawValue == Int>(value: V, forKey key: String) {
setInteger(value.rawValue, forKey: key)
}
public func setEnum<V: RawRepresentable, K: RawRepresentable where V.RawValue == Int, K.RawValue == String>(value: V, forKey key: K) {
setInteger(value.rawValue, forKey: key.rawValue)
}
public func setEnum<V: RawRepresentable where V.RawValue == Double>(value: V, forKey key: String) {
setDouble(value.rawValue, forKey: key)
}
public func setEnum<V: RawRepresentable, K: RawRepresentable where V.RawValue == Double, K.RawValue == String>(value: V, forKey key: K) {
setDouble(value.rawValue, forKey: key.rawValue)
}
public func setEnum<V: RawRepresentable where V.RawValue == Float>(value: V, forKey key: String) {
setFloat(value.rawValue, forKey: key)
}
public func setEnum<V: RawRepresentable, K: RawRepresentable where V.RawValue == Float, K.RawValue == String>(value: V, forKey key: K) {
setFloat(value.rawValue, forKey: key.rawValue)
}
}
| mit | e7ceed40f8740311a0357397b9230d60 | 33.973404 | 139 | 0.713612 | 4.389186 | false | false | false | false |
mentrena/SyncKit | SyncKit/Classes/RealmSwift/SyncedEntity.swift | 1 | 970 | //
// SyncedEntity.swift
// Pods
//
// Created by Manuel Entrena on 29/08/2017.
//
//
import Foundation
import RealmSwift
class SyncedEntity: Object {
@objc dynamic var entityType: String = ""
@objc dynamic var identifier: String = ""
@objc dynamic var state: Int = 0
@objc dynamic var changedKeys: String?
@objc dynamic var updated: Date?
@objc dynamic var record: Record?
@objc dynamic var share: SyncedEntity?
convenience init(entityType: String, identifier: String, state: Int) {
self.init()
self.entityType = entityType
self.identifier = identifier
self.state = state
}
override static func primaryKey() -> String? {
return "identifier"
}
var entityState: SyncedEntityState {
set {
state = newValue.rawValue
}
get {
return SyncedEntityState(rawValue: state)!
}
}
}
| mit | eac21526c708e7086a95fa63e543994e | 21.045455 | 74 | 0.590722 | 4.553991 | false | false | false | false |
GuiBayma/PasswordVault | PasswordVaultTests/Scenes/Group Detail/ItemTableViewCellTests.swift | 1 | 1514 | //
// ItemTableViewCellTests.swift
// PasswordVault
//
// Created by Guilherme Bayma on 7/28/17.
// Copyright © 2017 Bayma. All rights reserved.
//
import Foundation
import Quick
import Nimble
@testable import PasswordVault
class ItemTableViewCellTests: QuickSpec {
override func spec() {
describe("ItemTableViewCell tests") {
var sut: ItemTableViewCell?
let item = ItemManager.sharedInstance.newItem()
beforeEach {
sut = ItemTableViewCell()
}
afterSuite {
if let itm = item {
if !ItemManager.sharedInstance.delete(object: itm) {
fail("could not delete Item")
}
}
}
it("should not be nil") {
expect(sut).toNot(beNil())
}
#if arch(x86_64) && _runtime(_ObjC) && !SWIFT_PACKAGE
it("should not load through storyboard") {
expect {
_ = ItemTableViewCell(coder: NSCoder())
}.to(throwAssertion())
}
#endif
it("should configure correctly") {
guard let item = item else {
fail("item is nil")
return
}
item.name = "Item name"
sut?.configure(item)
expect(sut?.label.text) == item.name
}
}
}
}
| mit | ce8ed9016edd5ea6b567f752718cb058 | 23.015873 | 72 | 0.469927 | 5.308772 | false | true | false | false |
Vienta/kuafu | kuafu/kuafu/src/Manager/KFDBManager.swift | 1 | 1477 | //
// KFDBManager.swift
// kuafu
//
// Created by Vienta on 15/6/5.
// Copyright (c) 2015年 www.vienta.me. All rights reserved.
//
import UIKit
import FMDB
let SQLDOC = "iDoc"
let KF_EVENT_SQL = "KFEvent.sqlite"
private let sharedInstance = KFDBManager()
class KFDBManager: NSObject {
var dbQueue: FMDatabaseQueue?
class var sharedManager : KFDBManager {
return sharedInstance
}
override init() {
super.init()
dbQueue = FMDatabaseQueue(path: self.databasePath())
}
func sqlPath() -> String {
let docPath:String = KFUtil.documentFilePath(SQLDOC)
let fileExist:Bool = NSFileManager.defaultManager().fileExistsAtPath(docPath)
if(!fileExist) {
NSFileManager.defaultManager().createDirectoryAtPath(docPath, withIntermediateDirectories: true, attributes: nil, error: nil)
}
KFUtil.skipBackupAttributeToItemAtPath(NSURL.fileURLWithPath(docPath)!)
return docPath
}
func databasePath() -> String? {
self.sqlPath()
// let filePathString = SQLDOC + "/" + KF_EVENT_SQL
// var dbPath: String = KFUtil.documentFilePath(filePathString)
var dbGroupPath = NSFileManager.defaultManager().containerURLForSecurityApplicationGroupIdentifier(KF_GROUP_ID)
dbGroupPath = dbGroupPath!.URLByAppendingPathComponent(KF_EVENT_SQL)
return dbGroupPath?.path
}
}
| mit | 2a7c35d2120c5363ac49e03bcd24ad87 | 25.818182 | 137 | 0.652203 | 4.52454 | false | false | false | false |
Bartlebys/Bartleby | Bartleby.xOS/core/extensions/ManagedModel+ProvisionChanges.swift | 1 | 5590 | //
// ManagedModel+ProvisionChanges.swift
// BartlebyKit
//
// Created by Benoit Pereira da silva on 24/11/2016.
//
//
import Foundation
extension ManagedModel:ProvisionChanges{
/**
The change provisionning is related to multiple essential notions.
## **Supervision** is a local mechanism used to determine if an object has changed.
Properties that are declared `supervisable` provision their changes using this method.
## **Commit** is the first phase of the **distribution** mechanism (the second is Push, and the Third Trigger and integration on another node)
If auto-commit is enabled on any supervised change an object is "staged" in its collection
## You can add **supervisers** to any ManagedModel.
On supervised change the closure of the supervisers will be invoked.
## **Inspection** During debbuging or when Bartleby's inspector is opened we record and analyse the changes
If Bartleby.inspectable we store in memory the changes changed Keys to allow Bartleby's runtime inspections
(we use `KeyedChanges` objects)
`provisionChanges` is the entry point of those mechanisms.
- parameter key: the key
- parameter oldValue: the oldValue
- parameter newValue: the newValue
*/
open func provisionChanges(forKey key:String,oldValue:Any?,newValue:Any?){
// Invoke the closures (changes Observers)
// note that it occurs even changes are not inspectable.
for (_,supervisionClosure) in self._supervisers{
supervisionClosure(key,oldValue,newValue)
}
if self._autoCommitIsEnabled == true {
self.collection?.stage(self)
}
// Changes propagation & Inspection
// Propagate item changes to its collections
if key=="*" && !(self is BartlebyCollection){
if self.isInspectable {
// Dictionnary or NSData Patch
self._appendChanges(key:key,changes:"\(type(of: self).typeName()) \(self.UID) has been patched")
}
self.collection?.provisionChanges(forKey: "item", oldValue: self, newValue: self)
}else{
if let collection = self as? BartlebyCollection {
if self.isInspectable {
let entityName=Pluralization.singularize(collection.d_collectionName)
if key=="_items"{
if let oldArray=oldValue as? [ManagedModel], let newArray=newValue as? [ManagedModel]{
if oldArray.count < newArray.count{
let stringValue:String! = (newArray.last?.UID ?? "")
self._appendChanges(key:key,changes:"Added a new \(entityName) \(stringValue))")
}else{
self._appendChanges(key:key,changes:"Removed One \(entityName)")
}
}
}
if key == "item" {
if let o = newValue as? ManagedModel{
self._appendChanges(key:key,changes:"\(entityName) \(o.UID) has changed")
}else{
self._appendChanges(key:key,changes:"\(entityName) has changed anomaly")
}
}
if key == "*" {
self._appendChanges(key:key,changes:"This collection has been patched")
}
}
}else if let collectibleNewValue = newValue as? Collectible{
if self.isInspectable {
// Collectible objects
self._appendChanges(key:key,changes:"\(collectibleNewValue.runTimeTypeName()) \(collectibleNewValue.UID) has changed")
}
// Relay the as a global change to the collection
self.collection?.provisionChanges(forKey: "item", oldValue: self, newValue: self)
}else{
// Natives types
let o = oldValue ?? "void"
let n = newValue ?? "void"
if self.isInspectable {
self._appendChanges(key:key,changes:"\(o) ->\(n)")
}
// Relay the as a global change to the collection
self.collection?.provisionChanges(forKey: "item", oldValue: self, newValue: self)
}
}
}
/// Performs the deserialization without invoking provisionChanges
///
/// - parameter changes: the changes closure
public func quietChanges(_ changes:()->()){
self._quietChanges=true
changes()
self._quietChanges=false
}
/// Performs the deserialization without invoking provisionChanges
///
/// - parameter changes: the changes closure
public func quietThrowingChanges(_ changes:()throws->())rethrows{
self._quietChanges=true
try changes()
self._quietChanges=false
}
// MARK : -
public var wantsQuietChanges:Bool{
return self._quietChanges
}
/// **Inspection**
/// Appends the change to the changedKey
///
/// - parameter key: the key
/// - parameter changes: the description of the changes
private func _appendChanges(key:String,changes:String){
let kChanges=KeyedChanges()
kChanges.key=key
kChanges.changes=changes
self.changedKeys.append(kChanges)
}
open func stage(){
self.collection?.stage(self)
}
}
| apache-2.0 | da2bc3734f3de7f06c19b141d68b33c4 | 36.516779 | 147 | 0.576744 | 5.13315 | false | false | false | false |
Draveness/RbSwift | Sources/String+Inflections.swift | 1 | 5370 | //
// Inflections.swift
// SwiftPatch
//
// Created by draveness on 18/03/2017.
// Copyright © 2017 draveness. All rights reserved.
//
import Foundation
// MARK: - Inflections
public extension String {
/// An enum used to control the output of camelize as parameter
///
/// - upper: Return the UppcaseCamelCase when specified
/// - lower: Return the lowerCamelCase when specified
public enum LetterCase {
case upper
case lower
}
/// By default, `camelize` converts strings to UpperCamelCase.
///
/// "os_version".camelize #=> "OsVersion"
/// "os_version_ten".camelize #=> "OsVersionTen"
/// "os_version_TEn".camelize #=> "OsVersionTen"
///
/// If the argument to camelize is set to `.lower` then camelize produces lowerCamelCase.
///
/// "os_version".camelize(.lower) #=> "osVersion"
///
/// - Parameter firstLetter: A flag to control result between UpperCamelCase(.upper) and lowerCamelCase(.lower), See also LetterCase
/// - Returns: A string converts to camel case
/// - SeeAlso: LetterCase
func camelize(_ firstLetter: LetterCase = .upper) -> String {
let source = gsub("[-_]", " ")
if source.characters.contains(" ") {
var first = source.substring(to: 1)
first = firstLetter == .upper ? first.upcase : first.downcase
let camel = source.capitalized.gsub(" ", "")
let rest = String(camel.characters.dropFirst())
return "\(first)\(rest)"
} else {
var first = source.substring(to: 1)
first = firstLetter == .upper ? first.upcase : first.downcase
let rest = String(source.characters.dropFirst())
return "\(first)\(rest)"
}
}
/// Creates a foreign key name from a class name.
///
/// "people".foreignKey #=> "people_id"
/// "people".foreignKey #=> "people_id"
/// "MessageQueue".foreignKey #=> "message_queue_id"
///
/// Separate flag sets whether the method should put '_' between the name and 'id'.
///
/// "MessageQueue".foreignKey(false) #=> "message_queueid"
///
/// - Parameter separate: A bool value sets whether the method should put '_' between the name and 'id'
/// - Returns: A foreign key name string
func foreignKey(_ separate: Bool = true) -> String {
if separate {
return underscore + "_id"
} else {
return underscore + "id"
}
}
/// Converts strings to UpperCamelCase.
///
/// "os_version".camelize #=> "OsVersion"
/// "os_version_ten".camelize #=> "OsVersionTen"
/// "os_version_TEn".camelize #=> "OsVersionTen"
///
/// - See Also: `String#camelize(firstLetter:)`
var camelize: String {
return camelize()
}
/// Returns the plural form of the word in the string.
var pluralize: String {
return inflector.pluralize(string: self)
}
/// Returns the plural form of the word in the string.
///
/// "person".pluralize #=> "people"
/// "monkey".pluralize #=> "monkeys"
/// "user".pluralize #=> "users"
/// "man".pluralize #=> "men"
///
/// If the parameter count is specified, the singular form will be returned if count == 1.
///
/// "men".pluralize(1) #=> "man"
///
/// For any other value of count the plural will be returned.
///
/// - Parameter count: If specified, the singular form will be returned if count == 1
/// - Returns: A string in plural form of the word
func pluralize(_ count: Int = 2) -> String {
if count == 1 { return singularize }
return pluralize
}
/// The reverse of `pluralize`, returns the singular form of a word in a string.
///
/// "people".singularize #=> "person"
/// "monkeys".singularize #=> "monkey"
/// "users".singularize #=> "user"
/// "men".singularize #=> "man"
///
var singularize: String {
return inflector.singularize(string: self)
}
/// The reverse of `camelize`. Makes an underscored, lowercase form from the expression in the string.
///
/// "OsVersionTen".underscore #=> "os_version_ten"
/// "osVersionTen".underscore #=> "os_version_ten"
/// "osVerSionTen".underscore #=> "os_ver_sion_ten"
///
var underscore: String {
var word = self.gsub("([A-Z\\d]+)([A-Z][a-z])", "$1_$2")
word.gsubed("([a-z\\d])([A-Z])", "$1_$2")
// word.tr("-".freeze, "_".freeze)
word.downcased()
return word
}
/// Creates the name of a table.
/// This method uses the `String#pluralize` method on the last word in the string.
///
/// "RawScaledScorer".tableize #=> "raw_scaled_scorers"
/// "egg_and_ham".tableize #=> "egg_and_hams"
/// "fancyCategory".tableize #=> "fancy_categories"
///
var tableize: String {
return underscore.pluralize
}
/// Creates a foreign key name from a class name.
///
/// "people".foreignKey #=> "people_id"
/// "people".foreignKey #=> "people_id"
/// "MessageQueue".foreignKey #=> "message_queue_id"
///
var foreignKey: String {
return foreignKey()
}
}
| mit | 6ea4901bff3563cffcdbde4efe0e48c1 | 34.322368 | 136 | 0.564723 | 3.88214 | false | false | false | false |
ReactiveX/RxSwift | RxTest/Schedulers/TestScheduler.swift | 1 | 7463 | //
// TestScheduler.swift
// RxTest
//
// Created by Krunoslav Zaher on 2/8/15.
// Copyright © 2015 Krunoslav Zaher. All rights reserved.
//
import RxSwift
/// Virtual time scheduler used for testing applications and libraries built using RxSwift.
public class TestScheduler : VirtualTimeScheduler<TestSchedulerVirtualTimeConverter> {
/// Default values of scheduler times.
public struct Defaults {
/// Default absolute time when to create tested observable sequence.
public static let created = 100
/// Default absolute time when to subscribe to tested observable sequence.
public static let subscribed = 200
/// Default absolute time when to dispose subscription to tested observable sequence.
public static let disposed = 1000
}
private let simulateProcessingDelay: Bool
/**
Creates a new test scheduler.
- parameter initialClock: Initial value for the clock.
- parameter resolution: Real time [NSTimeInterval] = ticks * resolution
- parameter simulateProcessingDelay: When true, if something is scheduled right `now`,
it will be scheduled to `now + 1` in virtual time.
*/
public init(initialClock: TestTime, resolution: Double = 1.0, simulateProcessingDelay: Bool = true) {
self.simulateProcessingDelay = simulateProcessingDelay
super.init(initialClock: initialClock, converter: TestSchedulerVirtualTimeConverter(resolution: resolution))
}
/**
Creates a hot observable using the specified timestamped events.
- parameter events: Events to surface through the created sequence at their specified absolute virtual times.
- returns: Hot observable sequence that can be used to assert the timing of subscriptions and events.
*/
public func createHotObservable<Element>(_ events: [Recorded<Event<Element>>]) -> TestableObservable<Element> {
HotObservable(testScheduler: self as AnyObject as! TestScheduler, recordedEvents: events)
}
/**
Creates a cold observable using the specified timestamped events.
- parameter events: Events to surface through the created sequence at their specified virtual time offsets from the sequence subscription time.
- returns: Cold observable sequence that can be used to assert the timing of subscriptions and events.
*/
public func createColdObservable<Element>(_ events: [Recorded<Event<Element>>]) -> TestableObservable<Element> {
ColdObservable(testScheduler: self as AnyObject as! TestScheduler, recordedEvents: events)
}
/**
Creates an observer that records received events and timestamps those.
- parameter type: Optional type hint of the observed sequence elements.
- returns: Observer that can be used to assert the timing of events.
*/
public func createObserver<Element>(_ type: Element.Type) -> TestableObserver<Element> {
TestableObserver(scheduler: self as AnyObject as! TestScheduler)
}
/**
Schedules an action to be executed at the specified virtual time.
- parameter time: Absolute virtual time at which to execute the action.
*/
public func scheduleAt(_ time: TestTime, action: @escaping () -> Void) {
_ = self.scheduleAbsoluteVirtual((), time: time, action: { _ -> Disposable in
action()
return Disposables.create()
})
}
/**
Adjusts time of scheduling before adding item to schedule queue. If scheduled time is `<= clock`, then it is scheduled at `clock + 1`
*/
override public func adjustScheduledTime(_ time: VirtualTime) -> VirtualTime {
time <= self.clock ? self.clock + (self.simulateProcessingDelay ? 1 : 0) : time
}
/**
Starts the test scheduler and uses the specified virtual times to invoke the factory function, subscribe to the resulting sequence, and dispose the subscription.
- parameter created: Virtual time at which to invoke the factory to create an observable sequence.
- parameter subscribed: Virtual time at which to subscribe to the created observable sequence.
- parameter disposed: Virtual time at which to dispose the subscription.
- parameter create: Factory method to create an observable convertible sequence.
- returns: Observer with timestamped recordings of events that were received during the virtual time window when the subscription to the source sequence was active.
*/
public func start<Element, OutputSequence: ObservableConvertibleType>(created: TestTime, subscribed: TestTime, disposed: TestTime, create: @escaping () -> OutputSequence)
-> TestableObserver<Element> where OutputSequence.Element == Element {
var source: Observable<Element>?
var subscription: Disposable?
let observer = self.createObserver(Element.self)
_ = self.scheduleAbsoluteVirtual((), time: created) { _ in
source = create().asObservable()
return Disposables.create()
}
_ = self.scheduleAbsoluteVirtual((), time: subscribed) { _ in
subscription = source!.subscribe(observer)
return Disposables.create()
}
_ = self.scheduleAbsoluteVirtual((), time: disposed) { _ in
subscription!.dispose()
return Disposables.create()
}
self.start()
return observer
}
/**
Starts the test scheduler and uses the specified virtual times to invoke the factory function, subscribe to the resulting sequence, and dispose the subscription.
Observable sequence will be:
* created at virtual time `Defaults.created` -> 100
* subscribed to at virtual time `Defaults.subscribed` -> 200
- parameter disposed: Virtual time at which to dispose the subscription.
- parameter create: Factory method to create an observable convertible sequence.
- returns: Observer with timestamped recordings of events that were received during the virtual time window when the subscription to the source sequence was active.
*/
public func start<Element, OutputSequence: ObservableConvertibleType>(disposed: TestTime, create: @escaping () -> OutputSequence)
-> TestableObserver<Element> where OutputSequence.Element == Element {
self.start(created: Defaults.created, subscribed: Defaults.subscribed, disposed: disposed, create: create)
}
/**
Starts the test scheduler and uses the specified virtual times to invoke the factory function, subscribe to the resulting sequence, and dispose the subscription.
Observable sequence will be:
* created at virtual time `Defaults.created` -> 100
* subscribed to at virtual time `Defaults.subscribed` -> 200
* subscription will be disposed at `Defaults.disposed` -> 1000
- parameter create: Factory method to create an observable convertible sequence.
- returns: Observer with timestamped recordings of events that were received during the virtual time window when the subscription to the source sequence was active.
*/
public func start<Element, OutputSequence: ObservableConvertibleType>(_ create: @escaping () -> OutputSequence)
-> TestableObserver<Element> where OutputSequence.Element == Element {
self.start(created: Defaults.created, subscribed: Defaults.subscribed, disposed: Defaults.disposed, create: create)
}
}
| mit | 1d4dd1be72491d97864cdc681b97b1bd | 47.141935 | 174 | 0.705307 | 5.37221 | false | true | false | false |
milseman/swift | test/SILGen/casts.swift | 14 | 3663 | // RUN: %target-swift-frontend -emit-silgen %s | %FileCheck %s
class B { }
class D : B { }
// CHECK-LABEL: sil hidden @_T05casts6upcast{{[_0-9a-zA-Z]*}}F
func upcast(d: D) -> B {
// CHECK: {{%.*}} = upcast
return d
}
// CHECK-LABEL: sil hidden @_T05casts8downcast{{[_0-9a-zA-Z]*}}F
func downcast(b: B) -> D {
// CHECK: {{%.*}} = unconditional_checked_cast
return b as! D
}
// CHECK-LABEL: sil hidden @_T05casts3isa{{[_0-9a-zA-Z]*}}F
func isa(b: B) -> Bool {
// CHECK: bb0([[ARG:%.*]] : $B):
// CHECK: [[BORROWED_ARG:%.*]] = begin_borrow [[ARG]]
// CHECK: [[COPIED_BORROWED_ARG:%.*]] = copy_value [[BORROWED_ARG]]
// CHECK: checked_cast_br [[COPIED_BORROWED_ARG]] : $B to $D, [[YES:bb[0-9]+]], [[NO:bb[0-9]+]]
//
// CHECK: [[YES]]([[CASTED_VALUE:%.*]] : $D):
// CHECK: integer_literal {{.*}} -1
// CHECK: destroy_value [[CASTED_VALUE]]
// CHECK: end_borrow [[BORROWED_ARG]] from [[ARG]]
//
// CHECK: [[NO]]([[ORIGINAL_VALUE:%.*]] : $B):
// CHECK: destroy_value [[ORIGINAL_VALUE]]
// CHECK: integer_literal {{.*}} 0
// CHECK: end_borrow [[BORROWED_ARG]] from [[ARG]]
return b is D
}
// CHECK-LABEL: sil hidden @_T05casts16upcast_archetype{{[_0-9a-zA-Z]*}}F
func upcast_archetype<T : B>(t: T) -> B {
// CHECK: {{%.*}} = upcast
return t
}
// CHECK-LABEL: sil hidden @_T05casts25upcast_archetype_metatype{{[_0-9a-zA-Z]*}}F
func upcast_archetype_metatype<T : B>(t: T.Type) -> B.Type {
// CHECK: {{%.*}} = upcast
return t
}
// CHECK-LABEL: sil hidden @_T05casts18downcast_archetype{{[_0-9a-zA-Z]*}}F
func downcast_archetype<T : B>(b: B) -> T {
// CHECK: {{%.*}} = unconditional_checked_cast
return b as! T
}
// This is making sure that we do not have the default propagating behavior in
// the address case.
//
// CHECK-LABEL: sil hidden @_T05casts12is_archetype{{[_0-9a-zA-Z]*}}F
func is_archetype<T : B>(b: B, _: T) -> Bool {
// CHECK: bb0([[ARG1:%.*]] : $B, [[ARG2:%.*]] : $T):
// CHECK: checked_cast_br {{%.*}}, [[YES:bb[0-9]+]], [[NO:bb[0-9]+]]
// CHECK: [[YES]]([[CASTED_ARG:%.*]] : $T):
// CHECK: integer_literal {{.*}} -1
// CHECK: destroy_value [[CASTED_ARG]]
// CHECK: [[NO]]([[ORIGINAL_VALUE:%.*]] : $B):
// CHCEK: destroy_value [[CASTED_ARG]]
// CHECK: integer_literal {{.*}} 0
return b is T
}
// CHECK: } // end sil function '_T05casts12is_archetype{{[_0-9a-zA-Z]*}}F'
// CHECK: sil hidden @_T05casts20downcast_conditional{{[_0-9a-zA-Z]*}}F
// CHECK: checked_cast_br {{%.*}} : $B to $D
// CHECK: bb{{[0-9]+}}({{.*}} : $Optional<D>)
func downcast_conditional(b: B) -> D? {
return b as? D
}
protocol P {}
struct S : P {}
// CHECK: sil hidden @_T05casts32downcast_existential_conditional{{[_0-9a-zA-Z]*}}F
// CHECK: bb0([[IN:%.*]] : $*P):
// CHECK: [[COPY:%.*]] = alloc_stack $P
// CHECK: copy_addr [[IN]] to [initialization] [[COPY]]
// CHECK: [[TMP:%.*]] = alloc_stack $S
// CHECK: checked_cast_addr_br take_always P in [[COPY]] : $*P to S in [[TMP]] : $*S, bb1, bb2
// Success block.
// CHECK: bb1:
// CHECK: [[T0:%.*]] = load [trivial] [[TMP]] : $*S
// CHECK: [[T1:%.*]] = enum $Optional<S>, #Optional.some!enumelt.1, [[T0]] : $S
// CHECK: dealloc_stack [[TMP]]
// CHECK: br bb3([[T1]] : $Optional<S>)
// Failure block.
// CHECK: bb2:
// CHECK: [[T0:%.*]] = enum $Optional<S>, #Optional.none!enumelt
// CHECK: dealloc_stack [[TMP]]
// CHECK: br bb3([[T0]] : $Optional<S>)
// Continuation block.
// CHECK: bb3([[RESULT:%.*]] : $Optional<S>):
// CHECK: dealloc_stack [[COPY]]
// CHECK: destroy_addr [[IN]] : $*P
// CHECK: return [[RESULT]]
func downcast_existential_conditional(p: P) -> S? {
return p as? S
}
| apache-2.0 | af471ca29ec9314e0df9d6ea89ad7e73 | 33.556604 | 99 | 0.559924 | 2.884252 | false | false | false | false |
Aghassi/swift_learning | TableViewDemo/TableViewDemo/ViewController.swift | 1 | 3339 | //
// ViewController.swift
// TableViewDemo
//
// Created by David Aghassi on 5/18/15.
// Copyright (c) 2015 David Aghassi. All rights reserved.
//
import UIKit
class ViewController: UIViewController, UITableViewDataSource {
let devCourses = [
("iOS App Dev with Swift Essential Training","Simon Allardice"),
("iOS 8 SDK New Features","Lee Brimelow"),
("Data Visualization with D3.js","Ray Villalobos"),
("Swift Essential Training","Simon Allardice"),
("Up and Running with AngularJS","Ray Villalobos"),
("MySQL Essential Training","Bill Weinman"),
("Building Adaptive Android Apps with Fragments","David Gassner"),
("Advanced Unity 3D Game Programming","Michael House"),
("Up and Running with Ubuntu Desktop Linux","Scott Simpson"),
("Up and Running with C","Dan Gookin") ]
let webCourses = [
("HTML Essential Training","James Williamson"),
("Building a Responsive Single-Page Design","Ray Villalobos"),
("Muse Essential Training","Justin Seeley"),
("WordPress Essential Training","Morten Rand-Hendriksen"),
("Installing and Running Joomla! 3: Local and Web-Hosted Sites","Jen Kramer"),
("Managing Records in SharePoint","Toni Saddler-French"),
("Design the Web: SVG Rollovers with CSS","Chris Converse"),
("Up and Running with Ember.js","Kai Gittens"),
("HTML5 Game Development with Phaser","Joseph Labrecque"),
("Responsive Media","Christopher Schmitt") ]
func numberOfSectionsInTableView(tableView: UITableView) -> Int {
return 2;
}
func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
if (section == 0) {
return devCourses.count
}
else {
return webCourses.count
}
}
//Returns the contents of each row.
func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
//Best paractice
var cell = tableView.dequeueReusableCellWithIdentifier("cell", forIndexPath: indexPath) as! UITableViewCell
if (indexPath == 0) {
let (courseTitle, courseAuthor) = devCourses[indexPath.row]
cell.textLabel?.text = courseTitle
cell.detailTextLabel?.text = courseAuthor
}
else {
let (courseTitle, courseAuthor) = devCourses[indexPath.row]
cell.textLabel?.text = courseTitle
cell.detailTextLabel?.text = courseAuthor
}
//Retrieve an image
var image = UIImage(named: "Star") //Name from images.xcassets, case sensitive
cell.imageView?.image = image
return cell
}
func tableView(tableView: UITableView, titleForHeaderInSection section: Int) -> String? {
if (section == 0) {
return "Developer Courses"
}
else {
return "Web Courses"
}
}
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.
}
}
| gpl-2.0 | 73bb677d6bd43f6919284843c40619e1 | 33.78125 | 115 | 0.621444 | 4.825145 | false | false | false | false |
tamilarasan08/ICare | iCare/iCare/SignUpViewController.swift | 1 | 4349 | //
// LoginViewController.swift
// iCare
//
// Created by Aishwarya on 09/12/15.
// Copyright (c) 2015 Aishwarya. All rights reserved.
//
import UIKit
class SignUpViewController: UIViewController ,UIImagePickerControllerDelegate,UINavigationControllerDelegate{
@IBOutlet weak var userNameTextField: UITextField!
@IBOutlet weak var passwordTextField: UITextField!
@IBOutlet weak var confirmPasswordTextField: UITextField!
@IBOutlet weak var photoImageView: UIImageView!
var imageData:NSData!
var imagePath:NSURL!
@IBAction func uploadPhotoAction(sender: UIButton) {
picker!.allowsEditing = false
picker!.sourceType = UIImagePickerControllerSourceType.PhotoLibrary
presentViewController(picker!, animated: true, completion: nil)
}
var picker:UIImagePickerController?=UIImagePickerController()
override func viewDidLoad() {
super.viewDidLoad()
picker?.delegate=self
}
func imagePickerControllerDidCancel(picker: UIImagePickerController) {
dismissViewControllerAnimated(true, completion: nil)
}
func imagePickerController(picker: UIImagePickerController, didFinishPickingMediaWithInfo info: [NSObject : AnyObject]) {
var chosenImage = info[UIImagePickerControllerOriginalImage] as UIImage
photoImageView.contentMode = .ScaleAspectFit
photoImageView.image = chosenImage
dismissViewControllerAnimated(true, completion: nil)
imageData=UIImagePNGRepresentation(chosenImage)
imagePath=info[UIImagePickerControllerReferenceURL] as NSURL
}
@IBAction func submitButtonAction(sender: UIButton) {
var userName=userNameTextField.text;
var password=passwordTextField.text;
var confirmPassword=confirmPasswordTextField.text
if(password==confirmPassword)
{
var nl:NetworkLayer=NetworkLayer()
var returnData:NSData!=nl.connectToURL(signUpURL, postBody: ["name":userName,"password":password,"category":"user"], multipartFiles:[imagePath:imageData])// [String: String]())!
var error:NSError? = nil
if returnData != nil
{
if let jsonObject: AnyObject = NSJSONSerialization.JSONObjectWithData(returnData, options: nil, error:&error) {
if let dict = jsonObject as? NSDictionary {
println(dict)
var error_code: NSNumber?=dict.objectForKey("error_code") as? NSNumber
var message:NSString=dict.objectForKey("error_message") as NSString;
if (error_code?.integerValue==0)
{
println("show donator screen");
var userDonations:DonateViewController=DonateViewController()
userDonations.username=userName
self.navigationController!.pushViewController(userDonations, animated: true)
}
else
{
var alert:UIAlertView=UIAlertView(title: "Error", message:message , delegate: nil, cancelButtonTitle: "OK")
alert.show()
}
}
} else {
println("Could not parse JSON: \(error!)")
}
}
else
{
var alert:UIAlertView=UIAlertView(title: "Error", message: "Error while connecting to server", delegate: nil, cancelButtonTitle: "OK")
alert.show()
}
}
else
{
var alert:UIAlertView=UIAlertView(title: "Error", message: "The passwords do not match", delegate: nil, cancelButtonTitle: "OK")
alert.show()
}
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
override func touchesBegan(touches: NSSet, withEvent event: UIEvent?){
view.endEditing(true)
super.touchesBegan(touches, withEvent: event!)
}
}
| mit | 3b04fea70da69f99e91062bc1f0d39ac | 35.855932 | 189 | 0.597149 | 6.048679 | false | false | false | false |
Alliants/ALAccordion | Example/ALAccordion Example/Views/Headers/ALRemovableHeaderView.swift | 1 | 3069 | //
// ALRemovableHeaderView.swift
// ALAccordion Example
//
// Created by Sam Williams on 14/02/2016.
// Copyright © 2016 Alliants Ltd. All rights reserved.
//
import UIKit
class ALRemovableHeaderView: UIView
{
//
// MARK: - Properties
//
let topSeparator: ALSeparatorView =
{
let view = ALSeparatorView()
view.separatorColor = UIColor.white.withAlphaComponent(0.5)
view.translatesAutoresizingMaskIntoConstraints = false
return view
}()
let bottomSeparator: ALSeparatorView =
{
let view = ALSeparatorView()
view.separatorColor = UIColor.white.withAlphaComponent(0.5)
view.translatesAutoresizingMaskIntoConstraints = false
return view
}()
let titleLabel: UILabel =
{
let label = UILabel()
label.font = UIFont.systemFont(ofSize: 17.0)
label.textColor = UIColor.white
label.textAlignment = .center
label.translatesAutoresizingMaskIntoConstraints = false
return label
}()
let closeButton: UIButton =
{
let button = UIButton(type: .system)
button.tintColor = UIColor.white
button.setTitle("X", for: UIControlState())
button.translatesAutoresizingMaskIntoConstraints = false
return button
}()
//
// MARK: - Initialisers
//
required init?(coder aDecoder: NSCoder)
{
super.init(coder: aDecoder)
}
override init(frame: CGRect)
{
super.init(frame: frame)
self.commonInit()
}
override func awakeFromNib()
{
super.awakeFromNib()
self.commonInit()
}
func commonInit()
{
// Create and setup views
self.addSubview(self.topSeparator)
self.addSubview(self.titleLabel)
self.addSubview(self.bottomSeparator)
self.addSubview(self.closeButton)
// Setup constraints
let views = ["topSeparator": self.topSeparator, "titleLabel": self.titleLabel, "bottomSeparator": self.bottomSeparator, "closeButton": self.closeButton]
let vertical = NSLayoutConstraint.constraints(withVisualFormat: "V:|[topSeparator(1)]-(15)-[titleLabel]-(15)-[bottomSeparator(1)]|", options: [], metrics: nil, views: views)
let horizontal_topSeparator = NSLayoutConstraint.constraints(withVisualFormat: "H:|[topSeparator]|", options: [], metrics: nil, views: views)
let horizontal_titleLabel = NSLayoutConstraint.constraints(withVisualFormat: "H:|-15-[titleLabel]-15-[closeButton]-15-|", options: [], metrics: nil, views: views)
let horizontal_bottomSeparator = NSLayoutConstraint.constraints(withVisualFormat: "H:|[bottomSeparator]|", options: [], metrics: nil, views: views)
let closeCenterY = NSLayoutConstraint(item: self.closeButton, attribute: .centerY, relatedBy: .equal, toItem: self, attribute: .centerY, multiplier: 1.0, constant: 0)
self.addConstraints(vertical + horizontal_topSeparator + horizontal_titleLabel + horizontal_bottomSeparator + [closeCenterY])
}
}
| mit | 66ff8019111e92b6ff310d1f94960e12 | 30.628866 | 181 | 0.662321 | 4.932476 | false | false | false | false |
danielloureda/congenial-sniffle | Project12/Project10/ViewController.swift | 1 | 3617 | //
// ViewController.swift
// Project10
//
// Created by Daniel Loureda Arteaga on 13/6/17.
// Copyright © 2017 Dano. All rights reserved.
//
import UIKit
class ViewController: UICollectionViewController, UIImagePickerControllerDelegate, UINavigationControllerDelegate {
var people = [Person]()
override func viewDidLoad() {
super.viewDidLoad()
navigationItem.leftBarButtonItem = UIBarButtonItem(barButtonSystemItem: .add, target: self, action: #selector(addNewPerson))
let defaults = UserDefaults.standard
if let savedPeople = defaults.object(forKey: "people") as? Data {
people = NSKeyedUnarchiver.unarchiveObject(with: savedPeople) as! [Person]
}
}
func addNewPerson(){
let picker = UIImagePickerController()
picker.allowsEditing = true
picker.delegate = self
present(picker, animated: true)
}
override func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return people.count
}
override func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
let cell = collectionView.dequeueReusableCell(withReuseIdentifier: "Person", for: indexPath) as! PersonCell
let path = getDocumentsDirectory().appendingPathComponent(people[indexPath.row].image)
cell.name.text = people[indexPath.row].name
cell.imageView.image = UIImage(contentsOfFile: path.path)
cell.imageView.layer.borderColor = UIColor(red: 0, green: 0, blue: 0, alpha: 0.3).cgColor
cell.imageView.layer.borderWidth = 2
cell.imageView.layer.cornerRadius = 3
cell.layer.cornerRadius = 7
return cell
}
override func collectionView(_ collectionView: UICollectionView, didSelectItemAt indexPath: IndexPath) {
let alert = UIAlertController(title: "Who is?", message: "Please, enter the name", preferredStyle: .alert)
alert.addTextField()
alert.addAction(UIAlertAction(title: "Cancel", style: .cancel))
alert.addAction(UIAlertAction(title: "Save", style: .default, handler: { [unowned self, alert] _ in
let person = self.people[indexPath.row]
let newName = alert.textFields![0]
person.name = newName.text!
self.collectionView?.reloadData()
self.save()
}))
present(alert, animated: true)
}
func imagePickerController(_ picker: UIImagePickerController, didFinishPickingMediaWithInfo info: [String : Any]) {
guard let image = info[UIImagePickerControllerEditedImage] as? UIImage else { return }
let imageName = UUID().uuidString
let imagePath = getDocumentsDirectory().appendingPathComponent(imageName)
if let jpegData = UIImageJPEGRepresentation(image, 80) {
try? jpegData.write(to: imagePath)
}
let person = Person(name: "Unknown", image: imageName)
people.append(person)
collectionView?.reloadData()
dismiss(animated: true)
self.save()
}
func getDocumentsDirectory() -> URL{
let paths = FileManager.default.urls(for: .documentDirectory, in: .userDomainMask)
return paths[0]
}
func save() {
let savedData = NSKeyedArchiver.archivedData(withRootObject: people)
let defaults = UserDefaults.standard
defaults.set(savedData, forKey: "people")
}
}
| apache-2.0 | df33f5cf040996a8c6bb15709ee861eb | 36.278351 | 132 | 0.652931 | 5.187948 | false | false | false | false |
dirk/Roost | Roost/Package.Module.swift | 1 | 528 | import Foundation
extension Package {
class Module {
var module: Roostfile.Module
var parent: Package
var sourceFiles: [String] = []
var lastModificationDate: NSDate = NSDate()
var name: String {
get { return module.name }
}
init(_ m: Roostfile.Module, parent p: Package) {
module = m
parent = p
sourceFiles = parent.scanSourcesDirectories(module.sources)
lastModificationDate = parent.computeLastModificationDate(sourceFiles)
}
}// class Module
}
| bsd-3-clause | 656858c24684ad882a943514932bfa02 | 21.956522 | 76 | 0.653409 | 4.436975 | false | false | false | false |
tad-iizuka/swift-sdk | Source/SpeechToTextV1/SpeechToTextSocket.swift | 3 | 9676 | /**
* Copyright IBM Corporation 2016
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
**/
import Foundation
import RestKit
internal class SpeechToTextSocket: WebSocketDelegate {
private(set) internal var results = SpeechRecognitionResults()
private(set) internal var state: SpeechToTextState = .Disconnected
internal var onConnect: ((Void) -> Void)? = nil
internal var onListening: ((Void) -> Void)? = nil
internal var onResults: ((SpeechRecognitionResults) -> Void)? = nil
internal var onError: ((Error) -> Void)? = nil
internal var onDisconnect: ((Void) -> Void)? = nil
private let socket: WebSocket
private let queue = OperationQueue()
private let restToken: RestToken
private var tokenRefreshes = 0
private let maxTokenRefreshes = 1
private let domain = "com.ibm.watson.developer-cloud.SpeechToTextV1"
internal init(
username: String,
password: String,
model: String?,
customizationID: String?,
learningOptOut: Bool?,
serviceURL: String,
tokenURL: String,
websocketsURL: String,
defaultHeaders: [String: String])
{
// initialize authentication token
let tokenURL = tokenURL + "?url=" + serviceURL
restToken = RestToken(tokenURL: tokenURL, username: username, password: password)
// build url with options
let url = SpeechToTextSocket.buildURL(
url: websocketsURL,
model: model,
customizationID: customizationID,
learningOptOut: learningOptOut
)!
// initialize socket
socket = WebSocket(url: url)
socket.delegate = self
// set default headers
for (key, value) in defaultHeaders {
socket.headers[key] = value
}
// configure operation queue
queue.maxConcurrentOperationCount = 1
queue.isSuspended = true
}
internal func connect() {
// ensure the socket is not already connected
guard state == .Disconnected || state == .Connecting else {
return
}
// flush operation queue
if state == .Disconnected {
queue.cancelAllOperations()
}
// update state
state = .Connecting
// restrict the number of retries
guard tokenRefreshes <= maxTokenRefreshes else {
let failureReason = "Invalid HTTP upgrade. Check credentials?"
let userInfo = [NSLocalizedFailureReasonErrorKey: failureReason]
let error = NSError(domain: "WebSocket", code: 400, userInfo: userInfo)
onError?(error)
return
}
// refresh token, if necessary
guard let token = restToken.token else {
restToken.refreshToken(failure: onError) {
self.tokenRefreshes += 1
self.connect()
}
return
}
// connect with token
socket.headers["X-Watson-Authorization-Token"] = token
socket.headers["User-Agent"] = RestRequest.userAgent
socket.connect()
}
internal func writeStart(settings: RecognitionSettings) {
guard state != .Disconnected else { return }
guard let start = try? settings.toJSON().serializeString() else { return }
queue.addOperation {
self.socket.write(string: start)
self.results = SpeechRecognitionResults()
if self.state != .Disconnected {
self.state = .Listening
self.onListening?()
}
}
}
internal func writeAudio(audio: Data) {
guard state != .Disconnected else { return }
queue.addOperation {
self.socket.write(data: audio)
if self.state == .Listening {
self.state = .SentAudio
}
}
}
internal func writeStop() {
guard state != .Disconnected else { return }
guard let stop = try? RecognitionStop().toJSON().serializeString() else { return }
queue.addOperation {
self.socket.write(string: stop)
}
}
internal func writeNop() {
guard state != .Disconnected else { return }
let nop = "{\"action\": \"no-op\"}"
queue.addOperation {
self.socket.write(string: nop)
}
}
internal func waitForResults() {
queue.addOperation {
switch self.state {
case .Connecting, .Connected, .Listening, .Disconnected:
return // no results to wait for
case .SentAudio, .Transcribing:
self.queue.isSuspended = true
let onListeningCache = self.onListening
self.onListening = {
self.onListening = onListeningCache
self.queue.isSuspended = false
}
}
}
}
internal func disconnect(forceTimeout: TimeInterval? = nil) {
queue.addOperation {
self.queue.isSuspended = true
self.queue.cancelAllOperations()
self.socket.disconnect(forceTimeout: forceTimeout)
}
}
private static func buildURL(url: String, model: String?, customizationID: String?, learningOptOut: Bool?) -> URL? {
var queryParameters = [URLQueryItem]()
if let model = model {
queryParameters.append(URLQueryItem(name: "model", value: model))
}
if let customizationID = customizationID {
queryParameters.append(URLQueryItem(name: "customization_id", value: customizationID))
}
if let learningOptOut = learningOptOut {
let value = "\(learningOptOut)"
queryParameters.append(URLQueryItem(name: "x-watson-learning-opt-out", value: value))
}
var urlComponents = URLComponents(string: url)
urlComponents?.queryItems = queryParameters
return urlComponents?.url
}
private func onStateMessage(state: RecognitionState) {
if state.state == "listening" && self.state == .Transcribing {
self.state = .Listening
onListening?()
}
}
private func onResultsMessage(wrapper: SpeechRecognitionEvent) {
state = .Transcribing
results.addResults(wrapper: wrapper)
onResults?(results)
}
private func onErrorMessage(error: String) {
let failureReason = error
let userInfo = [NSLocalizedFailureReasonErrorKey: failureReason]
let error = NSError(domain: domain, code: 0, userInfo: userInfo)
onError?(error)
}
private func isAuthenticationFailure(error: Error) -> Bool {
let error = error as NSError
guard let description = error.userInfo[NSLocalizedDescriptionKey] as? String else {
return false
}
let matchesDomain = (error.domain == "WebSocket")
let matchesCode = (error.code == 400)
let matchesDescription = (description == "Invalid HTTP upgrade")
if matchesDomain && matchesCode && matchesDescription {
return true
}
return false
}
private func isNormalDisconnect(error: Error) -> Bool {
let error = error as NSError
let matchesDomain = (error.domain == "WebSocket")
let matchesCode = (error.code == 1000)
if matchesDomain && matchesCode {
return true
}
return false
}
internal func websocketDidConnect(socket: WebSocket) {
state = .Connected
tokenRefreshes = 0
queue.isSuspended = false
results = SpeechRecognitionResults()
onConnect?()
}
internal func websocketDidReceiveData(socket: WebSocket, data: Data) {
return // should not receive any binary data from the service
}
internal func websocketDidReceiveMessage(socket: WebSocket, text: String) {
guard let json = try? JSON(string: text) else {
return
}
if let state = try? json.decode(type: RecognitionState.self) {
onStateMessage(state: state)
}
if let results = try? json.decode(type: SpeechRecognitionEvent.self) {
onResultsMessage(wrapper: results)
}
if let error = try? json.getString(at: "error") {
onErrorMessage(error: error)
}
}
internal func websocketDidDisconnect(socket: WebSocket, error: NSError?) {
state = .Disconnected
queue.isSuspended = true
guard let error = error else {
onDisconnect?()
return
}
if isNormalDisconnect(error: error) {
onDisconnect?()
return
}
if isAuthenticationFailure(error: error) {
restToken.refreshToken(failure: onError) {
self.tokenRefreshes += 1
self.connect()
}
return
}
onError?(error)
onDisconnect?()
}
}
| apache-2.0 | e55079acbd577d883fbc9e8bb6f20d06 | 32.714286 | 120 | 0.590017 | 5.218986 | false | false | false | false |
nathawes/swift | test/IRGen/autolink-runtime-compatibility.swift | 7 | 3308 | // REQUIRES: OS=macosx,CPU=x86_64
// Doesn't autolink compatibility library because autolinking is disabled
// RUN: %target-swift-frontend -disable-autolinking-runtime-compatibility-dynamic-replacements -target %target-cpu-apple-macosx10.9 -disable-autolinking-runtime-compatibility -emit-ir -parse-stdlib %s | %FileCheck -check-prefix=NO-FORCE-LOAD %s
// RUN: %target-swift-frontend -disable-autolinking-runtime-compatibility-dynamic-replacements -runtime-compatibility-version 5.0 -disable-autolinking-runtime-compatibility -emit-ir -parse-stdlib %s | %FileCheck -check-prefix=NO-FORCE-LOAD %s
// Doesn't autolink compatibility library because runtime compatibility library is disabled
// RUN: %target-swift-frontend -runtime-compatibility-version none -emit-ir -parse-stdlib %s | %FileCheck -check-prefix=NO-FORCE-LOAD %s
// Doesn't autolink compatibility library because target OS doesn't need it
// RUN: %target-swift-frontend -target %target-cpu-apple-macosx10.24 -emit-ir -parse-stdlib %s | %FileCheck -check-prefix=NO-FORCE-LOAD %s
// Only autolinks 5.1 compatibility library because target OS has 5.1
// RUN: %target-swift-frontend -target %target-cpu-apple-macosx10.15 -emit-ir -parse-stdlib %s | %FileCheck -check-prefix=FORCE-LOAD-51 %s
// Autolinks because compatibility library was explicitly asked for
// RUN: %target-swift-frontend -runtime-compatibility-version 5.0 -emit-ir -parse-stdlib %s | %FileCheck -check-prefix=FORCE-LOAD %s
// RUN: %target-swift-frontend -runtime-compatibility-version 5.1 -emit-ir -parse-stdlib %s | %FileCheck -check-prefix=FORCE-LOAD-51 %s
// RUN: %target-swift-frontend -target %target-cpu-apple-macosx10.24 -runtime-compatibility-version 5.0 -emit-ir -parse-stdlib %s | %FileCheck -check-prefix=FORCE-LOAD %s
// RUN: %target-swift-frontend -target %target-cpu-apple-macosx10.24 -runtime-compatibility-version 5.1 -emit-ir -parse-stdlib %s | %FileCheck -check-prefix=FORCE-LOAD-51 %s
public func foo() {}
// NO-FORCE-LOAD-NOT: FORCE_LOAD
// NO-FORCE-LOAD-NOT: !{!"-lswiftCompatibility50"}
// NO-FORCE-LOAD-NOT: !{!"-lswiftCompatibility51"}
// NO-FORCE-LOAD-NOT: !{!"-lswiftCompatibilityDynamicReplacements"}
// FORCE-LOAD: declare {{.*}} @"_swift_FORCE_LOAD_$_swiftCompatibility50"
// FORCE-LOAD: declare {{.*}} @"_swift_FORCE_LOAD_$_swiftCompatibilityDynamicReplacements"
// FORCE-LOAD-DAG: [[AUTOLINK_SWIFT_COMPAT:![0-9]+]] = !{!"-lswiftCompatibility50"}
// FORCE-LOAD-DAG: !{!"-lswiftCompatibility51"}
// FORCE-LOAD-DAG: !{!"-lswiftCompatibilityDynamicReplacements"}
// FORCE-LOAD-DAG: !llvm.linker.options = !{{{.*}}[[AUTOLINK_SWIFT_COMPAT]]{{[,}]}}
// FORCE-LOAD-51-NOT: @"_swift_FORCE_LOAD_$_swiftCompatibility50"
// FORCE-LOAD-51-NOT: @"_swift_FORCE_LOAD_$_swiftCompatibilityDynamicReplacements"
// FORCE-LOAD-51: declare {{.*}} @"_swift_FORCE_LOAD_$_swiftCompatibility51"
// FORCE-LOAD-51-NOT: @"_swift_FORCE_LOAD_$_swiftCompatibility50"
// FORCE-LOAD-51-NOT: @"_swift_FORCE_LOAD_$_swiftCompatibilityDynamicReplacements"
// FORCE-LOAD-51-DAG: [[AUTOLINK_SWIFT_COMPAT:![0-9]+]] = !{!"-lswiftCompatibility51"}
// FORCE-LOAD-51-DAG: !llvm.linker.options = !{{{.*}}[[AUTOLINK_SWIFT_COMPAT]]{{[,}]}}
// FORCE-LOAD-51-NOT: @"_swift_FORCE_LOAD_$_swiftCompatibility50"
// FORCE-LOAD-51-NOT: @"_swift_FORCE_LOAD_$_swiftCompatibilityDynamicReplacements"
| apache-2.0 | ecf18215827f91823d6824d7020ef3c3 | 74.181818 | 244 | 0.741536 | 3.591748 | false | false | false | false |
sschiau/swift | stdlib/public/Darwin/Accelerate/vDSP_Reduction.swift | 8 | 20114 | //===----------------------------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2019 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
@available(macOS 10.15, iOS 13.0, tvOS 13.0, watchOS 6.0, *)
extension vDSP {
// MARK: Maximum
/// Returns vector maximum value; single-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The maximum value in `vector`.
@inlinable
public static func maximum<U>(_ vector: U) -> Float
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var output = Float.nan
vector.withUnsafeBufferPointer { v in
vDSP_maxv(v.baseAddress!, 1,
&output,
n)
}
return output
}
/// Returns vector maximum value; single-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The maximum value in `vector`.
@inlinable
public static func maximum<U>(_ vector: U) -> Double
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var output = Double.nan
vector.withUnsafeBufferPointer { v in
vDSP_maxvD(v.baseAddress!, 1,
&output,
n)
}
return output
}
// MARK: Maximum magnitude
/// Returns vector maximum magnitude; single-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The maximum magnitude in `vector`.
@inlinable
public static func maximumMagnitude<U>(_ vector: U) -> Float
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var output = Float.nan
vector.withUnsafeBufferPointer { v in
vDSP_maxmgv(v.baseAddress!, 1,
&output,
n)
}
return output
}
/// Returns vector maximum magnitude; double-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The maximum magnitude in `vector`.
@inlinable
public static func maximumMagnitude<U>(_ vector: U) -> Double
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var output = Double.nan
vector.withUnsafeBufferPointer { v in
vDSP_maxmgvD(v.baseAddress!, 1,
&output,
n)
}
return output
}
// MARK: Minimum
/// Returns vector minimum value; single-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The minimum value in `vector`.
@inlinable
public static func minimum<U>(_ vector: U) -> Float
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var output = Float.nan
vector.withUnsafeBufferPointer { v in
vDSP_minv(v.baseAddress!, 1,
&output,
n)
}
return output
}
/// Returns vector minimum value; single-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The minimum value in `vector`.
@inlinable
public static func minimum<U>(_ vector: U) -> Double
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var output = Double.nan
vector.withUnsafeBufferPointer { v in
vDSP_minvD(v.baseAddress!, 1,
&output,
n)
}
return output
}
// MARK: Summation
/// Returns vector sum; single-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The sum of values in `vector`.
@inlinable
public static func sum<U>(_ vector: U) -> Float
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var output = Float.nan
vector.withUnsafeBufferPointer { v in
vDSP_sve(v.baseAddress!, 1,
&output,
n)
}
return output
}
/// Returns vector sum; double-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The sum of values in `vector`.
@inlinable
public static func sum<U>(_ vector: U) -> Double
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var output = Double.nan
vector.withUnsafeBufferPointer { v in
vDSP_sveD(v.baseAddress!, 1,
&output,
n)
}
return output
}
/// Returns vector sum of squares; single-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The sum of squares in `vector`.
@inlinable
public static func sumOfSquares<U>(_ vector: U) -> Float
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var output = Float.nan
vector.withUnsafeBufferPointer { v in
vDSP_svesq(v.baseAddress!, 1,
&output,
n)
}
return output
}
/// Returns vector sum of squares; double-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The sum of squares in `vector`.
@inlinable
public static func sumOfSquares<U>(_ vector: U) -> Double
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var output = Double.nan
vector.withUnsafeBufferPointer { v in
vDSP_svesqD(v.baseAddress!, 1,
&output,
n)
}
return output
}
/// Returns sum of elements and sum of elements' squares; single-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The sum of values and the sum of squares in `vector`.
@inlinable
public static func sumAndSumOfSquares<U>(_ vector: U) -> (elementsSum: Float, squaresSum: Float)
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var sum = Float.nan
var sumOfSquares = Float.nan
vector.withUnsafeBufferPointer { v in
vDSP_sve_svesq(v.baseAddress!, 1,
&sum,
&sumOfSquares,
n)
}
return (elementsSum: sum, squaresSum: sumOfSquares)
}
/// Returns sum of elements and sum of elements' squares; double-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The sum of values and the sum of squares in `vector`.
@inlinable
public static func sumAndSumOfSquares<U>(_ vector: U) -> (elementsSum: Double, squaresSum: Double)
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var sum = Double.nan
var sumOfSquares = Double.nan
vector.withUnsafeBufferPointer { v in
vDSP_sve_svesqD(v.baseAddress!, 1,
&sum,
&sumOfSquares,
n)
}
return (elementsSum: sum, squaresSum: sumOfSquares)
}
/// Returns vector sum of magnitudes; single-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The sum of magnitudes in `vector`.
@inlinable
public static func sumOfMagnitudes<U>(_ vector: U) -> Float
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var output = Float.nan
vector.withUnsafeBufferPointer { v in
vDSP_svemg(v.baseAddress!, 1,
&output,
n)
}
return output
}
/// Returns vector sum of magnitudes; double-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: The sum of magnitudes in `vector`.
@inlinable
public static func sumOfMagnitudes<U>(_ vector: U) -> Double
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var output = Double.nan
vector.withUnsafeBufferPointer { v in
vDSP_svemgD(v.baseAddress!, 1,
&output,
n)
}
return output
}
}
@available(macOS 10.15, iOS 13.0, tvOS 13.0, watchOS 6.0, *)
extension vDSP {
// MARK: Maximum with index
/// Returns vector maximum with index; single-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: A tuple containing the maximum value and its index.
@inlinable
public static func indexOfMaximum<U>(_ vector: U) -> (UInt, Float)
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var output = Float.nan
var index: vDSP_Length = 0
vector.withUnsafeBufferPointer { v in
vDSP_maxvi(v.baseAddress!, 1,
&output,
&index,
n)
}
return (index, output)
}
/// Returns vector maximum with index; double-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: A tuple containing the maximum value and its index.
@inlinable
public static func indexOfMaximum<U>(_ vector: U) -> (UInt, Double)
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var output = Double.nan
var index: vDSP_Length = 0
vector.withUnsafeBufferPointer { v in
vDSP_maxviD(v.baseAddress!, 1,
&output,
&index,
n)
}
return (index, output)
}
// MARK: Maximum magnitude with index
/// Returns vector maximum magnitude with index; single-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: A tuple containing the maximum magnitude and its index.
@inlinable
public static func indexOfMaximumMagnitude<U>(_ vector: U) -> (UInt, Float)
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var output = Float.nan
var index: vDSP_Length = 0
vector.withUnsafeBufferPointer { v in
vDSP_maxmgvi(v.baseAddress!, 1,
&output,
&index,
n)
}
return (index, output)
}
/// Returns vector maximum magnitude with index; double-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: A tuple containing the maximum magnitude and its index.
@inlinable
public static func indexOfMaximumMagnitude<U>(_ vector: U) -> (UInt, Double)
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var output = Double.nan
var index: vDSP_Length = 0
vector.withUnsafeBufferPointer { v in
vDSP_maxmgviD(v.baseAddress!, 1,
&output,
&index,
n)
}
return (index, output)
}
// MARK: Minimum with index
/// Returns vector minimum with index; single-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: A tuple containing the minimum value and its index.
@inlinable
public static func indexOfMinimum<U>(_ vector: U) -> (UInt, Float)
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var output = Float.nan
var index: vDSP_Length = 0
vector.withUnsafeBufferPointer { v in
vDSP_minvi(v.baseAddress!, 1,
&output,
&index,
n)
}
return (index, output)
}
/// Returns vector minimum with index; double-precision.
///
/// - Parameter vector: The input vector.
/// - Returns: A tuple containing the minimum value and its index.
@inlinable
public static func indexOfMinimum<U>(_ vector: U) -> (UInt, Double)
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var output = Double.nan
var index: vDSP_Length = 0
vector.withUnsafeBufferPointer { v in
vDSP_minviD(v.baseAddress!, 1,
&output,
&index,
n)
}
return (index, output)
}
}
@available(macOS 10.15, iOS 13.0, tvOS 13.0, watchOS 6.0, *)
extension vDSP {
// MARK: Mean Square (vDSP_measqv)
/// Returns the mean square of the supplied single-precision vector.
///
/// - Parameter vector: The input vector.
@inlinable
public static func meanSquare<U>(_ vector: U) -> Float
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var output = Float.nan
vector.withUnsafeBufferPointer { v in
vDSP_measqv(v.baseAddress!, 1,
&output,
n)
}
return output
}
/// Returns the mean square of the supplied double-precision vector.
///
/// - Parameter vector: The input vector.
@inlinable
public static func meanSquare<U>(_ vector: U) -> Double
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var output = Double.nan
vector.withUnsafeBufferPointer { v in
vDSP_measqvD(v.baseAddress!, 1,
&output,
n)
}
return output
}
// MARK: Mean Magnitude
/// Returns the mean magnitude of the supplied single-precision vector.
///
/// - Parameter vector: The input vector.
@inlinable
public static func meanMagnitude<U>(_ vector: U) -> Float
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var output = Float.nan
vector.withUnsafeBufferPointer { v in
vDSP_meamgv(v.baseAddress!, 1,
&output,
n)
}
return output
}
/// Returns the mean magnitude of the supplied double-precision vector.
///
/// - Parameter vector: The input vector.
@inlinable
public static func meanMagnitude<U>(_ vector: U) -> Double
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var output = Double.nan
vector.withUnsafeBufferPointer { v in
vDSP_meamgvD(v.baseAddress!, 1,
&output,
n)
}
return output
}
// MARK: Mean
/// Returns the mean magnitude of the supplied single-precision vector.
///
/// - Parameter vector: The input vector.
@inlinable
public static func mean<U>(_ vector: U) -> Float
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var output = Float.nan
vector.withUnsafeBufferPointer { v in
vDSP_meanv(v.baseAddress!, 1,
&output,
n)
}
return output
}
/// Returns the mean of the supplied double-precision vector.
///
/// - Parameter vector: The input vector.
@inlinable
public static func mean<U>(_ vector: U) -> Double
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var output = Double.nan
vector.withUnsafeBufferPointer { v in
vDSP_meanvD(v.baseAddress!, 1,
&output,
n)
}
return output
}
// MARK: Root Mean Square
/// Returns the root-mean-square of the supplied single-precision vector.
///
/// - Parameter vector: The input vector.
@inlinable
public static func rootMeanSquare<U>(_ vector: U) -> Float
where
U: AccelerateBuffer,
U.Element == Float {
let n = vDSP_Length(vector.count)
var output = Float.nan
vector.withUnsafeBufferPointer { v in
vDSP_rmsqv(v.baseAddress!, 1,
&output,
n)
}
return output
}
/// Returns the root-mean-square of the supplied double-precision vector.
///
/// - Parameter vector: The input vector.
@inlinable
public static func rootMeanSquare<U>(_ vector: U) -> Double
where
U: AccelerateBuffer,
U.Element == Double {
let n = vDSP_Length(vector.count)
var output = Double.nan
vector.withUnsafeBufferPointer { v in
vDSP_rmsqvD(v.baseAddress!, 1,
&output,
n)
}
return output
}
}
| apache-2.0 | d384f83e87fe41ea79267aadd425f7ce | 28.976155 | 102 | 0.474843 | 5.316944 | false | false | false | false |
sschiau/swift | stdlib/public/Darwin/Foundation/NSStringAPI.swift | 2 | 77974 | //===----------------------------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2018 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
//
// Exposing the API of NSString on Swift's String
//
//===----------------------------------------------------------------------===//
// Important Note
// ==============
//
// This file is shared between two projects:
//
// 1. https://github.com/apple/swift/tree/master/stdlib/public/Darwin/Foundation
// 2. https://github.com/apple/swift-corelibs-foundation/tree/master/Foundation
//
// If you change this file, you must update it in both places.
#if !DEPLOYMENT_RUNTIME_SWIFT
@_exported import Foundation // Clang module
#endif
// Open Issues
// ===========
//
// Property Lists need to be properly bridged
//
func _toNSArray<T, U : AnyObject>(_ a: [T], f: (T) -> U) -> NSArray {
let result = NSMutableArray(capacity: a.count)
for s in a {
result.add(f(s))
}
return result
}
#if !DEPLOYMENT_RUNTIME_SWIFT
// We only need this for UnsafeMutablePointer, but there's not currently a way
// to write that constraint.
extension Optional {
/// Invokes `body` with `nil` if `self` is `nil`; otherwise, passes the
/// address of `object` to `body`.
///
/// This is intended for use with Foundation APIs that return an Objective-C
/// type via out-parameter where it is important to be able to *ignore* that
/// parameter by passing `nil`. (For some APIs, this may allow the
/// implementation to avoid some work.)
///
/// In most cases it would be simpler to just write this code inline, but if
/// `body` is complicated than that results in unnecessarily repeated code.
internal func _withNilOrAddress<NSType : AnyObject, ResultType>(
of object: inout NSType?,
_ body:
(AutoreleasingUnsafeMutablePointer<NSType?>?) -> ResultType
) -> ResultType {
return self == nil ? body(nil) : body(&object)
}
}
#endif
/// From a non-`nil` `UnsafePointer` to a null-terminated string
/// with possibly-transient lifetime, create a null-terminated array of 'C' char.
/// Returns `nil` if passed a null pointer.
internal func _persistCString(_ p: UnsafePointer<CChar>?) -> [CChar]? {
guard let cString = p else {
return nil
}
let len = UTF8._nullCodeUnitOffset(in: cString)
var result = [CChar](repeating: 0, count: len + 1)
for i in 0..<len {
result[i] = cString[i]
}
return result
}
extension String {
//===--- Class Methods --------------------------------------------------===//
//===--------------------------------------------------------------------===//
// @property (class) const NSStringEncoding *availableStringEncodings;
/// An array of the encodings that strings support in the application's
/// environment.
public static var availableStringEncodings: [Encoding] {
var result = [Encoding]()
var p = NSString.availableStringEncodings
while p.pointee != 0 {
result.append(Encoding(rawValue: p.pointee))
p += 1
}
return result
}
// @property (class) NSStringEncoding defaultCStringEncoding;
/// The C-string encoding assumed for any method accepting a C string as an
/// argument.
public static var defaultCStringEncoding: Encoding {
return Encoding(rawValue: NSString.defaultCStringEncoding)
}
// + (NSString *)localizedNameOfStringEncoding:(NSStringEncoding)encoding
/// Returns a human-readable string giving the name of the specified encoding.
///
/// - Parameter encoding: A string encoding. For possible values, see
/// `String.Encoding`.
/// - Returns: A human-readable string giving the name of `encoding` in the
/// current locale.
public static func localizedName(
of encoding: Encoding
) -> String {
return NSString.localizedName(of: encoding.rawValue)
}
// + (instancetype)localizedStringWithFormat:(NSString *)format, ...
/// Returns a string created by using a given format string as a
/// template into which the remaining argument values are substituted
/// according to the user's default locale.
public static func localizedStringWithFormat(
_ format: String, _ arguments: CVarArg...
) -> String {
return String(format: format, locale: Locale.current,
arguments: arguments)
}
//===--------------------------------------------------------------------===//
// NSString factory functions that have a corresponding constructor
// are omitted.
//
// + (instancetype)string
//
// + (instancetype)
// stringWithCharacters:(const unichar *)chars length:(NSUInteger)length
//
// + (instancetype)stringWithFormat:(NSString *)format, ...
//
// + (instancetype)
// stringWithContentsOfFile:(NSString *)path
// encoding:(NSStringEncoding)enc
// error:(NSError **)error
//
// + (instancetype)
// stringWithContentsOfFile:(NSString *)path
// usedEncoding:(NSStringEncoding *)enc
// error:(NSError **)error
//
// + (instancetype)
// stringWithContentsOfURL:(NSURL *)url
// encoding:(NSStringEncoding)enc
// error:(NSError **)error
//
// + (instancetype)
// stringWithContentsOfURL:(NSURL *)url
// usedEncoding:(NSStringEncoding *)enc
// error:(NSError **)error
//
// + (instancetype)
// stringWithCString:(const char *)cString
// encoding:(NSStringEncoding)enc
//===--------------------------------------------------------------------===//
//===--- Adds nothing for String beyond what String(s) does -------------===//
// + (instancetype)stringWithString:(NSString *)aString
//===--------------------------------------------------------------------===//
// + (instancetype)stringWithUTF8String:(const char *)bytes
/// Creates a string by copying the data from a given
/// C array of UTF8-encoded bytes.
public init?(utf8String bytes: UnsafePointer<CChar>) {
if let str = String(validatingUTF8: bytes) {
self = str
return
}
if let ns = NSString(utf8String: bytes) {
self = String._unconditionallyBridgeFromObjectiveC(ns)
} else {
return nil
}
}
}
extension String {
//===--- Already provided by String's core ------------------------------===//
// - (instancetype)init
//===--- Initializers that can fail -------------------------------------===//
// - (instancetype)
// initWithBytes:(const void *)bytes
// length:(NSUInteger)length
// encoding:(NSStringEncoding)encoding
/// Creates a new string equivalent to the given bytes interpreted in the
/// specified encoding.
///
/// - Parameters:
/// - bytes: A sequence of bytes to interpret using `encoding`.
/// - encoding: The ecoding to use to interpret `bytes`.
public init?<S: Sequence>(bytes: __shared S, encoding: Encoding)
where S.Iterator.Element == UInt8 {
let byteArray = Array(bytes)
if encoding == .utf8,
let str = byteArray.withUnsafeBufferPointer({ String._tryFromUTF8($0) })
{
self = str
return
}
if let ns = NSString(
bytes: byteArray, length: byteArray.count, encoding: encoding.rawValue) {
self = String._unconditionallyBridgeFromObjectiveC(ns)
} else {
return nil
}
}
// - (instancetype)
// initWithBytesNoCopy:(void *)bytes
// length:(NSUInteger)length
// encoding:(NSStringEncoding)encoding
// freeWhenDone:(BOOL)flag
/// Creates a new string that contains the specified number of bytes from the
/// given buffer, interpreted in the specified encoding, and optionally
/// frees the buffer.
///
/// - Warning: This initializer is not memory-safe!
public init?(
bytesNoCopy bytes: UnsafeMutableRawPointer, length: Int,
encoding: Encoding, freeWhenDone flag: Bool
) {
if let ns = NSString(
bytesNoCopy: bytes, length: length, encoding: encoding.rawValue,
freeWhenDone: flag) {
self = String._unconditionallyBridgeFromObjectiveC(ns)
} else {
return nil
}
}
// - (instancetype)
// initWithCharacters:(const unichar *)characters
// length:(NSUInteger)length
/// Creates a new string that contains the specified number of characters
/// from the given C array of Unicode characters.
public init(
utf16CodeUnits: UnsafePointer<unichar>,
count: Int
) {
self = String._unconditionallyBridgeFromObjectiveC(NSString(characters: utf16CodeUnits, length: count))
}
// - (instancetype)
// initWithCharactersNoCopy:(unichar *)characters
// length:(NSUInteger)length
// freeWhenDone:(BOOL)flag
/// Creates a new string that contains the specified number of characters
/// from the given C array of UTF-16 code units.
public init(
utf16CodeUnitsNoCopy: UnsafePointer<unichar>,
count: Int,
freeWhenDone flag: Bool
) {
self = String._unconditionallyBridgeFromObjectiveC(NSString(
charactersNoCopy: UnsafeMutablePointer(mutating: utf16CodeUnitsNoCopy),
length: count,
freeWhenDone: flag))
}
//===--- Initializers that can fail -------------------------------------===//
// - (instancetype)
// initWithContentsOfFile:(NSString *)path
// encoding:(NSStringEncoding)enc
// error:(NSError **)error
//
/// Produces a string created by reading data from the file at a
/// given path interpreted using a given encoding.
public init(
contentsOfFile path: __shared String,
encoding enc: Encoding
) throws {
let ns = try NSString(contentsOfFile: path, encoding: enc.rawValue)
self = String._unconditionallyBridgeFromObjectiveC(ns)
}
// - (instancetype)
// initWithContentsOfFile:(NSString *)path
// usedEncoding:(NSStringEncoding *)enc
// error:(NSError **)error
/// Produces a string created by reading data from the file at
/// a given path and returns by reference the encoding used to
/// interpret the file.
public init(
contentsOfFile path: __shared String,
usedEncoding: inout Encoding
) throws {
var enc: UInt = 0
let ns = try NSString(contentsOfFile: path, usedEncoding: &enc)
usedEncoding = Encoding(rawValue: enc)
self = String._unconditionallyBridgeFromObjectiveC(ns)
}
public init(
contentsOfFile path: __shared String
) throws {
let ns = try NSString(contentsOfFile: path, usedEncoding: nil)
self = String._unconditionallyBridgeFromObjectiveC(ns)
}
// - (instancetype)
// initWithContentsOfURL:(NSURL *)url
// encoding:(NSStringEncoding)enc
// error:(NSError**)error
/// Produces a string created by reading data from a given URL
/// interpreted using a given encoding. Errors are written into the
/// inout `error` argument.
public init(
contentsOf url: __shared URL,
encoding enc: Encoding
) throws {
let ns = try NSString(contentsOf: url, encoding: enc.rawValue)
self = String._unconditionallyBridgeFromObjectiveC(ns)
}
// - (instancetype)
// initWithContentsOfURL:(NSURL *)url
// usedEncoding:(NSStringEncoding *)enc
// error:(NSError **)error
/// Produces a string created by reading data from a given URL
/// and returns by reference the encoding used to interpret the
/// data. Errors are written into the inout `error` argument.
public init(
contentsOf url: __shared URL,
usedEncoding: inout Encoding
) throws {
var enc: UInt = 0
let ns = try NSString(contentsOf: url as URL, usedEncoding: &enc)
usedEncoding = Encoding(rawValue: enc)
self = String._unconditionallyBridgeFromObjectiveC(ns)
}
public init(
contentsOf url: __shared URL
) throws {
let ns = try NSString(contentsOf: url, usedEncoding: nil)
self = String._unconditionallyBridgeFromObjectiveC(ns)
}
// - (instancetype)
// initWithCString:(const char *)nullTerminatedCString
// encoding:(NSStringEncoding)encoding
/// Produces a string containing the bytes in a given C array,
/// interpreted according to a given encoding.
public init?(
cString: UnsafePointer<CChar>,
encoding enc: Encoding
) {
if enc == .utf8, let str = String(validatingUTF8: cString) {
self = str
return
}
if let ns = NSString(cString: cString, encoding: enc.rawValue) {
self = String._unconditionallyBridgeFromObjectiveC(ns)
} else {
return nil
}
}
// FIXME: handle optional locale with default arguments
// - (instancetype)
// initWithData:(NSData *)data
// encoding:(NSStringEncoding)encoding
/// Returns a `String` initialized by converting given `data` into
/// Unicode characters using a given `encoding`.
public init?(data: __shared Data, encoding: Encoding) {
if encoding == .utf8,
let str = data.withUnsafeBytes({
String._tryFromUTF8($0.bindMemory(to: UInt8.self))
}) {
self = str
return
}
guard let s = NSString(data: data, encoding: encoding.rawValue) else { return nil }
self = String._unconditionallyBridgeFromObjectiveC(s)
}
// - (instancetype)initWithFormat:(NSString *)format, ...
/// Returns a `String` object initialized by using a given
/// format string as a template into which the remaining argument
/// values are substituted.
public init(format: __shared String, _ arguments: CVarArg...) {
self = String(format: format, arguments: arguments)
}
// - (instancetype)
// initWithFormat:(NSString *)format
// arguments:(va_list)argList
/// Returns a `String` object initialized by using a given
/// format string as a template into which the remaining argument
/// values are substituted according to the user's default locale.
public init(format: __shared String, arguments: __shared [CVarArg]) {
self = String(format: format, locale: nil, arguments: arguments)
}
// - (instancetype)initWithFormat:(NSString *)format locale:(id)locale, ...
/// Returns a `String` object initialized by using a given
/// format string as a template into which the remaining argument
/// values are substituted according to given locale information.
public init(format: __shared String, locale: __shared Locale?, _ args: CVarArg...) {
self = String(format: format, locale: locale, arguments: args)
}
// - (instancetype)
// initWithFormat:(NSString *)format
// locale:(id)locale
// arguments:(va_list)argList
/// Returns a `String` object initialized by using a given
/// format string as a template into which the remaining argument
/// values are substituted according to given locale information.
public init(format: __shared String, locale: __shared Locale?, arguments: __shared [CVarArg]) {
#if DEPLOYMENT_RUNTIME_SWIFT
self = withVaList(arguments) {
String._unconditionallyBridgeFromObjectiveC(
NSString(format: format, locale: locale?._bridgeToObjectiveC(), arguments: $0)
)
}
#else
self = withVaList(arguments) {
NSString(format: format, locale: locale, arguments: $0) as String
}
#endif
}
}
extension StringProtocol where Index == String.Index {
//===--- Bridging Helpers -----------------------------------------------===//
//===--------------------------------------------------------------------===//
/// The corresponding `NSString` - a convenience for bridging code.
// FIXME(strings): There is probably a better way to bridge Self to NSString
var _ns: NSString {
return self._ephemeralString._bridgeToObjectiveC()
}
/// Return an `Index` corresponding to the given offset in our UTF-16
/// representation.
func _toIndex(_ utf16Index: Int) -> Index {
return self._toUTF16Index(utf16Index)
}
/// Return the UTF-16 code unit offset corresponding to an Index
func _toOffset(_ idx: String.Index) -> Int {
return self._toUTF16Offset(idx)
}
@inlinable
internal func _toRelativeNSRange(_ r: Range<String.Index>) -> NSRange {
return NSRange(self._toUTF16Offsets(r))
}
/// Return a `Range<Index>` corresponding to the given `NSRange` of
/// our UTF-16 representation.
func _toRange(_ r: NSRange) -> Range<Index> {
return self._toUTF16Indices(Range(r)!)
}
/// Return a `Range<Index>?` corresponding to the given `NSRange` of
/// our UTF-16 representation.
func _optionalRange(_ r: NSRange) -> Range<Index>? {
if r.location == NSNotFound {
return nil
}
return _toRange(r)
}
/// Invoke `body` on an `Int` buffer. If `index` was converted from
/// non-`nil`, convert the buffer to an `Index` and write it into the
/// memory referred to by `index`
func _withOptionalOutParameter<Result>(
_ index: UnsafeMutablePointer<Index>?,
_ body: (UnsafeMutablePointer<Int>?) -> Result
) -> Result {
var utf16Index: Int = 0
let result = (index != nil ? body(&utf16Index) : body(nil))
index?.pointee = _toIndex(utf16Index)
return result
}
/// Invoke `body` on an `NSRange` buffer. If `range` was converted
/// from non-`nil`, convert the buffer to a `Range<Index>` and write
/// it into the memory referred to by `range`
func _withOptionalOutParameter<Result>(
_ range: UnsafeMutablePointer<Range<Index>>?,
_ body: (UnsafeMutablePointer<NSRange>?) -> Result
) -> Result {
var nsRange = NSRange(location: 0, length: 0)
let result = (range != nil ? body(&nsRange) : body(nil))
range?.pointee = self._toRange(nsRange)
return result
}
//===--- Instance Methods/Properties-------------------------------------===//
//===--------------------------------------------------------------------===//
//===--- Omitted by agreement during API review 5/20/2014 ---------------===//
// @property BOOL boolValue;
// - (BOOL)canBeConvertedToEncoding:(NSStringEncoding)encoding
/// Returns a Boolean value that indicates whether the string can be
/// converted to the specified encoding without loss of information.
///
/// - Parameter encoding: A string encoding.
/// - Returns: `true` if the string can be encoded in `encoding` without loss
/// of information; otherwise, `false`.
public func canBeConverted(to encoding: String.Encoding) -> Bool {
return _ns.canBeConverted(to: encoding.rawValue)
}
// @property NSString* capitalizedString
/// A copy of the string with each word changed to its corresponding
/// capitalized spelling.
///
/// This property performs the canonical (non-localized) mapping. It is
/// suitable for programming operations that require stable results not
/// depending on the current locale.
///
/// A capitalized string is a string with the first character in each word
/// changed to its corresponding uppercase value, and all remaining
/// characters set to their corresponding lowercase values. A "word" is any
/// sequence of characters delimited by spaces, tabs, or line terminators.
/// Some common word delimiting punctuation isn't considered, so this
/// property may not generally produce the desired results for multiword
/// strings. See the `getLineStart(_:end:contentsEnd:for:)` method for
/// additional information.
///
/// Case transformations aren’t guaranteed to be symmetrical or to produce
/// strings of the same lengths as the originals.
public var capitalized: String {
return _ns.capitalized as String
}
// @property (readonly, copy) NSString *localizedCapitalizedString NS_AVAILABLE(10_11, 9_0);
/// A capitalized representation of the string that is produced
/// using the current locale.
@available(macOS 10.11, iOS 9.0, *)
public var localizedCapitalized: String {
return _ns.localizedCapitalized
}
// - (NSString *)capitalizedStringWithLocale:(Locale *)locale
/// Returns a capitalized representation of the string
/// using the specified locale.
public func capitalized(with locale: Locale?) -> String {
return _ns.capitalized(with: locale) as String
}
// - (NSComparisonResult)caseInsensitiveCompare:(NSString *)aString
/// Returns the result of invoking `compare:options:` with
/// `NSCaseInsensitiveSearch` as the only option.
public func caseInsensitiveCompare<
T : StringProtocol
>(_ aString: T) -> ComparisonResult {
return _ns.caseInsensitiveCompare(aString._ephemeralString)
}
//===--- Omitted by agreement during API review 5/20/2014 ---------------===//
// - (unichar)characterAtIndex:(NSUInteger)index
//
// We have a different meaning for "Character" in Swift, and we are
// trying not to expose error-prone UTF-16 integer indexes
// - (NSString *)
// commonPrefixWithString:(NSString *)aString
// options:(StringCompareOptions)mask
/// Returns a string containing characters this string and the
/// given string have in common, starting from the beginning of each
/// up to the first characters that aren't equivalent.
public func commonPrefix<
T : StringProtocol
>(with aString: T, options: String.CompareOptions = []) -> String {
return _ns.commonPrefix(with: aString._ephemeralString, options: options)
}
// - (NSComparisonResult)
// compare:(NSString *)aString
//
// - (NSComparisonResult)
// compare:(NSString *)aString options:(StringCompareOptions)mask
//
// - (NSComparisonResult)
// compare:(NSString *)aString options:(StringCompareOptions)mask
// range:(NSRange)range
//
// - (NSComparisonResult)
// compare:(NSString *)aString options:(StringCompareOptions)mask
// range:(NSRange)range locale:(id)locale
/// Compares the string using the specified options and
/// returns the lexical ordering for the range.
public func compare<T : StringProtocol>(
_ aString: T,
options mask: String.CompareOptions = [],
range: Range<Index>? = nil,
locale: Locale? = nil
) -> ComparisonResult {
// According to Ali Ozer, there may be some real advantage to
// dispatching to the minimal selector for the supplied options.
// So let's do that; the switch should compile away anyhow.
let aString = aString._ephemeralString
return locale != nil ? _ns.compare(
aString,
options: mask,
range: _toRelativeNSRange(
range ?? startIndex..<endIndex
),
locale: locale?._bridgeToObjectiveC()
)
: range != nil ? _ns.compare(
aString,
options: mask,
range: _toRelativeNSRange(range!)
)
: !mask.isEmpty ? _ns.compare(aString, options: mask)
: _ns.compare(aString)
}
// - (NSUInteger)
// completePathIntoString:(NSString **)outputName
// caseSensitive:(BOOL)flag
// matchesIntoArray:(NSArray **)outputArray
// filterTypes:(NSArray *)filterTypes
/// Interprets the string as a path in the file system and
/// attempts to perform filename completion, returning a numeric
/// value that indicates whether a match was possible, and by
/// reference the longest path that matches the string.
///
/// - Returns: The actual number of matching paths.
public func completePath(
into outputName: UnsafeMutablePointer<String>? = nil,
caseSensitive: Bool,
matchesInto outputArray: UnsafeMutablePointer<[String]>? = nil,
filterTypes: [String]? = nil
) -> Int {
#if DEPLOYMENT_RUNTIME_SWIFT
var outputNamePlaceholder: String?
var outputArrayPlaceholder = [String]()
let res = self._ns.completePath(
into: &outputNamePlaceholder,
caseSensitive: caseSensitive,
matchesInto: &outputArrayPlaceholder,
filterTypes: filterTypes
)
if let n = outputNamePlaceholder {
outputName?.pointee = n
} else {
outputName?.pointee = ""
}
outputArray?.pointee = outputArrayPlaceholder
return res
#else // DEPLOYMENT_RUNTIME_SWIFT
var nsMatches: NSArray?
var nsOutputName: NSString?
let result: Int = outputName._withNilOrAddress(of: &nsOutputName) {
outputName in outputArray._withNilOrAddress(of: &nsMatches) {
outputArray in
// FIXME: completePath(...) is incorrectly annotated as requiring
// non-optional output parameters. rdar://problem/25494184
let outputNonOptionalName = unsafeBitCast(
outputName, to: AutoreleasingUnsafeMutablePointer<NSString?>.self)
let outputNonOptionalArray = unsafeBitCast(
outputArray, to: AutoreleasingUnsafeMutablePointer<NSArray?>.self)
return self._ns.completePath(
into: outputNonOptionalName,
caseSensitive: caseSensitive,
matchesInto: outputNonOptionalArray,
filterTypes: filterTypes
)
}
}
if let matches = nsMatches {
// Since this function is effectively a bridge thunk, use the
// bridge thunk semantics for the NSArray conversion
outputArray?.pointee = matches as! [String]
}
if let n = nsOutputName {
outputName?.pointee = n as String
}
return result
#endif // DEPLOYMENT_RUNTIME_SWIFT
}
// - (NSArray *)
// componentsSeparatedByCharactersInSet:(NSCharacterSet *)separator
/// Returns an array containing substrings from the string
/// that have been divided by characters in the given set.
public func components(separatedBy separator: CharacterSet) -> [String] {
return _ns.components(separatedBy: separator)
}
// - (NSArray *)componentsSeparatedByString:(NSString *)separator
/// Returns an array containing substrings from the string that have been
/// divided by the given separator.
///
/// The substrings in the resulting array appear in the same order as the
/// original string. Adjacent occurrences of the separator string produce
/// empty strings in the result. Similarly, if the string begins or ends
/// with the separator, the first or last substring, respectively, is empty.
/// The following example shows this behavior:
///
/// let list1 = "Karin, Carrie, David"
/// let items1 = list1.components(separatedBy: ", ")
/// // ["Karin", "Carrie", "David"]
///
/// // Beginning with the separator:
/// let list2 = ", Norman, Stanley, Fletcher"
/// let items2 = list2.components(separatedBy: ", ")
/// // ["", "Norman", "Stanley", "Fletcher"
///
/// If the list has no separators, the array contains only the original
/// string itself.
///
/// let name = "Karin"
/// let list = name.components(separatedBy: ", ")
/// // ["Karin"]
///
/// - Parameter separator: The separator string.
/// - Returns: An array containing substrings that have been divided from the
/// string using `separator`.
// FIXME(strings): now when String conforms to Collection, this can be
// replaced by split(separator:maxSplits:omittingEmptySubsequences:)
public func components<
T : StringProtocol
>(separatedBy separator: T) -> [String] {
return _ns.components(separatedBy: separator._ephemeralString)
}
// - (const char *)cStringUsingEncoding:(NSStringEncoding)encoding
/// Returns a representation of the string as a C string
/// using a given encoding.
public func cString(using encoding: String.Encoding) -> [CChar]? {
return withExtendedLifetime(_ns) {
(s: NSString) -> [CChar]? in
_persistCString(s.cString(using: encoding.rawValue))
}
}
// - (NSData *)dataUsingEncoding:(NSStringEncoding)encoding
//
// - (NSData *)
// dataUsingEncoding:(NSStringEncoding)encoding
// allowLossyConversion:(BOOL)flag
/// Returns a `Data` containing a representation of
/// the `String` encoded using a given encoding.
public func data(
using encoding: String.Encoding,
allowLossyConversion: Bool = false
) -> Data? {
switch encoding {
case .utf8:
return Data(self.utf8)
default:
return _ns.data(
using: encoding.rawValue,
allowLossyConversion: allowLossyConversion)
}
}
// @property NSString* decomposedStringWithCanonicalMapping;
/// A string created by normalizing the string's contents using Form D.
public var decomposedStringWithCanonicalMapping: String {
return _ns.decomposedStringWithCanonicalMapping
}
// @property NSString* decomposedStringWithCompatibilityMapping;
/// A string created by normalizing the string's contents using Form KD.
public var decomposedStringWithCompatibilityMapping: String {
return _ns.decomposedStringWithCompatibilityMapping
}
//===--- Importing Foundation should not affect String printing ---------===//
// Therefore, we're not exposing this:
//
// @property NSString* description
//===--- Omitted for consistency with API review results 5/20/2014 -----===//
// @property double doubleValue;
// - (void)
// enumerateLinesUsing:(void (^)(NSString *line, BOOL *stop))block
/// Enumerates all the lines in a string.
public func enumerateLines(
invoking body: @escaping (_ line: String, _ stop: inout Bool) -> Void
) {
_ns.enumerateLines {
(line: String, stop: UnsafeMutablePointer<ObjCBool>)
in
var stop_ = false
body(line, &stop_)
if stop_ {
stop.pointee = true
}
}
}
// @property NSStringEncoding fastestEncoding;
/// The fastest encoding to which the string can be converted without loss
/// of information.
public var fastestEncoding: String.Encoding {
return String.Encoding(rawValue: _ns.fastestEncoding)
}
// - (BOOL)
// getCString:(char *)buffer
// maxLength:(NSUInteger)maxBufferCount
// encoding:(NSStringEncoding)encoding
/// Converts the `String`'s content to a given encoding and
/// stores them in a buffer.
/// - Note: will store a maximum of `min(buffer.count, maxLength)` bytes.
public func getCString(
_ buffer: inout [CChar], maxLength: Int, encoding: String.Encoding
) -> Bool {
return _ns.getCString(&buffer,
maxLength: Swift.min(buffer.count, maxLength),
encoding: encoding.rawValue)
}
// - (NSUInteger)hash
/// An unsigned integer that can be used as a hash table address.
public var hash: Int {
return _ns.hash
}
// - (NSUInteger)lengthOfBytesUsingEncoding:(NSStringEncoding)enc
/// Returns the number of bytes required to store the
/// `String` in a given encoding.
public func lengthOfBytes(using encoding: String.Encoding) -> Int {
return _ns.lengthOfBytes(using: encoding.rawValue)
}
// - (NSComparisonResult)localizedCaseInsensitiveCompare:(NSString *)aString
/// Compares the string and the given string using a case-insensitive,
/// localized, comparison.
public
func localizedCaseInsensitiveCompare<
T : StringProtocol
>(_ aString: T) -> ComparisonResult {
return _ns.localizedCaseInsensitiveCompare(aString._ephemeralString)
}
// - (NSComparisonResult)localizedCompare:(NSString *)aString
/// Compares the string and the given string using a localized comparison.
public func localizedCompare<
T : StringProtocol
>(_ aString: T) -> ComparisonResult {
return _ns.localizedCompare(aString._ephemeralString)
}
/// Compares the string and the given string as sorted by the Finder.
public func localizedStandardCompare<
T : StringProtocol
>(_ string: T) -> ComparisonResult {
return _ns.localizedStandardCompare(string._ephemeralString)
}
//===--- Omitted for consistency with API review results 5/20/2014 ------===//
// @property long long longLongValue
// @property (readonly, copy) NSString *localizedLowercase NS_AVAILABLE(10_11, 9_0);
/// A lowercase version of the string that is produced using the current
/// locale.
@available(macOS 10.11, iOS 9.0, *)
public var localizedLowercase: String {
return _ns.localizedLowercase
}
// - (NSString *)lowercaseStringWithLocale:(Locale *)locale
/// Returns a version of the string with all letters
/// converted to lowercase, taking into account the specified
/// locale.
public func lowercased(with locale: Locale?) -> String {
return _ns.lowercased(with: locale)
}
// - (NSUInteger)maximumLengthOfBytesUsingEncoding:(NSStringEncoding)enc
/// Returns the maximum number of bytes needed to store the
/// `String` in a given encoding.
public
func maximumLengthOfBytes(using encoding: String.Encoding) -> Int {
return _ns.maximumLengthOfBytes(using: encoding.rawValue)
}
// @property NSString* precomposedStringWithCanonicalMapping;
/// A string created by normalizing the string's contents using Form C.
public var precomposedStringWithCanonicalMapping: String {
return _ns.precomposedStringWithCanonicalMapping
}
// @property NSString * precomposedStringWithCompatibilityMapping;
/// A string created by normalizing the string's contents using Form KC.
public var precomposedStringWithCompatibilityMapping: String {
return _ns.precomposedStringWithCompatibilityMapping
}
#if !DEPLOYMENT_RUNTIME_SWIFT
// - (id)propertyList
/// Parses the `String` as a text representation of a
/// property list, returning an NSString, NSData, NSArray, or
/// NSDictionary object, according to the topmost element.
public func propertyList() -> Any {
return _ns.propertyList()
}
// - (NSDictionary *)propertyListFromStringsFileFormat
/// Returns a dictionary object initialized with the keys and
/// values found in the `String`.
public func propertyListFromStringsFileFormat() -> [String : String] {
return _ns.propertyListFromStringsFileFormat() as! [String : String]? ?? [:]
}
#endif
// - (BOOL)localizedStandardContainsString:(NSString *)str NS_AVAILABLE(10_11, 9_0);
/// Returns a Boolean value indicating whether the string contains the given
/// string, taking the current locale into account.
///
/// This is the most appropriate method for doing user-level string searches,
/// similar to how searches are done generally in the system. The search is
/// locale-aware, case and diacritic insensitive. The exact list of search
/// options applied may change over time.
@available(macOS 10.11, iOS 9.0, *)
public func localizedStandardContains<
T : StringProtocol
>(_ string: T) -> Bool {
return _ns.localizedStandardContains(string._ephemeralString)
}
// @property NSStringEncoding smallestEncoding;
/// The smallest encoding to which the string can be converted without
/// loss of information.
public var smallestEncoding: String.Encoding {
return String.Encoding(rawValue: _ns.smallestEncoding)
}
// - (NSString *)
// stringByAddingPercentEncodingWithAllowedCharacters:
// (NSCharacterSet *)allowedCharacters
/// Returns a new string created by replacing all characters in the string
/// not in the specified set with percent encoded characters.
public func addingPercentEncoding(
withAllowedCharacters allowedCharacters: CharacterSet
) -> String? {
// FIXME: the documentation states that this method can return nil if the
// transformation is not possible, without going into further details. The
// implementation can only return nil if malloc() returns nil, so in
// practice this is not possible. Still, to be consistent with
// documentation, we declare the method as returning an optional String.
//
// <rdar://problem/17901698> Docs for -[NSString
// stringByAddingPercentEncodingWithAllowedCharacters] don't precisely
// describe when return value is nil
return _ns.addingPercentEncoding(withAllowedCharacters:
allowedCharacters
)
}
// - (NSString *)stringByAppendingFormat:(NSString *)format, ...
/// Returns a string created by appending a string constructed from a given
/// format string and the following arguments.
public func appendingFormat<
T : StringProtocol
>(
_ format: T, _ arguments: CVarArg...
) -> String {
return _ns.appending(
String(format: format._ephemeralString, arguments: arguments))
}
// - (NSString *)stringByAppendingString:(NSString *)aString
/// Returns a new string created by appending the given string.
// FIXME(strings): shouldn't it be deprecated in favor of `+`?
public func appending<
T : StringProtocol
>(_ aString: T) -> String {
return _ns.appending(aString._ephemeralString)
}
/// Returns a string with the given character folding options
/// applied.
public func folding(
options: String.CompareOptions = [], locale: Locale?
) -> String {
return _ns.folding(options: options, locale: locale)
}
// - (NSString *)stringByPaddingToLength:(NSUInteger)newLength
// withString:(NSString *)padString
// startingAtIndex:(NSUInteger)padIndex
/// Returns a new string formed from the `String` by either
/// removing characters from the end, or by appending as many
/// occurrences as necessary of a given pad string.
public func padding<
T : StringProtocol
>(
toLength newLength: Int,
withPad padString: T,
startingAt padIndex: Int
) -> String {
return _ns.padding(
toLength: newLength,
withPad: padString._ephemeralString,
startingAt: padIndex)
}
// @property NSString* stringByRemovingPercentEncoding;
/// A new string made from the string by replacing all percent encoded
/// sequences with the matching UTF-8 characters.
public var removingPercentEncoding: String? {
return _ns.removingPercentEncoding
}
// - (NSString *)
// stringByReplacingCharactersInRange:(NSRange)range
// withString:(NSString *)replacement
/// Returns a new string in which the characters in a
/// specified range of the `String` are replaced by a given string.
public func replacingCharacters<
T : StringProtocol, R : RangeExpression
>(in range: R, with replacement: T) -> String where R.Bound == Index {
return _ns.replacingCharacters(
in: _toRelativeNSRange(range.relative(to: self)),
with: replacement._ephemeralString)
}
// - (NSString *)
// stringByReplacingOccurrencesOfString:(NSString *)target
// withString:(NSString *)replacement
//
// - (NSString *)
// stringByReplacingOccurrencesOfString:(NSString *)target
// withString:(NSString *)replacement
// options:(StringCompareOptions)options
// range:(NSRange)searchRange
/// Returns a new string in which all occurrences of a target
/// string in a specified range of the string are replaced by
/// another given string.
public func replacingOccurrences<
Target : StringProtocol,
Replacement : StringProtocol
>(
of target: Target,
with replacement: Replacement,
options: String.CompareOptions = [],
range searchRange: Range<Index>? = nil
) -> String {
let target = target._ephemeralString
let replacement = replacement._ephemeralString
return (searchRange != nil) || (!options.isEmpty)
? _ns.replacingOccurrences(
of: target,
with: replacement,
options: options,
range: _toRelativeNSRange(
searchRange ?? startIndex..<endIndex
)
)
: _ns.replacingOccurrences(of: target, with: replacement)
}
#if !DEPLOYMENT_RUNTIME_SWIFT
// - (NSString *)
// stringByReplacingPercentEscapesUsingEncoding:(NSStringEncoding)encoding
/// Returns a new string made by replacing in the `String`
/// all percent escapes with the matching characters as determined
/// by a given encoding.
@available(swift, deprecated: 3.0, obsoleted: 4.0,
message: "Use removingPercentEncoding instead, which always uses the recommended UTF-8 encoding.")
public func replacingPercentEscapes(
using encoding: String.Encoding
) -> String? {
return _ns.replacingPercentEscapes(using: encoding.rawValue)
}
#endif
// - (NSString *)stringByTrimmingCharactersInSet:(NSCharacterSet *)set
/// Returns a new string made by removing from both ends of
/// the `String` characters contained in a given character set.
public func trimmingCharacters(in set: CharacterSet) -> String {
return _ns.trimmingCharacters(in: set)
}
// @property (readonly, copy) NSString *localizedUppercaseString NS_AVAILABLE(10_11, 9_0);
/// An uppercase version of the string that is produced using the current
/// locale.
@available(macOS 10.11, iOS 9.0, *)
public var localizedUppercase: String {
return _ns.localizedUppercase as String
}
// - (NSString *)uppercaseStringWithLocale:(Locale *)locale
/// Returns a version of the string with all letters
/// converted to uppercase, taking into account the specified
/// locale.
public func uppercased(with locale: Locale?) -> String {
return _ns.uppercased(with: locale)
}
//===--- Omitted due to redundancy with "utf8" property -----------------===//
// - (const char *)UTF8String
// - (BOOL)
// writeToFile:(NSString *)path
// atomically:(BOOL)useAuxiliaryFile
// encoding:(NSStringEncoding)enc
// error:(NSError **)error
/// Writes the contents of the `String` to a file at a given
/// path using a given encoding.
public func write<
T : StringProtocol
>(
toFile path: T, atomically useAuxiliaryFile: Bool,
encoding enc: String.Encoding
) throws {
try _ns.write(
toFile: path._ephemeralString,
atomically: useAuxiliaryFile,
encoding: enc.rawValue)
}
// - (BOOL)
// writeToURL:(NSURL *)url
// atomically:(BOOL)useAuxiliaryFile
// encoding:(NSStringEncoding)enc
// error:(NSError **)error
/// Writes the contents of the `String` to the URL specified
/// by url using the specified encoding.
public func write(
to url: URL, atomically useAuxiliaryFile: Bool,
encoding enc: String.Encoding
) throws {
try _ns.write(
to: url, atomically: useAuxiliaryFile, encoding: enc.rawValue)
}
// - (nullable NSString *)stringByApplyingTransform:(NSString *)transform reverse:(BOOL)reverse NS_AVAILABLE(10_11, 9_0);
#if !DEPLOYMENT_RUNTIME_SWIFT
/// Perform string transliteration.
@available(macOS 10.11, iOS 9.0, *)
public func applyingTransform(
_ transform: StringTransform, reverse: Bool
) -> String? {
return _ns.applyingTransform(transform, reverse: reverse)
}
// - (void)
// enumerateLinguisticTagsInRange:(NSRange)range
// scheme:(NSString *)tagScheme
// options:(LinguisticTaggerOptions)opts
// orthography:(Orthography *)orthography
// usingBlock:(
// void (^)(
// NSString *tag, NSRange tokenRange,
// NSRange sentenceRange, BOOL *stop)
// )block
/// Performs linguistic analysis on the specified string by
/// enumerating the specific range of the string, providing the
/// Block with the located tags.
public func enumerateLinguisticTags<
T : StringProtocol, R : RangeExpression
>(
in range: R,
scheme tagScheme: T,
options opts: NSLinguisticTagger.Options = [],
orthography: NSOrthography? = nil,
invoking body:
(String, Range<Index>, Range<Index>, inout Bool) -> Void
) where R.Bound == Index {
let range = range.relative(to: self)
_ns.enumerateLinguisticTags(
in: _toRelativeNSRange(range),
scheme: NSLinguisticTagScheme(rawValue: tagScheme._ephemeralString),
options: opts,
orthography: orthography != nil ? orthography! : nil
) {
var stop_ = false
body($0!.rawValue, self._toRange($1), self._toRange($2), &stop_)
if stop_ {
$3.pointee = true
}
}
}
#endif
// - (void)
// enumerateSubstringsInRange:(NSRange)range
// options:(NSStringEnumerationOptions)opts
// usingBlock:(
// void (^)(
// NSString *substring,
// NSRange substringRange,
// NSRange enclosingRange,
// BOOL *stop)
// )block
/// Enumerates the substrings of the specified type in the specified range of
/// the string.
///
/// Mutation of a string value while enumerating its substrings is not
/// supported. If you need to mutate a string from within `body`, convert
/// your string to an `NSMutableString` instance and then call the
/// `enumerateSubstrings(in:options:using:)` method.
///
/// - Parameters:
/// - range: The range within the string to enumerate substrings.
/// - opts: Options specifying types of substrings and enumeration styles.
/// If `opts` is omitted or empty, `body` is called a single time with
/// the range of the string specified by `range`.
/// - body: The closure executed for each substring in the enumeration. The
/// closure takes four arguments:
/// - The enumerated substring. If `substringNotRequired` is included in
/// `opts`, this parameter is `nil` for every execution of the
/// closure.
/// - The range of the enumerated substring in the string that
/// `enumerate(in:options:_:)` was called on.
/// - The range that includes the substring as well as any separator or
/// filler characters that follow. For instance, for lines,
/// `enclosingRange` contains the line terminators. The enclosing
/// range for the first string enumerated also contains any characters
/// that occur before the string. Consecutive enclosing ranges are
/// guaranteed not to overlap, and every single character in the
/// enumerated range is included in one and only one enclosing range.
/// - An `inout` Boolean value that the closure can use to stop the
/// enumeration by setting `stop = true`.
public func enumerateSubstrings<
R : RangeExpression
>(
in range: R,
options opts: String.EnumerationOptions = [],
_ body: @escaping (
_ substring: String?, _ substringRange: Range<Index>,
_ enclosingRange: Range<Index>, inout Bool
) -> Void
) where R.Bound == Index {
_ns.enumerateSubstrings(
in: _toRelativeNSRange(range.relative(to: self)), options: opts) {
var stop_ = false
body($0,
self._toRange($1),
self._toRange($2),
&stop_)
if stop_ {
UnsafeMutablePointer($3).pointee = true
}
}
}
//===--- Omitted for consistency with API review results 5/20/2014 ------===//
// @property float floatValue;
// - (BOOL)
// getBytes:(void *)buffer
// maxLength:(NSUInteger)maxBufferCount
// usedLength:(NSUInteger*)usedBufferCount
// encoding:(NSStringEncoding)encoding
// options:(StringEncodingConversionOptions)options
// range:(NSRange)range
// remainingRange:(NSRangePointer)leftover
/// Writes the given `range` of characters into `buffer` in a given
/// `encoding`, without any allocations. Does not NULL-terminate.
///
/// - Parameter buffer: A buffer into which to store the bytes from
/// the receiver. The returned bytes are not NUL-terminated.
///
/// - Parameter maxBufferCount: The maximum number of bytes to write
/// to buffer.
///
/// - Parameter usedBufferCount: The number of bytes used from
/// buffer. Pass `nil` if you do not need this value.
///
/// - Parameter encoding: The encoding to use for the returned bytes.
///
/// - Parameter options: A mask to specify options to use for
/// converting the receiver's contents to `encoding` (if conversion
/// is necessary).
///
/// - Parameter range: The range of characters in the receiver to get.
///
/// - Parameter leftover: The remaining range. Pass `nil` If you do
/// not need this value.
///
/// - Returns: `true` if some characters were converted, `false` otherwise.
///
/// - Note: Conversion stops when the buffer fills or when the
/// conversion isn't possible due to the chosen encoding.
///
/// - Note: will get a maximum of `min(buffer.count, maxLength)` bytes.
public func getBytes<
R : RangeExpression
>(
_ buffer: inout [UInt8],
maxLength maxBufferCount: Int,
usedLength usedBufferCount: UnsafeMutablePointer<Int>,
encoding: String.Encoding,
options: String.EncodingConversionOptions = [],
range: R,
remaining leftover: UnsafeMutablePointer<Range<Index>>
) -> Bool where R.Bound == Index {
return _withOptionalOutParameter(leftover) {
self._ns.getBytes(
&buffer,
maxLength: Swift.min(buffer.count, maxBufferCount),
usedLength: usedBufferCount,
encoding: encoding.rawValue,
options: options,
range: _toRelativeNSRange(range.relative(to: self)),
remaining: $0)
}
}
// - (void)
// getLineStart:(NSUInteger *)startIndex
// end:(NSUInteger *)lineEndIndex
// contentsEnd:(NSUInteger *)contentsEndIndex
// forRange:(NSRange)aRange
/// Returns by reference the beginning of the first line and
/// the end of the last line touched by the given range.
public func getLineStart<
R : RangeExpression
>(
_ start: UnsafeMutablePointer<Index>,
end: UnsafeMutablePointer<Index>,
contentsEnd: UnsafeMutablePointer<Index>,
for range: R
) where R.Bound == Index {
_withOptionalOutParameter(start) {
start in self._withOptionalOutParameter(end) {
end in self._withOptionalOutParameter(contentsEnd) {
contentsEnd in self._ns.getLineStart(
start, end: end,
contentsEnd: contentsEnd,
for: _toRelativeNSRange(range.relative(to: self)))
}
}
}
}
// - (void)
// getParagraphStart:(NSUInteger *)startIndex
// end:(NSUInteger *)endIndex
// contentsEnd:(NSUInteger *)contentsEndIndex
// forRange:(NSRange)aRange
/// Returns by reference the beginning of the first paragraph
/// and the end of the last paragraph touched by the given range.
public func getParagraphStart<
R : RangeExpression
>(
_ start: UnsafeMutablePointer<Index>,
end: UnsafeMutablePointer<Index>,
contentsEnd: UnsafeMutablePointer<Index>,
for range: R
) where R.Bound == Index {
_withOptionalOutParameter(start) {
start in self._withOptionalOutParameter(end) {
end in self._withOptionalOutParameter(contentsEnd) {
contentsEnd in self._ns.getParagraphStart(
start, end: end,
contentsEnd: contentsEnd,
for: _toRelativeNSRange(range.relative(to: self)))
}
}
}
}
//===--- Already provided by core Swift ---------------------------------===//
// - (instancetype)initWithString:(NSString *)aString
//===--- Initializers that can fail dropped for factory functions -------===//
// - (instancetype)initWithUTF8String:(const char *)bytes
//===--- Omitted for consistency with API review results 5/20/2014 ------===//
// @property NSInteger integerValue;
// @property Int intValue;
//===--- Omitted by apparent agreement during API review 5/20/2014 ------===//
// @property BOOL absolutePath;
// - (BOOL)isEqualToString:(NSString *)aString
// - (NSRange)lineRangeForRange:(NSRange)aRange
/// Returns the range of characters representing the line or lines
/// containing a given range.
public func lineRange<
R : RangeExpression
>(for aRange: R) -> Range<Index> where R.Bound == Index {
return _toRange(_ns.lineRange(
for: _toRelativeNSRange(aRange.relative(to: self))))
}
#if !DEPLOYMENT_RUNTIME_SWIFT
// - (NSArray *)
// linguisticTagsInRange:(NSRange)range
// scheme:(NSString *)tagScheme
// options:(LinguisticTaggerOptions)opts
// orthography:(Orthography *)orthography
// tokenRanges:(NSArray**)tokenRanges
/// Returns an array of linguistic tags for the specified
/// range and requested tags within the receiving string.
public func linguisticTags<
T : StringProtocol, R : RangeExpression
>(
in range: R,
scheme tagScheme: T,
options opts: NSLinguisticTagger.Options = [],
orthography: NSOrthography? = nil,
tokenRanges: UnsafeMutablePointer<[Range<Index>]>? = nil // FIXME:Can this be nil?
) -> [String] where R.Bound == Index {
var nsTokenRanges: NSArray?
let result = tokenRanges._withNilOrAddress(of: &nsTokenRanges) {
self._ns.linguisticTags(
in: _toRelativeNSRange(range.relative(to: self)),
scheme: NSLinguisticTagScheme(rawValue: tagScheme._ephemeralString),
options: opts,
orthography: orthography,
tokenRanges: $0) as NSArray
}
if let nsTokenRanges = nsTokenRanges {
tokenRanges?.pointee = (nsTokenRanges as [AnyObject]).map {
self._toRange($0.rangeValue)
}
}
return result as! [String]
}
// - (NSRange)paragraphRangeForRange:(NSRange)aRange
/// Returns the range of characters representing the
/// paragraph or paragraphs containing a given range.
public func paragraphRange<
R : RangeExpression
>(for aRange: R) -> Range<Index> where R.Bound == Index {
return _toRange(
_ns.paragraphRange(for: _toRelativeNSRange(aRange.relative(to: self))))
}
#endif
// - (NSRange)rangeOfCharacterFromSet:(NSCharacterSet *)aSet
//
// - (NSRange)
// rangeOfCharacterFromSet:(NSCharacterSet *)aSet
// options:(StringCompareOptions)mask
//
// - (NSRange)
// rangeOfCharacterFromSet:(NSCharacterSet *)aSet
// options:(StringCompareOptions)mask
// range:(NSRange)aRange
/// Finds and returns the range in the `String` of the first
/// character from a given character set found in a given range with
/// given options.
public func rangeOfCharacter(
from aSet: CharacterSet,
options mask: String.CompareOptions = [],
range aRange: Range<Index>? = nil
) -> Range<Index>? {
return _optionalRange(
_ns.rangeOfCharacter(
from: aSet,
options: mask,
range: _toRelativeNSRange(
aRange ?? startIndex..<endIndex
)
)
)
}
// - (NSRange)rangeOfComposedCharacterSequenceAtIndex:(NSUInteger)anIndex
/// Returns the range in the `String` of the composed
/// character sequence located at a given index.
public
func rangeOfComposedCharacterSequence(at anIndex: Index) -> Range<Index> {
return _toRange(
_ns.rangeOfComposedCharacterSequence(at: _toOffset(anIndex)))
}
// - (NSRange)rangeOfComposedCharacterSequencesForRange:(NSRange)range
/// Returns the range in the string of the composed character
/// sequences for a given range.
public func rangeOfComposedCharacterSequences<
R : RangeExpression
>(
for range: R
) -> Range<Index> where R.Bound == Index {
// Theoretically, this will be the identity function. In practice
// I think users will be able to observe differences in the input
// and output ranges due (if nothing else) to locale changes
return _toRange(
_ns.rangeOfComposedCharacterSequences(
for: _toRelativeNSRange(range.relative(to: self))))
}
// - (NSRange)rangeOfString:(NSString *)aString
//
// - (NSRange)
// rangeOfString:(NSString *)aString options:(StringCompareOptions)mask
//
// - (NSRange)
// rangeOfString:(NSString *)aString
// options:(StringCompareOptions)mask
// range:(NSRange)aRange
//
// - (NSRange)
// rangeOfString:(NSString *)aString
// options:(StringCompareOptions)mask
// range:(NSRange)searchRange
// locale:(Locale *)locale
/// Finds and returns the range of the first occurrence of a
/// given string within a given range of the `String`, subject to
/// given options, using the specified locale, if any.
public func range<
T : StringProtocol
>(
of aString: T,
options mask: String.CompareOptions = [],
range searchRange: Range<Index>? = nil,
locale: Locale? = nil
) -> Range<Index>? {
let aString = aString._ephemeralString
return _optionalRange(
locale != nil ? _ns.range(
of: aString,
options: mask,
range: _toRelativeNSRange(
searchRange ?? startIndex..<endIndex
),
locale: locale
)
: searchRange != nil ? _ns.range(
of: aString, options: mask, range: _toRelativeNSRange(searchRange!)
)
: !mask.isEmpty ? _ns.range(of: aString, options: mask)
: _ns.range(of: aString)
)
}
// - (NSRange)localizedStandardRangeOfString:(NSString *)str NS_AVAILABLE(10_11, 9_0);
/// Finds and returns the range of the first occurrence of a given string,
/// taking the current locale into account. Returns `nil` if the string was
/// not found.
///
/// This is the most appropriate method for doing user-level string searches,
/// similar to how searches are done generally in the system. The search is
/// locale-aware, case and diacritic insensitive. The exact list of search
/// options applied may change over time.
@available(macOS 10.11, iOS 9.0, *)
public func localizedStandardRange<
T : StringProtocol
>(of string: T) -> Range<Index>? {
return _optionalRange(
_ns.localizedStandardRange(of: string._ephemeralString))
}
#if !DEPLOYMENT_RUNTIME_SWIFT
// - (NSString *)
// stringByAddingPercentEscapesUsingEncoding:(NSStringEncoding)encoding
/// Returns a representation of the `String` using a given
/// encoding to determine the percent escapes necessary to convert
/// the `String` into a legal URL string.
@available(swift, deprecated: 3.0, obsoleted: 4.0,
message: "Use addingPercentEncoding(withAllowedCharacters:) instead, which always uses the recommended UTF-8 encoding, and which encodes for a specific URL component or subcomponent since each URL component or subcomponent has different rules for what characters are valid.")
public func addingPercentEscapes(
using encoding: String.Encoding
) -> String? {
return _ns.addingPercentEscapes(using: encoding.rawValue)
}
#endif
//===--- From the 10.10 release notes; not in public documentation ------===//
// No need to make these unavailable on earlier OSes, since they can
// forward trivially to rangeOfString.
/// Returns `true` if `other` is non-empty and contained within `self` by
/// case-sensitive, non-literal search. Otherwise, returns `false`.
///
/// Equivalent to `self.rangeOfString(other) != nil`
public func contains<T : StringProtocol>(_ other: T) -> Bool {
let r = self.range(of: other) != nil
if #available(macOS 10.10, iOS 8.0, *) {
assert(r == _ns.contains(other._ephemeralString))
}
return r
}
/// Returns a Boolean value indicating whether the given string is non-empty
/// and contained within this string by case-insensitive, non-literal
/// search, taking into account the current locale.
///
/// Locale-independent case-insensitive operation, and other needs, can be
/// achieved by calling `range(of:options:range:locale:)`.
///
/// Equivalent to:
///
/// range(of: other, options: .caseInsensitiveSearch,
/// locale: Locale.current) != nil
public func localizedCaseInsensitiveContains<
T : StringProtocol
>(_ other: T) -> Bool {
let r = self.range(
of: other, options: .caseInsensitive, locale: Locale.current
) != nil
if #available(macOS 10.10, iOS 8.0, *) {
assert(r ==
_ns.localizedCaseInsensitiveContains(other._ephemeralString))
}
return r
}
}
// Deprecated slicing
extension StringProtocol where Index == String.Index {
// - (NSString *)substringFromIndex:(NSUInteger)anIndex
/// Returns a new string containing the characters of the
/// `String` from the one at a given index to the end.
@available(swift, deprecated: 4.0,
message: "Please use String slicing subscript with a 'partial range from' operator.")
public func substring(from index: Index) -> String {
return _ns.substring(from: _toOffset(index))
}
// - (NSString *)substringToIndex:(NSUInteger)anIndex
/// Returns a new string containing the characters of the
/// `String` up to, but not including, the one at a given index.
@available(swift, deprecated: 4.0,
message: "Please use String slicing subscript with a 'partial range upto' operator.")
public func substring(to index: Index) -> String {
return _ns.substring(to: _toOffset(index))
}
// - (NSString *)substringWithRange:(NSRange)aRange
/// Returns a string object containing the characters of the
/// `String` that lie within a given range.
@available(swift, deprecated: 4.0,
message: "Please use String slicing subscript.")
public func substring(with aRange: Range<Index>) -> String {
return _ns.substring(with: _toRelativeNSRange(aRange))
}
}
extension StringProtocol {
// - (const char *)fileSystemRepresentation
/// Returns a file system-specific representation of the `String`.
@available(*, unavailable, message: "Use getFileSystemRepresentation on URL instead.")
public var fileSystemRepresentation: [CChar] {
fatalError("unavailable function can't be called")
}
// - (BOOL)
// getFileSystemRepresentation:(char *)buffer
// maxLength:(NSUInteger)maxLength
/// Interprets the `String` as a system-independent path and
/// fills a buffer with a C-string in a format and encoding suitable
/// for use with file-system calls.
/// - Note: will store a maximum of `min(buffer.count, maxLength)` bytes.
@available(*, unavailable, message: "Use getFileSystemRepresentation on URL instead.")
public func getFileSystemRepresentation(
_ buffer: inout [CChar], maxLength: Int) -> Bool {
fatalError("unavailable function can't be called")
}
//===--- Kept for consistency with API review results 5/20/2014 ---------===//
// We decided to keep pathWithComponents, so keeping this too
// @property NSString lastPathComponent;
/// Returns the last path component of the `String`.
@available(*, unavailable, message: "Use lastPathComponent on URL instead.")
public var lastPathComponent: String {
fatalError("unavailable function can't be called")
}
//===--- Renamed by agreement during API review 5/20/2014 ---------------===//
// @property NSUInteger length;
/// Returns the number of Unicode characters in the `String`.
@available(*, unavailable,
message: "Take the count of a UTF-16 view instead, i.e. str.utf16.count")
public var utf16Count: Int {
fatalError("unavailable function can't be called")
}
// @property NSArray* pathComponents
/// Returns an array of NSString objects containing, in
/// order, each path component of the `String`.
@available(*, unavailable, message: "Use pathComponents on URL instead.")
public var pathComponents: [String] {
fatalError("unavailable function can't be called")
}
// @property NSString* pathExtension;
/// Interprets the `String` as a path and returns the
/// `String`'s extension, if any.
@available(*, unavailable, message: "Use pathExtension on URL instead.")
public var pathExtension: String {
fatalError("unavailable function can't be called")
}
// @property NSString *stringByAbbreviatingWithTildeInPath;
/// Returns a new string that replaces the current home
/// directory portion of the current path with a tilde (`~`)
/// character.
@available(*, unavailable, message: "Use abbreviatingWithTildeInPath on NSString instead.")
public var abbreviatingWithTildeInPath: String {
fatalError("unavailable function can't be called")
}
// - (NSString *)stringByAppendingPathComponent:(NSString *)aString
/// Returns a new string made by appending to the `String` a given string.
@available(*, unavailable, message: "Use appendingPathComponent on URL instead.")
public func appendingPathComponent(_ aString: String) -> String {
fatalError("unavailable function can't be called")
}
// - (NSString *)stringByAppendingPathExtension:(NSString *)ext
/// Returns a new string made by appending to the `String` an
/// extension separator followed by a given extension.
@available(*, unavailable, message: "Use appendingPathExtension on URL instead.")
public func appendingPathExtension(_ ext: String) -> String? {
fatalError("unavailable function can't be called")
}
// @property NSString* stringByDeletingLastPathComponent;
/// Returns a new string made by deleting the last path
/// component from the `String`, along with any final path
/// separator.
@available(*, unavailable, message: "Use deletingLastPathComponent on URL instead.")
public var deletingLastPathComponent: String {
fatalError("unavailable function can't be called")
}
// @property NSString* stringByDeletingPathExtension;
/// Returns a new string made by deleting the extension (if
/// any, and only the last) from the `String`.
@available(*, unavailable, message: "Use deletingPathExtension on URL instead.")
public var deletingPathExtension: String {
fatalError("unavailable function can't be called")
}
// @property NSString* stringByExpandingTildeInPath;
/// Returns a new string made by expanding the initial
/// component of the `String` to its full path value.
@available(*, unavailable, message: "Use expandingTildeInPath on NSString instead.")
public var expandingTildeInPath: String {
fatalError("unavailable function can't be called")
}
// - (NSString *)
// stringByFoldingWithOptions:(StringCompareOptions)options
// locale:(Locale *)locale
@available(*, unavailable, renamed: "folding(options:locale:)")
public func folding(
_ options: String.CompareOptions = [], locale: Locale?
) -> String {
fatalError("unavailable function can't be called")
}
// @property NSString* stringByResolvingSymlinksInPath;
/// Returns a new string made from the `String` by resolving
/// all symbolic links and standardizing path.
@available(*, unavailable, message: "Use resolvingSymlinksInPath on URL instead.")
public var resolvingSymlinksInPath: String {
fatalError("unavailable property")
}
// @property NSString* stringByStandardizingPath;
/// Returns a new string made by removing extraneous path
/// components from the `String`.
@available(*, unavailable, message: "Use standardizingPath on URL instead.")
public var standardizingPath: String {
fatalError("unavailable function can't be called")
}
// - (NSArray *)stringsByAppendingPaths:(NSArray *)paths
/// Returns an array of strings made by separately appending
/// to the `String` each string in a given array.
@available(*, unavailable, message: "Map over paths with appendingPathComponent instead.")
public func strings(byAppendingPaths paths: [String]) -> [String] {
fatalError("unavailable function can't be called")
}
}
// Pre-Swift-3 method names
extension String {
@available(*, unavailable, renamed: "localizedName(of:)")
public static func localizedNameOfStringEncoding(
_ encoding: String.Encoding
) -> String {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, message: "Use fileURL(withPathComponents:) on URL instead.")
public static func pathWithComponents(_ components: [String]) -> String {
fatalError("unavailable function can't be called")
}
// + (NSString *)pathWithComponents:(NSArray *)components
/// Returns a string built from the strings in a given array
/// by concatenating them with a path separator between each pair.
@available(*, unavailable, message: "Use fileURL(withPathComponents:) on URL instead.")
public static func path(withComponents components: [String]) -> String {
fatalError("unavailable function can't be called")
}
}
extension StringProtocol {
@available(*, unavailable, renamed: "canBeConverted(to:)")
public func canBeConvertedToEncoding(_ encoding: String.Encoding) -> Bool {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "capitalizedString(with:)")
public func capitalizedStringWith(_ locale: Locale?) -> String {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "commonPrefix(with:options:)")
public func commonPrefixWith(
_ aString: String, options: String.CompareOptions) -> String {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "completePath(into:outputName:caseSensitive:matchesInto:filterTypes:)")
public func completePathInto(
_ outputName: UnsafeMutablePointer<String>? = nil,
caseSensitive: Bool,
matchesInto matchesIntoArray: UnsafeMutablePointer<[String]>? = nil,
filterTypes: [String]? = nil
) -> Int {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "components(separatedBy:)")
public func componentsSeparatedByCharactersIn(
_ separator: CharacterSet
) -> [String] {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "components(separatedBy:)")
public func componentsSeparatedBy(_ separator: String) -> [String] {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "cString(usingEncoding:)")
public func cStringUsingEncoding(_ encoding: String.Encoding) -> [CChar]? {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "data(usingEncoding:allowLossyConversion:)")
public func dataUsingEncoding(
_ encoding: String.Encoding,
allowLossyConversion: Bool = false
) -> Data? {
fatalError("unavailable function can't be called")
}
#if !DEPLOYMENT_RUNTIME_SWIFT
@available(*, unavailable, renamed: "enumerateLinguisticTags(in:scheme:options:orthography:_:)")
public func enumerateLinguisticTagsIn(
_ range: Range<Index>,
scheme tagScheme: String,
options opts: NSLinguisticTagger.Options,
orthography: NSOrthography?,
_ body:
(String, Range<Index>, Range<Index>, inout Bool) -> Void
) {
fatalError("unavailable function can't be called")
}
#endif
@available(*, unavailable, renamed: "enumerateSubstrings(in:options:_:)")
public func enumerateSubstringsIn(
_ range: Range<Index>,
options opts: String.EnumerationOptions = [],
_ body: (
_ substring: String?, _ substringRange: Range<Index>,
_ enclosingRange: Range<Index>, inout Bool
) -> Void
) {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "getBytes(_:maxLength:usedLength:encoding:options:range:remaining:)")
public func getBytes(
_ buffer: inout [UInt8],
maxLength maxBufferCount: Int,
usedLength usedBufferCount: UnsafeMutablePointer<Int>,
encoding: String.Encoding,
options: String.EncodingConversionOptions = [],
range: Range<Index>,
remainingRange leftover: UnsafeMutablePointer<Range<Index>>
) -> Bool {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "getLineStart(_:end:contentsEnd:for:)")
public func getLineStart(
_ start: UnsafeMutablePointer<Index>,
end: UnsafeMutablePointer<Index>,
contentsEnd: UnsafeMutablePointer<Index>,
forRange: Range<Index>
) {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "getParagraphStart(_:end:contentsEnd:for:)")
public func getParagraphStart(
_ start: UnsafeMutablePointer<Index>,
end: UnsafeMutablePointer<Index>,
contentsEnd: UnsafeMutablePointer<Index>,
forRange: Range<Index>
) {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "lengthOfBytes(using:)")
public func lengthOfBytesUsingEncoding(_ encoding: String.Encoding) -> Int {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "lineRange(for:)")
public func lineRangeFor(_ aRange: Range<Index>) -> Range<Index> {
fatalError("unavailable function can't be called")
}
#if !DEPLOYMENT_RUNTIME_SWIFT
@available(*, unavailable, renamed: "linguisticTags(in:scheme:options:orthography:tokenRanges:)")
public func linguisticTagsIn(
_ range: Range<Index>,
scheme tagScheme: String,
options opts: NSLinguisticTagger.Options = [],
orthography: NSOrthography? = nil,
tokenRanges: UnsafeMutablePointer<[Range<Index>]>? = nil
) -> [String] {
fatalError("unavailable function can't be called")
}
#endif
@available(*, unavailable, renamed: "lowercased(with:)")
public func lowercaseStringWith(_ locale: Locale?) -> String {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "maximumLengthOfBytes(using:)")
public
func maximumLengthOfBytesUsingEncoding(_ encoding: String.Encoding) -> Int {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "paragraphRange(for:)")
public func paragraphRangeFor(_ aRange: Range<Index>) -> Range<Index> {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "rangeOfCharacter(from:options:range:)")
public func rangeOfCharacterFrom(
_ aSet: CharacterSet,
options mask: String.CompareOptions = [],
range aRange: Range<Index>? = nil
) -> Range<Index>? {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "rangeOfComposedCharacterSequence(at:)")
public
func rangeOfComposedCharacterSequenceAt(_ anIndex: Index) -> Range<Index> {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "rangeOfComposedCharacterSequences(for:)")
public func rangeOfComposedCharacterSequencesFor(
_ range: Range<Index>
) -> Range<Index> {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "range(of:options:range:locale:)")
public func rangeOf(
_ aString: String,
options mask: String.CompareOptions = [],
range searchRange: Range<Index>? = nil,
locale: Locale? = nil
) -> Range<Index>? {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "localizedStandardRange(of:)")
public func localizedStandardRangeOf(_ string: String) -> Range<Index>? {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "addingPercentEncoding(withAllowedCharacters:)")
public func addingPercentEncodingWithAllowedCharacters(
_ allowedCharacters: CharacterSet
) -> String? {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "addingPercentEscapes(using:)")
public func addingPercentEscapesUsingEncoding(
_ encoding: String.Encoding
) -> String? {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "appendingFormat")
public func stringByAppendingFormat(
_ format: String, _ arguments: CVarArg...
) -> String {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "padding(toLength:with:startingAt:)")
public func byPaddingToLength(
_ newLength: Int, withString padString: String, startingAt padIndex: Int
) -> String {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "replacingCharacters(in:with:)")
public func replacingCharactersIn(
_ range: Range<Index>, withString replacement: String
) -> String {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "replacingOccurrences(of:with:options:range:)")
public func replacingOccurrencesOf(
_ target: String,
withString replacement: String,
options: String.CompareOptions = [],
range searchRange: Range<Index>? = nil
) -> String {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "replacingPercentEscapes(usingEncoding:)")
public func replacingPercentEscapesUsingEncoding(
_ encoding: String.Encoding
) -> String? {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "trimmingCharacters(in:)")
public func byTrimmingCharactersIn(_ set: CharacterSet) -> String {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "strings(byAppendingPaths:)")
public func stringsByAppendingPaths(_ paths: [String]) -> [String] {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "substring(from:)")
public func substringFrom(_ index: Index) -> String {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "substring(to:)")
public func substringTo(_ index: Index) -> String {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "substring(with:)")
public func substringWith(_ aRange: Range<Index>) -> String {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "uppercased(with:)")
public func uppercaseStringWith(_ locale: Locale?) -> String {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "write(toFile:atomically:encoding:)")
public func writeToFile(
_ path: String, atomically useAuxiliaryFile:Bool,
encoding enc: String.Encoding
) throws {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, renamed: "write(to:atomically:encoding:)")
public func writeToURL(
_ url: URL, atomically useAuxiliaryFile: Bool,
encoding enc: String.Encoding
) throws {
fatalError("unavailable function can't be called")
}
}
| apache-2.0 | 52c014884683cb4053361bd11517b5fa | 34.345422 | 279 | 0.675948 | 4.763976 | false | false | false | false |
montehurd/apps-ios-wikipedia | Wikipedia/Code/ArticlePlaceView.swift | 1 | 22913 | import UIKit
import WMF
#if OSM
import Mapbox
#else
import MapKit
#endif
protocol ArticlePlaceViewDelegate: NSObjectProtocol {
func articlePlaceViewWasTapped(_ articlePlaceView: ArticlePlaceView)
}
class ArticlePlaceView: MapAnnotationView {
static let smallDotImage = #imageLiteral(resourceName: "places-dot-small")
static let mediumDotImage = #imageLiteral(resourceName: "places-dot-medium")
static let mediumOpaqueDotImage = #imageLiteral(resourceName: "places-dot-medium-opaque")
static let mediumOpaqueDotOutlineImage = #imageLiteral(resourceName: "places-dot-outline-medium")
static let extraMediumOpaqueDotImage = #imageLiteral(resourceName: "places-dot-extra-medium-opaque")
static let extraMediumOpaqueDotOutlineImage = #imageLiteral(resourceName: "places-dot-outline-extra-medium")
static let largeOpaqueDotImage = #imageLiteral(resourceName: "places-dot-large-opaque")
static let largeOpaqueDotOutlineImage = #imageLiteral(resourceName: "places-dot-outline-large")
static let extraLargeOpaqueDotImage = #imageLiteral(resourceName: "places-dot-extra-large-opaque")
static let extraLargeOpaqueDotOutlineImage = #imageLiteral(resourceName: "places-dot-outline-extra-large ")
static let mediumPlaceholderImage = #imageLiteral(resourceName: "places-w-medium")
static let largePlaceholderImage = #imageLiteral(resourceName: "places-w-large")
static let extraMediumPlaceholderImage = #imageLiteral(resourceName: "places-w-extra-medium")
static let extraLargePlaceholderImage = #imageLiteral(resourceName: "places-w-extra-large")
public weak var delegate: ArticlePlaceViewDelegate?
var imageView: UIView!
private var imageImageView: UIImageView!
private var imageImagePlaceholderView: UIImageView!
private var imageOutlineView: UIView!
private var imageBackgroundView: UIView!
private var selectedImageView: UIView!
private var selectedImageImageView: UIImageView!
private var selectedImageImagePlaceholderView: UIImageView!
private var selectedImageOutlineView: UIView!
private var selectedImageBackgroundView: UIView!
private var dotView: UIView!
private var groupView: UIView!
private var countLabel: UILabel!
private var dimension: CGFloat!
private var collapsedDimension: CGFloat!
var groupDimension: CGFloat!
var imageDimension: CGFloat!
var selectedImageButton: UIButton!
private var alwaysShowImage = false
private let selectionAnimationDuration = 0.3
private let springDamping: CGFloat = 0.5
private let crossFadeRelativeHalfDuration: TimeInterval = 0.1
private let alwaysRasterize = true // set this or rasterize on animations, not both
private let rasterizeOnAnimations = false
override func setup() {
selectedImageView = UIView()
imageView = UIView()
selectedImageImageView = UIImageView()
imageImageView = UIImageView()
selectedImageImageView.accessibilityIgnoresInvertColors = true
imageImageView.accessibilityIgnoresInvertColors = true
countLabel = UILabel()
dotView = UIView()
groupView = UIView()
imageOutlineView = UIView()
selectedImageOutlineView = UIView()
imageBackgroundView = UIView()
selectedImageBackgroundView = UIView()
selectedImageButton = UIButton()
imageImagePlaceholderView = UIImageView()
selectedImageImagePlaceholderView = UIImageView()
let scale = ArticlePlaceView.mediumDotImage.scale
let mediumOpaqueDotImage = ArticlePlaceView.mediumOpaqueDotImage
let mediumOpaqueDotOutlineImage = ArticlePlaceView.mediumOpaqueDotOutlineImage
let largeOpaqueDotImage = ArticlePlaceView.largeOpaqueDotImage
let largeOpaqueDotOutlineImage = ArticlePlaceView.largeOpaqueDotOutlineImage
let mediumPlaceholderImage = ArticlePlaceView.mediumPlaceholderImage
let largePlaceholderImage = ArticlePlaceView.largePlaceholderImage
collapsedDimension = ArticlePlaceView.smallDotImage.size.width
groupDimension = ArticlePlaceView.mediumDotImage.size.width
dimension = largeOpaqueDotOutlineImage.size.width
imageDimension = mediumOpaqueDotOutlineImage.size.width
let gravity = CALayerContentsGravity.bottomRight
isPlaceholderHidden = false
frame = CGRect(x: 0, y: 0, width: dimension, height: dimension)
dotView.bounds = CGRect(x: 0, y: 0, width: collapsedDimension, height: collapsedDimension)
dotView.layer.contentsGravity = gravity
dotView.layer.contentsScale = scale
dotView.layer.contents = ArticlePlaceView.smallDotImage.cgImage
dotView.center = CGPoint(x: 0.5*bounds.size.width, y: 0.5*bounds.size.height)
addSubview(dotView)
groupView.bounds = CGRect(x: 0, y: 0, width: groupDimension, height: groupDimension)
groupView.layer.contentsGravity = gravity
groupView.layer.contentsScale = scale
groupView.layer.contents = ArticlePlaceView.mediumDotImage.cgImage
addSubview(groupView)
imageView.bounds = CGRect(x: 0, y: 0, width: imageDimension, height: imageDimension)
imageView.layer.rasterizationScale = scale
addSubview(imageView)
imageBackgroundView.frame = imageView.bounds
imageBackgroundView.layer.contentsGravity = gravity
imageBackgroundView.layer.contentsScale = scale
imageBackgroundView.layer.contents = mediumOpaqueDotImage.cgImage
imageView.addSubview(imageBackgroundView)
imageImagePlaceholderView.frame = imageView.bounds
imageImagePlaceholderView.contentMode = .center
imageImagePlaceholderView.image = mediumPlaceholderImage
imageView.addSubview(imageImagePlaceholderView)
var inset: CGFloat = 3.5
var imageViewFrame = imageView.bounds.inset(by: UIEdgeInsets(top: inset, left: inset, bottom: inset, right: inset))
imageViewFrame.origin = CGPoint(x: frame.origin.x + inset, y: frame.origin.y + inset)
imageImageView.frame = imageViewFrame
imageImageView.contentMode = .scaleAspectFill
imageImageView.layer.masksToBounds = true
imageImageView.layer.cornerRadius = imageImageView.bounds.size.width * 0.5
imageImageView.backgroundColor = UIColor.white
imageView.addSubview(imageImageView)
imageOutlineView.frame = imageView.bounds
imageOutlineView.layer.contentsGravity = gravity
imageOutlineView.layer.contentsScale = scale
imageOutlineView.layer.contents = mediumOpaqueDotOutlineImage.cgImage
imageView.addSubview(imageOutlineView)
selectedImageView.bounds = bounds
selectedImageView.layer.rasterizationScale = scale
addSubview(selectedImageView)
selectedImageBackgroundView.frame = selectedImageView.bounds
selectedImageBackgroundView.layer.contentsGravity = gravity
selectedImageBackgroundView.layer.contentsScale = scale
selectedImageBackgroundView.layer.contents = largeOpaqueDotImage.cgImage
selectedImageView.addSubview(selectedImageBackgroundView)
selectedImageImagePlaceholderView.frame = selectedImageView.bounds
selectedImageImagePlaceholderView.contentMode = .center
selectedImageImagePlaceholderView.image = largePlaceholderImage
selectedImageView.addSubview(selectedImageImagePlaceholderView)
inset = imageDimension > 40 ? 3.5 : 5.5
imageViewFrame = selectedImageView.bounds.inset(by: UIEdgeInsets(top: inset, left: inset, bottom: inset, right: inset))
imageViewFrame.origin = CGPoint(x: frame.origin.x + inset, y: frame.origin.y + inset)
selectedImageImageView.frame = imageViewFrame
selectedImageImageView.contentMode = .scaleAspectFill
selectedImageImageView.layer.cornerRadius = selectedImageImageView.bounds.size.width * 0.5
selectedImageImageView.layer.masksToBounds = true
selectedImageImageView.backgroundColor = UIColor.white
selectedImageView.addSubview(selectedImageImageView)
selectedImageOutlineView.frame = selectedImageView.bounds
selectedImageOutlineView.layer.contentsGravity = gravity
selectedImageOutlineView.layer.contentsScale = scale
selectedImageOutlineView.layer.contents = largeOpaqueDotOutlineImage.cgImage
selectedImageView.addSubview(selectedImageOutlineView)
selectedImageButton.frame = selectedImageView.bounds
selectedImageButton.accessibilityTraits = UIAccessibilityTraits.none
selectedImageView.addSubview(selectedImageButton)
countLabel.frame = groupView.bounds
countLabel.textColor = UIColor.white
countLabel.textAlignment = .center
countLabel.font = UIFont.boldSystemFont(ofSize: 16)
groupView.addSubview(countLabel)
prepareForReuse()
super.setup()
updateLayout()
update(withArticlePlace: annotation as? ArticlePlace)
}
func set(alwaysShowImage: Bool, animated: Bool) {
self.alwaysShowImage = alwaysShowImage
let scale = collapsedDimension/imageDimension
let imageViewScaleDownTransform = CGAffineTransform(scaleX: scale, y: scale)
let dotViewScaleUpTransform = CGAffineTransform(scaleX: 1.0/scale, y: 1.0/scale)
if alwaysShowImage {
loadImage()
imageView.alpha = 0
imageView.isHidden = false
dotView.alpha = 1
dotView.isHidden = false
imageView.transform = imageViewScaleDownTransform
dotView.transform = CGAffineTransform.identity
} else {
dotView.transform = dotViewScaleUpTransform
imageView.transform = CGAffineTransform.identity
imageView.alpha = 1
imageView.isHidden = false
dotView.alpha = 0
dotView.isHidden = false
}
let transforms = {
if alwaysShowImage {
self.imageView.transform = CGAffineTransform.identity
self.dotView.transform = dotViewScaleUpTransform
} else {
self.imageView.transform = imageViewScaleDownTransform
self.dotView.transform = CGAffineTransform.identity
}
}
let fadesIn = {
if alwaysShowImage {
self.imageView.alpha = 1
} else {
self.dotView.alpha = 1
}
}
let fadesOut = {
if alwaysShowImage {
self.dotView.alpha = 0
} else {
self.imageView.alpha = 0
}
}
if (animated && rasterizeOnAnimations) {
self.imageView.layer.shouldRasterize = true
}
let done = {
if (animated && self.rasterizeOnAnimations) {
self.imageView.layer.shouldRasterize = false
}
guard let articlePlace = self.annotation as? ArticlePlace else {
return
}
self.updateDotAndImageHiddenState(with: articlePlace.articles.count)
}
if animated {
if alwaysShowImage {
UIView.animate(withDuration: 2*selectionAnimationDuration, delay: 0, usingSpringWithDamping: springDamping, initialSpringVelocity: 0, options: [.allowUserInteraction], animations: transforms, completion:nil)
UIView.animateKeyframes(withDuration: 2*selectionAnimationDuration, delay: 0, options: [.allowUserInteraction], animations: {
UIView.addKeyframe(withRelativeStartTime: 0, relativeDuration: self.crossFadeRelativeHalfDuration, animations:fadesIn)
UIView.addKeyframe(withRelativeStartTime: self.crossFadeRelativeHalfDuration, relativeDuration: self.crossFadeRelativeHalfDuration, animations:fadesOut)
}) { (didFinish) in
done()
}
} else {
UIView.animateKeyframes(withDuration: selectionAnimationDuration, delay: 0, options: [.allowUserInteraction], animations: {
UIView.addKeyframe(withRelativeStartTime: 0, relativeDuration: 1, animations:transforms)
UIView.addKeyframe(withRelativeStartTime: 0, relativeDuration: 0.5, animations:fadesIn)
UIView.addKeyframe(withRelativeStartTime: 0.5, relativeDuration: 0.5, animations:fadesOut)
}) { (didFinish) in
done()
}
}
} else {
transforms()
fadesIn()
fadesOut()
done()
}
}
override func didMoveToSuperview() {
super.didMoveToSuperview()
guard superview != nil else {
selectedImageButton.removeTarget(self, action: #selector(selectedImageViewWasTapped), for: .touchUpInside)
return
}
selectedImageButton.addTarget(self, action: #selector(selectedImageViewWasTapped), for: .touchUpInside)
}
@objc func selectedImageViewWasTapped(_ sender: UIButton) {
delegate?.articlePlaceViewWasTapped(self)
}
var zPosition: CGFloat = 1 {
didSet {
guard !isSelected else {
return
}
layer.zPosition = zPosition
}
}
var isPlaceholderHidden: Bool = true {
didSet {
selectedImageImagePlaceholderView.isHidden = isPlaceholderHidden
imageImagePlaceholderView.isHidden = isPlaceholderHidden
imageImageView.isHidden = !isPlaceholderHidden
selectedImageImageView.isHidden = !isPlaceholderHidden
}
}
private var shouldRasterize = false {
didSet {
imageView.layer.shouldRasterize = shouldRasterize
selectedImageView.layer.shouldRasterize = shouldRasterize
}
}
private var isImageLoaded = false
func loadImage() {
guard !isImageLoaded, let articlePlace = annotation as? ArticlePlace, articlePlace.articles.count == 1 else {
return
}
if alwaysRasterize {
shouldRasterize = false
}
isPlaceholderHidden = false
isImageLoaded = true
let article = articlePlace.articles[0]
if let thumbnailURL = article.thumbnailURL {
imageImageView.wmf_setImage(with: thumbnailURL, detectFaces: true, onGPU: true, failure: { (error) in
if self.alwaysRasterize {
self.shouldRasterize = true
}
}, success: {
self.selectedImageImageView.image = self.imageImageView.image
self.selectedImageImageView.layer.contentsRect = self.imageImageView.layer.contentsRect
self.isPlaceholderHidden = true
if self.alwaysRasterize {
self.shouldRasterize = true
}
})
}
}
func update(withArticlePlace articlePlace: ArticlePlace?) {
let articleCount = articlePlace?.articles.count ?? 1
switch articleCount {
case 0:
zPosition = 1
isPlaceholderHidden = false
imageImagePlaceholderView.image = #imageLiteral(resourceName: "places-show-more")
accessibilityLabel = WMFLocalizedString("places-accessibility-show-more", value:"Show more articles", comment:"Accessibility label for a button that shows more articles")
case 1:
zPosition = 1
isImageLoaded = false
if isSelected || alwaysShowImage {
loadImage()
}
accessibilityLabel = articlePlace?.articles.first?.displayTitle
default:
zPosition = 2
let countString = "\(articleCount)"
countLabel.text = countString
accessibilityLabel = String.localizedStringWithFormat(WMFLocalizedString("places-accessibility-group", value:"%1$@ articles", comment:"Accessibility label for a map icon - %1$@ is replaced with the number of articles in the group {{Identical|Article}}"), countString)
}
updateDotAndImageHiddenState(with: articleCount)
}
func updateDotAndImageHiddenState(with articleCount: Int) {
switch articleCount {
case 0:
fallthrough
case 1:
imageView.isHidden = !alwaysShowImage
dotView.isHidden = alwaysShowImage
groupView.isHidden = true
default:
imageView.isHidden = true
dotView.isHidden = true
groupView.isHidden = false
}
}
#if OSM
override var annotation: MGLAnnotation? {
didSet {
guard isSetup, let articlePlace = annotation as? ArticlePlace else {
return
}
update(withArticlePlace: articlePlace)
}
}
#else
override var annotation: MKAnnotation? {
didSet {
guard isSetup, let articlePlace = annotation as? ArticlePlace else {
return
}
update(withArticlePlace: articlePlace)
}
}
#endif
override func prepareForReuse() {
super.prepareForReuse()
if alwaysRasterize {
shouldRasterize = false
}
isPlaceholderHidden = false
isImageLoaded = false
delegate = nil
imageImageView.wmf_reset()
selectedImageImageView.wmf_reset()
countLabel.text = nil
set(alwaysShowImage: false, animated: false)
setSelected(false, animated: false)
alpha = 1
transform = CGAffineTransform.identity
}
override func setSelected(_ selected: Bool, animated: Bool) {
super.setSelected(selected, animated: animated)
guard let place = annotation as? ArticlePlace, place.articles.count == 1 else {
selectedImageView.alpha = 0
return
}
let dotScale = collapsedDimension/dimension
let imageViewScale = imageDimension/dimension
let scale = alwaysShowImage ? imageViewScale : dotScale
let selectedImageViewScaleDownTransform = CGAffineTransform(scaleX: scale, y: scale)
let dotViewScaleUpTransform = CGAffineTransform(scaleX: 1.0/dotScale, y: 1.0/dotScale)
let imageViewScaleUpTransform = CGAffineTransform(scaleX: 1.0/imageViewScale, y: 1.0/imageViewScale)
layer.zPosition = 3
if selected {
loadImage()
selectedImageView.transform = selectedImageViewScaleDownTransform
dotView.transform = CGAffineTransform.identity
imageView.transform = CGAffineTransform.identity
selectedImageView.alpha = 0
imageView.alpha = 1
dotView.alpha = 1
} else {
selectedImageView.transform = CGAffineTransform.identity
dotView.transform = dotViewScaleUpTransform
imageView.transform = imageViewScaleUpTransform
selectedImageView.alpha = 1
imageView.alpha = 0
dotView.alpha = 0
}
let transforms = {
if selected {
self.selectedImageView.transform = CGAffineTransform.identity
self.dotView.transform = dotViewScaleUpTransform
self.imageView.transform = imageViewScaleUpTransform
} else {
self.selectedImageView.transform = selectedImageViewScaleDownTransform
self.dotView.transform = CGAffineTransform.identity
self.imageView.transform = CGAffineTransform.identity
}
}
let fadesIn = {
if selected {
self.selectedImageView.alpha = 1
} else {
self.imageView.alpha = 1
self.dotView.alpha = 1
}
}
let fadesOut = {
if selected {
self.imageView.alpha = 0
self.dotView.alpha = 0
} else {
self.selectedImageView.alpha = 0
}
}
if (animated && rasterizeOnAnimations) {
shouldRasterize = true
}
let done = {
if (animated && self.rasterizeOnAnimations) {
self.shouldRasterize = false
}
if !selected {
self.layer.zPosition = self.zPosition
}
}
if animated {
let duration = 2*selectionAnimationDuration
if selected {
UIView.animate(withDuration: duration, delay: 0, usingSpringWithDamping: springDamping, initialSpringVelocity: 0, options: [.allowUserInteraction], animations: transforms, completion:nil)
UIView.animateKeyframes(withDuration: duration, delay: 0, options: [.allowUserInteraction], animations: {
UIView.addKeyframe(withRelativeStartTime: 0, relativeDuration: self.crossFadeRelativeHalfDuration, animations:fadesIn)
UIView.addKeyframe(withRelativeStartTime: self.crossFadeRelativeHalfDuration, relativeDuration: self.crossFadeRelativeHalfDuration, animations:fadesOut)
}) { (didFinish) in
done()
}
} else {
UIView.animateKeyframes(withDuration: 0.5*duration, delay: 0, options: [.allowUserInteraction], animations: {
UIView.addKeyframe(withRelativeStartTime: 0, relativeDuration: 1, animations:transforms)
UIView.addKeyframe(withRelativeStartTime: 0, relativeDuration: 0.5, animations:fadesIn)
UIView.addKeyframe(withRelativeStartTime: 0.5, relativeDuration: 0.5, animations:fadesOut)
}) { (didFinish) in
done()
}
}
} else {
transforms()
fadesIn()
fadesOut()
done()
}
}
func updateLayout() {
let center = CGPoint(x: 0.5*bounds.size.width, y: 0.5*bounds.size.height)
selectedImageView.center = center
imageView.center = center
dotView.center = center
groupView.center = center
}
override var frame: CGRect {
didSet {
guard isSetup else {
return
}
updateLayout()
}
}
override var bounds: CGRect {
didSet {
guard isSetup else {
return
}
updateLayout()
}
}
}
| mit | ef581e5f81d4dfc8648d69b12294687e | 41.042202 | 279 | 0.645223 | 6.245026 | false | false | false | false |
blockchain/My-Wallet-V3-iOS | Modules/Platform/Sources/PlatformUIKit/Components/AssetPriceView/DashboardAsset/DashboardAssetValuePresentation.swift | 1 | 6588 | // Copyright © Blockchain Luxembourg S.A. All rights reserved.
import Foundation
import PlatformKit
extension DashboardAsset.Value.Presentation {
/// The presentation model for `AssetPriceView`
public struct AssetPrice: CustomDebugStringConvertible {
private typealias AccessibilityId = Accessibility.Identifier.Dashboard.AssetCell
/// Descriptors that allows customized content and style
public struct Descriptors {
/// Options to display content
struct ContentOptions: OptionSet {
let rawValue: Int
init(rawValue: Int) {
self.rawValue = rawValue
}
/// Includes fiat price change
static let fiat = ContentOptions(rawValue: 1 << 0)
/// Includes percentage price change
static let percentage = ContentOptions(rawValue: 2 << 0)
}
let contentOptions: ContentOptions
let priceFont: UIFont
let changeFont: UIFont
let accessibilityIdSuffix: String
}
// MARK: - Properties
/// The price of the asset
let price: LabelContent
/// The change
let change: NSAttributedString
let changeAccessibility: Accessibility
public var debugDescription: String {
price.text + " " + change.string
}
// MARK: - Setup
public init(with value: DashboardAsset.Value.Interaction.AssetPrice, descriptors: Descriptors) {
let fiatPrice = value.currentPrice.toDisplayString(includeSymbol: true)
changeAccessibility = .id("\(AccessibilityId.changeLabelFormat)\(descriptors.accessibilityIdSuffix)")
price = LabelContent(
text: fiatPrice,
font: descriptors.priceFont,
color: .dashboardAssetTitle,
accessibility: .id("\(AccessibilityId.marketFiatBalanceLabelFormat)\(descriptors.accessibilityIdSuffix)")
)
change = value.historicalPrice
.flatMap { historicalPrice in
Self.changeAttributeString(with: historicalPrice, descriptors: descriptors)
}
?? NSAttributedString()
}
private static func changeAttributeString(
with historicalPrice: DashboardAsset.Value.Interaction.AssetPrice.HistoricalPrice,
descriptors: Descriptors
) -> NSAttributedString {
let fiatTintColor: UIColor
var deltaTintColor: UIColor
let sign: String
if historicalPrice.priceChange.isPositive {
sign = "+"
fiatTintColor = .positivePrice
} else if historicalPrice.priceChange.isNegative {
sign = ""
fiatTintColor = .negativePrice
} else {
sign = ""
fiatTintColor = .mutedText
}
deltaTintColor = historicalPrice.changePercentage > 0 ? .positivePrice : .negativePrice
deltaTintColor = historicalPrice.changePercentage.isZero ? .mutedText : deltaTintColor
let fiatChange: NSAttributedString
if descriptors.contentOptions.contains(.fiat) {
let fiat = historicalPrice.priceChange.toDisplayString(includeSymbol: true)
let suffix = descriptors.contentOptions.contains(.percentage) ? " " : ""
fiatChange = NSAttributedString(
LabelContent(
text: "\(sign)\(fiat)\(suffix)",
font: descriptors.changeFont,
color: fiatTintColor
)
)
} else {
fiatChange = NSAttributedString()
}
let percentageChange: NSAttributedString
if descriptors.contentOptions.contains(.percentage) {
let prefix: String
let suffix: String
if descriptors.contentOptions.contains(.fiat) {
prefix = "("
suffix = ")"
} else {
prefix = ""
suffix = ""
}
let percentage = historicalPrice.changePercentage * 100
let percentageString = percentage.string(with: 2)
percentageChange = NSAttributedString(
LabelContent(
text: "\(prefix)\(percentageString)%\(suffix)",
font: descriptors.changeFont,
color: deltaTintColor
)
)
} else {
percentageChange = NSAttributedString()
}
let period = NSAttributedString(
LabelContent(
text: historicalPrice.time.string,
font: descriptors.changeFont,
color: .mutedText
)
)
return fiatChange + percentageChange + period
}
}
}
extension DashboardAsset.Value.Presentation.AssetPrice.Descriptors {
/// Returns a descriptor for dashboard total balance
public static var balance: DashboardAsset.Value.Presentation.AssetPrice.Descriptors {
.init(
contentOptions: [.fiat, .percentage],
priceFont: .main(.semibold, 24.0),
changeFont: .main(.medium, 14.0),
accessibilityIdSuffix: Accessibility.Identifier.Dashboard.TotalBalanceCell.valueLabelSuffix
)
}
/// Returns a descriptor for dashboard asset price
public static func assetPrice(
accessibilityIdSuffix: String,
priceFontSize: CGFloat = 16.0,
changeFontSize: CGFloat = 14.0
) -> DashboardAsset.Value.Presentation.AssetPrice.Descriptors {
.init(
contentOptions: [.percentage],
priceFont: .main(.semibold, priceFontSize),
changeFont: .main(.medium, changeFontSize),
accessibilityIdSuffix: accessibilityIdSuffix
)
}
/// Returns a descriptor for widget asset price
public static func widget(accessibilityIdSuffix: String) -> DashboardAsset.Value.Presentation.AssetPrice.Descriptors {
.init(
contentOptions: [.fiat],
priceFont: .systemFont(ofSize: 16.0, weight: .semibold),
changeFont: .systemFont(ofSize: 12.0, weight: .semibold),
accessibilityIdSuffix: accessibilityIdSuffix
)
}
}
| lgpl-3.0 | 9f9c3a04a35ab757f3c5252e357f1bb6 | 36.64 | 122 | 0.572339 | 6.150327 | false | false | false | false |
xivol/Swift-CS333 | playgrounds/uiKit/uiKitCatalog/UIKitCatalog/SearchShowResultsInSourceViewController.swift | 3 | 1372 | /*
Copyright (C) 2016 Apple Inc. All Rights Reserved.
See LICENSE.txt for this sample’s licensing information
Abstract:
A view controller that demonstrates how to show search results from a search controller within the source view controller (in this case, in the table view's header view).
*/
import UIKit
class SearchShowResultsInSourceViewController: SearchResultsViewController {
// MARK: - Properties
// `searchController` is set in `viewDidLoad(_:)`.
var searchController: UISearchController!
// MARK: - View Life Cycle
override func viewDidLoad() {
super.viewDidLoad()
/*
Create the search controller, but we'll make sure that this
`SearchShowResultsInSourceViewController` performs the results updating.
*/
searchController = UISearchController(searchResultsController: nil)
searchController.searchResultsUpdater = self
searchController.dimsBackgroundDuringPresentation = false
// Make sure the that the search bar is visible within the navigation bar.
searchController.searchBar.sizeToFit()
// Include the search controller's search bar within the table's header view.
tableView.tableHeaderView = searchController.searchBar
definesPresentationContext = true
}
}
| mit | 4c7ab2a12e35f6ba55de49356b9aecf9 | 35.052632 | 174 | 0.69562 | 6.061947 | false | false | false | false |
amrap-labs/TeamupKit | Sources/TeamupKit/Model/Membership.swift | 1 | 2525 | //
// Membership.swift
// TeamupKit
//
// Created by Merrick Sapsford on 20/06/2017.
// Copyright © 2017 Merrick Sapsford. All rights reserved.
//
import Foundation
public struct Membership: Codable {
// MARK: Types
/// Status of a membership
///
/// - active: Active.
/// - cancelled: Cancelled.
/// - inactive: Inactive.
enum Status: String, Codable {
case active = "ACTIVE"
case cancelled = "CANCELLED"
case inactive = "INACTIVE"
}
enum CodingKeys: String, CodingKey {
case id
case name
case number = "membership"
case expirationDate = "expiration_date"
case maximumUsesOnClasses = "maximum_allowed_class_uses"
case usesOnClasses = "class_uses"
case maximumUsesOnCourses = "maximum_allowed_course_uses"
case usesOnCourses = "course_uses"
case usageInfo = "usage_info"
case status
case allowedUses = "allowed_uses"
case currentUses = "uses"
}
// MARK: Properties
/// The unique identifier of the membership.
let id: Int
/// The name of the membership.
let name: String
/// The membership number.
let number: Int
/// The expiration date of the membership.
let expirationDate: String?
/// The maximum number of times that this membership can be used on classes.
let maximumUsesOnClasses: Int?
/// The number of times this membership has been used on classes.
let usesOnClasses: Int
/// The maximum number of times that this membership can be used on courses.
let maximumUsesOnCourses: Int?
/// The number of times this membership has been used on courses.
let usesOnCourses: Int
/// Description of the usage information for this membership.
let usageInfo: String
/// The current status of this membership.
let status: Status
/// The allowed usage of this membership.
let allowedUses: UsageInfo
/// The current usage of this membership.
let currentUses: UsageInfo
}
public extension Membership {
/// Information on membership usage.
public struct UsageInfo: Codable {
/// Number of usages in a day.
let day: Int?
/// Number of usages in a week.
let week: Int?
/// Number of usages in a month.
let month: Int?
/// Number of usages in a year.
let year: Int?
/// The number of usages overall.
let overall: Int?
}
}
| mit | 523ba650915d532198846aa461765e76 | 27.681818 | 80 | 0.622821 | 4.555957 | false | false | false | false |
Jnosh/swift | stdlib/public/core/Print.swift | 12 | 11718 | //===--- Print.swift ------------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2017 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
/// Writes the textual representations of the given items into the standard
/// output.
///
/// You can pass zero or more items to the `print(_:separator:terminator:)`
/// function. The textual representation for each item is the same as that
/// obtained by calling `String(item)`. The following example prints a string,
/// a closed range of integers, and a group of floating-point values to
/// standard output:
///
/// print("One two three four five")
/// // Prints "One two three four five"
///
/// print(1...5)
/// // Prints "1...5"
///
/// print(1.0, 2.0, 3.0, 4.0, 5.0)
/// // Prints "1.0 2.0 3.0 4.0 5.0"
///
/// To print the items separated by something other than a space, pass a string
/// as `separator`.
///
/// print(1.0, 2.0, 3.0, 4.0, 5.0, separator: " ... ")
/// // Prints "1.0 ... 2.0 ... 3.0 ... 4.0 ... 5.0"
///
/// The output from each call to `print(_:separator:terminator:)` includes a
/// newline by default. To print the items without a trailing newline, pass an
/// empty string as `terminator`.
///
/// for n in 1...5 {
/// print(n, terminator: "")
/// }
/// // Prints "12345"
///
/// - Parameters:
/// - items: Zero or more items to print.
/// - separator: A string to print between each item. The default is a single
/// space (`" "`).
/// - terminator: The string to print after all items have been printed. The
/// default is a newline (`"\n"`).
///
/// - SeeAlso: `debugPrint(_:separator:terminator:)`, `TextOutputStreamable`,
/// `CustomStringConvertible`, `CustomDebugStringConvertible`
@inline(never)
@_semantics("stdlib_binary_only")
public func print(
_ items: Any...,
separator: String = " ",
terminator: String = "\n"
) {
if let hook = _playgroundPrintHook {
var output = _TeeStream(left: "", right: _Stdout())
_print(
items, separator: separator, terminator: terminator, to: &output)
hook(output.left)
}
else {
var output = _Stdout()
_print(
items, separator: separator, terminator: terminator, to: &output)
}
}
/// Writes the textual representations of the given items most suitable for
/// debugging into the standard output.
///
/// You can pass zero or more items to the
/// `debugPrint(_:separator:terminator:)` function. The textual representation
/// for each item is the same as that obtained by calling
/// `String(reflecting: item)`. The following example prints the debugging
/// representation of a string, a closed range of integers, and a group of
/// floating-point values to standard output:
///
/// debugPrint("One two three four five")
/// // Prints "One two three four five"
///
/// debugPrint(1...5)
/// // Prints "CountableClosedRange(1...5)"
///
/// debugPrint(1.0, 2.0, 3.0, 4.0, 5.0)
/// // Prints "1.0 2.0 3.0 4.0 5.0"
///
/// To print the items separated by something other than a space, pass a string
/// as `separator`.
///
/// debugPrint(1.0, 2.0, 3.0, 4.0, 5.0, separator: " ... ")
/// // Prints "1.0 ... 2.0 ... 3.0 ... 4.0 ... 5.0"
///
/// The output from each call to `debugPrint(_:separator:terminator:)` includes
/// a newline by default. To print the items without a trailing newline, pass
/// an empty string as `terminator`.
///
/// for n in 1...5 {
/// debugPrint(n, terminator: "")
/// }
/// // Prints "12345"
///
/// - Parameters:
/// - items: Zero or more items to print.
/// - separator: A string to print between each item. The default is a single
/// space (`" "`).
/// - terminator: The string to print after all items have been printed. The
/// default is a newline (`"\n"`).
///
/// - SeeAlso: `print(_:separator:terminator:)`, `TextOutputStreamable`,
/// `CustomStringConvertible`, `CustomDebugStringConvertible`
@inline(never)
@_semantics("stdlib_binary_only")
public func debugPrint(
_ items: Any...,
separator: String = " ",
terminator: String = "\n") {
if let hook = _playgroundPrintHook {
var output = _TeeStream(left: "", right: _Stdout())
_debugPrint(
items, separator: separator, terminator: terminator, to: &output)
hook(output.left)
}
else {
var output = _Stdout()
_debugPrint(
items, separator: separator, terminator: terminator, to: &output)
}
}
/// Writes the textual representations of the given items into the given output
/// stream.
///
/// You can pass zero or more items to the `print(_:separator:terminator:to:)`
/// function. The textual representation for each item is the same as that
/// obtained by calling `String(item)`. The following example prints a closed
/// range of integers to a string:
///
/// var range = "My range: "
/// print(1...5, to: &range)
/// // range == "My range: 1...5\n"
///
/// To print the items separated by something other than a space, pass a string
/// as `separator`.
///
/// var separated = ""
/// print(1.0, 2.0, 3.0, 4.0, 5.0, separator: " ... ", to: &separated)
/// // separated == "1.0 ... 2.0 ... 3.0 ... 4.0 ... 5.0\n"
///
/// The output from each call to `print(_:separator:terminator:to:)` includes a
/// newline by default. To print the items without a trailing newline, pass an
/// empty string as `terminator`.
///
/// var numbers = ""
/// for n in 1...5 {
/// print(n, terminator: "", to: &numbers)
/// }
/// // numbers == "12345"
///
/// - Parameters:
/// - items: Zero or more items to print.
/// - separator: A string to print between each item. The default is a single
/// space (`" "`).
/// - terminator: The string to print after all items have been printed. The
/// default is a newline (`"\n"`).
/// - output: An output stream to receive the text representation of each
/// item.
///
/// - SeeAlso: `print(_:separator:terminator:)`,
/// `debugPrint(_:separator:terminator:to:)`,
/// `TextOutputStream`, `TextOutputStreamable`,
/// `CustomStringConvertible`, `CustomDebugStringConvertible`
@inline(__always)
public func print<Target : TextOutputStream>(
_ items: Any...,
separator: String = " ",
terminator: String = "\n",
to output: inout Target
) {
_print(items, separator: separator, terminator: terminator, to: &output)
}
/// Writes the textual representations of the given items most suitable for
/// debugging into the given output stream.
///
/// You can pass zero or more items to the
/// `debugPrint(_:separator:terminator:to:)` function. The textual
/// representation for each item is the same as that obtained by calling
/// `String(reflecting: item)`. The following example prints a closed range of
/// integers to a string:
///
/// var range = "My range: "
/// debugPrint(1...5, to: &range)
/// // range == "My range: CountableClosedRange(1...5)\n"
///
/// To print the items separated by something other than a space, pass a string
/// as `separator`.
///
/// var separated = ""
/// debugPrint(1.0, 2.0, 3.0, 4.0, 5.0, separator: " ... ", to: &separated)
/// // separated == "1.0 ... 2.0 ... 3.0 ... 4.0 ... 5.0\n"
///
/// The output from each call to `debugPrint(_:separator:terminator:to:)`
/// includes a newline by default. To print the items without a trailing
/// newline, pass an empty string as `terminator`.
///
/// var numbers = ""
/// for n in 1...5 {
/// debugPrint(n, terminator: "", to: &numbers)
/// }
/// // numbers == "12345"
///
/// - Parameters:
/// - items: Zero or more items to print.
/// - separator: A string to print between each item. The default is a single
/// space (`" "`).
/// - terminator: The string to print after all items have been printed. The
/// default is a newline (`"\n"`).
/// - output: An output stream to receive the text representation of each
/// item.
///
/// - SeeAlso: `debugPrint(_:separator:terminator:)`,
/// `print(_:separator:terminator:to:)`,
/// `TextOutputStream`, `TextOutputStreamable`,
/// `CustomStringConvertible`, `CustomDebugStringConvertible`
@inline(__always)
public func debugPrint<Target : TextOutputStream>(
_ items: Any...,
separator: String = " ",
terminator: String = "\n",
to output: inout Target
) {
_debugPrint(
items, separator: separator, terminator: terminator, to: &output)
}
@_versioned
@inline(never)
@_semantics("stdlib_binary_only")
internal func _print<Target : TextOutputStream>(
_ items: [Any],
separator: String = " ",
terminator: String = "\n",
to output: inout Target
) {
var prefix = ""
output._lock()
defer { output._unlock() }
for item in items {
output.write(prefix)
_print_unlocked(item, &output)
prefix = separator
}
output.write(terminator)
}
@_versioned
@inline(never)
@_semantics("stdlib_binary_only")
internal func _debugPrint<Target : TextOutputStream>(
_ items: [Any],
separator: String = " ",
terminator: String = "\n",
to output: inout Target
) {
var prefix = ""
output._lock()
defer { output._unlock() }
for item in items {
output.write(prefix)
_debugPrint_unlocked(item, &output)
prefix = separator
}
output.write(terminator)
}
//===----------------------------------------------------------------------===//
//===--- Migration Aids ---------------------------------------------------===//
@available(*, unavailable, renamed: "print(_:separator:terminator:to:)")
public func print<Target : TextOutputStream>(
_ items: Any...,
separator: String = "",
terminator: String = "",
toStream output: inout Target
) {}
@available(*, unavailable, renamed: "debugPrint(_:separator:terminator:to:)")
public func debugPrint<Target : TextOutputStream>(
_ items: Any...,
separator: String = "",
terminator: String = "",
toStream output: inout Target
) {}
@available(*, unavailable, message: "Please use 'terminator: \"\"' instead of 'appendNewline: false': 'print((...), terminator: \"\")'")
public func print<T>(_: T, appendNewline: Bool = true) {}
@available(*, unavailable, message: "Please use 'terminator: \"\"' instead of 'appendNewline: false': 'debugPrint((...), terminator: \"\")'")
public func debugPrint<T>(_: T, appendNewline: Bool = true) {}
@available(*, unavailable, message: "Please use the 'to' label for the target stream: 'print((...), to: &...)'")
public func print<T>(_: T, _: inout TextOutputStream) {}
@available(*, unavailable, message: "Please use the 'to' label for the target stream: 'debugPrint((...), to: &...))'")
public func debugPrint<T>(_: T, _: inout TextOutputStream) {}
@available(*, unavailable, message: "Please use 'terminator: \"\"' instead of 'appendNewline: false' and use the 'to' label for the target stream: 'print((...), terminator: \"\", to: &...)'")
public func print<T>(_: T, _: inout TextOutputStream, appendNewline: Bool = true) {}
@available(*, unavailable, message: "Please use 'terminator: \"\"' instead of 'appendNewline: false' and use the 'to' label for the target stream: 'debugPrint((...), terminator: \"\", to: &...)'")
public func debugPrint<T>(
_: T, _: inout TextOutputStream, appendNewline: Bool = true
) {}
//===----------------------------------------------------------------------===//
//===----------------------------------------------------------------------===//
| apache-2.0 | e1d9333280099806f7829c7453f13092 | 35.733542 | 196 | 0.610428 | 3.916444 | false | false | false | false |
snazzware/Mergel | HexMatch/Scenes/BankScene.swift | 2 | 3843 | //
// BankScene.swift
// HexMatch
//
// Created by Josh McKee on 1/30/16.
// Copyright © 2016 Josh McKee. All rights reserved.
//
import SpriteKit
import SNZSpriteKitUI
class BankScene: SNZScene {
override func didMove(to view: SKView) {
super.didMove(to: view)
self.updateGui()
}
func close() {
self.view?.presentScene(SceneHelper.instance.gameScene, transition: SKTransition.push(with: SKTransitionDirection.up, duration: 0.4))
}
func updateGui() {
self.removeAllChildren()
self.widgets.removeAll()
// Set background
self.backgroundColor = UIColor(red: 0x69/255, green: 0x65/255, blue: 0x6f/255, alpha: 1.0)
// Create primary header
let caption = SKLabelNode(fontNamed: "Avenir-Black")
caption.text = "Tap to Spend Points"
caption.fontColor = UIColor.white
caption.fontSize = 24
caption.horizontalAlignmentMode = .center
caption.verticalAlignmentMode = .center
caption.position = CGPoint(x: self.size.width / 2, y: self.size.height - 20)
caption.ignoreTouches = true
self.addChild(caption)
// Create sub-header
let pointCaption = SKLabelNode(fontNamed: "Avenir-Black")
pointCaption.text = "\(HexMapHelper.instance.scoreFormatter.string(from: NSNumber(integerLiteral: GameState.instance!.bankPoints))!) Points Available"
pointCaption.fontColor = UIColor.white
pointCaption.fontSize = 18
pointCaption.horizontalAlignmentMode = .center
pointCaption.verticalAlignmentMode = .center
pointCaption.position = CGPoint(x: self.size.width / 2, y: self.size.height - 44)
pointCaption.ignoreTouches = true
self.addChild(pointCaption)
// Create array of buyable button widgets to represent the pieces we have available
var buyables: [BuyableButtonWidget] = Array()
// Create buttons for buyables
for buyablePiece in GameState.instance!.buyablePieces {
let buyable = BuyableButtonWidget()
let hexPiece = buyablePiece.createPiece()
buyable.buyableSprite = hexPiece.createSprite()
buyable.caption = hexPiece.getPieceDescription()
buyable.points = buyablePiece.currentPrice
buyable.bind("tap",{
SceneHelper.instance.gameScene.captureState()
SceneHelper.instance.gameScene.spendBankPoints(buyable.points)
LevelHelper.instance.pushPiece(GameState.instance!.currentPiece!)
SceneHelper.instance.gameScene.setCurrentPiece(hexPiece)
buyablePiece.wasPurchased()
self.close()
});
buyables.append(buyable)
}
// Position and add the buyable button widgets
let verticalStart:CGFloat = self.frame.height - 110
var horizontalOffset:CGFloat = 20
var verticalOffset = verticalStart
for buyable in buyables {
buyable.position = CGPoint(x: horizontalOffset,y: verticalOffset)
self.addWidget(buyable)
verticalOffset -= 60
if (verticalOffset < 60) {
horizontalOffset += buyable.size.width + 10
verticalOffset = verticalStart
}
}
// Add the close button
let closeButton = MergelButtonWidget(parentNode: self)
closeButton.anchorPoint = CGPoint(x: 0,y: 0)
closeButton.caption = "Back"
closeButton.bind("tap",{
self.close()
});
self.addWidget(closeButton)
// Render the widgets
self.renderWidgets()
}
}
| mit | 24132b0fb0e013d612e6df86226d0b05 | 34.906542 | 158 | 0.609839 | 4.919334 | false | false | false | false |
HIkaruSato/SimplePhotoViewer | PhotoViewer/ViewController.swift | 1 | 1363 | //
// ViewController.swift
// PhotoViewer
//
// Created by HikaruSato on 2016/04/10.
// Copyright © 2016年 HikaruSato. All rights reserved.
//
import UIKit
class ViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view.
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
// MARK: - Navigation
// In a storyboard-based application, you will often want to do a little preparation before navigation
override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) {
// Get the new view controller using segue.destinationViewController.
// Pass the selected object to the new view controller.
if segue.identifier == "photoViewer" {
let navi = segue.destinationViewController as! UINavigationController
let pc = navi.topViewController as! PhotoCollectionViewController
pc.images = self.getSampleImages()
}
}
private func getSampleImages() -> [UIImage] {
var images = [UIImage]()
for i in 1...15 {
let image = UIImage(named: "cat\(i)")!
images.append(image)
}
return images
}
}
| mit | 0ea4470003d828fcb1ec84aaa15f7298 | 27.93617 | 106 | 0.641176 | 4.963504 | false | false | false | false |
wangCanHui/weiboSwift | weiboSwift/Classes/Module/Main/View/CZVisitorView.swift | 1 | 9795 | //
// CZVisitorView.swift
// weiboSwift
//
// Created by 王灿辉 on 15/10/26.
// Copyright © 2015年 王灿辉. All rights reserved.
//
import UIKit
// 设置代理协议
protocol CZVisitorViewDelegate: NSObjectProtocol{
func visitorViewRegisterBtnClick()
func visitorViewLoginBtnClick()
}
class CZVisitorView: UIView {
// 设置代理属性,是可选的,因为代理方法可实现也可不实现
weak var visitorViewDelegate: CZVisitorViewDelegate?
// MARK: - 按钮点击事件
/// 注册
func registBtnClick() {
visitorViewDelegate?.visitorViewRegisterBtnClick()
}
/// 登陆
func loginBtnClick(){
visitorViewDelegate?.visitorViewLoginBtnClick()
}
// MARK: - 构造函数
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
override init(frame: CGRect) {
super.init(frame: frame)
prepareUI()
}
func setupVisitorView(imageName:String,message:String){
// 隐藏房子
homeView.hidden = true
// 设置图像
iconView.image = UIImage(named: imageName)
// 设置显示信息
msgLabel.text = message
// 隐藏遮盖
coverView.hidden = true
// self.sendSubviewToBack(coverView) //这种方式也可以
}
// 转轮动画
func startIconViewAnimitation(){
let animation = CABasicAnimation()
// 设置参数
animation.keyPath = "transform.rotation"
animation.toValue = M_PI * 2
animation.repeatCount = MAXFLOAT
animation.duration = 20
// 完成的时候不移除
animation.removedOnCompletion = false
// 开始动画
iconView.layer.addAnimation(animation, forKey: "homeRotation")
}
/// 暂停旋转
func pauseAnimation() {
// 记录暂停时间
let pauseTime = iconView.layer.convertTime(CACurrentMediaTime(), fromLayer: nil)
// 设置动画速度为0
iconView.layer.speed = 0
// 设置动画偏移时间
iconView.layer.timeOffset = pauseTime
}
/// 恢复旋转
func resumeAnimation() {
// 获取暂停时间
let pauseTime = iconView.layer.timeOffset
// 设置动画速度为1
iconView.layer.speed = 1
iconView.layer.timeOffset = 0
iconView.layer.beginTime = 0
let timeSincePause = iconView.layer.convertTime(CACurrentMediaTime(), fromLayer: nil) - pauseTime
iconView.layer.beginTime = timeSincePause
}
// 准备UI
func prepareUI(){
// 0. 设置背景
self.backgroundColor = UIColor(white: 237/255.0, alpha: 1)
// 1. 添加子控件
addSubview(iconView)
addSubview(coverView) //遮盖
addSubview(homeView)
addSubview(msgLabel)
addSubview(registerBtn)
addSubview(loginBtn)
// 2. 设置约束
// 2.1 消除autoresizing
iconView.translatesAutoresizingMaskIntoConstraints = false
coverView.translatesAutoresizingMaskIntoConstraints = false
homeView.translatesAutoresizingMaskIntoConstraints = false
msgLabel.translatesAutoresizingMaskIntoConstraints = false
registerBtn.translatesAutoresizingMaskIntoConstraints = false
loginBtn.translatesAutoresizingMaskIntoConstraints = false
// 2.2 添加约束
// 2.2.1 转轮
addConstraint(NSLayoutConstraint(item: iconView, attribute: NSLayoutAttribute.CenterX, relatedBy: NSLayoutRelation.Equal, toItem: self, attribute: NSLayoutAttribute.CenterX, multiplier: 1, constant: 0))
addConstraint(NSLayoutConstraint(item: iconView, attribute: NSLayoutAttribute.CenterY, relatedBy: NSLayoutRelation.Equal, toItem: self, attribute: NSLayoutAttribute.CenterY, multiplier: 1, constant: -40))
// 2.2.2 小房子
addConstraint(NSLayoutConstraint(item: homeView, attribute: NSLayoutAttribute.CenterX, relatedBy: NSLayoutRelation.Equal, toItem: iconView, attribute: NSLayoutAttribute.CenterX, multiplier: 1, constant: 0))
addConstraint(NSLayoutConstraint(item: homeView, attribute: NSLayoutAttribute.CenterY, relatedBy: NSLayoutRelation.Equal, toItem: iconView, attribute: NSLayoutAttribute.CenterY, multiplier: 1, constant: 0))
// 2.2.3 消息文字
addConstraint(NSLayoutConstraint(item: msgLabel, attribute: NSLayoutAttribute.CenterX, relatedBy: NSLayoutRelation.Equal, toItem: iconView, attribute: NSLayoutAttribute.CenterX, multiplier: 1, constant: 0))
addConstraint(NSLayoutConstraint(item: msgLabel, attribute: NSLayoutAttribute.Top, relatedBy: NSLayoutRelation.Equal, toItem: iconView, attribute: NSLayoutAttribute.Bottom, multiplier: 1, constant: 16))
// 2.2.4 注册按钮
addConstraint(NSLayoutConstraint(item: registerBtn, attribute: NSLayoutAttribute.Left, relatedBy: NSLayoutRelation.Equal, toItem: msgLabel, attribute: NSLayoutAttribute.Left, multiplier: 1, constant: 0))
addConstraint(NSLayoutConstraint(item: registerBtn, attribute: NSLayoutAttribute.Top, relatedBy: NSLayoutRelation.Equal, toItem: msgLabel, attribute: NSLayoutAttribute.Bottom, multiplier: 1, constant: 16))
addConstraint(NSLayoutConstraint(item: registerBtn, attribute: NSLayoutAttribute.Width, relatedBy: NSLayoutRelation.Equal, toItem: nil, attribute: NSLayoutAttribute.NotAnAttribute, multiplier: 1, constant: 100))
addConstraint(NSLayoutConstraint(item: registerBtn, attribute: NSLayoutAttribute.Height, relatedBy: NSLayoutRelation.Equal, toItem: nil, attribute: NSLayoutAttribute.NotAnAttribute, multiplier: 1, constant: 35))
// 2.2.5 登陆按钮
addConstraint(NSLayoutConstraint(item: loginBtn, attribute: NSLayoutAttribute.Right, relatedBy: NSLayoutRelation.Equal, toItem: msgLabel, attribute: NSLayoutAttribute.Right, multiplier: 1, constant: 0))
addConstraint(NSLayoutConstraint(item: loginBtn, attribute: NSLayoutAttribute.Top, relatedBy: NSLayoutRelation.Equal, toItem: msgLabel, attribute: NSLayoutAttribute.Bottom, multiplier: 1, constant: 16))
addConstraint(NSLayoutConstraint(item: loginBtn, attribute: NSLayoutAttribute.Width, relatedBy: NSLayoutRelation.Equal, toItem: nil, attribute: NSLayoutAttribute.NotAnAttribute, multiplier: 1, constant: 100))
addConstraint(NSLayoutConstraint(item: loginBtn, attribute: NSLayoutAttribute.Height, relatedBy: NSLayoutRelation.Equal, toItem: nil, attribute: NSLayoutAttribute.NotAnAttribute, multiplier: 1, constant: 35))
// 2.2.6 遮盖
addConstraint(NSLayoutConstraint(item: coverView, attribute: NSLayoutAttribute.Top, relatedBy: NSLayoutRelation.Equal, toItem: self, attribute: NSLayoutAttribute.Top, multiplier: 1, constant: 0))
addConstraint(NSLayoutConstraint(item: coverView, attribute: NSLayoutAttribute.Left, relatedBy: NSLayoutRelation.Equal, toItem: self, attribute: NSLayoutAttribute.Left, multiplier: 1, constant: 0))
addConstraint(NSLayoutConstraint(item: coverView, attribute: NSLayoutAttribute.Right, relatedBy: NSLayoutRelation.Equal, toItem: self, attribute: NSLayoutAttribute.Right, multiplier: 1, constant: 0))
addConstraint(NSLayoutConstraint(item: coverView, attribute: NSLayoutAttribute.Bottom, relatedBy: NSLayoutRelation.Equal, toItem: registerBtn, attribute: NSLayoutAttribute.Bottom, multiplier: 1, constant: 0))
}
// MARK: - 懒加载
// 1. 转轮
private lazy var iconView:UIImageView = {
let iconView = UIImageView()
iconView.image = UIImage(named: "visitordiscover_feed_image_smallicon")
// 自动匹配大小
iconView.sizeToFit()
// self.addSubview(iconView) 在里面添加没有效果
return iconView
}()
// 2. 小房子,只有首页有
private lazy var homeView:UIImageView = {
let homeView = UIImageView()
homeView.image = UIImage(named: "visitordiscover_feed_image_house")
homeView.sizeToFit()
return homeView
}()
// 3. 消息文字
private lazy var msgLabel:UILabel = {
let msg = UILabel()
msg.text = "关注一些人,看看有什么惊喜"
msg.numberOfLines = 0
msg.preferredMaxLayoutWidth = 240
msg.tintColor = UIColor.lightGrayColor()
msg.sizeToFit()
return msg
}()
// 4. 注册按钮
private lazy var registerBtn:UIButton = {
let btn = UIButton()
btn.setBackgroundImage(UIImage(named: "common_button_white_disable"), forState: UIControlState.Normal)
btn.setTitle("注册", forState: UIControlState.Normal)
btn.setTitleColor(UIColor.orangeColor(), forState: UIControlState.Normal)
btn.sizeToFit()
btn.addTarget(self, action: "registBtnClick", forControlEvents: UIControlEvents.TouchUpInside)
return btn
}()
// 5. 登陆按钮
private lazy var loginBtn:UIButton = {
let btn = UIButton()
btn.setBackgroundImage(UIImage(named: "common_button_white_disable"), forState: UIControlState.Normal)
btn.setTitle("登陆", forState: UIControlState.Normal)
btn.setTitleColor(UIColor.lightGrayColor(), forState: UIControlState.Normal)
btn.sizeToFit()
btn.addTarget(self, action: "loginBtnClick", forControlEvents: UIControlEvents.TouchUpInside)
return btn
}()
// 6. 遮盖
private lazy var coverView:UIImageView = UIImageView(image: UIImage(named: "visitordiscover_feed_mask_smallicon"))
}
| apache-2.0 | 3789debf16576a50d4ce76952690b960 | 42.12037 | 219 | 0.684776 | 5.114772 | false | false | false | false |
justindhill/Facets | Facets/Models/OZLModelIssue.swift | 1 | 13020 | //
// OZLModelIssue.swift
// Facets
//
// Created by Justin Hill on 4/30/16.
// Copyright © 2016 Justin Hill. All rights reserved.
//
import Foundation
@objc class OZLModelIssue: NSObject, NSCopying {
private static var __once: () = {
OZLModelIssue.dateFormatter.dateFormat = "yyyy-MM-dd"
}()
static let dateFormatter = DateFormatter()
@objc var modelDiffingEnabled: Bool = false {
didSet(oldValue) {
if oldValue != modelDiffingEnabled {
self.changeDictionary = modelDiffingEnabled ? [:] : nil
}
}
}
@objc fileprivate(set) var changeDictionary: [String: AnyObject]? = nil
@objc var tracker: OZLModelTracker? {
didSet {
if let tracker = tracker, self.modelDiffingEnabled {
self.changeDictionary?["tracker_id"] = tracker.trackerId as AnyObject?
}
}
}
@objc var author: OZLModelUser? {
didSet {
if let author = author, self.modelDiffingEnabled {
self.changeDictionary?["author_id"] = author.userId as AnyObject?
}
}
}
@objc var assignedTo: OZLModelUser? {
didSet {
if let assignedTo = assignedTo, self.modelDiffingEnabled {
self.changeDictionary?["assigned_to_id"] = assignedTo.userId as AnyObject?
}
}
}
@objc var priority: OZLModelIssuePriority? {
didSet {
if let priority = priority, self.modelDiffingEnabled {
self.changeDictionary?["priority_id"] = priority.priorityId as AnyObject?
}
}
}
@objc var status: OZLModelIssueStatus? {
didSet {
if let status = status, self.modelDiffingEnabled {
self.changeDictionary?["status_id"] = status.statusId as AnyObject?
}
}
}
@objc var category: OZLModelIssueCategory? {
didSet {
if let category = category, self.modelDiffingEnabled {
self.changeDictionary?["category_id"] = category.categoryId as AnyObject?
}
}
}
@objc var targetVersion: OZLModelVersion? {
didSet {
if let targetVersion = targetVersion, self.modelDiffingEnabled {
self.changeDictionary?["fixed_version_id"] = targetVersion.versionId as AnyObject?
}
}
}
@objc var attachments: [OZLModelAttachment]?
@objc var journals: [OZLModelJournal]?
@objc var customFields: [OZLModelCustomField]?
@objc var index: Int = 0
var projectId: Int? {
didSet {
if let projectId = projectId, self.modelDiffingEnabled {
self.changeDictionary?["project_id"] = projectId as AnyObject?
}
}
}
var parentIssueId: Int? {
didSet {
if let parentIssueId = parentIssueId, self.modelDiffingEnabled {
self.changeDictionary?["parent_issue_id"] = parentIssueId as AnyObject?
}
}
}
@objc var subject: String? {
didSet {
if let subject = subject, self.modelDiffingEnabled {
self.changeDictionary?["subject"] = subject as AnyObject?
}
}
}
@objc var issueDescription: String? {
didSet {
if let issueDescription = issueDescription, self.modelDiffingEnabled {
self.changeDictionary?["description"] = issueDescription as AnyObject?
}
}
}
@objc var startDate: Date? {
didSet {
if let startDate = startDate, self.modelDiffingEnabled {
self.changeDictionary?["start_date"] = OZLModelIssue.dateFormatter.string(from: startDate) as AnyObject?
}
}
}
@objc var dueDate: Date? {
didSet {
if let dueDate = dueDate, self.modelDiffingEnabled {
self.changeDictionary?["due_date"] = OZLModelIssue.dateFormatter.string(from: dueDate) as AnyObject?
}
}
}
@objc var createdOn: Date? {
didSet {
if let createdOn = createdOn, self.modelDiffingEnabled {
self.changeDictionary?["created_on"] = OZLModelIssue.dateFormatter.string(from: createdOn) as AnyObject?
}
}
}
@objc var updatedOn: Date? {
didSet {
if let updatedOn = updatedOn, self.modelDiffingEnabled {
self.changeDictionary?["updated_on"] = OZLModelIssue.dateFormatter.string(from: updatedOn) as AnyObject?
}
}
}
var doneRatio: Float? {
didSet {
if let doneRatio = doneRatio, self.modelDiffingEnabled {
self.changeDictionary?["done_ratio"] = doneRatio as AnyObject?
}
}
}
var spentHours: Float? {
didSet {
if let spentHours = spentHours, self.modelDiffingEnabled {
self.changeDictionary?["spent_hours"] = spentHours as AnyObject?
}
}
}
var estimatedHours: Float? {
didSet {
if let estimatedHours = estimatedHours, self.modelDiffingEnabled {
self.changeDictionary?["estimated_hours"] = estimatedHours as AnyObject?
}
}
}
static var classInitToken = Int()
@objc override init() {
super.init()
setup()
}
@objc init(dictionary d: [String: AnyObject]) {
if let id = d["id"] as? Int {
self.index = id
}
if let project = d["project"] as? [String: AnyObject], let projectId = project["id"] as? Int {
self.projectId = projectId
}
if let parent = d["parent"] as? [String: AnyObject], let parentId = parent["id"] as? Int {
self.parentIssueId = parentId
} else {
self.parentIssueId = -1
}
if let tracker = d["tracker"] as? [AnyHashable: Any] {
self.tracker = OZLModelTracker(attributeDictionary: tracker)
}
if let author = d["author"] as? [AnyHashable: Any] {
self.author = OZLModelUser(attributeDictionary: author)
}
if let assignedTo = d["assigned_to"] as? [AnyHashable: Any] {
self.assignedTo = OZLModelUser(attributeDictionary: assignedTo)
}
if let category = d["category"] as? [AnyHashable: Any] {
self.category = OZLModelIssueCategory(attributeDictionary: category)
}
if let priority = d["priority"] as? [AnyHashable: Any] {
self.priority = OZLModelIssuePriority(attributeDictionary: priority)
}
if let status = d["status"] as? [AnyHashable: Any] {
self.status = OZLModelIssueStatus(attributeDictionary: status)
}
if let customFields = d["custom_fields"] as? [[AnyHashable: Any]] {
self.customFields = customFields.map({ (field) -> OZLModelCustomField in
return OZLModelCustomField(attributeDictionary: field)
})
}
self.subject = d["subject"] as? String
self.issueDescription = d["description"] as? String
if let startDate = d["start_date"] as? String {
self.startDate = NSDate(iso8601String: startDate) as Date?
}
if let dueDate = d["due_date"] as? String {
self.dueDate = NSDate(iso8601String: dueDate) as Date?
}
if let createdOn = d["created_on"] as? String {
self.createdOn = NSDate(iso8601String: createdOn) as Date?
}
if let updatedOn = d["updated_on"] as? String {
self.updatedOn = NSDate(iso8601String: updatedOn) as Date?
}
if let doneRatio = d["done_ratio"] as? Float {
self.doneRatio = doneRatio
}
if let targetVersion = d["fixed_version"] as? [AnyHashable: Any] {
self.targetVersion = OZLModelVersion(attributeDictionary: targetVersion)
}
if let spentHours = d["spent_hours"] as? Float {
self.spentHours = spentHours
}
if let estimatedHours = d["estimated_hours"] as? Float {
self.estimatedHours = estimatedHours
}
if let attachments = d["attachments"] as? [[AnyHashable: Any]] {
self.attachments = attachments.map({ (attachment) -> OZLModelAttachment in
return OZLModelAttachment(dictionary: attachment)
})
}
if let journals = d["journals"] as? [[String: AnyObject]] {
self.journals = journals.map({ (journal) -> OZLModelJournal in
return OZLModelJournal(attributes: journal)
})
}
super.init()
setup()
}
func setup() {
_ = OZLModelIssue.__once
}
@objc func setUpdateComment(_ comment: String) {
if self.modelDiffingEnabled {
self.changeDictionary?["notes"] = comment as AnyObject?
}
}
@objc func setValueOnDiff(_ value: Any, forCustomFieldId fieldId: Int) {
guard value is String || value is Int || value is Float else {
fatalError()
}
if var changeDictionary = self.changeDictionary {
if changeDictionary["custom_fields"] == nil {
changeDictionary["custom_fields"] = [Int: AnyObject]() as AnyObject?
}
if var customFields = changeDictionary["custom_fields"] as? [Int: Any], fieldId > 0 {
customFields[fieldId] = value
changeDictionary["custom_fields"] = customFields as AnyObject
}
self.changeDictionary = changeDictionary
}
}
@objc func setDateOnDiff(_ date: Date, forCustomFieldId fieldId: Int) {
let dateString = OZLModelIssue.dateFormatter.string(from: date)
self.setValueOnDiff(dateString, forCustomFieldId: fieldId)
}
@objc class func displayValueForAttributeName(_ name: String?, attributeId id: Int) -> String? {
if let name = name {
switch name {
case "project_id": return OZLModelProject(forPrimaryKey: id)?.name
case "tracker_id": return OZLModelTracker(forPrimaryKey: id)?.name
case "fixed_version_id": return OZLModelVersion(forPrimaryKey: id)?.name
case "status_id": return OZLModelIssueStatus(forPrimaryKey: id)?.name
case "assigned_to_id": return OZLModelUser(forPrimaryKey: String(id))?.name
case "category_id": return OZLModelIssueCategory(forPrimaryKey: id)?.name
case "priority_id": return OZLModelIssuePriority(forPrimaryKey: id)?.name
default:
return String(id)
}
}
return nil
}
@objc class func displayNameForAttributeName(_ name: String?) -> String {
if let name = name {
switch name {
case "author": return "Author"
case "project_id": return "Project"
case "tracker_id": return "Tracker"
case "fixed_version_id": return "Target version"
case "status_id": return "Status"
case "assigned_to_id": return "Assignee"
case "category_id": return "Category"
case "priority_id": return "Priority"
case "due_date": return "Due date"
case "start_date": return "Start date"
case "done_ratio": return "Percent complete"
case "spent_hours": return "Spent hours"
case "estimated_hours": return "Estimated hours"
case "description": return "Description"
case "subject": return "Subject"
default:
assertionFailure("We were asked for a display name for an attribute we don't know of!")
return name
}
}
return ""
}
@objc func copy(with zone: NSZone?) -> Any {
let copy = OZLModelIssue()
copy.index = self.index
copy.projectId = self.projectId
copy.parentIssueId = self.parentIssueId
copy.tracker = self.tracker
copy.author = self.author
copy.assignedTo = self.assignedTo
copy.priority = self.priority
copy.status = self.status
copy.category = self.category
copy.targetVersion = self.targetVersion
copy.customFields = self.customFields
copy.subject = self.subject
copy.issueDescription = self.issueDescription
copy.startDate = self.startDate
copy.dueDate = self.dueDate
copy.createdOn = self.createdOn
copy.updatedOn = self.updatedOn
copy.doneRatio = self.doneRatio
copy.spentHours = self.spentHours
copy.estimatedHours = self.estimatedHours
copy.attachments = self.attachments
copy.journals = self.journals
return copy
}
}
| mit | 82c66ab0983af962f15e14df1ec21acf | 32.727979 | 120 | 0.57393 | 4.990034 | false | false | false | false |
Eonil/Monolith.Swift | Text/Sources/EDXC/EDXC.swift | 3 | 2867 | //
// EDXC.swift
// EDXC
//
// Created by Hoon H. on 10/14/14.
// Copyright (c) 2014 Eonil. All rights reserved.
//
import Foundation
struct EDXC {
struct Syntax {
struct Characters {
static let whitespace = any([" ", "\t", "\n"])
static let listOpener = one("(")
static let listCloser = one(")")
static let escaper = one("\\")
static let escapee = any(["\\", "\"", " ", "(", ")"])
// static let escapee = any(["\\", "\"", " ", "(", ")", "t", "n", "u"])
static let doubleQuote = one("\"")
static let nonWhitespace = not(whitespace)
static let nonEscaper = not(escaper)
static let symbolic = not(or([whitespace, escaper, listOpener, listCloser]))
static let quotable = not(or([doubleQuote, escaper]))
////
private typealias P = CharacterSubset
private static let or = P.or
private static let not = P.not
private static let any = P.any
private static let one = P.one
}
static let whitespaceStrip = chs(Characters.whitespace) * (1...Int.max)
static let maybeWhitespaceStrip = whitespaceStrip * (0...Int.max)
// static let whitespaceExpression = sub(whitespaceStrip)
static let escapingSequence = lit("\\") + chs(Characters.escapee)
static let symbolicUnit = chs(Characters.symbolic) | escapingSequence
static let symbolForm = symbolicUnit * (1...Int.max)
static let quotableUnit = chs(Characters.quotable) | escapingSequence
static let quotationForm = lit("\"") + (quotableUnit * (1...Int.max)) + lit("\"")
static let valueExpression = "value-expr" ~~~ symbolForm | quotationForm
static let atomExpression = "atom-expr" ~~~ sub(valueExpression) | Lazy.listExpression()
static let atomSeparator = whitespaceStrip
static let atomWithSeparator = atomSeparator + sub(atomExpression)
static let atomList = sub(atomExpression) + atomWithSeparator * (0...Int.max)
static let maybeAtomList = atomList * (0...1)
static let listExpression = "list-expr" ~~~ mk(lit("(")) + maybeWhitespaceStrip + maybeAtomList + maybeWhitespaceStrip + lit(")")
struct Lazy {
static func listExpression()(cursor:Cursor) -> Parsing.Stepping {
return sub(Syntax.listExpression)(cursor: cursor)
}
}
private typealias Stepping = Parsing.Stepping
private typealias Rule = Parsing.Rule
private typealias C = Parsing.Rule.Component
private static let lit = C.literal
private static let chs = C.chars
private static let sub = C.subrule
private static let mk = C.mark
private struct Marks {
static let listStarter = Marks.exp("list expression")
private static let exp = Marks.exp_
private static func exp_(expectation:String)(composition c1:Rule.Composition)(cursor:Cursor) -> Stepping {
return C.expect(composition: c1, expectation: expectation)(cursor: cursor)
}
}
}
}
| mit | 6f153019b5ee0a64592f12b3c880814f | 34.395062 | 134 | 0.66376 | 3.116304 | false | false | false | false |
MA806P/SwiftDemo | SwiftTips/SwiftTips/OCToSwift/main.swift | 1 | 54586 | //
// main.swift
// OCToSwift
//
// Created by MA806P on 2018/12/1.
// Copyright © 2018 myz. All rights reserved.
//
import Foundation
print("Hello, World!")
// -----------------------------
// Toll-Free Bridging 和 Unmanaged
/*
在 Swift 中对于 Core Foundation 在内存管理进行了一系列简化,大大降低了与这些 CF api 打交道的复杂程度。
对于 Cocoa 中 Toll-Free Bridging 的处理。
NS 开头的类其实在 CF 中都有对应的类型存在,NS 只是对 CF 在更高层的一个封装。
如 NSURL 在 CF 中的 CFURLRef 内存结构是同样的,NSString 对应着 CFStringRef
在 OC 中 ARC 负责的只是 NSObject 的自动引用计数,对 CF 无法进行内存管理,在 NS 和 CF 之间进行转换时,
需要向编译器说明是否需要转移内存的管理权。对于不涉及到内存管理的情况,在 OC 中直接在转换时加上 __bridge 来进行说明
表示内存管理权不变。
NSURL *fileURL = [NSURL URLWithString:@"SomeURL"];
SystemSoundID theSoundID;
//OSStatus AudioServicesCreateSystemSoundID(CFURLRef inFileURL,
// SystemSoundID *outSystemSoundID);
OSStatus error = AudioServicesCreateSystemSoundID(
(__bridge CFURLRef)fileURL,
&theSoundID);
而在 Swift 中,这样的转换可以直接省掉了,上面的代码可以写为下面的形式,简单了许多:
import AudioToolbox
let fileURL = NSURL(string: "SomeURL")
var theSoundID: SystemSoundID = 0
//AudioServicesCreateSystemSoundID(inFileURL: CFURL,
// _ outSystemSoundID: UnsafeMutablePointer<SystemSoundID>) -> OSStatus
AudioServicesCreateSystemSoundID(fileURL!, &theSoundID)
CFURLRef 在Swift中是被 typealias 到 CFURL 上的,其他各类 CF 类都进行了类似的处理,主要是为了减少 API 的迷惑。
OC ARC 不能处理的一个问题是 CF 类型的创建和释放:对于 CF 系的 API,如果 API 的名字中含有 Create,Copy 或者 Retain
在使用完成后需要调用 CFRelease 来进行释放。
Swift 中不在需要显示去释放带有这些关键字的内容了。只是在合适的地方加上了像 CF_RETURNS_RETAINED 和 CF_RETURNS_NOT_RETAINED 这样的标注。
对于非系统的 CF API,自己写的或者第三方的,因为没有强制机制要求一定遵照 Cocoa 的命名规范,贸然进行自动内存管理是不可行的
如没有明确使用上面的标注来指明内存管理的方式的话,这些返回 CF 对象的 API 导入 Swift 时,他们得类型会被对应为 “Unmanaged<T>。
这意味着在使用时我们需要手动进行内存管理,一般来说会使用得到的 Unmanaged 对象的 takeUnretainedValue 或者 takeRetainedValue 从中取出需要的 CF 对象,并同时处理引用计数。
takeUnretainedValue 将保持原来的引用计数不变,在你明白你没有义务去释放原来的内存时,应该使用这个方法。
而如果你需要释放得到的 CF 的对象的内存时,应该使用 takeRetainedValue 来让引用计数加一,然后在使用完后对原来的 Unmanaged 进行手动释放。
为了能手动操作 Unmanaged 的引用计数,Unmanaged 中还提供了 retain,release 和 autorelease 供我们使用。
// CFGetSomething() -> Unmanaged<Something>
// CFCreateSomething() -> Unmanaged<Something>
// 两者都没有进行标注,Create 中进行了创建
let unmanaged = CFGetSomething()
let something = unmanaged.takeUnretainedValue()
// something 的类型是 Something,直接使用就可以了
let unmanaged = CFCreateSomething()
let something = unmanaged.takeRetainedValue()
// 使用 something
// 因为在取值时 retain 了,使用完成后进行 release
unmanaged.release()
切记,这些只有在没有标注的极少数情况下才会用到,如果你只是调用系统的 CF API,而不会去写自己的 CF API 的话,是没有必要关心这些的。
*/
// -----------------------------
/*
//Lock
/*
Cocoa 和 OC 中加锁的方式很多,最常用的是 @synchronized
可用来修饰一个变量,并为其自动加上和解除互斥锁
- (void)myMethod:(id)anObj { @synchronized(anObj){ //...} }
加锁解锁都是要消耗一定性能的,不太可能为所有的方法加上锁。
过多的锁不仅没有意义,而且对于多线程编程来说,可能会产生死锁这样的陷阱,难以调试。
Swift 中加锁
*/
func myMethod(anObj: AnyObject!) {
objc_sync_enter(anObj)
//中间持有 anObj 锁
objc_sync_exit(anObj)
}
func synchronized(_ lock: AnyObject, closure: () -> ()) {
objc_sync_enter(lock)
closure()
objc_sync_exit(lock)
}
func myMethodLocked(anObj: AnyObject!) {
synchronized(anObj) {
// 在括号内持有 anObj 锁
}
}
//使用例子
class Obj {
var _str = "123"
var str: String {
get {
return _str
}
set {
synchronized(self) {
_str = newValue
}
}
}
}
*/
// -----------------------------
/*
//Associated Object
/*
得益于 OC 的运行时和 Key-Value Coding 的特性,可以在运行时向一个对象添加值存储
而在使用 Category 扩展现有的类的功能的时候,直接添加实例变量是不被允许的,这是一般使用 property 配合 Associated Object
的方式,将一个对象 关联 到已有的扩展对象上
Swift 中这样的方法依旧有效
func objc_getAssociatedObject(object: AnyObject!, key: UnsafePointer<Void> ) -> AnyObject!
func objc_setAssociatedObject(object: AnyObject!, key: UnsafePointer<Void>, value: AnyObject!, policy: objc_AssociationPolicy)
*/
func printTitle(_ input: MyClass) {
if let title = input.title {
print("Title: \(title)")
} else {
print("没有配置")
}
}
let a = MyClass()
printTitle(a) //没有配置
a.title = "swift"
printTitle(a) //Title: swift
*/
// -----------------------------
// delegate
/*
Cocoa 开发,在 ARC 中,对于一般的 delegate,我们会在声明中将其指定为 weak,
在这个 delegate 实际的对象被释放的时候,会被重置回 nil。这可以保证即使 delegate 已经不存在时,
我们也不会由于访问到已被回收的内存而导致崩溃。ARC 的这个特性杜绝了 Cocoa 开发中一种非常常见的崩溃错误
Swift 的 protocol 是可以被除了 class 以外的其他类型遵守的,而对于像 struct 或是 enum 这样的类型,
本身就不通过引用计数来管理内存,所以也不可能用 weak 这样的 ARC 的概念来进行修饰。
想要在 Swift 中使用 weak delegate,我们就需要将 protocol 限制在 class 内。
一种做法是将 protocol 声明为 Objective-C 的,这可以通过在 protocol 前面加上 @objc 关键字来达到,
Objective-C 的 protocol 都只有类能实现,因此使用 weak 来修饰就合理了
@objc protocol MyClassDelegate { func method() }
另一种可能更好的办法是在 protocol 声明的名字后面加上 class,这可以为编译器显式地指明这个 protocol 只能由 class 来实现。
protocol MyClassDelegate: class { func method() }
后一种方法更能表现出问题的实质,同时也避免了过多的不必要的 Objective-C 兼容,可以说是一种更好的解决方式
例子见 SwiftAppTest
*/
// -----------------------------
//C 代码调用 和 @asmname
/*
导入了 import Darwin 我们就可以在 Swift 中无缝使用 Darwin 中定义的 C 函数了,涵盖了绝大多数 C 标准库中的内容
Foundation 框架中包含了 Drawin ,在 app 开发中使用 UIKit 或者 Cocoa 这样的框架,它们又导入了 Foundation
所以平时开发并不需要特别做什么,就可以使用这些标准的 C 函数了。
Swift 在导入时为我们将 Darwin 也进行了类型的自动转换对应,例如函数返回 Swift 类型,而非 C 的类型
func sin(_ x: Double) -> Double
对于第三方的 C 代码,想要调用非标准库的 C 代码的话,将 C代码的头文件在桥接的头文件中进行导入
详情见 target SwiftToOCExample
print(sin(Double.pi/2)) //1.0
*/
// -----------------------------
/*
//类型编码 @encode
/*
OC 中有一些冷僻但是如果知道的话在特定情况下会很有用的关键字,比如 @encode
通过传入一个类型,可获得代表这个类型的编码 C 字符串
char *typeChar1 = @encode(int32_t);
char *typeChar2 = @encode(NSArray);
// typeChar1 = "i", typeChar2 = "{NSArray=#}
常用的地方是在 OC 运行时的消息发送机制中,由于类型信息的缺失,需要类型编码进行辅助保证类型信息也能够被传递。
Swift使用了自己的Metatype来处理类型,并且在运行时保留了这些类型的信息。但是在 Cocoa 中我们还是可以通过
NSValue 的 objcType 属性来获取对应值的类型指针:
class NSValue: NSObject, NSCopying, NSSecureCoding, NSCoding {
var objcType: UnsafePointer<Int8> {get}
}
*/
let int: Int = 0
let float: Float = 0.0
let double: Double = 0.0
let intNumber: NSNumber = int as NSNumber
let floatNumber: NSNumber = float as NSNumber
let doubleNumber: NSNumber = double as NSNumber
print(String(validatingUTF8: intNumber.objCType))
print(String(validatingUTF8: floatNumber.objCType))
print(String(validatingUTF8: doubleNumber.objCType))
//Optional("q")
//Optional("f")
//Optional("d")
// 注意,validatingUTF8 返回的是 `String?`”
/*
对于像其他一些可以转换为 NSValue 的类型,可以用同样方式获取类型编码,这些类型会是某些 struct,
因为 NSValue 设计的初衷就是被作为那些不能直接放入 NSArray 的值的容器来使用的:
let p = NSValue(cgPoint: CGPoint(x: 3, y: 3))
String(validatingUTF8: p.objcType)
// {Some "{CGPoint=dd}"}
let t = NSValue(cgAffineTransform: .identity)
String(validatingUTF8: t.objCType)
// {Some "{CGAffineTransform=dddddd}"}
有了这些信息之后,就能够在这种类型信息可能损失的时候构建准确的类型转换和还原。
*/
*/
// -----------------------------
// 数组 enumerate
/*
使用常见的需求是在枚举数组内元素的同时也想使用对应的下标索引
*/
/*
let arr: NSArray = [1,2,3,4,5]
var result = 0
arr.enumerateObjects({(num, idx, stop) -> Void in
result += num as! Int
if idx == 2 {
stop.pointee = true
}
})
print(result) //6
arr.enumerateObjects { (num, idx, stop) in
result += num as! Int
if idx == 3 {
stop.pointee = true
}
}
print(result) //16
/*
“虽然说使用 enumerateObjectsUsingBlock: 非常方便,但是其实从性能上来说这个方法并不理想
另外这个方法要求作用在 NSArray 上,这显然已经不符合 Swift 的编码方式了。
在 Swift 中,我们在遇到这样的需求的时候,有一个效率,安全性和可读性都很好的替代,
那就是快速枚举某个数组的 EnumerateGenerator,它的元素是同时包含了元素下标索引以及元素本身的多元组:”
*/
var result2 = 0
for (idx, num) in [1,2,3,4,5].enumerated() {
result2 += num
if idx == 2 {
break
}
}
print(result2)//6
*/
// -----------------------------
// Options
/*
在 OC 中,很多需要提供某些选项的 API ,一般用来控制 API 的具体的行为配置等。可以使用 | & 按位逻辑符对这些选项进行操作。
[UIView animateWithDuration:0.3 delay:0.0
options:UIViewAnimationOptionCurveEaseIn | UIViewAnimationOptionAllowUserInteraction
animations:^{} completion:nil];
在 Swift 中,对于原来的枚举类型 NS_ENUM 我们有新的 enum 类型来对应。
但是原来的 NS_OPTIONS 在 Swift 里显然没有枚举类型那样重要,并没有直接的原生类型来进行定义。
原来的 Option 值现在被映射为了满足 OptionSetType 协议的 struct 类型,以及一组静态的 get 属性:
public struct UIViewAnimationOptions : OptionSetType {
public init(rawValue: UInt)
static var layoutSubviews: UIViewAnimationOptions { get }
static var allowUserInteraction: UIViewAnimationOptions { get }
//...
static var transitionFlipFromBottom: UIViewAnimationOptions { get }
}
OptionSetType 是实现了 SetAlgebraType 的,因此我们可以对两个集合进行各种集合运算,包括并集、交集
对于不需要选项输入的情况,可直接使用空集合 [] 来表示。
UIView.animate(withDuration: 0.3, delay: 0.0,
options: [.curveEaseIn, .allowUserInteraction],
animations: {},
completion: nil)
要实现一个 Options 的 struct 的话,可以参照已有的写法建立类并实现 OptionSetType。
因为基本上所有的 Options 都是很相似的,所以最好是准备一个 snippet 以快速重用:
struct YourOption: OptionSet {
let rawValue: UInt
static let none = YourOption(rawValue: 0)
static let option1 = YourOption(rawValue: 1)
static let option2 = YourOption(rawValue: 1 << 1)
//...
}
*/
// -----------------------------
//输出格式化
/*
在 Swift 里,我们在输出时一般使用的 print 中是支持字符串插值的,
而字符串插值时将直接使用类型的 Streamable,Printable 或者 DebugPrintable 协议
(按照先后次序,前面的没有实现的话则使用后面的) 中的方法返回的字符串并进行打印。
这样就可以不借助于占位符,也不用再去记忆类型所对应的字符表示,就能很简单地输出各种类型的字符串描述了。
C 的字符串格式化,在需要以一定格式输出的时候,传统的方式就显得很有用。例如打算只输出小数后两位
*/
/*
let a = 3
let b = 1.23456
let c = "abc"
print("int:\(a) double:\(b) string:\(c)")
//int:3 double:1.23456 string:abc
let format = String(format: "%.2lf", b)
print("double:\(format)") //1.23
extension Double {
func format(_ f: String) -> String {
return String(format: "%\(f)f", self)
}
}
let f = ".4"
print("double:\(b.format(f))") //1.2346
*/
// -----------------------------
//调用 C 动态库
/*
OC 是 C 的超级,可以无缝访问 C 的内容,只需要指定依赖并且导入头文件就可以了。
Swift 不能直接使用 C 代码,之前计算某个字符串的 MD5 以前直接使用 CommonCrypto 中的 CC_MD5 就可以了,
但是现在因为我们在 Swift 中无法直接写 #import <CommonCrypto/CommonCrypto.h> 这样的代码,
这些动态库暂时也没有 module 化,因此快捷的方法就只有借助于通过 Objective-C 来进行调用了
暂时建议尽量使用现有的经过时间考验的 C 库,一方面 Swift 还年轻,三方库的引入和依赖机制不很成熟,另外使用动态库至少可以减少APP大小
*/
// -----------------------------
//类族
/*
类族就是使用一个统一的公共类来定制单一的接口,然后在表面之下对应若干个私有类进行实现的方式。
避免公开很多子类造成混乱,典型的例子 NSNumber
类族在 OC 中实现起来也很自然,在所谓的 初始化方法 中将 self 进行替换,根据调用的方式或者输入的类型,返回合适的私有子类对象就可以了。
Swift 中有所不同,Swift 有真正的初始化方法,初始化的时候只能得到当前类的实例,并且要完成所有的配置。
对于公共类,是不可能在初始化方法中返回其子类的信息。Swift中使用工厂方法
*/
/*
class Drinking {
typealias LiquidColor = Int
var color: LiquidColor {
return 0
}
class func drinking (name: String) -> Drinking {
var drinking: Drinking
switch name {
case "Coke":
drinking = Coke()
case "Beer":
drinking = Beer()
default:
drinking = Drinking()
}
return drinking
}
}
class Coke: Drinking {
override var color: LiquidColor {
return 1
}
}
class Beer: Drinking {
override var color: LiquidColor {
return 2
}
}
let coke = Drinking.drinking(name: "Coke")
print(coke.color) //1
let beer = Drinking.drinking(name: "Beer")
print(beer.color) //22
print(NSStringFromClass(type(of: coke))) //OCToSwift.Coke
print(NSStringFromClass(type(of: beer))) //OCToSwift.Beer
*/
// -----------------------------
//哈希
/*
我需要为判等结果为相同的对象提供相同的哈希值,以保证在被用作字典的 key 是的确定性和性能。
Swift 中对 NSObject 子类对象使用 == 时要是该子类没有实现这个操作符重载的话将回滚到 -isEqual: 方法。
对于哈希计算,Swift 也采用了类似的策略,提供了 Hashable 的协议,实现这个协议即可为该类型提供哈希支持:
protocol Hashable: Equatable { var hashValue: Int { get } }
Swift 的原生 Dictionary 中,key 一定是要实现了的 Hashable 协议的类型。
像 Int 或者 String 这些 Swift 基础类型,已经实现了这个协议,因此可以用来作为 key 来使用。比如 Int 的 hashValue 就是它本身:
let num = 19
print(num.hashValue) // 19
OC 中当对 NSObject 的子类 -isEqual 进行重写的时候,一般也需要将 -hash 方法重写,以提供一个判等为真时返回同样的哈希值的方法
“在 Swift 中,NSObject 也默认就实现了 Hashable,而且和判等的时候情况类似,
NSObject 对象的 hashValue 属性的访问将返回其对应的 -hash 的值”
“在 Objective-C 中,对于 NSObject 的子类来说,其实 NSDictionary 的安全性是通过人为来保障的。
对于那些重写了判等但是没有重写对应的哈希方法的子类,编译器并不能给出实质性的帮助。
而在 Swift 中,如果你使用非 NSObject 的类型和原生的 Dictionary,并试图将这个类型作为字典的 key 的话,编译器将直接抛出错误。
从这方面来说,如果我们尽量使用 Swift 的话,安全性将得到大大增加。
关于哈希值,另一个特别需要提出的是,除非我们正在开发一个哈希散列的数据结构,否则我们不应该直接依赖系统所实现的哈希值来做其他操作。
首先哈希的定义是单向的,对于相等的对象或值,我们可以期待它们拥有相同的哈希,但是反过来并不一定成立。
其次,某些对象的哈希值有可能随着系统环境或者时间的变化而改变。
因此你也不应该依赖于哈希值来构建一些需要确定对象唯一性的功能,在绝大部分情况下,你将会得到错误的结果。”
*/
// -----------------------------
/*
//判等
/*
OC 中使用 isEqualToString 进行字符串判等。Swift 使用 ==
OC 中 == 这个符号意思是判断两个对象是否指向同一块内存地址,更关心的是对象的内容相同,OC 中通常对 isEqual 进行重写
否则在调用这个方法时会直接使用 == 进行判断
Swift 里的 == 是一个操作符的声明
protocol Equatable {
func ==(lhs: Self, rhs: Self) -> Bool
}
实现这个协议类型需要定义适合自己类型的 == 操作符,如果认为相等 返回 true
*/
let str1 = "abc"
let str2 = "abc"
let str3 = "def"
print(str1 == str2) // true
print(str2 == str3) // false
class TodoItem {
let uuid: String
var title: String
init(uuid: String, title: String) {
self.uuid = uuid
self.title = title
}
}
extension TodoItem: Equatable {
}
//==的实现没有放在对应的 extension 里,而是放在全局的 scope 中,因为你应该需要在全局范围内都能使用 ==
//事实上 Swift 的操作符都是全局的
func ==(lhs: TodoItem, rhs: TodoItem) -> Bool {
return lhs.uuid == rhs.uuid
}
/*
对于 NSObject 子类的判等你有两种选择,要么重载 ==,要么重写 -isEqual:。
如果你只在 Swift 中使用你的类的话,两种方式是等效的;
但是如果你还需要在 OC 中使用这个类的话,OC 不接受操作符重载,只能使用 -isEqual:,这时你应该考虑使用第二种方式。
对于原来 OC 中使用 == 进行的对象指针的判定,在 Swift 中提供的是另一个操作符 ===。在 Swift 中 === 只有一种重载:
func ===(lhs: AnyObject?, rhs: AnyObject?) -> Bool
它用来判断两个 AnyObject 是否是同一个引用。
对于判等,和它紧密相关的一个话题就是哈希。
重载了判等的话,我们还需要提供一个可靠的哈希算法使得判等的对象在字典中作为 key 时不会发生奇怪的事情。
*/
*/
// -----------------------------
// 局部 Scope
/*
C 系语言方法内部可以任意添加成对 {} 来限定代码的作用范围。
超过作用域后里面的临时变量就将失效,可使方法内部的命名更加容易,那些不需要的引用的回收提前进行了
也利于方法的梳理
-(void)loadView {
UIView *view = [[UIView alloc] initWithFrame:CGRectMake(0, 0, 320, 480)];
{
UILabel *titleLabel = [[UILabel alloc]
initWithFrame:CGRectMake(150, 30, 200, 40)];
titleLabel.textColor = [UIColor redColor];
titleLabel.text = @"Title";
[view addSubview:titleLabel];
}
{
UILabel *textLabel = [[UILabel alloc]
initWithFrame:CGRectMake(150, 80, 200, 40)];
textLabel.textColor = [UIColor redColor];
textLabel.text = @"Text";
[view addSubview:textLabel];
}
self.view = view;
}
“推荐使用局部 scope 将它们分隔开来。比如上面的代码建议加上括号重写为以下形式,
这样至少编译器会提醒我们一些低级错误,我们也可能更专注于每个代码块”
在 Swift 直接使用大括号的写法是不支持的,这和闭包的定义产生了冲突。想类似的使用局部 scope 来分隔代码的话,
定义一个接受 ()->() 作为函数的全局方法,然后执行
func local(_ closure: ()->()) { closure() }
可以利用尾随闭包的特性模拟局部 scope
“override func loadView() {
let view = UIView(frame: CGRect(x: 0, y: 0, width: 320, height: 480))
view.backgroundColor = .white
local {
let titleLabel = UILabel(frame: CGRect(x: 150, y: 30, width: 200, height: 40))
titleLabel.textColor = .red
titleLabel.text = "Title"
view.addSubview(titleLabel)
}
local {
let textLabel = UILabel(frame: CGRect(x: 150, y: 80, width: 200, height: 40))
textLabel.textColor = .red
textLabel.text = "Text"
view.addSubview(textLabel)
}
self.view = view
}
Swift 2.0 中,为了处理异常,Apple 加入了 do 这个关键字来作为捕获异常的作用域。这一功能恰好为我们提供了一个完美的局部作用域
do { let textLabel = ... }
OC 中可使用 GNU 时候C 的声明扩展来限制局部作用域的时候同时进行复制,运用得当的话,可使代码更加紧凑和整洁。
self.titleLabel = ({
UILabel *label = [[UILabel alloc] initWithFrame:CGRectMake(150, 30, 20, 40)];
label.text = @"Title";
[view addSubview:label];
label;
});
swift 中可使用匿名的闭包,写出类似的代码:
let titleLabel: UILabel = {
let label = UILabel(frame: CGRect(x: 150, y: 30, width: 200, height: 40))
label.text = "Title"
return label
}()
*/
// -----------------------------
/*
// KeyPath 和 KVO
/*
“KVO 的目的并不是为当前类的属性提供一个钩子方法,而是为了其他不同实例对当前的某个属性 (严格来说是 keypath)
进行监听时使用的。其他实例可以充当一个订阅者的角色,当被监听的属性发生变化时,订阅者将得到通知。”
“像通过监听 model 的值来自动更新 UI 的绑定这样的工作,基本都是基于 KVO 来完成的。”
“在 Swift 中我们也是可以使用 KVO 的,不过 KVO 仅限于在 NSObject 的子类中,因为 KVO 是基于 KVC (Key-Value Coding)
以及动态派发技术实现的,而这些东西都是 OC 运行时的概念。另外由于 Swift 为了效率,默认禁用了动态派发,
因此想用 Swift 来实现 KVO,我们还需要做额外的工作,那就是将想要观测的对象标记为 dynamic 和 @objc。”
*/
class MyClass: NSObject {
@objc dynamic var date = Date()
}
private var myContext = 0
class AnotherClass: NSObject {
var myObject: MyClass!
var observation: NSKeyValueObservation?
override init() {
super.init()
myObject = MyClass()
print("初始化 AnotherClass,当前日期: \(myObject.date)")
observation = myObject.observe(\MyClass.date, options: [.new]) { (_, change) in
if let newDate = change.newValue {
print("AnotherClass 日期发生变化 \(newDate)")
}
}
delayBling(1) { self.myObject.date = Date() }
}
}
let obj = Class()
//初始化 MyClass,当前日期: 2018-12-29 03:09:13 +0000
//MyClass 日期发生变化 2018-12-29 03:09:17 +0000
*/
// -----------------------------
/*
//自省
/*
向一个对象发出询问以确定是不是属于某个类,这种操作称为自省。
OC 中
[obj1 isKindOfClass:[ClassA class]];
[obj2 isMemberOfClass:[ClassB class]];
isKindOfClass: 判断 obj1 是否是 ClassA 或者其子类的实例对象;
isMemberOfClass: 则对 obj2 做出判断,当且仅当 obj2 的类型为 ClassB 时返回为真。”
这两个是 NSObject 的方法,在 Swift 中如是 NSObject 的子类的话,可直接使用这两个方法
“首先需要明确的一点是,我们为什么需要在运行时去确定类型。因为有泛型支持,Swift 对类型的推断和记录是完备的。
因此在绝大多数情况下,我们使用的 Swift 类型都应该是在编译期间就确定的。
如果在你写的代码中经常需要检查和确定 AnyObject 到底是什么类的话,几乎就意味着你的代码设计出了问题”
*/
class ClassA: NSObject { }
class ClassB: ClassA { }
let obj1: NSObject = ClassB()
let obj2: NSObject = ClassB()
print(obj1.isKind(of: ClassA.self)) // true
print(obj2.isMember(of: ClassA.self)) // false
//对于不是 NSObject 的类,怎么确定其类型
class ClassC: NSObject { }
class ClassD: ClassC { }
let obj3: AnyObject = ClassD()
let obj4: AnyObject = ClassD()
print(obj3.isKind(of: ClassC.self)) // true
print(obj4.isMember(of: ClassC.self)) // false
//Swift 提供了一个简洁的写法,可以使用 is 来判断,is 相当于 isKindOfClass
// is 不仅可用于 class 类型上,也可以对 Swift 的其他 struct enum 类型进行判断
if (obj4 is ClassC) {
print("is ClassC")
}
// 如果编译器能够唯一确定类型,那么 is 的判断就没有必要
//let string = "abc"
//if string is String { print("is string") } // 警告:'is' test is always true
*/
// -----------------------------
/*
//获取对象类型
/*
“如果遵循规则的话,Swift 会是一门相当安全的语言:不会存在类型的疑惑,绝大多数的内容应该能在编译期间就唯一确定。”
object_getClass 是一个定义在 OC 的 runtime 中的方法
*/
let date = NSDate()
let name: AnyClass! = object_getClass(date)
print(name) //some(__NSDate)
let name2 = type(of: date)
print(name2) //__NSDate
let string = "Hello"
let name3 = type(of: string)
print(name3) //String
*/
// -----------------------------
/*
// GCD 和延时调用
/*
Swift 中抛弃了传统的基于 C 的GCD API,采用了更为先进的书写方式。
*/
//创建目标队列
let workingQueue = DispatchQueue(label: "my_queue")
//派发到刚创建的队列中,GCD进行线程调度
workingQueue.async {
//在 workingQueue 中异步进行
print("working")
Thread.sleep(forTimeInterval: 2) //模拟2s执行时间
DispatchQueue.main.async {
//返回主线程更新 UI
print("refresh UI")
}
}
// GCD 延时调用
let time: TimeInterval = 2.0
DispatchQueue.main.asyncAfter(deadline: DispatchTime.now() + time) {
print("2 秒后输出")
}
//这里直接程序结束了,参考 SwiftAppTest 例子。封装对象,加上可以取消的功能
*/
// -----------------------------
/*
“在 C 中有一类指针,你在头文件中无法找到具体的定义,只能拿到类型的名字,而所有的实现细节都是隐藏的。
这类指针在 C 或 C++ 中被叫做不透明指针 (Opaque Pointer),顾名思义,它的实现和表意对使用者来说是不透明的。”
swift 中对应这类不透明指针的类型是 COpaquePointer 用来表示那些在 Swift 中无法进行类型描述的 C 指针,其他的用
更准确的 UnsafePointer<T> 来存储
“COpaquePointer 在 Swift 中扮演的是指针转换的中间人的角色,我们可以通过这个类型在不同指针类型间进行转换,除非有十足的把握
知道自己在干什么,否则不要这么做。
另外一种重要指针指向函数的指针,
在 C 中的函数
int cFunction(int (callBack)(int x, int y)) { return callBack(1, 2); }
如果想要在 Swift 中使用这个函数
let callback: @convention(c) (Int32, Int32) -> Int32 = {
(x, y) -> Int32 in
return x + y }
let result = cFunction(callback)
print(result) // 3”
let result = cFunction {
(x, y) -> Int32 in return x + y
}
*/
// -----------------------------
/*
//UnsafePointer
/*
Swift 是一门非常安全的语言,所有的引用或者变量的类型都是确定并且正确对应他们得实际类型的,
应当无法进行任意的类型转换,也不能直接通过指针作出一些出格的事。有助于避免不必要的bug,迅速稳定的
找出代码错误。在高安全的同时,也丧失了部分的灵活性。
为了与 C 系帝国进行合作,Swift 定义了一套对 C 语言指针的访问和转换方法 UnsafePointer
“对于使用 C API 时如果遇到接受内存地址作为参数,或者返回是内存地址的情况,在 Swift 里会将它们转为 UnsafePointer<Type> 的类型”
“UnsafePointer,就是 Swift 中专门针对指针的转换。对于其他的 C 中基础类型,在 Swift 中对应的类型都遵循统一的命名规则:
在前面加上一个字母 C 并将原来的第一个字母大写:比如 int,bool 和 char 的对应类型分别是 CInt,CBool 和 CChar。
在下面的 C 方法中,我们接受一个 int 的指针,转换到 Swift 里所对应的就是一个 CInt 的 UnsafePointer 类型。
这里原来的 C API 中已经指明了输入的 num 指针的不可变的 (const),因此在 Swift 中我们与之对应的是 UnsafePointer 这个不可变版本。
如果只是一个普通的可变指针的话,我们可以使用 UnsafeMutablePointer 来对应:
C API Swift API
const Type * UnsafePointer
Type * UnsafeMutablePointer”
如何在指针的内容和实际的值之间进行转换
*/
//C 语言
//void method(const int *num) { printf("%d", *num); }
// int a = 123; method(&a);
//对应的 Swift 方法应该是:
func method(_ num: UnsafePointer<CInt>) {
print(num.pointee)
}
var a: CInt = 123
method(&a) //123
//func CFArrayGetValueAtIndex(theArray: CFArray!, idx: CFIndex) -> UnsafePointer<Any> { }
//“CFArray 中是可以存放任意对象的,所以这里的返回是一个任意对象的指针,相当于 C 中的 void *。
//这显然不是我们想要的东西。Swift 中为我们提供了一个强制转换的方法 unsafeBitCast,
//通过下面的代码,我们可以看到应当如何使用类似这样的 API,将一个指针强制按位转成所需类型的对象:
let arr = NSArray(object: "meow")
let str = unsafeBitCast(CFArrayGetValueAtIndex(arr, 0), to: CFString.self)
// str = "meow”
//“unsafeBitCast 会将第一个参数的内容按照第二个参数的类型进行转换,而不去关心实际是不是可行,
//这也正是 UnsafePointer 的不安全所在,因为我们不必遵守类型转换的检查,而拥有了在指针层面直接操作内存的机会。”
//“Apple 将直接的指针访问冠以 Unsafe 的前缀,就是提醒我们:这些东西不安全,亲们能不用就别用了吧”
//C 指针内存管理
/*
C 指针在 Swift 被冠名 unsafe 的另一个原因是无法对其2进行自动的内存管理,需要手动来申请释放内存
*/
class MyClass {
var a = 1
deinit {
print("deinit")
}
}
var pointer: UnsafeMutablePointer<MyClass>!
pointer = UnsafeMutablePointer<MyClass>.allocate(capacity: 1)
pointer.initialize(to: MyClass())
print(pointer.pointee.a) //1
//pointer = nil //UnsafeMutablePointer 不会自动内存管理,指向的内存没有释放回收,没有调用 deinit
pointer.deinitialize(count: 1)//释放指针指向的内存的对象以及指针自己本身
pointer = nil // deinit
//“手动处理这类指针的内存管理时,我们需要遵循的一个基本原则就是谁创建谁释放。
//deallocate 与 deinitialize 应该要和 allocate 与 initialize 成对出现”
//“如果我们是通过调用了某个方法得到的指针,那么除非文档或者负责这个方法的开发者明确告诉你应该由使用者进行释放,否则都不应该去试图管理它的内存状态:
var x:UnsafeMutablePointer<tm>!
var t = time_t()
time(&t)
x = localtime(&t)
x = nil
//指针的内存申请也可以使用 malloc 或者 calloc 来完成,这种情况下在释放时我们需要对应使用 free 而不是 deallocate。
*/
// -----------------------------
/*
//String 还是 NSString
/*
像 string 这样的 Swift 类型和 Foundation 的对应的类是可以无缝转换的,使用时怎么选择
尽可能的使用原生的 string 类型。
1、虽然有良好的互相转换的特性,但现在 Cocoa所有的API都接受和返回string类型,不必给自己凭空添加麻烦把框架返回的
字符串做一遍转换
2、在Swift中String是struct,相比NSString类来说更切合字符串的”不变“这一特性。配合常量赋值let,
这种不变性在多线程编程就非常重要了。在不触及NSString特有操作和动态特性的时候使用String的方法,在性能上也有所提升。
3、String 实现了 collection 这样的协议,因此有些 Swift 语法只有 String 才能使用
使用 String 唯一一个比较麻烦的地方是 它和 Range 的配合
*/
let levels = "ABCDEF"
for i in levels {
print(i)
}
var a = levels.contains("CD")
print(a)
//报错:Argument type 'NSRange' (aka '_NSRange') does not conform to expected type 'RangeExpression'
//let nsRange = NSMakeRange(1, 4)
//levels.replacingCharacters(in: nsRange, with: "XXXX")
let indexPositionOne = levels.index(levels.startIndex, offsetBy: 1)
let swiftRange = indexPositionOne ..< levels.index(levels.startIndex, offsetBy: 5)
let replaceString = levels.replacingCharacters(in: swiftRange, with: "XXXX")
print(replaceString) //AXXXXF
//可能更愿意和基于 Int 的 Range 一起工作,而不喜欢用麻烦的 Range<String.Index>
let nsRange = NSMakeRange(1, 4)
let nsReplaceString = (levels as NSString).replacingCharacters(in: nsRange, with: "ZZZZ")
print(nsReplaceString) // AZZZZF
*/
// -----------------------------
/*
//值类型和引用类型
/*
Swift 的类型分为值类型和引用类型,值类型在传递和赋值时将进行赋值,引用类型则只会使用引用对象的一个”指向“。
struct enum 定义的类型是值类型,使用 class 定义的为引用类型。
Swift 中所有的内建类型都是值类型,Int String Array Dictionary 都是值类型
值类型的好处,减少了堆上内存分配和回收的次数。值类型的一个特点是在传递和赋值时进行复制,
每次复制肯定会产生额外开销,但是在 Swift 中这个消耗被控制在了最小范围内,
在没有必要复制的时候,值类型的复制都是不会发生的。也就是说,简单的赋值,参数的传递等等普通操作,
虽然我们可能用不同的名字来回设置和传递值类型,但是在内存上它们都是同一块内容。”
将数组字典设计为值类型最大的考虑是为了线程安全,在数目较少时,非常高效
在数目较多时 Swift 内建的值类型的容器类型在每次操作时都需要复制一遍,
即使是存储的都是引用类型,在复制时我们还是需要存储大量的引用
“在需要处理大量数据并且频繁操作 (增减) 其中元素时,选择 NSMutableArray 和 NSMutableDictionary 会更好,
而对于容器内条目小而容器本身数目多的情况,应该使用 Swift 语言内建的 Array 和 Dictionary。”
*/
func test(_ arr:[Int]) {
print(arr)
for i in arr {
print(i)
}
}
var a = [1,2,3]
var b = a
test(a)
//在物理内存上都是用一个东西,而且 a 还只在栈空间上,只是发生了指针移动,完全没有堆内存的分配和释放问题,效率高
//当对值进行改变时,值复制就是必须的了
b.append(4) //b 和 a 内存地址不再相同。将其中的值类型进行复制,对于引用类型的话,只复制一份引用
class MyObject {
var num = 0
}
var myObject = MyObject()
var arr1 = [myObject]
var arr2 = arr1
arr2.append(myObject)
myObject.num = 123
print(arr1[0].num) //123
print(arr2[0].num) //123
*/
// -----------------------------
// @autoreleasepool
/*
swift 在内存管理上使用 ARC 的一套方法,不需要手动的调用 retain, release, autorelease 来管理引用计数
编译器在编译时在合适的地方帮我们加入。
autorelease 会将接收改消息的对象放到 auto release pool 中,当 autoreleasepool 收到 drain 消息时,将这些对象引用计数-1
然后从池子中移除。
“在 app 中,整个主线程其实是跑在一个自动释放池里的,并且在每个主 Runloop 结束时进行 drain 操作”
“因为我们有时候需要确保在方法内部初始化的生成的对象在被返回后别人还能使用,而不是立即被释放掉。”
OC 中使用 @autoreleasepool 就行了,其实 @autoreleasepool 在编译时会被展开为 NSAutoreleasePool 并附带 drain 方法的调用。
Swift 中我们也是能使用 autoreleasepool 的 -- 虽然语法上略有不同。
相比于原来在 Objective-C 中的关键字,现在它变成了一个接受闭包的方法:
func autoreleasepool(code: () -> ())
利用尾随闭包的写法,很容易就能在 Swift 中加入一个类似的自动释放池了:
func loadBigData() {
if let path = NSBundle.mainBundle()
.pathForResource("big", ofType: "jpg") {
for i in 1...10000 {
autoreleasepool {
let data = NSData.dataWithContentsOfFile(
path, options: nil, error: nil)
NSThread.sleepForTimeInterval(0.5)
}
}
}
}
上面的代码是 Swift 1.0 的,NSData.dataWithContentsOfFile 仅供参考
*/
// -----------------------------
/*
//内存管理 weak 和 unowned
//Swift 是自动管理内存的,遵循自动引用计数 ARC
/*
1、循环引用
防止循环引用,不希望互相持有, weak 向编译器说明不希望持有
除了 weak 还有 unowned。类比 OC unowned 更像是 unsafe_unretained
unowned 设置后即使他引用的内容已经被释放了,他仍会保持对被已经释放了的对象的一个无效引用,他不能是 Optional 值
也不会指向 nil,当调用这个引用的方法时,程序崩溃。weak 则友好一点,在引用的内容被释放后,会自动变为nil,因此标记为 weak 的变量
一定需要是 Optional 值。
“Apple 给我们的建议是如果能够确定在访问时不会已被释放的话,尽量使用 unowned,如果存在被释放的可能,那就选择用 weak
“日常工作中一般使用弱引用的最常见的场景有两个:
设置 delegate 时
在 self 属性存储为闭包时,其中拥有对 self 引用时”
闭包和循环引用
“闭包中对任何其他元素的引用都是会被闭包自动持有的。如果我们在闭包中写了 self 这样的东西的话,那我们其实也就在闭包内持有了当前的对象。
如果当前的实例直接或者间接地对这个闭包又有引用的话,就形成了一个 self -> 闭包 -> self 的循环引用”
*/
class A: NSObject {
let b: B
override init() {
b = B()
super.init()
b.a = self
}
deinit {
print("A deinit")
}
}
class B: NSObject {
weak var a: A? = nil
deinit {
print("B deinit")
}
}
var obj: A? = A()
obj = nil //内存没有释放
//闭包
class Person {
let name: String
lazy var printName: ()->() = {
//如可以确定在整个过程中self不会被释放,weak 可以改为 unowned 就不需要 strongSelf 的判断
[weak self] in
if let strongSelf = self {
print("The name is \(strongSelf.name)")
}
//如果需要标注的元素有多个
// { [unowned self, weak someObject] (number: Int) -> Bool in .. return true}
}
init(personName: String) {
name = personName
}
deinit {
print("Person deinit \(self.name)")
}
}
var xiaoMing : Person? = Person(personName: "XiaoMing")
xiaoMing!.printName() //The name is XiaoMing
xiaoMing = nil //Person deinit XiaoMing
*/
// -----------------------------
/*
//可扩展协议和协议扩展
/*
OC 中 protocol @optional 修饰的方法,并非必须要实现
原生的 Swift protocol 里没有可选项,所有定义的方法都是必须实现的,要想实现需要将协议本身可选方法都定义为 OC 的
“使用 @objc 修饰的 protocol 就只能被 class 实现了,
对于 struct 和 enum 类型,我们是无法令它们所实现的协议中含有可选方法或者属性的”
“在 Swift 2.0 中,可使用 protocol extension。
我们可以在声明一个 protocol 之后再用 extension 的方式给出部分方法默认的实现。这样这些方法在实际的类中就是可选实现的了”
*/
@objc protocol OptionalProtocol {
@objc optional func optionalMethod()
func protocolMethod()
@objc optional func anotherOptionalMethod()
}
protocol NormalProtocol {
func optionalNormalProtocolMethod()
func necessaryNormalProtocolMethod()
}
extension NormalProtocol {
func optionalNormalProtocolMethod() {
print("optionalNormalProtocolMethod")
}
}
//报错:Non-class type 'MyStruct' cannot conform to class protocol 'OptionalProtocol'
//struct MyStruct: OptionalProtocol {}
class MyClass: OptionalProtocol, NormalProtocol {
func necessaryNormalProtocolMethod() {
print("MyClass optionalNormalProtocolMethod")
}
func protocolMethod() {
print("MyClass protocolMethod")
}
}
let myClass = MyClass()
myClass.optionalNormalProtocolMethod() //optionalNormalProtocolMethod
*/
// -----------------------------
// @objc 和 dynamic
/*
最初的 Swift 版本中,不得不考虑与 OC 的兼容,允许同一个项目中使用 Swift 和 OC 进行开发
其实文件是处于两个不同世界中,为了能互相联通,需要添加一些桥梁。
“首先通过添加 {product-module-name}-Bridging-Header.h 文件,并在其中填写想要使用的头文件名称,
我们就可以很容易地在 Swift 中使用 Objective-C 代码了”
“如果想要在 Objective-C 中使用 Swift 的类型的时候,事情就复杂一些。如果是来自外部的框架,
那么这个框架与 Objective-C 项目肯定不是处在同一个 target 中的,我们需要对外部的 Swift module 进行导入。
这个其实和使用 Objective-C 的原来的 Framework 是一样的,对于一个项目来说,外界框架是由 Swift 写的还是 Objective-C 写的,
两者并没有太大区别。我们通过使用 2013 年新引入的 @import 来引入 module:
@import MySwiftKit;
之后就可以正常使用这个 Swift 写的框架了。”
“如果想要在 Objective-C 里使用的是同一个项目中的 Swift 的源文件的话,可以直接导入自动生成的头文件
{product-module-name}-Swift.h 来完成。比如项目的 target 叫做 MyApp 的话,我们就需要在 Objective-C 文件中写
#import "MyApp-Swift.h”
“Objective-C 和 Swift 在底层使用的是两套完全不同的机制,Cocoa 中的 Objective-C 对象是基于运行时的,
它从骨子里遵循了 KVC (Key-Value Coding,通过类似字典的方式存储对象信息) 以及动态派发 (Dynamic Dispatch,
在运行调用时再决定实际调用的具体实现)。而 Swift 为了追求性能,如果没有特殊需要的话,
是不会在运行时再来决定这些的。也就是说,Swift 类型的成员或者方法在编译时就已经决定,而运行时便不再需要经过一次查找,而可以直接使用。”
“这带来的问题是如果我们要使用 Objective-C 的代码或者特性来调用纯 Swift 的类型时候,我们会因为找不到所需要的这些运行时信息,而导致失败。
解决起来也很简单,在 Swift 类型文件中,我们可以将需要暴露给 Objective-C 使用的任何地方 (包括类,属性和方法等) 的声明前面加上 @objc 修饰符。
注意这个步骤只需要对那些不是继承自 NSObject 的类型进行,如果你用 Swift 写的 class 是继承自 NSObject 的话,
Swift 会默认自动为所有的非 private 的类和成员加上 @objc。这就是说,对一个 NSObject 的子类,
你只需要导入相应的头文件就可以在 Objective-C 里使用这个类了。”
“@objc 修饰符的另一个作用是为 Objective-C 侧重新声明方法或者变量的名字。虽然绝大部分时候自动转换的方法名已经足够好用
(比如会将 Swift 中类似 init(name: String) 的方法转换成 -initWithName:(NSString *)name 这样)”
*/
// -----------------------------
//UIApplicationMain
//Cocoa开发环境已经在新建一个项目时帮助我们进行很多配置,导致很多人无法说清一个App启动的流程
/*
C系语言中程序的入口都是main函数
int main(int argc, char * argv[]) {
@autoreleasepool { return UIApplicationMain(argc, argv, nil, NSStringFromClass([AppDelegate class])); } }
UIApplicationMain 根据第三个参数初始化一个 UIAppliction 或者其子类对象 传nil就是用默认的UIAppliction,然后开始接收事件
AppDelegate 作为应用委托,用来接收与应用生命周期相关的委托方法。
“虽然这个方法标明为返回一个 int,但是其实它并不会真正返回。它会一直存在于内存中,直到用户或者系统将其强制终止。”
Swift 项目中在默认的 AppDelegate 只有一个 @UIApplicationMain 的标签,这个标签做的事情就是将被标注的类作为委托,
去创建一个 UIApplication 并启动整个程序。在编译的时候,编译器将寻找这个标记的类,并自动插入像 main 函数这样的模板代码。
和 C 系语言的 main.c 或者 main.m 文件一样,Swift 项目也可以有一个名为 main.swift 特殊的文件。
在这个文件中,我们不需要定义作用域,而可以直接书写代码。这个文件中的代码将作为 main 函数来执行。
比如我们在删除 @UIApplicationMain 后,在项目中添加一个 main.swift 文件,然后加上这样的代码:
UIApplicationMain(Process.argc, Process.unsafeArgv, nil, NSStringFromClass(AppDelegate))
现在编译运行,就不会再出现错误了。
我们还可以通过将第三个参数替换成自己的 UIApplication 子类,这样我们就可以轻易地做一些控制整个应用行为的事情了。
比如将 main.swift 的内容换成:
import UIKit
class MyApplication: UIApplication {
override func sendEvent(event: UIEvent!) {
super.sendEvent(event)
print("Event sent: \(event)");
}
}
UIApplicationMain(Process.argc, Process.unsafeArgv, NSStringFromClass(MyApplication), NSStringFromClass(AppDelegate))
这样每次发送事件 (比如点击按钮) 时,我们都可以监听到这个事件了。
*/
// -----------------------------
//编译标记
//在 OC 中在代码中插入 #pragma 来标记代码区间,方便代码定位
//在 Swift 中使用 // MARK:-
// TODO: 123
// FIXME: 455
//上面两个用来提示还未完成的工作或者需要修正的地方。
// MARK: - 123
// -----------------------------
/*
//条件编译
/*
C系语言中,使用 #if #ifdef 编译条件分支来控制哪些代码需要编译。
Swift 中 #if 这套编译标记还是存在的,使用的语法也和原来没有区别
#if <condition>
#elseif <condition>
#else
#endif
condition 并不是任意的,Swift 内建了几种平台和架构的组合,来帮助我们为不同的平台编译不同的代码。
*/
//os(macOS) iOS tvOS watchOS Linux
//arch() arm(32位CPU真机) arm64(64位CPU真机) i386(32为模拟器) x86_64(64位22CPU模拟器)
//swift() >=某个版本
#if os(macOS)
#else
#endif
//另一种方式是对自定义的符号进行条件编译,比如我们需要使用同一个 target 完成同一个 app 的收费版和免费版两个版本,
//并且希望在点击某个按钮时收费版本执行功能,而免费版本弹出提示的话,可以使用类似下面的方法:
@IBAction func someButtonPressed(sender: AnyObject!) {
#if FREE_VERSION
// 弹出购买提示,导航至商店等
#else
// 实际功能
#endif
}
//在这里我们用 FREE_VERSION 这个编译符号来代表免费版本。
//为了使之有效,我们需要在项目的编译选项中进行设置,在项目的 Build Settings 中,
//找到 Swift Compiler - Custom Flags,并在其中的 Other Swift Flags 加上 -D FREE_VERSION 就可以了。”
*/
// -----------------------------
/*
//单例
/*
OC中公认的单列写法
+ (id)sharedManager {
static MyManager * staticInstance = nil;
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
staticInstance = [[self alloc] init];
});
return staticInstance;
}
在 Swift 3 中 Apple 移除了 dispatch_once
Swift 中使用 let 简单的方法来保证线程安全
在 Swift 1.2 后,可以使用类变量
*/
class MyManager {
class var shared: MyManager {
struct Static {
static let shareInstance : MyManager = MyManager()
}
return Static.shareInstance
}
}
/*
//由于 Swift 1.2 之前 class 不支持存储式的 property,我们想要使用一个只存在一份的属性时,
//就只能将其定义在全局的 scope 中。值得庆幸的是,在 Swift 中是有访问级别的控制的,
//我们可以在变量定义前面加上 private 关键字,使这个变量只在当前文件中可以被访问。”
private let sharedInstance = MyManager()
class MyManager {
class shared: MyManager {
return sharedInstance
}
}
*/
//在 Swift 1.2 以及之后,如没有特别需求,推荐使用
class MyManager1 {
static let shared = MyManager1()
private init() {
}
}
/*
“这种写法不仅简洁,而且保证了单例的独一无二。在初始化类变量的时候,Apple 将会把这个初始化包装在一次 swift_once_block_invoke 中,
以保证它的唯一性。不仅如此,对于所有的全局变量,Apple 都会在底层使用这个类似 dispatch_once 的方式来确保只以 lazy 的方式初始化一次。”
“我们在这个类型中加入了一个私有的初始化方法,来覆盖默认的公开初始化方法,
这让项目中的其他地方不能够通过 init 来生成自己的 MyManager 实例,也保证了类型单例的唯一性。
如果你需要的是类似 default 的形式的单例 (也就是说这个类的使用者可以创建自己的实例) 的话,可以去掉这个私有的 init 方法。”
*/
*/
// -----------------------------
//实例方法的动态调用
/*
/*
可以让我们不直接使用实例来调用这个实例上的方法,通过类型取出这个类型的实例方法的签名
然后再通过传递实例来拿到实际需要调用的方法。
这种方法只适用于实例方法,对于属性的 getter setter 是不能用类似的写法
*/
class MyClass {
func method(number: Int) -> Int {
return number + 1
}
class func method(number: Int) -> Int {
return number + 1
}
}
let f = MyClass.method //let f: (MyClass) -> (Int) -> Int // let f = { (obj: MyClass) in obj.method}
let object = MyClass()
//let result = f(object)(1)
//如果遇到有类型方法的名字冲突时,如不改动 MyClass.method 将取到的是类型方法
//“如果我们想要取实例方法的话,可以显式地加上类型声明加以区别
let f1 = MyClass.method // class func method 的版本
let f2: (Int) -> Int = MyClass.method // 和 f1 相同
let f3: (MyClass) -> (Int) -> Int = MyClass.method // func method 的柯里化版本”
*/
// -----------------------------
//Selector
/*
@selector 是 OC 时代的一个关键字 可以将一个方法转换并赋值给一个 SEL 类型,类似一个动态的函数指针。
-(void) callMeWithParam:(id)obj { }
SEL anotherMethod = @selector(callMeWithParam:);
// 或者也可以使用 NSSelectorFromString
// SEL anotherMethod = NSSelectorFromString(@"callMeWithParam:");”
在 Swift 中没有 @selector 了,取而代之,从 Swift 2.2 开始我们使用 #selector 来从暴露给 Objective-C 的代码中获取一个 selector。
类似地,在 Swift 里对应原来 SEL 的类型是一个叫做 Selector 的结构体。像上面的两个例子在 Swift 中等效的写法是:
@objc func callMeWithParam(obj: AnyObject!) { }
let anotherMethod = #selector(callMeWithParam(obj:))
“在 Swift 4 中,默认情况下所有的 Swift 方法在 Objective-C 中都是不可见的,
所以你需要在这类方法前面加上 @objc 关键字,将这个方法暴露给 Objective-C,才能进行使用。”
“如果想让整个类型在 Objective-C 可用,可以在类型前添加 @objcMembers。”
*/
| apache-2.0 | 31f235b62b498b45331e10dea9df232b | 22.237425 | 127 | 0.697463 | 2.815914 | false | false | false | false |
NoryCao/zhuishushenqi | zhuishushenqi/Root/ViewModel/ZSMyViewModel.swift | 1 | 5116 | //
// ZSMyViewModel.swift
// zhuishushenqi
//
// Created by yung on 2018/10/20.
// Copyright © 2018年 QS. All rights reserved.
//
import UIKit
import AdSupport
import ZSAPI
import RxSwift
class ZSMyViewModel: NSObject, ZSRefreshProtocol {
var refreshStatus: Variable<ZSRefreshStatus> = Variable(.none)
let webService = ZSMyService()
let loginService = ZSLoginService()
var account:ZSAccount?
var coin:ZSCoin?
var detail:ZSUserDetail?
var bind:ZSUserBind?
var useableVoucher:[ZSVoucher] = []
var unuseableVoucher:[ZSVoucher] = []
var expiredVoucher:[ZSVoucher] = []
func fetchAccount(token:String ,completion:@escaping ZSBaseCallback<ZSAccount>) {
webService.fetchAccount(token: token) { [weak self](account) in
guard let sSelf = self else { return }
sSelf.account = account
completion(account)
}
}
func fetchCoin(token:String, completion:@escaping ZSBaseCallback<ZSCoin>) {
webService.fetchCoin(token: token) { [weak self](coin) in
guard let sSelf = self else { return }
sSelf.coin = coin
completion(coin)
}
}
func fetchDetail(token:String, completion:@escaping ZSBaseCallback<ZSUserDetail>) {
webService.fetchDetail(token: token) { [weak self](detail) in
guard let sSelf = self else { return }
sSelf.detail = detail
completion(detail)
}
}
func fetchUserBind (token:String, completion:@escaping ZSBaseCallback<ZSUserBind>) {
webService.fetchUserBind(token: token) { [weak self](bind) in
guard let sSelf = self else { return }
sSelf.bind = bind
completion(bind)
}
}
func fetchLogout(token:String, completion:@escaping ZSBaseCallback<[String:Any]>) {
webService.fetchLogout(token: token) { (json) in
completion(json)
}
}
func fetchSMSCode(param:[String:String]?, completion:@escaping ZSBaseCallback<[String:Any]>) {
let mobile = param?["mobile"] ?? ""
let randstr = param?["Randstr"] ?? ""
let ticket = param?["Ticket"] ?? ""
let captchaType = param?["captchaType"] ?? ""
let type = param?["type"] ?? ""
let api = ZSAPI.SMSCode(mobile: mobile, Randstr: randstr, Ticket: ticket, captchaType: captchaType, type: type)
loginService.fetchSMSCode(url: api.path, parameter: api.parameters) { (json) in
completion(json)
}
}
func mobileLogin(mobile:String, smsCode:String, completion:@escaping ZSBaseCallback<ZSQQLoginResponse>) {
let version = "2"
let platform_code = "mobile"
let idfa = ASIdentifierManager.shared().advertisingIdentifier.uuidString
let api = ZSAPI.mobileLogin(mobile: mobile, idfa: idfa, platform_code: platform_code, smsCode: smsCode, version: version)
loginService.mobileLgin(urlString: api.path, param: api.parameters) { (json) in
completion(json)
}
}
func fetchNicknameChange(nickname:String, token:String, completion:@escaping ZSBaseCallback<[String:Any]>) {
let api = ZSAPI.nicknameChange(nickname: nickname, token: token)
webService.fetchNicknameChange(url: api.path, param: api.parameters) { (json) in
completion(json)
}
}
// https://api.zhuishushenqi.com/voucher?token=xAk9Ac8k3Jj9Faf11q8mBVPQ&type=useable&start=0&limit=20
func fetchVoucher(token:String, type:String, start:Int, limit:Int, completion:@escaping ZSBaseCallback<[ZSVoucher]>) {
let api = QSAPI.voucherList(token: token, type: type, start: start, limit: limit)
webService.fetchVoucherList(url: api.path, param: api.parameters) { [weak self](vouchers) in
guard let sSelf = self else { return }
if type == "useable" {
sSelf.useableVoucher = vouchers ?? []
} else if type == "unuseable" {
sSelf.unuseableVoucher = vouchers ?? []
} else {
sSelf.expiredVoucher = vouchers ?? []
}
sSelf.refreshStatus.value = .headerRefreshEnd
completion(vouchers)
}
}
func fetchMoreVoucher(token:String, type:String, start:Int, limit:Int, completion:@escaping ZSBaseCallback<[ZSVoucher]>) {
let api = QSAPI.voucherList(token: token, type: type, start: start, limit: limit)
webService.fetchVoucherList(url: api.path, param: api.parameters) { [weak self](vouchers) in
guard let sSelf = self else { return }
if type == "useable" {
sSelf.useableVoucher.append(contentsOf: vouchers ?? [])
} else if type == "unuseable" {
sSelf.unuseableVoucher.append(contentsOf: vouchers ?? [])
} else {
sSelf.expiredVoucher.append(contentsOf: vouchers ?? [])
}
sSelf.refreshStatus.value = .footerRefreshEnd
completion(vouchers)
}
}
}
| mit | 85be142d7e9302b1372e27f47757481c | 37.156716 | 129 | 0.615686 | 4.303872 | false | false | false | false |
kiliankoe/catchmybus | catchmybus/NotificationController.swift | 1 | 1724 | //
// NotificationController.swift
// catchmybus
//
// Created by Kilian Költzsch on 11/05/15.
// Copyright (c) 2015 Kilian Koeltzsch. All rights reserved.
//
import Foundation
private let _NotificationControllerSharedInstance = NotificationController()
class NotificationController {
// NotificationController is a singleton, accessible via NotificationController.shared()
static func shared() -> NotificationController {
return _NotificationControllerSharedInstance
}
// MARK: -
var notification: NSUserNotification
var notificationTime: NSDate
var shouldDisplayNotifications: Bool
// MARK: -
init () {
notification = NSUserNotification()
notificationTime = NSDate()
shouldDisplayNotifications = NSUserDefaults.standardUserDefaults().boolForKey(kShouldDisplayNotifications)
// TODO: Check if it might be better to send the bool state as the notification object instead of using it as a note to load from NSUserDefaults
NSNotificationCenter.defaultCenter().addObserver(self, selector: "updateShouldDisplayNotification", name: kUpdatedShouldDisplayUserNotificationNotification, object: nil)
}
private func updateShouldDisplayNotification() {
shouldDisplayNotifications = NSUserDefaults.standardUserDefaults().boolForKey(kShouldDisplayNotifications)
}
// MARK: - Handle user notifications
internal func scheduleNotification(notificationDate: NSDate) {
// TODO: Adjust notification date
if shouldDisplayNotifications {
NSUserNotificationCenter.defaultUserNotificationCenter().scheduleNotification(notification)
}
}
internal func removeScheduledNotification() {
NSUserNotificationCenter.defaultUserNotificationCenter().removeScheduledNotification(notification)
}
}
| mit | 3624ddf44cfa1531993919b2aac34c3f | 30.327273 | 171 | 0.803831 | 5.189759 | false | false | false | false |
clayellis/StringScanner | Sources/StringScanner/CharacterSet.swift | 1 | 2417 | //
// CharactersSet.swift
// StringScanner
//
// Created by Omar Abdelhafith on 26/10/2016.
//
//
/// Range Set
public enum CharactersSet: Containable {
/// All english letters set
case allLetters
/// Small english letters set
case smallLetters
/// Capital english letters set
case capitalLetters
/// Numbers set
case numbers
/// Spaces set
case space
/// Alpha Numeric set
case alphaNumeric
/// Characters in the string
case string(String)
/// Containable Array
case containables([Containable])
/// Range (and closed range)
case range(Containable)
/// Join with another containable
public func join(characterSet: CharactersSet) -> CharactersSet {
let array = [characterSet.containable, self.containable]
return .containables(array)
}
public func contains(character element: Character) -> Bool {
return self.containable.contains(character: element)
}
var containable: Containable {
switch self {
case .smallLetters:
return RangeContainable(ranges: "a"..."z")
case .capitalLetters:
return RangeContainable(ranges: "A"..."Z")
case .allLetters:
return RangeContainable(
ranges: CharactersSet.smallLetters.containable, CharactersSet.capitalLetters.containable)
case .numbers:
return RangeContainable(ranges: "0"..."9")
case .space:
return RangeContainable(ranges: " "..." ")
case .alphaNumeric:
return RangeContainable(ranges:
CharactersSet.allLetters.containable, CharactersSet.numbers.containable)
case .string(let string):
return ContainableString(stringOfCharacters: string)
case .containables(let array):
return RangeContainable(array: array)
case .range(let range):
return RangeContainable(ranges: range)
}
}
}
private struct ContainableString: Containable {
let stringOfCharacters: String
func contains(character element: Character) -> Bool {
return stringOfCharacters.find(string: String(element)) != nil
}
}
private struct RangeContainable: Containable {
let ranges: [Containable]
init(ranges: Containable...) {
self.ranges = ranges
}
init(array: [Containable]) {
self.ranges = array
}
func contains(character element: Character) -> Bool {
let filtered = ranges.filter { $0.contains(character: element) }
return filtered.count > 0
}
}
| mit | ee5961e70fb6cb1b38bfced3e31770fd | 22.930693 | 97 | 0.683906 | 4.595057 | false | false | false | false |
bcattle/AudioLogger-iOS | AudioLogger-iOS/FileListViewController.swift | 1 | 7865 | //
// FileListViewController.swift
// AudioLogger-iOS
//
// Created by Bryan on 1/8/17.
// Copyright © 2017 bcattle. All rights reserved.
//
import UIKit
import AVFoundation
//import EZAudioiOS
class FileListViewController: UIViewController {
@IBOutlet weak var tableView:UITableView!
@IBOutlet weak var deleteButton:UIButton!
@IBOutlet weak var shareButton:UIButton!
@IBOutlet weak var selectButton:UIButton!
var files:[URL]?
var sizes:[UInt64]?
var allSelected = false
var player:AVAudioPlayer?
var playingIndexPath:IndexPath?
override func viewDidLoad() {
super.viewDidLoad()
tableView.setEditing(true, animated: false)
updateFileList()
}
func updateFileList() {
let fs = getFiles()
files = fs.urls
sizes = fs.sizes
tableView.reloadData()
updateButtonVisibility()
}
func getFiles() -> (urls:[URL], sizes:[UInt64]) {
let documentsUrl = FileManager.default.urls(for: .documentDirectory, in: .userDomainMask).first!
do {
// Get the directory contents urls (including subfolders urls)
let directoryContents = try FileManager.default.contentsOfDirectory(at: documentsUrl, includingPropertiesForKeys: nil, options: [])
var sizes = [UInt64]()
for url in directoryContents {
do {
let attributes = try FileManager.default.attributesOfItem(atPath: url.path)
sizes.append(attributes[FileAttributeKey.size] as! UInt64)
} catch let error {
print("Error getting file size: \(error)")
sizes.append(0)
}
}
return (urls:directoryContents, sizes:sizes)
} catch let error as NSError {
print(error.localizedDescription)
return ([], [])
}
}
func getSelectedURLs() -> [URL] {
if let selected = tableView.indexPathsForSelectedRows {
return selected.map { files![$0.row] }
} else {
return []
}
}
func deleteFiles(at urls:[URL]) {
for url in urls {
do {
try FileManager.default.removeItem(at: url)
} catch let error {
print("Error deleting <\(url)>: \(error)")
}
}
// Done!
updateFileList()
}
func getHumanReadableByteCount(bytes:UInt64, si:Bool = true) -> String {
let unit:UInt64 = si ? 1000 : 1024;
if bytes < unit { return "\(bytes) B" }
let exp = Int(round(log(Double(bytes)) / log(Double(unit))))
let pre = (si ? "kMGTPE" : "KMGTPE")[exp - 1] + (si ? "" : "i");
let val = Double(bytes) / pow(Double(unit), Double(exp))
return "\(String(format:"%.1f", val)) \(pre)B"
}
@IBAction func backButtonTapped(sender:UIButton) {
self.presentingViewController?.dismiss(animated: true, completion: nil)
}
@IBAction func shareButtonTapped(sender:UIButton) {
let shareVC = UIActivityViewController(activityItems: getSelectedURLs(), applicationActivities: nil)
present(shareVC, animated: false)
}
@IBAction func deleteButtonTapped(sender:UIButton) {
let selected = getSelectedURLs()
let alert = UIAlertController(title: "Are you sure?", message: "Do you want to delete \(selected.count) files?", preferredStyle: .alert)
alert.addAction(UIAlertAction(title: "Yes", style: .destructive, handler: { (action) in
self.deleteFiles(at: selected)
}))
alert.addAction(UIAlertAction(title: "No", style: .cancel, handler: { (action) in
}))
present(alert, animated: true)
}
@IBAction func selectButtonTapped(sender:UIButton) {
let totalRows = tableView.numberOfRows(inSection: 0)
for row in 0..<totalRows {
if allSelected {
tableView.deselectRow(at:IndexPath(row: row, section: 0), animated: false)
UIView.performWithoutAnimation {
selectButton.setTitle("Select All", for: .normal)
selectButton.layoutIfNeeded()
}
} else {
tableView.selectRow(at: IndexPath(row: row, section: 0), animated: false, scrollPosition: .none)
UIView.performWithoutAnimation {
selectButton.setTitle("Select None", for: .normal)
selectButton.layoutIfNeeded()
}
}
}
allSelected = !allSelected
updateButtonVisibility()
}
}
extension FileListViewController:UITableViewDataSource, UITableViewDelegate {
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
if let files = files {
return files.count
} else {
return 0
}
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: "FileCell", for: indexPath) as! FileCell
cell.backgroundColor = UIColor.clear
cell.label.text = files![indexPath.row].lastPathComponent
cell.sizeLabel.text = getHumanReadableByteCount(bytes: sizes![indexPath.row])
return cell
}
func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
updateButtonVisibility()
updatePlaybackForIndexPath(indexPath: indexPath)
}
func tableView(_ tableView: UITableView, didDeselectRowAt indexPath: IndexPath) {
updateButtonVisibility()
updatePlaybackForIndexPath(indexPath: indexPath)
}
func updateButtonVisibility() {
if let selectedRows = tableView.indexPathsForSelectedRows {
UIView.performWithoutAnimation {
deleteButton.setTitle("Delete (\(selectedRows.count))", for: .normal)
shareButton.setTitle("Share (\(selectedRows.count))", for: .normal)
deleteButton.layoutIfNeeded()
shareButton.layoutIfNeeded()
}
UIView.animate(withDuration: 0.3, animations: {
self.deleteButton.alpha = 1
self.shareButton.alpha = 1
})
} else {
UIView.animate(withDuration: 0.3, animations: {
self.deleteButton.alpha = 0
self.shareButton.alpha = 0
})
}
}
func updatePlaybackForIndexPath(indexPath:IndexPath) {
player?.pause()
if indexPath != playingIndexPath {
// player?.pause()
// } else {
if let files = files {
do {
try player = AVAudioPlayer(contentsOf: files[indexPath.row])
player!.play()
} catch let error {
print("Error trying to play: \(error)")
}
// player.
// let file = EZAudioFile(url: files[indexPath.row])
// player?.playAudioFile(file)
// playingIndexPath = indexPath
}
}
}
// func tableView(_ tableView: UITableView, editActionsForRowAt indexPath: IndexPath) -> [UITableViewRowAction]? {
// return []
// }
}
extension String {
subscript (i: Int) -> Character {
return self[index(self.startIndex, offsetBy: i)]
}
subscript (i: Int) -> String {
return String(self[i] as Character)
}
// subscript (r: Range<Int>) -> String {
// let start = startIndex.advancedBy(r.startIndex)
// let end = start.advancedBy(r.endIndex - r.startIndex)
// return self[Range(start ..< end)]
// }
}
| mit | bdd9d4d69ec69c989cb38f07da26cb30 | 34.58371 | 144 | 0.580748 | 4.974067 | false | false | false | false |
rsmoz/swift-corelibs-foundation | TestFoundation/TestNSBundle.swift | 1 | 5495 | // This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2015 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
//
#if DEPLOYMENT_RUNTIME_OBJC || os(Linux)
import Foundation
import XCTest
#else
import SwiftFoundation
import SwiftXCTest
#endif
class TestNSBundle : XCTestCase {
var allTests : [(String, () throws -> Void)] {
return [
("test_paths", test_paths),
("test_resources", test_resources),
("test_infoPlist", test_infoPlist),
("test_localizations", test_localizations),
("test_URLsForResourcesWithExtension", test_URLsForResourcesWithExtension),
]
}
func test_paths() {
let bundle = NSBundle.mainBundle()
// bundlePath
XCTAssert(!bundle.bundlePath.isEmpty)
XCTAssertEqual(bundle.bundleURL.path, bundle.bundlePath)
let path = bundle.bundlePath
// etc
#if os(OSX)
XCTAssertEqual("\(path)/Contents/Resources", bundle.resourcePath)
XCTAssertEqual("\(path)/Contents/MacOS/TestFoundation", bundle.executablePath)
XCTAssertEqual("\(path)/Contents/Frameworks", bundle.privateFrameworksPath)
XCTAssertEqual("\(path)/Contents/SharedFrameworks", bundle.sharedFrameworksPath)
XCTAssertEqual("\(path)/Contents/SharedSupport", bundle.sharedSupportPath)
#endif
XCTAssertNil(bundle.pathForAuxiliaryExecutable("no_such_file"))
XCTAssertNil(bundle.appStoreReceiptURL)
}
func test_resources() {
let bundle = NSBundle.mainBundle()
// bad resources
XCTAssertNil(bundle.URLForResource(nil, withExtension: nil, subdirectory: nil))
XCTAssertNil(bundle.URLForResource("", withExtension: "", subdirectory: nil))
XCTAssertNil(bundle.URLForResource("no_such_file", withExtension: nil, subdirectory: nil))
// test file
let testPlist = bundle.URLForResource("Test", withExtension: "plist")
XCTAssertNotNil(testPlist)
XCTAssertEqual("Test.plist", testPlist!.lastPathComponent)
XCTAssert(NSFileManager.defaultManager().fileExistsAtPath(testPlist!.path!))
// aliases, paths
XCTAssertEqual(testPlist!.path, bundle.URLForResource("Test", withExtension: "plist", subdirectory: nil)!.path)
XCTAssertEqual(testPlist!.path, bundle.pathForResource("Test", ofType: "plist"))
XCTAssertEqual(testPlist!.path, bundle.pathForResource("Test", ofType: "plist", inDirectory: nil))
}
func test_infoPlist() {
let bundle = NSBundle.mainBundle()
// bundleIdentifier
XCTAssertEqual("org.swift.TestFoundation", bundle.bundleIdentifier)
// infoDictionary
let info = bundle.infoDictionary
XCTAssertNotNil(info)
XCTAssert("org.swift.TestFoundation" == info!["CFBundleIdentifier"] as! String)
XCTAssert("TestFoundation" == info!["CFBundleName"] as! String)
// localizedInfoDictionary
XCTAssertNil(bundle.localizedInfoDictionary) // FIXME: Add a localized Info.plist for testing
}
func test_localizations() {
let bundle = NSBundle.mainBundle()
XCTAssertEqual(["en"], bundle.localizations)
XCTAssertEqual(["en"], bundle.preferredLocalizations)
XCTAssertEqual(["en"], NSBundle.preferredLocalizationsFromArray(["en", "pl", "es"]))
}
private let _bundleName = "MyBundle.bundle"
private let _bundleResourceNames = ["hello.world", "goodbye.world", "swift.org"]
private func _setupPlayground() -> String? {
// Make sure the directory is uniquely named
let tempDir = "/tmp/TestFoundation_Playground_" + NSUUID().UUIDString + "/"
do {
try NSFileManager.defaultManager().createDirectoryAtPath(tempDir, withIntermediateDirectories: false, attributes: nil)
// Make a flat bundle in the playground
let bundlePath = tempDir + _bundleName
try NSFileManager.defaultManager().createDirectoryAtPath(bundlePath, withIntermediateDirectories: false, attributes: nil)
// Put some resources in the bundle
for n in _bundleResourceNames {
NSFileManager.defaultManager().createFileAtPath(bundlePath + "/" + n, contents: nil, attributes: nil)
}
} catch _ {
return nil
}
return tempDir
}
private func _cleanupPlayground(location: String) {
do {
try NSFileManager.defaultManager().removeItemAtPath(location)
} catch _ {
// Oh well
}
}
func test_URLsForResourcesWithExtension() {
guard let playground = _setupPlayground() else { XCTFail("Unable to create playground"); return }
let bundle = NSBundle(path: playground + _bundleName)
XCTAssertNotNil(bundle)
let worldResources = bundle?.URLsForResourcesWithExtension("world", subdirectory: nil)
XCTAssertNotNil(worldResources)
XCTAssertEqual(worldResources?.count, 2)
_cleanupPlayground(playground)
}
}
| apache-2.0 | e86646a011d46e8e0fff91f8b27fdb9a | 36.896552 | 133 | 0.64131 | 5.392542 | false | true | false | false |
googlearchive/cannonball-ios | Cannonball/ThemeCell.swift | 1 | 1659 | //
// Copyright (C) 2018 Google, Inc. and other contributors.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
//
import UIKit
class ThemeCell: UITableViewCell {
// MARK: Properties
@IBOutlet fileprivate weak var nameLabel: UILabel!
@IBOutlet fileprivate weak var pictureImageView: UIImageView!
fileprivate var gradient: CAGradientLayer!
override func awakeFromNib() {
// Add the gradient to the picture image view.
gradient = CAGradientLayer()
let colors: [AnyObject] = [UIColor.clear.cgColor, UIColor(red: 0, green: 0, blue: 0, alpha: 0.4).cgColor]
gradient.colors = colors
gradient.startPoint = CGPoint(x: 0.0, y: 0.4)
gradient.endPoint = CGPoint(x: 0.0, y: 1.0)
pictureImageView.layer.addSublayer(gradient)
}
override func layoutSubviews() {
super.layoutSubviews()
gradient.frame = bounds
}
func configureWithTheme(_ theme: Theme) {
// Add category name.
nameLabel.text = "#\(theme.name)"
// Add background picture.
pictureImageView.image = UIImage(named: theme.getRandomPicture()!)
}
}
| apache-2.0 | 83c0d3c605fb92461e86dba71cb7c166 | 30.903846 | 113 | 0.679325 | 4.388889 | false | false | false | false |
poolmyride/DataStoreKit | Pod/Classes/FileDeserializer.swift | 1 | 1708 | //
// FileDeserializer.swift
//
//
// Created by Rohit Talwar on 11/06/15.
// Copyright (c) 2015 Rajat Talwar. All rights reserved.
//
import Foundation
open class FileDeserializer<T> where T:AnyObject,T:ObjectCoder {
fileprivate func isPList(_ fileName:String) -> Bool{
return fileName.hasSuffix("plist")
}
fileprivate func getJsonArray(_ fileName:String) -> NSArray? {
let url = Bundle.main.url(forResource: fileName, withExtension: "");
var jsonarray:NSArray? = nil
do {
try jsonarray = JSONSerialization.jsonObject(with: Data(contentsOf: url!), options: []) as? NSArray
} catch _ as NSError {
}
return jsonarray
}
fileprivate func getPlistArray(_ fileName:String) -> NSArray? {
let url = Bundle.main.url(forResource: fileName, withExtension: "");
let array:NSArray? = (url != nil) ? NSArray(contentsOf: url!) : nil
return array
}
open func getObjectArrayFrom(fielName fileName:String,callback: @escaping (NSError?,NSArray?)->Void) {
DispatchQueue.global(priority: DispatchQueue.GlobalQueuePriority.high).async(execute: { () -> Void in
let array = (self.isPList(fileName) ? self.getPlistArray(fileName) : self.getJsonArray(fileName)) ?? []
let objectDeserializer = ObjectDeserializer<T>();
let results:NSArray = objectDeserializer.deSerializeArray(array)
DispatchQueue.main.async(execute: { () -> Void in
callback(nil,results)
});
});
}
}
| mit | 9ce137a85bd9ba9bba8a6e64b2a84189 | 28.448276 | 115 | 0.584895 | 4.616216 | false | false | false | false |
wibosco/CoalescingOperations-Example | CoalescingOperations-Example/Coalescing/CoalescingExampleManager.swift | 1 | 1605 | //
// CoalescingExampleManager.swift
// CoalescingOperations-Example
//
// Created by Boles on 28/02/2016.
// Copyright © 2016 Boles. All rights reserved.
//
import UIKit
/**
An example manager that handles queuing operations.
It exists as we don't really want our VCs to know anything about coalescing or the queue.
*/
class CoalescingExampleManager: NSObject {
// MARK: - Add
class func addExampleCoalescingOperation(queueManager: QueueManager = QueueManager.sharedInstance, completion: (QueueManager.CompletionClosure)?) {
let coalescingOperationExampleIdentifier = "coalescingOperationExampleIdentifier"
if let completion = completion {
queueManager.addNewCompletionClosure(completion, identifier: coalescingOperationExampleIdentifier)
}
if !queueManager.operationIdentifierExistsOnQueue(coalescingOperationExampleIdentifier) {
let operation = CoalescingExampleOperation()
operation.identifier = coalescingOperationExampleIdentifier
operation.completion = {(successful) in
let closures = queueManager.completionClosures(coalescingOperationExampleIdentifier)
if let closures = closures {
for closure in closures {
closure(successful: successful)
}
queueManager.clearClosures(coalescingOperationExampleIdentifier)
}
}
queueManager.enqueue(operation)
}
}
}
| mit | d60dc4b1d6e23986557a86ea45a14fc6 | 34.644444 | 151 | 0.650249 | 6.290196 | false | false | false | false |
damonthecricket/my-json | MYJSON/JSON+Extensions.swift | 1 | 3976 | //
// ModelTypes.swift
// InstaCollage
//
// Created by Optimus Prime on 11.02.17.
// Copyright © 2017 Tren Lab. All rights reserved.
//
import Foundation
// MARK: - JSON Extensions
public extension Dictionary where Key: ExpressibleByStringLiteral, Value: Any {
// MARK: - Is
/**
Returns `true` if instance has сorresponding `JSON` value for key.
Otherwise, returns empty `false`.
- Parameters:
- key: A key to find in the dictionary.
*/
public func isJSON(forKey key: Key) -> Bool {
return isValue(forKey: key) && self[key] is MYJSON
}
/**
Returns `true` if instance has сorresponding `dictionary array` value for key.
Otherwise, returns empty `false`.
- Parameters:
- key: A key to find in the dictionary.
*/
public func isJSONArray(forKey key: Key) -> Bool {
return isValue(forKey: key) && self[key] is [MYJSON]
}
/**
Returns `true` if instance has a `value` for сorresponding key.
Otherwise, returns empty `false`.
- Parameters:
- key: A key to find in the dictionary.
*/
public func isValue(forKey key: Key) -> Bool {
return self[key] != nil
}
// MARK: - JSON
/**
Returns `JSON` for key if instance has сorresponding `JSON` value for key.
Otherwise, returns empty `dictionary`.
- Parameters:
- key: A key to find in the dictionary.
*/
public func json(forKey key: Key) -> MYJSONType {
guard isJSON(forKey: key) else {
return [:]
}
return self[key] as! MYJSONType
}
/**
Returns JSON `array` if instance has сorresponding JSON `array` value for key.
Otherwise, returns empty `array`.
- Parameters:
- key: A key to find in the dictionary.
*/
public func jsonArray(forKey key: Key) -> MYJSONArrayType {
guard isJSONArray(forKey: key) else {
return []
}
return self[key] as! MYJSONArrayType
}
// MARK: - Number
/**
Returns `number` if instance has сorresponding `number` value for key.
Otherwise, returns empty `number`.
- Parameters:
- key: A key to find in the dictionary.
*/
public func number(forKey key: Key) -> NSNumber {
guard isValue(forKey: key) else {
return NSNumber()
}
guard let number = self[key] as? NSNumber else {
return NSNumber()
}
return number
}
// MARK: - String
/**
Returns `string` if instance has сorresponding `string` value for key.
Otherwise, returns empty `string`.
- Parameters:
- key: A key to find in the dictionary.
*/
public func string(forKey key: Key) -> String {
guard isValue(forKey: key), let str = self[key] as? String else {
return ""
}
return str
}
// MARK: - Array
/**
Returns `array` if instance has сorresponding `array` value for key.
Otherwise, returns empty `array`.
- Parameters:
- key: A key to find in the dictionary.
*/
public func array<T>(forKey key: Key) -> [T] {
guard isValue(forKey: key), let array = self[key] as? [T] else {
return []
}
return array
}
}
// MARK: - JSON Equality
/**
Returns `true` if lhs and rhs are equal.
Otherwise, returns `false`.
- Parameters:
- lhs: Left operand.
- rhs: Right operand.
*/
public func == (lhs: MYJSONType, rhs: MYJSONType) -> Bool {
return NSDictionary(dictionary: lhs).isEqual(to: rhs)
}
/**
Returns `true` if lhs and rhs are equal.
Otherwise, returns `false`.
- Parameters:
- lhs: Left operand.
- rhs: Right operand.
*/
public func == (lhs: MYJSONArrayType, rhs: MYJSONArrayType) -> Bool {
return NSArray(array: lhs).isEqual(to: rhs)
}
| mit | 38ef40b9f7b1d003ac9a91e4580b611f | 24.429487 | 83 | 0.575246 | 4.197884 | false | false | false | false |
chaoyang805/DoubanMovie | DoubanMovie/HomeViewController.swift | 1 | 10185 | /*
* Copyright 2016 chaoyang805 [email protected]
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import UIKit
import SDWebImage
import ObjectMapper
class HomeViewController: UIViewController{
@IBOutlet weak var backgroundImageView: UIImageView!
@IBOutlet weak var pageControl: LoadingPageControl!
@IBOutlet weak var refreshBarButtonItem: UIBarButtonItem!
private(set) var movieDialogView: MovieDialogView!
fileprivate var animator: UIDynamicAnimator!
fileprivate var attachmentBehavior: UIAttachmentBehavior!
fileprivate var gravityBehavior: UIGravityBehavior!
fileprivate var snapBehavior: UISnapBehavior!
fileprivate var imagePrefetcher = SDWebImagePrefetcher()
fileprivate var doubanService: DoubanService {
return DoubanService.sharedService
}
fileprivate lazy var realm: RealmHelper = {
return RealmHelper()
}()
fileprivate lazy var placeHolderImage: UIImage = {
return UIImage(named: "placeholder")!
}()
fileprivate var movieCount: Int {
return resultsSet != nil ? resultsSet.subjects.count : 0
}
fileprivate var resultsSet: DoubanResultsSet! {
didSet {
self.pageControl.numberOfPages = movieCount
showCurrentMovie(animated: false)
}
}
fileprivate var currentPage: Int = 0
private var screenWidth: CGFloat {
return UIScreen.main.bounds.width
}
private var screenHeight: CGFloat {
return UIScreen.main.bounds.height
}
override func viewDidLoad() {
super.viewDidLoad()
setupMovieDialogView()
self.fetchData()
}
override func viewWillDisappear(_ animated: Bool) {
super.viewWillDisappear(animated)
self.imagePrefetcher.cancelPrefetching()
}
private func setupMovieDialogView() {
let dialogWidth = screenWidth * 280 / 375
let dialogHeight = dialogWidth / 280 * 373
let x = (screenWidth - dialogWidth) / 2
let y = (screenHeight - dialogHeight + 44) / 2
movieDialogView = MovieDialogView(frame: CGRect(x: x, y: y, width: dialogWidth, height: dialogHeight))
movieDialogView.addTarget(target: self, action: #selector(HomeViewController.movieDialogViewDidTouch(_:)), for: .touchUpInside)
let panGesture = UIPanGestureRecognizer(target: self, action: #selector(HomeViewController.handleGestures(_:)))
self.movieDialogView.addGestureRecognizer(panGesture)
self.view.addSubview(movieDialogView)
animator = UIDynamicAnimator(referenceView: self.view)
}
func movieDialogViewDidTouch(_ sender: AnyObject) {
self.performSegue(withIdentifier: "ShowDetailSegue", sender: self)
}
// MAKR: - Navigation
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
if segue.identifier == "ShowDetailSegue" {
guard let toVC = segue.destination as? MovieDetailViewController else { return }
toVC.detailMovie = resultsSet.subjects[currentPage]
}
if segue.identifier == "MenuSegue" {
if let toVC = segue.destination as? MenuViewController {
if toVC.delegate == nil {
toVC.delegate = self
}
}
}
}
}
// MARK: - refresh home view controller
extension HomeViewController {
@IBAction func refreshButtonDidTouch(_ sender: UIBarButtonItem) {
self.fetchData(force: true)
}
/**
refresh home screen data
- parameter force: force reload from internet or load local cache data
*/
fileprivate func fetchData(force: Bool = false) {
doubanService.getInTheaterMovies(at: 0, resultCount:5,forceReload: force) { [weak self](responseJSON, error) in
guard let `self` = self else { return }
self.endLoading()
if error != nil {
Snackbar.make(text: "刷新失败,请稍后重试", duration: .Short).show()
}
if responseJSON != nil {
self.resultsSet = Mapper<DoubanResultsSet>().map(JSON: responseJSON!)
self.prefetchImages()
}
}
self.beginLoading()
}
private func prefetchImages() {
let urls = self.resultsSet.subjects.map { URL(string: $0.images?.mediumImageURL ?? "") }.flatMap { $0 }
self.imagePrefetcher.prefetchURLs(urls)
}
private func beginLoading() {
UIView.animate(withDuration: 0.2) { [weak self] in
guard let `self` = self else { return }
self.backgroundImageView.alpha = 0
}
self.refreshBarButtonItem.isEnabled = false
self.movieDialogView.beginLoading()
self.pageControl.beginLoading()
}
private func endLoading() {
UIView.animate(withDuration: 0.2) { [weak self] in
guard let `self` = self else { return }
self.backgroundImageView.alpha = 1
}
self.refreshBarButtonItem.isEnabled = true
self.movieDialogView.endLoading()
self.pageControl.endLoading()
}
// test method
private func performFetch(completion: @escaping () -> Void) {
DispatchQueue(label: "network", qos: DispatchQoS.default, attributes: DispatchQueue.Attributes.concurrent).async {
NSLog("perform loading start...")
Thread.sleep(forTimeInterval: 5)
DispatchQueue.main.sync {
completion()
NSLog("perform loading completed")
}
}
}
}
// MARK: - Pages
extension HomeViewController {
@IBAction func handleGestures(_ sender: UIPanGestureRecognizer) {
let location = sender.location(in: view)
guard let myView = movieDialogView else { return }
let boxLocation = sender.location(in: myView)
switch sender.state {
case .began:
if let snap = snapBehavior{
animator.removeBehavior(snap)
}
let centerOffset = UIOffset(horizontal: boxLocation.x - myView.bounds.midX, vertical: boxLocation.y - myView.bounds.midY)
attachmentBehavior = UIAttachmentBehavior(item: myView, offsetFromCenter: centerOffset, attachedToAnchor: location)
attachmentBehavior.frequency = 0
animator.addBehavior(attachmentBehavior)
case .changed:
attachmentBehavior.anchorPoint = location
case .ended:
animator.removeBehavior(attachmentBehavior)
snapBehavior = UISnapBehavior(item: myView, snapTo: CGPoint(x: view.center.x, y: view.center.y + 22))
animator.addBehavior(snapBehavior)
let translation = sender.translation(in: view)
if abs(translation.x) < 150 {
return
}
animator.removeAllBehaviors()
if gravityBehavior == nil {
gravityBehavior = UIGravityBehavior(items: [myView])
}
if translation.x < -150 {
// 左
gravityBehavior.gravityDirection = CGVector(dx: -20.0, dy: 0)
} else if translation.x > 150 {
// 右
gravityBehavior.gravityDirection = CGVector(dx: 20.0, dy: 0)
}
animator.addBehavior(gravityBehavior)
DispatchQueue.main.asyncAfter(deadline: DispatchTime.now() + DispatchTimeInterval.milliseconds(300), execute: {
self.refreshData()
})
default:
break
}
}
private func refreshData() {
animator.removeAllBehaviors()
snapBehavior = UISnapBehavior(item: movieDialogView, snapTo: view.center)
movieDialogView.center = CGPoint(x: view.center.x, y: view.center.y + 20)
attachmentBehavior.anchorPoint = CGPoint(x: view.center.x, y: view.center.y + 20)
let scale = CGAffineTransform(scaleX: 0.5, y: 0.5)
let offsetX = gravityBehavior.gravityDirection.dx < 0 ? self.view.frame.width + 200 : -200
let translation = CGAffineTransform(translationX:offsetX, y: 0)
movieDialogView.transform = scale.concatenating(translation)
if gravityBehavior.gravityDirection.dx < 0 {
currentPage = (currentPage + 1) % movieCount
} else {
currentPage = currentPage <= 0 ? movieCount - 1 : currentPage - 1
}
showCurrentMovie(animated: true)
}
fileprivate func showCurrentMovie(animated: Bool) {
guard movieCount > 0 && currentPage < movieCount else { return }
pageControl.currentPage = currentPage
let currentMovie = resultsSet.subjects[currentPage]
movieDialogView.movie = currentMovie
backgroundImageView.sd_setImage(with: URL(string: currentMovie.images!.mediumImageURL), placeholderImage: placeHolderImage)
if animated {
UIView.animate(withDuration: 0.5, delay: 0, usingSpringWithDamping: 0.7, initialSpringVelocity: 0.7, options: UIViewAnimationOptions.curveEaseIn, animations: {
self.movieDialogView.transform = CGAffineTransform.identity
}, completion: nil)
}
}
}
| apache-2.0 | cf41af462bc7ef61dcc6c92523eb11df | 33.097315 | 171 | 0.612538 | 5.294945 | false | false | false | false |
LeoMobileDeveloper/MDTable | MDTableExample/DynamicHeightRow.swift | 1 | 1245 | //
// DynamicHeightRow.swift
// MDTableExample
//
// Created by Leo on 2017/6/16.
// Copyright © 2017年 Leo Huang. All rights reserved.
//
import Foundation
import MDTable
class DynamicHeightRow: RowConvertable{
//Protocol
var rowHeight: CGFloat{
get{
let attributes = [NSFontAttributeName: DynamicHeightCellConst.font]
let size = CGSize(width: DynamicHeightCellConst.cellWidth, height: .greatestFiniteMagnitude)
let height = (self.title as NSString).boundingRect(with: size,
options: [.usesLineFragmentOrigin],
attributes: attributes,
context: nil).size.height
return height + 8.0
}
}
var reuseIdentifier: String = "DynamicHeightRow"
var initalType: RowConvertableInitalType = RowConvertableInitalType.code(className: DynamicHeightCell.self)
//Optional evnet
var didSelectRowAt: (UITableView, IndexPath) -> Void
//Data
var title:String
init(title:String) {
self.title = title
self.didSelectRowAt = {_,_ in}
}
}
| mit | 0af4832e3e5c9d4b25c08216761317fa | 31.684211 | 111 | 0.573269 | 5.175 | false | false | false | false |
ndleon09/SwiftSample500px | pictures/Modules/Detail/DetailInteractor.swift | 1 | 1375 | //
// DetailInteractor.swift
// pictures
//
// Created by Nelson on 05/11/15.
// Copyright © 2015 Nelson Dominguez. All rights reserved.
//
import Foundation
class DetailInteractor: DetailInteractorInputProtocol {
var output : DetailInteractorOutputProtocol?
var dataManager : DetailDataManagerProtocol?
func findDetailPhoto(identifier: Double) {
dataManager?.findDetailPhoto(identifier: identifier, completion: { picture in
let detailModel = self.detailModelFromPictureModel(picture)
self.output?.foundDetailPhoto(detailModel: detailModel)
})
}
fileprivate func detailModelFromPictureModel(_ pictureModel: PictureModel?) -> DetailModel? {
if let picture = pictureModel {
let detailModel = DetailModel()
detailModel.name = picture.name
detailModel.camera = picture.camera
detailModel.descriptionText = picture.detailText
detailModel.latitude = picture.latitude
detailModel.longitude = picture.longitude
detailModel.userName = picture.user?.name
if let image = picture.user?.image {
detailModel.userImage = URL(string: image)
}
return detailModel
}
return nil
}
}
| mit | f23ee02b5755cdc9724a79ddd99488ad | 29.533333 | 97 | 0.622999 | 5.608163 | false | false | false | false |
botherbox/JSONtoModel | JSONtoModel/EasyNetwork/EasyNetwork.swift | 2 | 3594 | //
// EasyNetwork.swift
// EasyNetwork
//
// Created by BotherBox on 15/3/3.
// Copyright (c) 2015年 sz. All rights reserved.
//
import Foundation
public enum HTTPMethod: String {
case GET = "GET"
case POST = "POST"
}
public class EasyNetwork {
public typealias Completion = (data: AnyObject?, error: NSError?) -> Void
public func requestJSONWithURL(urlString: String, method: HTTPMethod, params: [String: String]?, completion:Completion) {
// 根据请求方法和请求参数字符串生成NSURLRequest
if let request = creatRequest(urlString, method: method, params: params) {
//
NSURLSession.sharedSession().dataTaskWithRequest(request, completionHandler: { (data, _, error) -> Void in
// 如果有错误直接返回
if error != nil {
completion(data: nil, error: error)
return
}
var jsonError: NSError?
let result: AnyObject? = NSJSONSerialization.JSONObjectWithData(data, options: NSJSONReadingOptions.allZeros, error: &jsonError)
// 如果反序列化失败
if result == nil {
let error = NSError(domain: EasyNetwork.errorDomain, code: 1, userInfo: ["error": "反序列化失败", "error_json": jsonError!])
completion(data: nil, error: error)
} else {
dispatch_async(dispatch_get_global_queue(0, 0), { () -> Void in
completion(data: result, error: nil)
})
}
}).resume()
// 请求成功,不继续往下走
return
}
// 请求失败
let error = NSError(domain: EasyNetwork.errorDomain, code: -1, userInfo: ["errorMsg": "请求失败"])
completion(data: nil, error: error)
}
/// 生成请求对象
func creatRequest(urlString: String, method: HTTPMethod, params: [String: String]?) -> NSURLRequest? {
if urlString.isEmpty {
return nil
}
var request: NSURLRequest?
var urlStrM = urlString
if method == HTTPMethod.GET {
// var url = NSURL(string: urlString + "?" + parseParams(params)!)
if let queryStr = parseParams(params) {
urlStrM += "?" + queryStr
}
request = NSURLRequest(URL: NSURL(string: urlStrM)!)
} else if method == HTTPMethod.POST { // POST请求
// 如果请求参数不为空
if let queryStr = parseParams(params) {
let requestM = NSMutableURLRequest(URL: NSURL(string: urlString)!)
requestM.HTTPMethod = method.rawValue
requestM.HTTPBody = queryStr.dataUsingEncoding(NSUTF8StringEncoding, allowLossyConversion: true)
request = requestM
}
}
return request
}
// 解析参数
func parseParams(params: [String: String]?) -> String? {
if params == nil || params!.isEmpty {
return nil
}
var tmpArr = [String]()
for (k, v) in params! {
tmpArr.append("\(k)=\(v)")
}
return join("&", tmpArr)
}
static let errorDomain = "com.botherbox.EasyNetwork"
/// Construction Method
public init() {}
} | mit | bfecabaad98b7fda423987fef5c48390 | 30.805556 | 144 | 0.515434 | 5.064897 | false | false | false | false |
jonnyleeharris/ento | Ento/ento/core/Entity.swift | 1 | 3164 | //
// Created by Jonathan Harris on 29/06/2015.
// Copyright © 2015 Jonathan Harris. All rights reserved.
//
import Foundation
struct EntityComponentAddedOrRemoved {
var componentClass:Any.Type;
var entity:Entity;
}
struct EntityNameChanged {
var name:String;
var entity:Entity;
}
public class Entity : Hashable {
private static var nameCount:Int = 0;
private static var hashCount:Int = 0;
private var hashNumber:Int;
public var numComponents:Int {
get {
return components.count;
}
}
/**
* All entities have a name. If no name is set, a default name is used. Names are used to
* fetch specific entities from the engine, and can also help to identify an entity when debugging.
*/
var name : String {
didSet {
self.nameChanged.fire( EntityNameChanged(name: oldValue, entity: self) );
}
}
public var hashValue:Int {
get {
return self.hashNumber;
}
}
/**
* This signal is dispatched when a component is added to the entity.
*/
private (set) var componentAdded:Signal<EntityComponentAddedOrRemoved>;
/**
* This signal is dispatched when a component is removed from the entity.
*/
private (set) var componentRemoved:Signal<EntityComponentAddedOrRemoved>;
/**
* Dispatched when the name of the entity changes. Used internally by the engine to track entities based on their names.
*/
internal var nameChanged:Signal<EntityNameChanged>;
internal var previous:Entity?;
internal var next:Entity?;
internal var components:Dictionary<String, Any>;
public init(name:String) {
self.componentAdded = Signal<EntityComponentAddedOrRemoved>()
self.componentRemoved = Signal<EntityComponentAddedOrRemoved>()
self.nameChanged = Signal<EntityNameChanged>();
self.name = name;
self.hashNumber = Entity.hashCount++
self.components = [String: Any]();
}
public convenience init() {
let name:String = "entity\(++Entity.nameCount)";
self.init(name: name);
}
public func add(component:Any) {
let key:String = String(component.dynamicType);
if let existing = self.components[key] {
remove(existing.dynamicType);
}
self.components[key] = component;
self.componentAdded.fire( EntityComponentAddedOrRemoved(componentClass: component.dynamicType, entity: self) );
}
public func remove(componentClass:Any.Type) -> Any? {
let key:String = String(componentClass);
if let existing:Any = self.components.removeValueForKey(key) {
self.componentRemoved.fire( EntityComponentAddedOrRemoved(componentClass: existing.dynamicType, entity: self) );
return existing;
} else {
return nil;
}
}
public func get<T>(componentType:T.Type) -> T? {
let key:String = String(componentType);
return self.components[key] as? T;
}
// public func getAll() -> Array<Any> {
// return [Any](self.components.values)
// }
public func has(componentType:AnyClass) -> Bool {
let key:String = String(componentType);
return self.components.keys.contains(key)
// if let _ = self.components[key] {
// return true;
// } else {
// return false;
// }
}
}
public func == (lhs:Entity, rhs:Entity) -> Bool {
return lhs.hashValue == rhs.hashValue;
}
| mit | 3399d29fa0029489ee9a65019057a8a8 | 23.145038 | 120 | 0.709453 | 3.553933 | false | false | false | false |
larrynatalicio/15DaysofAnimationsinSwift | Animation 10 - SecretTextAnimation/SecretTextAnimation/CharacterLabel.swift | 1 | 6461 | //
// CharacterLabel.swift
// SecretTextAnimation
//
// Created by Larry Natalicio on 4/27/16.
// Copyright © 2016 Larry Natalicio. All rights reserved.
//
import UIKit
import QuartzCore
import CoreText
class CharacterLabel: UILabel, NSLayoutManagerDelegate {
// MARK: - Properties
let textStorage = NSTextStorage(string: " ")
let textContainer = NSTextContainer()
let layoutManager = NSLayoutManager()
var oldCharacterTextLayers = [CATextLayer]()
var characterTextLayers = [CATextLayer]()
override var lineBreakMode: NSLineBreakMode {
get {
return super.lineBreakMode
}
set {
textContainer.lineBreakMode = newValue
super.lineBreakMode = newValue
}
}
override var numberOfLines: Int {
get {
return super.numberOfLines
}
set {
textContainer.maximumNumberOfLines = newValue
super.numberOfLines = newValue
}
}
override var bounds: CGRect {
get {
return super.bounds
}
set {
textContainer.size = newValue.size
super.bounds = newValue
}
}
override var text: String! {
get {
return super.text
}
set {
let wordRange = NSMakeRange(0, newValue.characters.count)
let attributedText = NSMutableAttributedString(string: newValue)
attributedText.addAttribute(NSForegroundColorAttributeName , value:self.textColor, range:wordRange)
attributedText.addAttribute(NSFontAttributeName , value:self.font, range:wordRange)
let paragraphStyle = NSMutableParagraphStyle()
paragraphStyle.alignment = self.textAlignment
attributedText.addAttribute(NSParagraphStyleAttributeName, value:paragraphStyle, range: wordRange)
self.attributedText = attributedText
}
}
override var attributedText: NSAttributedString? {
get {
return super.attributedText
}
set {
if textStorage.string == newValue!.string {
return
}
cleanOutOldCharacterTextLayers()
oldCharacterTextLayers = [CATextLayer](characterTextLayers)
textStorage.setAttributedString(newValue!)
}
}
// MARK: - Initializers
override init(frame: CGRect) {
super.init(frame: frame)
setupLayoutManager()
}
// MARK: - NSCoding
required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
setupLayoutManager()
}
// MARK: - View Life Cycle
override func awakeFromNib() {
super.awakeFromNib()
setupLayoutManager()
}
// MARK: - NSLayoutManagerDelegate
func layoutManager(_ layoutManager: NSLayoutManager, didCompleteLayoutFor textContainer: NSTextContainer?, atEnd layoutFinishedFlag: Bool) {
calculateTextLayers()
}
// MARK: - Convenience
func calculateTextLayers() {
characterTextLayers.removeAll(keepingCapacity: false)
let attributedText = textStorage.string
let wordRange = NSMakeRange(0, attributedText.characters.count)
let attributedString = self.internalAttributedText()
let layoutRect = layoutManager.usedRect(for: textContainer)
var index = wordRange.location
while index < wordRange.length + wordRange.location {
let glyphRange = NSMakeRange(index, 1)
let characterRange = layoutManager.characterRange(forGlyphRange: glyphRange, actualGlyphRange:nil)
let textContainer = layoutManager.textContainer(forGlyphAt: index, effectiveRange: nil)
var glyphRect = layoutManager.boundingRect(forGlyphRange: glyphRange, in: textContainer!)
let location = layoutManager.location(forGlyphAt: index)
let kerningRange = layoutManager.range(ofNominallySpacedGlyphsContaining: index)
if kerningRange.length > 1 && kerningRange.location == index {
if characterTextLayers.count > 0 {
let previousLayer = characterTextLayers[characterTextLayers.endIndex-1]
var frame = previousLayer.frame
frame.size.width += glyphRect.maxX-frame.maxX
previousLayer.frame = frame
}
}
glyphRect.origin.y += location.y-(glyphRect.height/2)+(self.bounds.size.height/2)-(layoutRect.size.height/2)
let textLayer = CATextLayer(frame: glyphRect, string: (attributedString?.attributedSubstring(from: characterRange))!)
initialTextLayerAttributes(textLayer)
layer.addSublayer(textLayer)
characterTextLayers.append(textLayer)
index += characterRange.length
}
}
func setupLayoutManager() {
textStorage.addLayoutManager(layoutManager)
layoutManager.addTextContainer(textContainer)
textContainer.size = bounds.size
textContainer.maximumNumberOfLines = numberOfLines
textContainer.lineBreakMode = lineBreakMode
layoutManager.delegate = self
}
func initialTextLayerAttributes(_ textLayer: CATextLayer) {
}
func internalAttributedText() -> NSMutableAttributedString! {
let wordRange = NSMakeRange(0, textStorage.string.characters.count)
let attributedText = NSMutableAttributedString(string: textStorage.string)
attributedText.addAttribute(NSForegroundColorAttributeName , value: self.textColor.cgColor, range:wordRange)
attributedText.addAttribute(NSFontAttributeName , value: self.font, range:wordRange)
let paragraphStyle = NSMutableParagraphStyle()
paragraphStyle.alignment = self.textAlignment
attributedText.addAttribute(NSParagraphStyleAttributeName, value:paragraphStyle, range: wordRange)
return attributedText
}
func cleanOutOldCharacterTextLayers() {
for textLayer in oldCharacterTextLayers {
textLayer.removeFromSuperlayer()
}
oldCharacterTextLayers.removeAll(keepingCapacity: false)
}
}
| mit | e7d644362221b21b8fa5ae112805bc5b | 32.82199 | 144 | 0.630341 | 6.164122 | false | false | false | false |
karstengresch/rw_studies | CoreData/HitList/HitList/ViewController.swift | 1 | 2802 | //
// ViewController.swift
// HitList
//
// Created by Karsten Gresch on 31.05.17.
// Copyright © 2017 Closure One. All rights reserved.
//
import UIKit
import CoreData
class ViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
title = "The List"
tableView.register(UITableViewCell.self, forCellReuseIdentifier: "Cell")
}
@IBOutlet weak var tableView: UITableView!
// var names: [String] = []
var people: [NSManagedObject] = []
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(true)
guard let appDelegate = UIApplication.shared.delegate as? AppDelegate else {
return
}
let managedContext = appDelegate.persistentContainer.viewContext
let fetchRequest = NSFetchRequest<NSManagedObject>(entityName: "Person")
do {
people =
try managedContext.fetch(fetchRequest)
} catch let error as NSError {
print("Coud not fetch. \(error), \(error.userInfo)")
}
}
@IBAction func addName(_ sender: UIBarButtonItem) {
let alert = UIAlertController(title: "New Name", message: "Please add a new name", preferredStyle: .alert)
let saveAction = UIAlertAction(title: "Save", style: .default) { [unowned self] action in
guard let textField = alert.textFields?.first , let nameToSave = textField.text else {
return
}
self.save(name: nameToSave)
self.tableView.reloadData()
}
let cancelAction = UIAlertAction(title: "Cancel", style: .default)
alert.addTextField()
alert.addAction(saveAction)
alert.addAction(cancelAction)
present(alert, animated: true)
}
func save(name: String) {
guard let appDelegate = UIApplication.shared.delegate as? AppDelegate else {
return
}
let managedContext = appDelegate.persistentContainer.viewContext
let entity = NSEntityDescription.entity(forEntityName: "Person", in: managedContext)!
let person = NSManagedObject(entity: entity, insertInto: managedContext)
person.setValue(name, forKeyPath: "name")
do {
try managedContext.save()
people.append(person)
} catch let error as NSError {
print("Coud not save. \(error), \(error.userInfo)")
}
}
}
extension ViewController: UITableViewDataSource {
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return people.count
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let person = people[indexPath.row]
let cell = tableView.dequeueReusableCell(withIdentifier: "Cell", for: indexPath)
cell.textLabel?.text = person.value(forKeyPath: "name") as? String
return cell
}
}
| unlicense | 5a09373aa59b263aa528334a1eacdf4d | 26.732673 | 110 | 0.676901 | 4.691792 | false | false | false | false |
Ellusioists/TimingRemind | TimingRemind/Utils/SQliteRepository.swift | 1 | 4671 | //
// SQliteRepository.swift
// PasswordKeeper-swift
//
// Created by Channing on 2017/1/3.
// Copyright © 2017年 Channing Kuo. All rights reserved.
//
import Foundation
// SQlite数据库操作类
class SQliteRepository {
public static let PASSWORDINFOTABLE: String = "dataInfoTable"
private static var db: SQLiteDB! = SQLiteDB.sharedInstance
// 创建表
class func createTable(tableName: String, columns: [ColumnType]) {
var sql = "create table if not exists \(tableName)(\(tableName)Id varchar(100) not null primary key, "
for column in columns {
sql += "\(column.colName) \(column.colType!), "
}
// 最后有一个空格字符所以取 长度 - 2
sql = sql.subString(start: 0, length: sql.characters.count - 2) + ")"
_ = SQliteRepository.db.execute(sql: sql)
}
// 存入数据
class func syncInsert(tableName: String, rowValue: [[ColumnType]]) -> CInt {
var iterator: CInt = 0
for row in rowValue {
iterator += addOrUpdate(tableName: tableName, colValue: row)
}
return iterator
}
// 插入数据或更新数据 新增主键值用guid自动生成
class func addOrUpdate(tableName: String, colValue: [ColumnType]) -> CInt {
// 1、从colValue中获取主键对应的值
var parimaryKeyValue = ""
for col in colValue {
if col.colName == tableName + "Id" {
parimaryKeyValue = col.colValue as! String
break
}
}
// 2、根据主键和表名查询对应的数据
//let id = checkExist(tableName: tableName, key: parimaryKeyValue)
var id = ""
let sql = "select \(tableName)Id from \(tableName) where \(tableName)Id = '\(parimaryKeyValue)'"
let data = SQliteRepository.db.query(sql: sql)
if(data.count > 0){
let info = data[data.count - 1]
id = info["\(tableName)Id"] as! String
}
// 3、根据查询结果决定新增或是更新
if id.isEmpty {
// Add
var sqlAdd = "insert into \(tableName)("
for col in colValue {
if col.colName == "\(tableName)Id" {
continue
}
sqlAdd += "\(col.colName), "
}
sqlAdd += "\(tableName)Id) values("
for col in colValue {
if col.colName == "\(tableName)Id" {
continue
}
sqlAdd += "'\(col.colValue!)', "
}
let parimaryKey = id.isEmpty ? UUID().uuidString : id
sqlAdd += "'" + parimaryKey + "')"
return SQliteRepository.db.execute(sql: sqlAdd)
}
else {
// Update
var sqlUpdate = "update \(tableName) set "
for col in colValue {
if col.colName == "\(tableName)Id" {
continue
}
sqlUpdate += "\(col.colName) = '\(col.colValue!)', "
}
sqlUpdate = sqlUpdate.subString(start: 0, length: sqlUpdate.characters.count - 2)
// 添加where条件
sqlUpdate += " where \(tableName)Id = '\(id)'"
return SQliteRepository.db.execute(sql: sqlUpdate)
}
}
// 删除数据
class func delete(tableName: String, columns: [ColumnType]) -> CInt {
var sql = "delete from \(tableName) where "
for (index,col) in columns.enumerated() {
if index != columns.count - 1 {
sql += "\(col.colName) = '\(col.colValue!)' and "
}
else{
sql += "\(col.colName) = '\(col.colValue!)'"
}
}
return SQliteRepository.db.execute(sql: sql)
}
// 删除数据
class func deleteAll(tableName: String) -> CInt {
let sql = "delete from \(tableName) "
return SQliteRepository.db.execute(sql: sql)
}
// 查询表数据
class func getData(tableName: String) -> [[String: Any]] {
let sql = "select * from \(tableName)"
return SQliteRepository.db.query(sql: sql)
}
// 用SQL自定义查询表数据
class func sqlExcute(sql: String) -> [[String: Any]] {
return SQliteRepository.db.query(sql: sql)
}
}
public struct ColumnType {
var colName: String
var colType: String?
var colValue: Any?
init(colName: String, colType: String?, colValue: Any?) {
self.colName = colName
self.colType = colType
self.colValue = colValue
}
}
| mit | 4508099763b2bc16f1538375f73524f4 | 31.661765 | 110 | 0.530167 | 4.304264 | false | false | false | false |
LYM-mg/DemoTest | indexView/Extesion/Category(扩展)/NSObject+Extension.swift | 1 | 7382 | //
// NSObject+Extension.swift
// chart2
//
// Created by i-Techsys.com on 16/12/3.
// Copyright © 2016年 i-Techsys. All rights reserved.
//
import UIKit
// MARK: - 弹框
extension NSObject {
/// 只有是控制器和继承UIView的控件才会弹框
/**
* - 弹框提示
* - @param info 要提醒的内容
*/
func showInfo(info: String) {
if self.isKind(of: UIViewController.self) || self.isKind(of: UIView.self) {
let alertVc = UIAlertController(title: info, message: nil, preferredStyle: .alert)
let cancelAction = UIAlertAction(title: "好的", style: .cancel, handler: nil)
alertVc.addAction(cancelAction)
UIApplication.shared.keyWindow?.rootViewController?.present(alertVc, animated: true, completion: nil)
}
}
static func showInfo(info: String) {
if self.isKind(of: UIViewController.self) || self.isKind(of: UIView.self) {
let alertVc = UIAlertController(title: info, message: nil, preferredStyle: .alert)
let cancelAction = UIAlertAction(title: "好的", style: .cancel, handler: nil)
alertVc.addAction(cancelAction)
UIApplication.shared.keyWindow?.rootViewController?.present(alertVc, animated: true, completion: nil)
}
}
}
// MARK: - RunTime
extension NSObject {
/**
获取所有的方法和属性
- parameter cls: 当前类
*/
func mg_GetMethodAndPropertiesFromClass(cls: AnyClass) {
debugPrint("方法========================================================")
var methodNum: UInt32 = 0
let methods = class_copyMethodList(cls, &methodNum)
for index in 0..<numericCast(methodNum) {
let met: Method = methods![index]
debugPrint("m_name: \(method_getName(met))")
// debugPrint("m_returnType: \(String(utf8String: method_copyReturnType(met))!)")
// debugPrint("m_type: \(String(utf8String: method_getTypeEncoding(met))!)")
}
debugPrint("属性=========================================================")
var propNum: UInt32 = 0
let properties = class_copyPropertyList(cls, &propNum)
for index in 0..<Int(propNum) {
let prop: objc_property_t = properties![index]
debugPrint("p_name: \(String(utf8String: property_getName(prop))!)")
// debugPrint("p_Attr: \(String(utf8String: property_getAttributes(prop))!)")
}
debugPrint("成员变量======================================================")
var ivarNum: UInt32 = 0
let ivars = class_copyIvarList(cls, &ivarNum)
for index in 0..<numericCast(ivarNum) {
let ivar: objc_property_t = ivars![index]
let name = ivar_getName(ivar)
debugPrint("ivar_name: \(String(cString: name!))")
}
}
/**
- parameter cls: : 当前类
- parameter originalSelector: : 原方法
- parameter swizzledSelector: : 要交换的方法
*/
/// RunTime交换方法
class func mg_SwitchMethod(cls: AnyClass, originalSelector: Selector, swizzledSelector: Selector) {
guard let originalMethod = class_getInstanceMethod(cls, originalSelector) else {
return;
}
guard let swizzledMethod = class_getInstanceMethod(cls, swizzledSelector) else {
return;
}
let didAddMethod = class_addMethod(cls, originalSelector, method_getImplementation(swizzledMethod), method_getTypeEncoding(swizzledMethod))
if didAddMethod {
class_replaceMethod(cls, swizzledSelector, method_getImplementation(originalMethod), method_getTypeEncoding(originalMethod))
} else {
method_exchangeImplementations(originalMethod, swizzledMethod);
}
}
//
public func ClassIvarsNames(c: AnyClass) -> [Any]? {
var array: [AnyHashable] = []
var ivarNum: UInt32 = 0
let ivars = class_copyIvarList(c, &ivarNum)
for index in 0..<numericCast(ivarNum) {
let ivar: objc_property_t = ivars![index]
if let name:UnsafePointer<Int8> = ivar_getName(ivar) {
debugPrint("ivar_name: \(String(cString: name))")
if let key = String(utf8String:name) {
array.append(key)
array.append("\n")
}
}
}
free(ivars)
return array
}
public func ClassMethodNames(c: AnyClass) -> [Any]? {
var array: [AnyHashable] = []
var methodCount: UInt32 = 0
let methodList = class_copyMethodList(c, &methodCount)
guard let methodArray = methodList else {
return array;
}
for i in 0..<methodCount {
array.append(NSStringFromSelector(method_getName(methodArray[Int(i)])))
}
free(methodArray)
return array
}
}
protocol SelfAware: class {
static func awake()
static func swizzlingForClass(_ forClass: AnyClass, originalSelector: Selector, swizzledSelector: Selector)
}
extension SelfAware {
static func swizzlingForClass(_ forClass: AnyClass, originalSelector: Selector, swizzledSelector: Selector) {
let originalMethod = class_getInstanceMethod(forClass, originalSelector)
let swizzledMethod = class_getInstanceMethod(forClass, swizzledSelector)
guard (originalMethod != nil && swizzledMethod != nil) else {
return
}
if class_addMethod(forClass, originalSelector, method_getImplementation(swizzledMethod!), method_getTypeEncoding(swizzledMethod!)) {
class_replaceMethod(forClass, swizzledSelector, method_getImplementation(originalMethod!), method_getTypeEncoding(originalMethod!))
} else {
method_exchangeImplementations(originalMethod!, swizzledMethod!)
}
}
}
class NothingToSeeHere {
static func harmlessFunction() {
let typeCount = Int(objc_getClassList(nil, 0))
let types = UnsafeMutablePointer.allocate(capacity: typeCount)
let autoreleasingTypes = AutoreleasingUnsafeMutablePointer(types)
objc_getClassList(autoreleasingTypes, Int32(typeCount))
for index in 0 ..< typeCount {
(types[index] as? SelfAware.Type)?.awake()
}
types.deallocate()
}
}
extension UIApplication {
private static let runOnce: Void = {
NothingToSeeHere.harmlessFunction()
}()
override open var next: UIResponder? {
UIApplication.runOnce
return super.next
}
}
extension UIButton: SelfAware {
static func awake() {
UIButton.takeOnceTime
}
private static let takeOnceTime: Void = {
let originalSelector = #selector(sendAction)
let swizzledSelector = #selector(xxx_sendAction(action:to:forEvent:))
swizzlingForClass(UIButton.self, originalSelector: originalSelector, swizzledSelector: swizzledSelector)
}()
@objc public func xxx_sendAction(action: Selector, to: AnyObject!, forEvent: UIEvent!) {
struct xxx_buttonTapCounter {
static var count: Int = 0
}
xxx_buttonTapCounter.count += 1
print(xxx_buttonTapCounter.count)
xxx_sendAction(action: action, to: to, forEvent: forEvent)
}
}
| mit | 786f94750b3b71281b1aebacf8616338 | 36.133333 | 147 | 0.611932 | 4.717264 | false | false | false | false |
Subsets and Splits