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 |
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
itsaboutcode/WordPress-iOS | WordPress/WordPressTest/NotificationTextContentTests.swift | 1 | 3750 | import XCTest
@testable import WordPress
final class NotificationTextContentTests: XCTestCase {
private let contextManager = TestContextManager()
private let entityName = Notification.classNameWithoutNamespaces()
private var subject: NotificationTextContent?
private struct Expectations {
static let text = "xxxxxx xxxxxx and 658 others liked your post Bookmark Posts with Save For Later"
static let approveAction = ApproveCommentAction(on: true, command: ApproveComment(on: true))
static let trashAction = TrashCommentAction(on: true, command: TrashComment(on: true))
}
override func setUp() {
super.setUp()
subject = NotificationTextContent(dictionary: mockDictionary(), actions: mockedActions(), ranges: [], parent: loadLikeNotification())
}
override func tearDown() {
subject = nil
super.tearDown()
}
func testKindReturnsExpectation() {
let notificationKind = subject?.kind
XCTAssertEqual(notificationKind, .text)
}
func testStringReturnsExpectation() {
let value = subject?.text
XCTAssertEqual(value, Expectations.text)
}
func testRangesAreEmpty() {
let value = subject?.ranges
XCTAssertEqual(value?.count, 0)
}
func testActionsReturnMockedActions() {
let value = subject?.actions
let mockActionsCount = mockedActions().count
XCTAssertEqual(value?.count, mockActionsCount)
}
func testMetaReturnsExpectation() {
let value = subject?.meta
XCTAssertNil(value)
}
func testKindReturnsButtonForButtonContent() {
subject = NotificationTextContent(dictionary: mockButtonContentDictionary(), actions: mockedActions(), ranges: [], parent: loadLikeNotification())
let notificationKind = subject?.kind
XCTAssertEqual(notificationKind, .button)
}
func testParentReturnsValuePassedAsParameter() {
let injectedParent = loadLikeNotification()
let parent = subject?.parent
XCTAssertEqual(parent?.notificationIdentifier, injectedParent.notificationIdentifier)
}
func testApproveCommentActionIsOn() {
let approveCommentIdentifier = ApproveCommentAction.actionIdentifier()
let on = subject?.isActionOn(id: approveCommentIdentifier)
XCTAssertTrue(on!)
}
func testApproveCommentActionIsEnabled() {
let approveCommentIdentifier = ApproveCommentAction.actionIdentifier()
let on = subject?.isActionEnabled(id: approveCommentIdentifier)
XCTAssertTrue(on!)
}
func testActionWithIdentifierReturnsExpectedAction() {
let approveCommentIdentifier = ApproveCommentAction.actionIdentifier()
let action = subject?.action(id: approveCommentIdentifier)
XCTAssertEqual(action?.identifier, approveCommentIdentifier)
}
private func mockDictionary() -> [String: AnyObject] {
return getDictionaryFromFile(named: "notifications-text-content.json")
}
private func mockButtonContentDictionary() -> [String: AnyObject] {
return getDictionaryFromFile(named: "notifications-button-text-content.json")
}
private func getDictionaryFromFile(named fileName: String) -> [String: AnyObject] {
return contextManager.object(withContentOfFile: fileName) as! [String: AnyObject]
}
private func loadLikeNotification() -> WordPress.Notification {
return contextManager.loadEntityNamed(entityName, withContentsOfFile: "notifications-like.json") as! WordPress.Notification
}
private func mockedActions() -> [FormattableContentAction] {
return [Expectations.approveAction,
Expectations.trashAction]
}
}
| gpl-2.0 | 408786dfa86b74f55fea59b986392ef5 | 33.090909 | 154 | 0.707733 | 5.530973 | false | true | false | false |
phimage/XcodeProjKit | Tests/Utils.swift | 1 | 2534 | //
// Utils.swift
//
//
// Created by phimage on 25/10/2020.
//
import Foundation
import XCTest
class Utils {
static let bundle = Bundle(for: Utils.self)
static let testURL: URL = {
#if compiler(>=5.3)
let thisFilePath = #filePath
#else
let thisFilePath = #file
#endif
return URL(fileURLWithPath: thisFilePath)
.deletingLastPathComponent()
.deletingLastPathComponent()
.appendingPathComponent("Tests")
}()
static func url(forResource resource: String, withExtension ext: String) -> URL? {
#if !os(Linux)
if let url = bundle.url(forResource: resource, withExtension: ext) {
return url
}
#endif
var url = URL(fileURLWithPath: "Tests/\(resource).\(ext)")
if FileManager.default.fileExists(atPath: url.path) {
return url
}
url = testURL.appendingPathComponent(resource).appendingPathExtension(ext)
if FileManager.default.fileExists(atPath: url.path) {
return url
}
return nil
}
}
extension XCTestCase {
func url(forResource resource: String, withExtension ext: String) -> URL? {
return Utils.url(forResource: resource, withExtension: ext)
}
func assertContentsEqual(_ url: URL, _ testURL: URL ) {
do {
let contents = try String(contentsOf: url)
let testContents = try String(contentsOf: testURL)
XCTAssertEqual(contents, testContents)
} catch {
XCTFail("\(error)")
}
}
func assertContentsNotEqual(_ url: URL, _ testURL: URL ) {
do {
let contents = try String(contentsOf: url)
let testContents = try String(contentsOf: testURL)
XCTAssertNotEqual(contents, testContents)
} catch {
XCTFail("\(error)")
}
}
}
extension String {
func replacingOccurrences(matchingPattern pattern: String, by replacement: String) -> String {
do {
let expression = try NSRegularExpression(pattern: pattern, options: [])
let matches = expression.matches(in: self, options: [], range: NSRange(startIndex..<endIndex, in: self))
return matches.reversed().reduce(into: self) { (current, result) in
let range = Range(result.range, in: current)!
current.replaceSubrange(range, with: replacement)
}
} catch {
return self
}
}
}
| mit | cd96a55215de01dc693dc908aea10c4b | 28.465116 | 116 | 0.586819 | 4.718808 | false | true | false | false |
KeisukeSoma/RSSreader | RSSReader/View6.swift | 1 | 3161 |
//
// View6.swift
// RSSReader
//
// Created by mikilab on 2015/06/19.
// Copyright (c) 2015年 susieyy. All rights reserved.
//
import UIKit
class View6: UITableViewController, MWFeedParserDelegate {
var items = [MWFeedItem]()
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view, typically from a nib.
}
override func viewWillAppear(animated: Bool) {
super.viewWillAppear(animated)
request()
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
func request() {
let URL = NSURL(string: "http://news.livedoor.com/topics/rss/eco.xml")
let feedParser = MWFeedParser(feedURL: URL);
feedParser.delegate = self
feedParser.parse()
}
func feedParserDidStart(parser: MWFeedParser) {
SVProgressHUD.show()
self.items = [MWFeedItem]()
}
func feedParserDidFinish(parser: MWFeedParser) {
SVProgressHUD.dismiss()
self.tableView.reloadData()
}
func feedParser(parser: MWFeedParser, didParseFeedInfo info: MWFeedInfo) {
print(info)
self.title = info.title
}
func feedParser(parser: MWFeedParser, didParseFeedItem item: MWFeedItem) {
print(item)
self.items.append(item)
}
override func tableView(tableView: UITableView, heightForRowAtIndexPath indexPath: NSIndexPath) -> CGFloat {
return 100
}
override func numberOfSectionsInTableView(tableView: UITableView) -> Int {
return 1
}
override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return self.items.count
}
override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
let cell = UITableViewCell(style: UITableViewCellStyle.Default, reuseIdentifier: "FeedCell")
self.configureCell(cell, atIndexPath: indexPath)
return cell
}
override func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath) {
let item = self.items[indexPath.row] as MWFeedItem
let con = KINWebBrowserViewController()
let URL = NSURL(string: item.link)
con.loadURL(URL)
self.navigationController?.pushViewController(con, animated: true)
}
func configureCell(cell: UITableViewCell, atIndexPath indexPath: NSIndexPath) {
let item = self.items[indexPath.row] as MWFeedItem
cell.textLabel?.text = item.title
cell.textLabel?.font = UIFont.systemFontOfSize(14.0)
cell.textLabel?.numberOfLines = 0
let projectURL = item.link.componentsSeparatedByString("?")[0]
let imgURL: NSURL? = NSURL(string: projectURL + "/cover_image?style=200x200#")
cell.imageView?.contentMode = UIViewContentMode.ScaleAspectFit
// cell.imageView?.setImageWithURL(imgURL, placeholderImage: UIImage(named: "logo.png"))
}
}
| mit | 8713dee5fee8eda701979c67163b0401 | 30.909091 | 118 | 0.65812 | 4.90528 | false | false | false | false |
xcbakery/xcbakery | Sources/CookingKit/Recipe/Model/Recipe.swift | 1 | 806 | //
// XCBRecipe.swift
// xcbakery
//
// Created by Nam Seok Hyeon on 5/19/17.
// Copyright © 2017 Nimbl3. All rights reserved.
//
import Foundation
import SwiftyJSON
public struct Recipe {
public let templateURL: URL
public let name: String
public let version: String
public let variableNames: [String]
public init?(json: JSON, templateURL: URL) {
guard let name = json[RecipeMappingKey.name].string else { return nil }
guard let version = json[RecipeMappingKey.version].string else { return nil }
guard let variableNames = json[RecipeMappingKey.variableNames].arrayObject as? [String] else { return nil }
self.templateURL = templateURL
self.name = name
self.version = version
self.variableNames = variableNames
}
}
| mit | e1451c41be042e2fd7d90ee405068f4a | 26.758621 | 115 | 0.680745 | 4.025 | false | false | false | false |
poolqf/FillableLoaders | Source/FillableLoader.swift | 1 | 12047 | //
// FillableLoader.swift
// PQFFillableLoaders
//
// Created by Pol Quintana on 25/7/15.
// Copyright (c) 2015 Pol Quintana. All rights reserved.
//
import UIKit
open class FillableLoader: UIView, CAAnimationDelegate {
internal var shapeLayer = CAShapeLayer()
internal var strokeLayer = CAShapeLayer()
internal var path: CGPath!
internal var loaderView = UIView()
internal var animate: Bool = false
internal var extraHeight: CGFloat = 0
internal var oldYPoint: CGFloat = 0
internal weak var loaderSuperview: UIView?
// MARK: Public Variables
/// Duration of the animation (Default: 10.0)
open var duration: TimeInterval = 10.0
/// Loader background height (Default: ScreenHeight/6 + 30)
open var rectSize: CGFloat = UIScreen.main.bounds.height/6 + 30
/// A Boolean value that determines whether the loader should have a swing effect while going up (Default: true)
open var swing: Bool = true
/// A Boolean value that determines whether the loader movement is progress based or not (Default: false)
open var progressBased: Bool = false
// MARK: Custom Getters and Setters
internal var _backgroundColor: UIColor?
internal var _loaderColor: UIColor?
internal var _loaderBackgroundColor: UIColor?
internal var _loaderStrokeColor: UIColor?
internal var _loaderStrokeWidth: CGFloat = 0.5
internal var _loaderAlpha: CGFloat = 1.0
internal var _cornerRadius: CGFloat = 0.0
internal var _progress: CGFloat = 0.0
internal var _mainBgColor: UIColor = UIColor(white: 0.2, alpha: 0.6)
/// Background color of the view holding the loader
open var mainBgColor: UIColor {
get { return _mainBgColor }
set {
_mainBgColor = newValue
super.backgroundColor = _mainBgColor
}
}
/// Loader view background color (Default: Clear)
override open var backgroundColor: UIColor? {
get { return _backgroundColor }
set {
super.backgroundColor = mainBgColor
_backgroundColor = newValue
loaderView.backgroundColor = newValue
loaderView.layer.backgroundColor = newValue?.cgColor
}
}
/// Filled loader color (Default: Blue)
open var loaderColor: UIColor? {
get { return _loaderColor }
set {
_loaderColor = newValue
shapeLayer.fillColor = newValue?.cgColor
}
}
/// Unfilled loader color (Default: White)
open var loaderBackgroundColor: UIColor? {
get { return _loaderBackgroundColor }
set {
_loaderBackgroundColor = newValue
strokeLayer.fillColor = newValue?.cgColor
}
}
/// Loader outline line color (Default: Black)
open var loaderStrokeColor: UIColor? {
get { return _loaderStrokeColor }
set {
_loaderStrokeColor = newValue
strokeLayer.strokeColor = newValue?.cgColor
}
}
/// Loader outline line width (Default: 0.5)
open var loaderStrokeWidth: CGFloat {
get { return _loaderStrokeWidth }
set {
_loaderStrokeWidth = newValue
strokeLayer.lineWidth = newValue
}
}
/// Loader view alpha (Default: 1.0)
open var loaderAlpha: CGFloat {
get { return _loaderAlpha }
set {
_loaderAlpha = newValue
loaderView.alpha = newValue
}
}
/// Loader view corner radius (Default: 0.0)
open var cornerRadius: CGFloat {
get { return _cornerRadius }
set {
_cornerRadius = newValue
loaderView.layer.cornerRadius = newValue
}
}
/// Loader fill progress from 0.0 to 1.0 . It will automatically fire an animation to update the loader fill progress (Default: 0.0)
open var progress: CGFloat {
get { return _progress }
set {
if (!progressBased || newValue > 1.0 || newValue < 0.0) { return }
_progress = newValue
applyProgress()
}
}
// MARK: Initializers Methods
/**
Creates and SHOWS a loader with the given path
:param: path Loader CGPath
:returns: The loader that's already being showed
*/
open static func showLoader(with path: CGPath, on view: UIView? = nil) -> Self {
let loader = createLoader(with: path, on: view)
loader.showLoader()
return loader
}
/**
Creates and SHOWS a progress based loader with the given path
:param: path Loader CGPath
:returns: The loader that's already being showed
*/
open static func showProgressBasedLoader(with path: CGPath, on view: UIView? = nil) -> Self {
let loader = createProgressBasedLoader(with: path, on: view)
loader.showLoader()
return loader
}
/**
Creates a loader with the given path
:param: path Loader CGPath
:returns: The created loader
*/
open static func createLoader(with path: CGPath, on view: UIView? = nil) -> Self {
let loader = self.init()
loader.initialSetup(on: view)
loader.add(path)
return loader
}
/**
Creates a progress based loader with the given path
:param: path Loader CGPath
:returns: The created loader
*/
open static func createProgressBasedLoader(with path: CGPath, on view: UIView? = nil) -> Self {
let loader = self.init()
loader.progressBased = true
loader.initialSetup(on: view)
loader.add(path)
return loader
}
internal func initialSetup(on view: UIView? = nil) {
//Setting up frame
var window = view
if view == nil, let mainWindow = UIApplication.shared.delegate?.window {
window = mainWindow
}
guard let w = window else { return }
self.frame = w.frame
self.center = CGPoint(x: w.bounds.midX, y: w.bounds.midY)
w.addSubview(self)
loaderSuperview = w
//Initial Values
defaultValues()
//Setting up loaderView
loaderView.frame = CGRect(x: frame.origin.x, y: frame.origin.y, width: frame.width, height: rectSize)
loaderView.center = CGPoint(x: frame.width/2, y: frame.height/2)
loaderView.layer.cornerRadius = cornerRadius
//Add loader to its superview
self.addSubview(loaderView)
//Initially hidden
isHidden = true
}
internal func add(_ path: CGPath) {
let bounds = path.boundingBox
let center = bounds.origin
let height = bounds.height
let width = bounds.width
assert(height <= loaderView.frame.height, "The height(\(height)) of the path has to fit the dimensions (Height: \(loaderView.frame.height) Width: \(frame.width))")
assert(width <= loaderView.frame.width, "The width(\(width)) of the path has to fit the dimensions (Height: \(loaderView.frame.width) Width: \(frame.width))")
var transformation = CGAffineTransform(translationX: -center.x - width/2 + loaderView.frame.width/2, y: -center.y - height/2 + loaderView.frame.height/2)
self.path = path.copy(using: &transformation)!
}
// MARK: Prepare Loader
/**
Shows the loader.
Atention: do not use this method after creating a loader with `showLoaderWithPath(path:)`
*/
open func showLoader() {
alpha = 1.0
isHidden = false
animate = true
generateLoader()
startAnimating()
if superview == nil {
loaderSuperview?.addSubview(self)
}
}
/**
Stops loader animations and removes it from its superview
*/
open func removeLoader(_ animated: Bool = true) {
let completion: () -> () = {
self.isHidden = false
self.animate = false
self.removeFromSuperview()
self.layer.removeAllAnimations()
self.shapeLayer.removeAllAnimations()
}
guard animated else {
completion()
return
}
UIView.animateKeyframes(withDuration: 0.2,
delay: 0,
options: .beginFromCurrentState,
animations: {
self.alpha = 0.0
}) { _ in
completion()
}
}
internal func layoutPath() {
let maskingLayer = CAShapeLayer()
maskingLayer.frame = loaderView.bounds
maskingLayer.path = path
strokeLayer = CAShapeLayer()
strokeLayer.frame = loaderView.bounds
strokeLayer.path = path
strokeLayer.strokeColor = loaderStrokeColor?.cgColor
strokeLayer.lineWidth = loaderStrokeWidth
strokeLayer.fillColor = loaderBackgroundColor?.cgColor
loaderView.layer.addSublayer(strokeLayer)
let baseLayer = CAShapeLayer()
baseLayer.frame = loaderView.bounds
baseLayer.mask = maskingLayer
shapeLayer.fillColor = loaderColor?.cgColor
shapeLayer.lineWidth = 0.2
shapeLayer.strokeColor = UIColor.black.cgColor
shapeLayer.frame = loaderView.bounds
oldYPoint = rectSize + extraHeight
shapeLayer.position = CGPoint(x: shapeLayer.position.x, y: oldYPoint)
loaderView.layer.addSublayer(baseLayer)
baseLayer.addSublayer(shapeLayer)
}
internal func defaultValues() {
duration = 10.0
backgroundColor = UIColor.clear
loaderColor = UIColor(red: 0.41, green: 0.728, blue: 0.892, alpha: 1.0)
loaderBackgroundColor = UIColor.white
loaderStrokeColor = UIColor.black
loaderStrokeWidth = 0.5
loaderAlpha = 1.0
cornerRadius = 0.0
}
//MARK: Animations
internal func startMoving(up: Bool) {
if (progressBased) { return }
let key = up ? "up" : "down"
let moveAnimation: CAKeyframeAnimation = CAKeyframeAnimation(keyPath: "position.y")
moveAnimation.values = up ? [loaderView.frame.height/2 + rectSize/2, loaderView.frame.height/2 - rectSize/2 - extraHeight] : [loaderView.frame.height/2 - rectSize/2 - extraHeight, loaderView.frame.height/2 + rectSize/2]
moveAnimation.duration = duration
moveAnimation.isRemovedOnCompletion = false
moveAnimation.fillMode = kCAFillModeForwards
moveAnimation.delegate = self
moveAnimation.setValue(key, forKey: "animation")
shapeLayer.add(moveAnimation, forKey: key)
}
internal func applyProgress() {
let yPoint = (rectSize + extraHeight)*(1-progress)
let progressAnimation: CAKeyframeAnimation = CAKeyframeAnimation(keyPath: "position.y")
progressAnimation.values = [oldYPoint, yPoint]
progressAnimation.duration = 0.2
progressAnimation.isRemovedOnCompletion = false
progressAnimation.fillMode = kCAFillModeForwards
shapeLayer.add(progressAnimation, forKey: "progress")
oldYPoint = yPoint
}
internal func startswinging() {
let swingAnimation: CAKeyframeAnimation = CAKeyframeAnimation(keyPath: "transform.rotation.z")
swingAnimation.values = [0, randomAngle(), -randomAngle(), randomAngle(), -randomAngle(), randomAngle(), 0]
swingAnimation.duration = 12.0
swingAnimation.isRemovedOnCompletion = false
swingAnimation.fillMode = kCAFillModeForwards
swingAnimation.delegate = self
swingAnimation.setValue("rotation", forKey: "animation")
shapeLayer.add(swingAnimation, forKey: "rotation")
}
internal func randomAngle() -> Double {
return M_PI_4/(Double(arc4random_uniform(16)) + 8)
}
//MARK: Abstract methods
internal func generateLoader() {
preconditionFailure("Call this method from the desired FillableLoader type class")
}
internal func startAnimating() {
preconditionFailure("Call this method from the desired FillableLoader type class")
}
}
| mit | acd066f5577c715f92f9fce9d9f9ca92 | 32.005479 | 227 | 0.628538 | 4.828457 | false | false | false | false |
Navarjun/NA-iOS-Utils | NSDate-ext.swift | 1 | 579 | //
// NSDate-ext.swift
//
// Created by Navarjun on 5/27/15.
//
import Foundation
extension NSDate {
func isLaterThan(date: NSDate) -> Bool {
if compare(date) == .OrderedDescending {
return true
}
return false
}
func isEqualTo(date: NSDate) -> Bool {
if compare(date) == .OrderedSame {
return true
}
return false
}
func isEarlierThan(date: NSDate) -> Bool {
if compare(date) == .OrderedAscending {
return true
}
return false
}
} | gpl-3.0 | e9f28322eeaa32e26a3a6e56ca5ff4e3 | 17.709677 | 48 | 0.521589 | 4.288889 | false | false | false | false |
zenonas/barmaid | Barmaid/Homebrew.swift | 1 | 1378 | //
// BrewServices.swift
// Barmaid
//
// Created by Zen Kyprianou on 14/07/2014.
// Copyright (c) 2014 Zen Kyprianou. All rights reserved.
//
import Cocoa
class Homebrew {
var task: NSTask!
var pipe: NSPipe!
var file: NSFileHandle!
var services: NSMutableArray!
init() {
self.findServices()
}
func findServices() {
self.services = NSMutableArray()
self.task = NSTask()
self.task.launchPath = "/bin/bash"
self.pipe = NSPipe()
self.file = NSFileHandle()
self.task.standardOutput = self.pipe
self.file = self.pipe.fileHandleForReading
self.task.arguments = ["-c", "/usr/bin/find -L /usr/local/opt -type f -name 'homebrew*.plist'"]
self.task.launch()
self.task.waitUntilExit()
var data = NSData()
data = self.file.readDataToEndOfFile()
var stringResult = NSString(data: data, encoding: NSUTF8StringEncoding) as String
var allPaths = stringResult.componentsSeparatedByString("\n")
for service in allPaths {
if (service != "") {
var key = service.componentsSeparatedByString("/")[4].capitalizedString
var newService = Service(name: key, path: service)
self.services.addObject(newService)
}
}
}
} | mit | 7d330345790d985d3838c4c08ce87fdb | 27.729167 | 103 | 0.586357 | 4.347003 | false | false | false | false |
DroidsOnRoids/MazeSpriteKit | Maze/GameViewController.swift | 1 | 2043 | /*
* Copyright (c) 2015 Droids on Roids LLC
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
import UIKit
import SpriteKit
class GameViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
if let scene = GameScene(fileNamed:"GameScene") {
// Configure the view.
let skView = self.view as! SKView
skView.showsFPS = true
skView.showsNodeCount = true
/* Sprite Kit applies additional optimizations to improve rendering performance */
skView.ignoresSiblingOrder = true
/* Set the scale mode to scale to fit the window */
scene.scaleMode = .AspectFit
skView.presentScene(scene)
}
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Release any cached data, images, etc that aren't in use.
}
override func prefersStatusBarHidden() -> Bool {
return true
}
}
| mit | 9c2829da61906a0ef8156a6515659555 | 36.145455 | 94 | 0.69163 | 5.069479 | false | false | false | false |
iosprogrammingwithswift/iosprogrammingwithswift | 04_Swift2015_Final.playground/Pages/03_Strings And Characters.xcplaygroundpage/Contents.swift | 1 | 3434 | //: [Previous](@previous) | [Next](@next)
//: Fun Fact: Swift’s String type is bridged with Foundation’s NSString class. If you are working with the Foundation framework in Cocoa, the entire NSString API is available to call on any String value you create when type cast to NSString, as described in AnyObject. You can also use a String value with any API that requires an NSString instance.
//: String Literals
let someString = "Some string literal value"
var emptyString = "" // empty string literal
var anotherEmptyString = String() // initializer syntax
// these two strings are both empty, and are equivalent to each other
if emptyString.isEmpty {
print("Nothing to see here")
}
var variableString = "Horse"
variableString += " and carriage"
// variableString is now "Horse and carriage"
let constantString = "Highlander"
//constantString += " and another Highlander"
// this reports a compile-time error - a constant string cannot be modified
//: Strings Are Value Types
for character in "Dog!🐶".characters {
print(character)
}
//: String Interpolation
let multiplier = 3
let message = "\(multiplier) times 2.5 is \(Double(multiplier) * 2.5)"
//: Counting Characters
let unusualMenagerie = "Koala 🐨, Snail 🐌, Penguin 🐧, Dromedary 🐪"
print("unusualMenagerie has \(unusualMenagerie.characters.count) characters")
// prints "unusualMenagerie has 40 characters"
//: Character access
let greeting = "Guten Tag!"
greeting[greeting.startIndex]
// G
greeting[greeting.endIndex.predecessor()]
// !
greeting[greeting.startIndex.successor()]
// u
let index = greeting.startIndex.advancedBy(7)
greeting[index]
// a
//: Comparing Strings
let quotation = "We're a lot alike, you and I."
let sameQuotation = "We're a lot alike, you and I."
if quotation == sameQuotation {
print("These two strings are considered equal")
}
// prints "These two strings are considered equal"
//: Prefix and Suffix Equality
let romeoAndJuliet = [
"Act 1 Scene 1: Verona, A public place",
"Act 1 Scene 2: Capulet's mansion",
"Act 1 Scene 3: A room in Capulet's mansion",
"Act 1 Scene 4: A street outside Capulet's mansion",
"Act 1 Scene 5: The Great Hall in Capulet's mansion",
"Act 2 Scene 1: Outside Capulet's mansion",
"Act 2 Scene 2: Capulet's orchard",
"Act 2 Scene 3: Outside Friar Lawrence's cell",
"Act 2 Scene 4: A street in Verona",
"Act 2 Scene 5: Capulet's mansion",
"Act 2 Scene 6: Friar Lawrence's cell"
]
var act1SceneCount = 0
for scene in romeoAndJuliet {
if scene.hasPrefix("Act 1 ") {
++act1SceneCount
}
}
print("There are \(act1SceneCount) scenes in Act 1")
var mansionCount = 0
var cellCount = 0
for scene in romeoAndJuliet {
if scene.hasSuffix("Capulet's mansion") {
++mansionCount
} else if scene.hasSuffix("Friar Lawrence's cell") {
++cellCount
}
}
print("\(mansionCount) mansion scenes; \(cellCount) cell scenes")
/*:
largely Based of [Apple's Swift Language Guide: Strings And Characters](https://developer.apple.com/library/ios/documentation/Swift/Conceptual/Swift_Programming_Language/StringsAndCharacters.html#//apple_ref/doc/uid/TP40014097-CH7-ID285 ) & [Apple's A Swift Tour](https://developer.apple.com/library/ios/documentation/Swift/Conceptual/Swift_Programming_Language/GuidedTour.html#//apple_ref/doc/uid/TP40014097-CH2-ID1 )
*/
//: [Previous](@previous) | [Next](@next)
| mit | 081f4414bb4ec4be9cdf73c95b5efc31 | 32.15534 | 418 | 0.715959 | 3.699892 | false | false | false | false |
asurinsaka/swift_examples_2.1 | LocateMe/LocateMe/TrackViewController.swift | 1 | 6293 | //
// TrackViewController.swift
// LocateMe
//
// Created by doudou on 8/17/14.
// Copyright (c) 2014 larryhou. All rights reserved.
//
import Foundation
import CoreLocation
import UIKit
class TrackViewController:UITableViewController, SetupSettingReceiver, CLLocationManagerDelegate
{
enum TrackStatus:String
{
case Tracking = "Tracking"
case Acquired = "Acquired Location"
case Error = "Error"
}
enum SectionType:Int
{
case TrackStatus
case Property
case Measurements
}
enum CellIdentifier:String
{
case Status = "StatusCell"
case Measurement = "MeasurementCell"
case Property = "PropertyCell"
}
private var measurements:[CLLocation]!
private var location:CLLocation!
private var status:TrackStatus!
private var dateFormatter:NSDateFormatter!
private var locationManager:CLLocationManager!
private var setting:LocateSettingInfo!
func setupSetting(setting: LocateSettingInfo)
{
self.setting = setting
}
override func viewDidLoad()
{
measurements = []
locationManager = CLLocationManager()
dateFormatter = NSDateFormatter()
dateFormatter.dateFormat = localizeString("DateFormat")
}
override func viewWillDisappear(animated: Bool)
{
stopTrackLocation()
}
override func viewWillAppear(animated: Bool)
{
print(setting)
startTrackLocation()
}
@IBAction func refresh(sender: UIBarButtonItem)
{
startTrackLocation()
}
//MARK: 定位相关
func locationManager(manager: CLLocationManager, didUpdateToLocation newLocation: CLLocation, fromLocation oldLocation: CLLocation)
{
measurements.insert(newLocation, atIndex: 0)
location = newLocation
if location.horizontalAccuracy <= setting.accuracy
{
status = .Acquired
navigationItem.rightBarButtonItem!.enabled = true
stopTrackLocation()
}
tableView.reloadData()
}
func locationManager(manager: CLLocationManager, didFailWithError error: NSError)
{
status = .Error
navigationItem.rightBarButtonItem!.enabled = true
tableView.reloadData()
}
func startTrackLocation()
{
status = .Tracking
navigationItem.rightBarButtonItem!.enabled = false
tableView.reloadData()
locationManager.delegate = self
locationManager.desiredAccuracy = setting.accuracy
locationManager.distanceFilter = CLLocationDistance(setting.sliderValue)
if CLLocationManager.authorizationStatus() != .AuthorizedWhenInUse
{
locationManager.requestWhenInUseAuthorization()
}
locationManager.startUpdatingLocation()
}
func stopTrackLocation()
{
locationManager.stopUpdatingLocation()
locationManager.delegate = nil
}
//MARK: 列表相关
override func numberOfSectionsInTableView(tableView: UITableView) -> Int
{
return 3
}
override func tableView(tableView: UITableView, heightForRowAtIndexPath indexPath: NSIndexPath) -> CGFloat
{
switch SectionType(rawValue: indexPath.section)!
{
case .TrackStatus:return 44.0
default:return super.tableView(tableView, heightForRowAtIndexPath: indexPath)
}
}
override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int
{
switch SectionType(rawValue: section)!
{
case .TrackStatus:return 1
case .Property:return 4
case .Measurements:return measurements.count
}
}
override func tableView(tableView: UITableView, titleForHeaderInSection section: Int) -> String?
{
switch SectionType(rawValue: section)!
{
case .TrackStatus:return localizeString("Status")
case .Property:return localizeString("RTStats")
case .Measurements:return localizeString("All Measurements")
}
}
override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
switch SectionType(rawValue: indexPath.section)!
{
case .TrackStatus:
let cell = tableView.dequeueReusableCellWithIdentifier(CellIdentifier.Status.rawValue) as! TrackStatusTableViewCell
cell.label.text = localizeString(status.rawValue)
if status == .Tracking
{
if !cell.indicator.isAnimating()
{
cell.indicator.startAnimating()
}
}
else
{
if cell.indicator.isAnimating()
{
cell.indicator.stopAnimating()
}
}
return cell
case .Property:
let cell = tableView.dequeueReusableCellWithIdentifier(CellIdentifier.Property.rawValue)! as UITableViewCell
switch indexPath.row
{
case 0:
cell.textLabel!.text = localizeString("accuracy")
cell.detailTextLabel!.text = location != nil ? location.getHorizontalAccuracyString() : "-"
case 1:
cell.textLabel!.text = localizeString("course")
cell.detailTextLabel!.text = location != nil ? location.getCourseString() : "-"
case 2:
cell.textLabel!.text = localizeString("speed")
cell.detailTextLabel!.text = location != nil ? location.getSpeedString() : "-"
case 3: fallthrough default:
cell.textLabel!.text = localizeString("time")
cell.detailTextLabel!.text = location != nil ? dateFormatter.stringFromDate(location.timestamp) : "-"
}
return cell
case .Measurements:
let location:CLLocation = measurements[indexPath.row]
let cell = tableView.dequeueReusableCellWithIdentifier(CellIdentifier.Measurement.rawValue)! as UITableViewCell
cell.textLabel!.text = location.getCoordinateString()
cell.detailTextLabel!.text = dateFormatter.stringFromDate(location.timestamp)
return cell
}
}
//MARK: 数据透传
override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject!)
{
if segue.identifier == "LocationDetailSegue"
{
let indexPath = tableView.indexPathForCell(sender as! UITableViewCell)
let destinationCtrl = segue.destinationViewController as! LocationDetailViewController
destinationCtrl.location = measurements[indexPath!.row]
}
}
}
| mit | 79eb6fc1fda6cbadb46d9144e642e5d8 | 27.112108 | 132 | 0.684001 | 4.800153 | false | false | false | false |
PauuloG/app-native-ios | film-quizz/Classes/ViewControllers/ViewController.swift | 1 | 2067 | //
// ViewController.swift
// film-quizz
//
// Created by Paul Gabriel on 06/06/16.
// Copyright © 2016 Paul Gabriel. All rights reserved.
//
import UIKit
class ViewController: UIViewController {
@IBOutlet weak var PlayButton: UIButton!
@IBOutlet weak var SuccessButton: UIButton!
let launchedBefore = NSUserDefaults.standardUserDefaults().boolForKey("launchedBefore")
required init(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)!
if self.launchedBefore {
UserManager.retrieveUser()
}
else {
NSUserDefaults.standardUserDefaults().setBool(true, forKey: "launchedBefore")
UserManager.createUser()
}
}
override func viewDidLoad() {
super.viewDidLoad()
self.view.backgroundColor = UIColor(red:0.19, green:0.18, blue:0.22, alpha:1.0)
UIApplication.sharedApplication().statusBarStyle = UIStatusBarStyle.LightContent
PlayButton.layer.cornerRadius = 20
PlayButton.layer.backgroundColor = UIColor(red:0.93, green:0.46, blue:0.40, alpha:1.0).CGColor
SuccessButton.layer.cornerRadius = 20
SuccessButton.layer.backgroundColor = UIColor(red:1.00, green:1.00, blue:1.00, alpha:1.0).CGColor
self.navigationController?.setNavigationBarHidden(true, animated: false)
}
override func shouldAutorotate() -> Bool {
return false
}
override func supportedInterfaceOrientations() -> UIInterfaceOrientationMask {
return UIInterfaceOrientationMask.Portrait
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) {
let backItem = UIBarButtonItem()
backItem.title = ""
navigationItem.backBarButtonItem = backItem // This will show in the next view controller being pushed
}
}
| mit | cc4df843c6618392d8e9356856dbe2ac | 29.835821 | 110 | 0.655857 | 5.063725 | false | false | false | false |
GabrielAraujo/VaporMongo | Sources/App/Resp.swift | 1 | 1205 | //
// Resp.swift
// VaporMongo
//
// Created by Gabriel Araujo on 07/11/16.
//
//
import Foundation
import Vapor
import HTTP
struct Resp : ResponseRepresentable {
let success: Bool
let error: Int?
let message: String
let data: Node?
init(success:Bool, error:Int?, message:String, data:Node?) {
self.success = success
self.error = error
self.message = message
self.data = data
}
//Success
init(data:Node) {
self.success = true
self.error = nil
self.message = "Success!"
self.data = data
}
init(message:String) {
self.success = true
self.error = nil
self.message = message
self.data = nil
}
//Error
init(error:Errors) {
self.success = false
self.error = error.getId()
self.message = error.getMessage()
self.data = nil
}
func makeResponse() throws -> Response {
let json = try JSON(node:
[
"success": success,
"error": error,
"message": message,
"data": data
]
)
return try json.makeResponse()
}
}
| mit | e07a145cb21482965997bfd6fcb3f273 | 19.083333 | 64 | 0.526971 | 4.098639 | false | false | false | false |
pikacode/EBBannerView | EBBannerView/SwiftClasses/EBBannerWindow.swift | 1 | 2838 | //
// EBBannerWindow.swift
// EBBannerViewSwift
//
// Created by pikacode on 2020/1/2.
//
import UIKit
class EBBannerWindow: UIWindow {
@available(iOS 13.0, *)
public override init(windowScene: UIWindowScene){
super.init(windowScene: windowScene)
}
static let shared: EBBannerWindow = {
var window: EBBannerWindow
if #available(iOS 13.0, *) {
window = EBBannerWindow(windowScene: UIApplication.shared.keyWindow!.windowScene!)
} else {
window = EBBannerWindow(frame: .zero)
}
window.windowLevel = .alert
window.layer.masksToBounds = false
let keyWindow = UIApplication.shared.keyWindow
window.makeKeyAndVisible()
/* fix bug:
EBBannerViewController setSupportedInterfaceOrientations -> Portrait
push to a VC with orientation Left
UITextFiled's pad will show a wrong orientation with Portrait
*/
EBEmptyWindow.shared.makeKeyAndVisible()
keyWindow?.makeKeyAndVisible()
EBBannerController.setSupportedInterfaceOrientations(value: [.portrait, .landscape])
EBBannerController.setStatusBarHidden(hidden: false)
let vc = EBBannerController()
vc.view.backgroundColor = .clear
let size = UIScreen.main.bounds.size
vc.view.frame = CGRect(x: 0, y: 0, width: size.width, height: size.height)
window.rootViewController = vc
return window
}()
override init(frame: CGRect) {
super.init(frame: frame)
addObserver(self, forKeyPath: "frame", options: [.new, .old], context: nil)
}
required init?(coder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
deinit {
if #available(iOS 13.0, *) {
print("")
} else {
removeObserver(self, forKeyPath: "frame")
}
}
override func observeValue(forKeyPath keyPath: String?, of object: Any?, change: [NSKeyValueChangeKey : Any]?, context: UnsafeMutableRawPointer?) {
if keyPath == "frame" && !frame.equalTo(.zero) {
frame = .zero
}
}
override func hitTest(_ point: CGPoint, with event: UIEvent?) -> UIView? {
var view: UIView?
for v in rootViewController?.view.subviews ?? [UIView]() {
if v.frame.contains(point) {
view = v
break
}
}
if view == nil {
if #available(iOS 13.0, *) {
return UIApplication.shared.keyWindow?.hitTest(point, with: event)
} else {
return super.hitTest(point, with: event)
}
} else {
let p = convert(point, to: view)
return view?.hitTest(p, with: event)
}
}
}
| mit | 0c92f39a9a994b865a257df81c4836c1 | 30.533333 | 151 | 0.584567 | 4.519108 | false | false | false | false |
HTWDD/HTWDresden-iOS | HTWDD/Core/Extensions/NSObject+Rx.swift | 1 | 1621 | // from https://github.com/RxSwiftCommunity/NSObject-Rx -> don't want to import in every file a module for this
import Foundation
import RxSwift
import ObjectiveC
import RealmSwift
extension Reactive where Base: NSObject {
}
public extension NSObject {
private struct AssociatedKeys {
static var DisposeBag = "rx_disposeBag"
}
private func doLocked(closure: () -> Void) {
objc_sync_enter(self); defer { objc_sync_exit(self) }
closure()
}
var rx_disposeBag: DisposeBag {
get {
var disposeBag: DisposeBag!
doLocked {
let lookup = objc_getAssociatedObject(self, &AssociatedKeys.DisposeBag) as? DisposeBag
if let lookup = lookup {
disposeBag = lookup
} else {
let newDisposeBag = DisposeBag()
self.rx_disposeBag = newDisposeBag
disposeBag = newDisposeBag
}
}
return disposeBag
}
set {
doLocked {
objc_setAssociatedObject(self, &AssociatedKeys.DisposeBag, newValue, .OBJC_ASSOCIATION_RETAIN_NONATOMIC)
}
}
}
}
protocol ScopeFunc {}
extension ScopeFunc {
@inline(__always) func apply(block: (Self) -> ()) {
block(self)
}
@inline(__always) func also(block: (Self) -> ()) -> Self {
block(self)
return self
}
@inline(__always) func with<R>(block: (Self) -> R) -> R {
return block(self)
}
}
extension NSObject: ScopeFunc {}
| gpl-2.0 | f5e4e92118e75a1196b256f5a7b5c4b2 | 23.560606 | 120 | 0.553362 | 4.853293 | false | false | false | false |
cbot/Silk | Classes/Request.swift | 1 | 2001 | import Foundation
public class Request: Equatable {
public typealias SuccessClosure = ((_ body: String, _ data: Data, _ response: HTTPURLResponse, _ request: Request)->())?
public typealias ErrorClosure = ((_ error: NSError, _ body: String, _ data: Data, _ response: HTTPURLResponse?, _ request: Request)->())?
var manager: SilkManager
internal(set) var successClosure: SuccessClosure
internal(set) var errorClosure: ErrorClosure
private(set) var tag: String = UUID().uuidString
private(set) var group = "Requests"
public var compoundContext = [String: AnyObject]()
func context(_ context: [String: AnyObject]) -> Self {
compoundContext = context
return self
}
init(manager: SilkManager) {
self.manager = manager
}
@discardableResult
public func tag(_ requestTag: String) -> Self {
tag = requestTag
return self
}
@discardableResult
public func group(_ requestGroup: String) -> Self {
group = requestGroup
return self
}
@discardableResult
public func completion(_ success: SuccessClosure, error: ErrorClosure) -> Self {
successClosure = success
errorClosure = error
return self
}
@discardableResult
public func execute() -> Bool {
// empty implementation, for subclasses to override
return true
}
public func cancel() {
manager.unregisterRequest(self)
// empty implementation, for subclasses to override
}
func appendResponseData(_ data: Data, task: URLSessionTask) {
// empty implementation, for subclasses to override
}
func handleResponse(_ response: HTTPURLResponse, error: NSError?, task: URLSessionTask) {
// empty implementation, for subclasses to override
}
}
// MARK: - Equatable
public func ==(lhs: Request, rhs: Request) -> Bool {
return ObjectIdentifier(lhs) == ObjectIdentifier(rhs)
}
| mit | fd5a991c8fc84ad3cbf7afe343915ad6 | 29.784615 | 141 | 0.641179 | 4.977612 | false | false | false | false |
cpoutfitters/cpoutfitters | CPOutfitters/Event.swift | 1 | 1279 | //
// Event.swift
// CPOutfitters
//
// Created by Aditya Purandare on 11/03/16.
// Copyright © 2016 SnazzyLLama. All rights reserved.
//
import UIKit
import Parse
class Event: PFObject {
var host: PFUser?
var details: String?
var date: NSDate?
var title: String?
var invited: [PFUser]?
var attending: [PFUser]?
var notAttending: [PFUser]?
var outfits: [PFUser: Outfit]?
override class func initialize() {
struct Static {
static var onceToken : dispatch_once_t = 0;
}
dispatch_once(&Static.onceToken) {
self.registerSubclass()
}
}
static func parseClassName() -> String {
return "Event"
}
override init() {
super.init()
}
init(object: PFObject) {
super.init()
self.host = object["host"] as? PFUser
self.details = object["details"] as? String
self.date = object["date"] as? NSDate
self.title = object["title"] as? String
self.invited = object["invited"] as? [PFUser]
self.attending = object["attending"] as? [PFUser]
self.notAttending = object["not_attending"] as? [PFUser]
self.outfits = object["outfit"] as? [PFUser: Outfit]
}
}
| apache-2.0 | d8fd00405d4e4b47e3ec881a1f76fb9a | 23.576923 | 64 | 0.574335 | 3.896341 | false | false | false | false |
steveholt55/metro | iOS/MetroTransit/Controller/Route/RoutesViewController.swift | 1 | 3953 | //
// Copyright © 2016 Brandon Jenniges. All rights reserved.
//
import UIKit
import Alamofire
class RoutesViewController: UIViewController, RoutesViewModelListener {
@IBOutlet weak var tableview: UITableView!
var viewModel: RoutesViewModel!
//test
let httpClient = HTTPClient()
override func viewDidLoad() {
super.viewDidLoad()
self.viewModel = RoutesViewModel(listener: self)
if !AppDelegate.isTesting() { // Needed to make mock server work for testing
self.viewModel.getRoutes()
}
}
override func viewWillAppear(animated: Bool) {
super.viewWillAppear(animated)
if let selectedIndexPath = tableview.indexPathForSelectedRow {
tableview.deselectRowAtIndexPath(selectedIndexPath, animated: true)
}
}
override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) {
if segue.identifier == DirectionsViewController.segue {
let viewController = segue.destinationViewController as! DirectionsViewController
viewController.viewModel = DirectionsViewModel(listener: viewController, route: self.viewModel.displayRoutes[tableview.indexPathForSelectedRow!.row])
} else if segue.identifier == VehiclesViewController.segue {
let viewController = segue.destinationViewController as! VehiclesViewController
let route = self.viewModel.displayRoutes[tableview.indexPathForSelectedRow!.row]
let vehicles = self.viewModel.vehicles
viewController.viewModel = VehiclesViewModel(listener: viewController, route: route, vehicles: vehicles)
}
}
static func getViewController() -> RoutesViewController {
return UIStoryboard(name: "Main", bundle: nil).instantiateViewControllerWithIdentifier(String(RoutesViewController)) as! RoutesViewController
}
// MARK : - Screen
func showScreenPicker() {
let route = self.viewModel.displayRoutes[tableview.indexPathForSelectedRow!.row]
let controller = UIAlertController(title: route.name, message: nil, preferredStyle: .ActionSheet)
let directionsAction = UIAlertAction(title: "Directions", style: .Default, handler: { (action: UIAlertAction) -> Void in
self.performSegueWithIdentifier(DirectionsViewController.segue, sender: self)
})
let vehiclesAction = UIAlertAction(title: "Vehicles", style: .Default, handler: { (action: UIAlertAction) -> Void in
VehicleLocation.get(route, complete: { (vehicles) -> Void in
self.viewModel.vehicles = vehicles
if (vehicles.count > 0) {
self.performSegueWithIdentifier(VehiclesViewController.segue, sender: self)
} else {
self.alertNoVehicles(route)
}
})
})
controller.addAction(directionsAction)
controller.addAction(vehiclesAction)
controller.addAction(UIAlertAction(title: "Cancel", style: .Cancel, handler: { (action: UIAlertAction) -> Void in
if let selectedIndexPath = self.tableview.indexPathForSelectedRow {
self.tableview.deselectRowAtIndexPath(selectedIndexPath, animated: true)
}
}))
self.presentViewController(controller, animated: true, completion:nil)
}
func alertNoVehicles(route: Route) {
let title = route.name!
let message = "There are currently no active vehicles for this route."
let alert = UIAlertController(title: title, message: message, preferredStyle: .Alert)
alert.addAction(UIAlertAction(title: "OK", style: .Default, handler: nil))
self.presentViewController(alert, animated: true, completion: nil)
}
// MARK: - Routes view
func reload() {
self.tableview.reloadData()
}
} | mit | f189cca8209fa4b34eed57f693d141fe | 41.505376 | 161 | 0.664221 | 5.406293 | false | false | false | false |
yume190/JSONDecodeKit | Sources/JSONDecodeKit/JSON/JSON+Dictionary+ValueArray.swift | 1 | 1247 | //
// JSON+DictionaryArray.swift
// JSONDecodeKit
//
// Created by Yume on 2017/11/20.
// Copyright © 2017年 Yume. All rights reserved.
//
import Foundation
// MARK: Get [Key:[Value]]
extension JSON {
public func dictionaryValueArray<Key,Value:JSONDecodable>() -> [Key:[Value]] {
return toDictionaryValueArray(json: self) { (any:Any) -> [Value] in
(try? JSON(any: any).array()) ?? []
}
}
public func dictionaryValueArray<Key,Value:RawRepresentable>() -> [Key:[Value]] where Value.RawValue: PrimitiveType {
return toDictionaryValueArray(json: self) { (any:Any) -> [Value] in
JSON(any: any).array()
}
}
}
private func toDictionaryValueArray<Key,Value>(json: JSON, valueTransform:(Any) -> [Value]) -> [Key:[Value]] {
guard let dic = json.data as? NSDictionary else {
return [Key:[Value]]()
}
return dic.reduce([Key:[Value]]()) { (result:[Key:[Value]], set:(key: Any, value: Any)) -> [Key:[Value]] in
guard let key = set.key as? Key else {
return result
}
let values = valueTransform(set.value)
var result = result
result[key] = values
return result
}
}
| mit | cb754580cd3920660fea629e3b079c3e | 28.619048 | 121 | 0.584405 | 3.875389 | false | false | false | false |
JakeLin/IBAnimatable | IBAnimatableApp/IBAnimatableApp/Playground/Utils/ParamType.swift | 2 | 3169 | //
// Created by jason akakpo on 27/07/16.
// Copyright © 2016 IBAnimatable. All rights reserved.
//
import Foundation
import UIKit
extension String {
/// Returns `NSAttributedString` with specified color.
func colorize(_ color: UIColor) -> NSAttributedString {
return NSAttributedString(string: self, attributes: [.foregroundColor: color])
}
}
extension Array {
/// Returns the element at the specified index iff it is within bounds, otherwise nil.
subscript(safe index: Int) -> Element? {
return indices.contains(index) ? self[index] : nil /// Returns the element at the specified index iff it is within bounds, otherwise nil.
}
}
enum ParamType {
case number(min: Double, max: Double, interval: Double, ascending: Bool, unit: String)
case enumeration(values: [String])
#if swift(>=4.2)
init<T: RawRepresentable>(fromEnum: T.Type) where T: CaseIterable {
let iterator = iterateEnum(fromEnum)
let values = iterator.map { String(describing: $0.rawValue) }
self = .enumeration(values: values)
}
#else
init<T: RawRepresentable>(fromEnum: T.Type) where T: Hashable {
let iterator = iterateEnum(fromEnum)
let values = iterator.map { String(describing: $0.rawValue) }
self = .enumeration(values: values)
}
#endif
/// Number of different values to show in the picker
func count() -> Int {
switch self {
case let .number(min, max, interval, _, _):
return Int(ceil((max - min) / interval) + 1)
case .enumeration(let val):
return val.count
}
}
/// Number at Index, use just for number case.
func value(at index: Int) -> String {
let formatter = NumberFormatter()
formatter.minimumFractionDigits = 0
formatter.maximumFractionDigits = 3
switch self {
case let .number(min, _, interval, ascending, _) where ascending == true:
return formatter.string(from: NSNumber(value: min + Double(index) * interval))!
case let .number(_, max, interval, _, _):
return formatter.string(from: NSNumber(value: max - Double(index) * interval))!
case let .enumeration(values):
return values[safe: index] ?? ""
}
}
func title(at index: Int) -> String {
switch self {
case .enumeration:
return value(at: index)
case let .number(_, _, _, _, unit):
return ("\(value(at: index)) \(unit)").trimmingCharacters(in: CharacterSet.whitespaces)
}
}
var reversed: ParamType {
switch self {
case .number(let min, let max, let interval, let ascending, let unit):
return .number(min: min, max: max, interval: interval, ascending: !ascending, unit: unit)
case .enumeration(let values):
return .enumeration(values: values.reversed())
}
}
}
struct PickerEntry {
let params: [ParamType]
let name: String
}
extension PickerEntry {
/// Convert the entry to a `AnimationType` string
func toString(selectedIndexes indexes: Int?...) -> String {
let paramString = indexes.enumerated().compactMap({ (val: (Int, Int?)) -> String? in let (i, index) = val
return params[safe:i]?.value(at: index ?? 0)
}).joined(separator: ",")
return "\(name)(\(paramString))"
}
}
| mit | 2a12007e5ada302105954bc64275363e | 30.058824 | 142 | 0.660985 | 3.974906 | false | false | false | false |
gerardogrisolini/Webretail | Sources/Webretail/Models/TagValue.swift | 1 | 2936 | //
// TagValue.swift
// Webretail
//
// Created by Gerardo Grisolini on 07/11/17.
//
import Foundation
import StORM
class TagValue: PostgresSqlORM, Codable {
public var tagValueId : Int = 0
public var tagGroupId : Int = 0
public var tagValueCode : String = ""
public var tagValueName : String = ""
public var tagValueTranslates: [Translation] = [Translation]()
public var tagValueCreated : Int = Int.now()
public var tagValueUpdated : Int = Int.now()
private enum CodingKeys: String, CodingKey {
case tagValueId
case tagGroupId
case tagValueCode
case tagValueName
case tagValueTranslates = "translations"
}
open override func table() -> String { return "tagvalues" }
open override func tableIndexes() -> [String] { return ["tagValueCode"] }
open override func to(_ this: StORMRow) {
tagValueId = this.data["tagvalueid"] as? Int ?? 0
tagGroupId = this.data["taggroupid"] as? Int ?? 0
tagValueCode = this.data["tagvaluecode"] as? String ?? ""
tagValueName = this.data["tagvaluename"] as? String ?? ""
if let translates = this.data["tagvaluetranslates"] as? [String:Any] {
let jsonData = try! JSONSerialization.data(withJSONObject: translates, options: [])
tagValueTranslates = try! JSONDecoder().decode([Translation].self, from: jsonData)
}
tagValueCreated = this.data["tagvaluecreated"] as? Int ?? 0
tagValueUpdated = this.data["tagvalueupdated"] as? Int ?? 0
}
func rows() -> [TagValue] {
var rows = [TagValue]()
for i in 0..<self.results.rows.count {
let row = TagValue()
row.to(self.results.rows[i])
rows.append(row)
}
return rows
}
override init() {
super.init()
}
required init(from decoder: Decoder) throws {
super.init()
let container = try decoder.container(keyedBy: CodingKeys.self)
tagValueId = try container.decode(Int.self, forKey: .tagValueId)
tagGroupId = try container.decode(Int.self, forKey: .tagGroupId)
tagValueCode = try container.decode(String.self, forKey: .tagValueCode)
tagValueName = try container.decode(String.self, forKey: .tagValueName)
tagValueTranslates = try container.decodeIfPresent([Translation].self, forKey: .tagValueTranslates) ?? [Translation]()
}
func encode(to encoder: Encoder) throws {
var container = encoder.container(keyedBy: CodingKeys.self)
try container.encode(tagValueId, forKey: .tagValueId)
try container.encode(tagGroupId, forKey: .tagGroupId)
try container.encode(tagValueCode, forKey: .tagValueCode)
try container.encode(tagValueName, forKey: .tagValueName)
try container.encode(tagValueTranslates, forKey: .tagValueTranslates)
}
}
| apache-2.0 | 90601fe859986484bdf9f2cc9bdb0356 | 36.164557 | 126 | 0.638965 | 4.170455 | false | false | false | false |
russbishop/swift | test/DebugInfo/patternmatching.swift | 1 | 3046 | // RUN: %target-swift-frontend -primary-file %s -emit-ir -g -o %t.ll
// RUN: FileCheck %s < %t.ll
// RUN: FileCheck --check-prefix=CHECK-SCOPES %s < %t.ll
// RUN: %target-swift-frontend -emit-sil -emit-verbose-sil -primary-file %s -o - | FileCheck %s --check-prefix=SIL-CHECK
func markUsed<T>(_ t: T) {}
func classifyPoint2(_ p: (Double, Double)) {
func return_same (_ input : Double) -> Double
{
return input; // return_same gets called in both where statements
}
switch p {
case (let x, let y) where
// CHECK: call double {{.*}}return_same{{.*}}, !dbg ![[LOC1:.*]]
// CHECK: br {{.*}}, label {{.*}}, label {{.*}}, !dbg ![[LOC2:.*]]
// CHECK: call{{.*}}markUsed{{.*}}, !dbg ![[LOC3:.*]]
// CHECK: ![[LOC1]] = !DILocation(line: [[@LINE+2]],
// CHECK: ![[LOC2]] = !DILocation(line: [[@LINE+1]],
return_same(x) == return_same(y):
// CHECK: ![[LOC3]] = !DILocation(line: [[@LINE+1]],
markUsed(x)
// SIL-CHECK: dealloc_stack{{.*}}line:[[@LINE-1]]:17:cleanup
// Verify that the branch has a location >= the cleanup.
// SIL-CHECK-NEXT: br{{.*}}line:[[@LINE-3]]:17:cleanup
// CHECK-SCOPES: call {{.*}}markUsed
// CHECK-SCOPES: call void @llvm.dbg{{.*}}metadata ![[X1:[0-9]+]],
// CHECK-SCOPES-SAME: !dbg ![[X1LOC:[0-9]+]]
// CHECK-SCOPES: call void @llvm.dbg
// CHECK-SCOPES: call void @llvm.dbg{{.*}}metadata ![[X2:[0-9]+]],
// CHECK-SCOPES-SAME: !dbg ![[X2LOC:[0-9]+]]
// CHECK-SCOPES: call void @llvm.dbg
// CHECK-SCOPES: call void @llvm.dbg{{.*}}metadata ![[X3:[0-9]+]],
// CHECK-SCOPES-SAME: !dbg ![[X3LOC:[0-9]+]]
// CHECK-SCOPES: !DILocalVariable(name: "x",
case (let x, let y) where x == -y:
// Verify that all variables end up in separate appropriate scopes.
// CHECK-SCOPES: !DILocalVariable(name: "x", scope: ![[SCOPE1:[0-9]+]],
// CHECK-SCOPES-SAME: line: [[@LINE-3]]
// CHECK-SCOPES: ![[X1LOC]] = !DILocation(line: [[@LINE-4]], column: 15,
// CHECK-SCOPES-SAME: scope: ![[SCOPE1]])
// FIXME: ![[SCOPE1]] = distinct !DILexicalBlock({{.*}}line: [[@LINE-6]]
markUsed(x)
case (let x, let y) where x >= -10 && x < 10 && y >= -10 && y < 10:
// CHECK-SCOPES: !DILocalVariable(name: "x", scope: ![[SCOPE2:[0-9]+]],
// CHECK-SCOPES-SAME: line: [[@LINE-2]]
// CHECK-SCOPES: ![[X2LOC]] = !DILocation(line: [[@LINE-3]], column: 15,
// CHECK-SCOPES-SAME: scope: ![[SCOPE2]])
markUsed(x)
case (let x, let y):
// CHECK-SCOPES: !DILocalVariable(name: "x", scope: ![[SCOPE3:[0-9]+]],
// CHECK-SCOPES-SAME: line: [[@LINE-2]]
// CHECK-SCOPES: ![[X3LOC]] = !DILocation(line: [[@LINE-3]], column: 15,
// CHECK-SCOPES-SAME: scope: ![[SCOPE3]])
markUsed(x)
}
// CHECK: !DILocation(line: [[@LINE+1]],
}
| apache-2.0 | 13874a8315e2a3d03bf0f15b08a344c8 | 50.627119 | 120 | 0.510834 | 3.261242 | false | false | false | false |
dsaved/africhat-platform-0.1 | actor-apps/app-ios/ActorApp/Controllers/Compose/ComposeController.swift | 24 | 4980 | //
// Copyright (c) 2014-2015 Actor LLC. <https://actor.im>
//
import UIKit
class ComposeController: ContactsBaseViewController, UISearchBarDelegate, UISearchDisplayDelegate {
var searchView: UISearchBar?
var searchDisplay: UISearchDisplayController?
var searchSource: ContactsSearchSource?
var tableView = UITableView()
init() {
super.init(contentSection: 1, nibName: nil, bundle: nil)
self.navigationItem.title = NSLocalizedString("ComposeTitle", comment: "Compose Title")
self.extendedLayoutIncludesOpaqueBars = true
}
required init(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
override func viewDidLoad() {
view.backgroundColor = UIColor.whiteColor()
view.addSubview(tableView)
bindTable(tableView, fade: true)
searchView = UISearchBar()
searchView!.delegate = self
searchView!.frame = CGRectMake(0, 0, 0, 44)
searchView!.keyboardAppearance = MainAppTheme.common.isDarkKeyboard ? UIKeyboardAppearance.Dark : UIKeyboardAppearance.Light
MainAppTheme.search.styleSearchBar(searchView!)
searchDisplay = UISearchDisplayController(searchBar: searchView, contentsController: self)
searchDisplay?.searchResultsDelegate = self
searchDisplay?.searchResultsTableView.rowHeight = 56
searchDisplay?.searchResultsTableView.separatorStyle = UITableViewCellSeparatorStyle.None
searchDisplay?.searchResultsTableView.backgroundColor = Resources.BackyardColor
searchDisplay?.searchResultsTableView.frame = tableView.frame
var header = TableViewHeader(frame: CGRectMake(0, 0, 320, 44))
header.addSubview(searchView!)
var headerShadow = UIImageView(frame: CGRectMake(0, -4, 320, 4));
headerShadow.image = UIImage(named: "CardTop2");
headerShadow.contentMode = UIViewContentMode.ScaleToFill;
header.addSubview(headerShadow);
tableView.tableHeaderView = header
searchSource = ContactsSearchSource(searchDisplay: searchDisplay!)
super.viewDidLoad()
}
func numberOfSectionsInTableView(tableView: UITableView) -> Int {
return 2
}
override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
if (section == 1) {
return super.tableView(tableView, numberOfRowsInSection: section)
} else {
return 1
}
}
override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
if (indexPath.section == 1) {
return super.tableView(tableView, cellForRowAtIndexPath: indexPath)
} else {
if (indexPath.row == 0) {
let reuseId = "create_group";
var res = ContactActionCell(reuseIdentifier: reuseId)
res.bind("ic_add_user",
actionTitle: NSLocalizedString("CreateGroup", comment: "Create Group"),
isLast: false)
return res
} else {
let reuseId = "find_public";
var res = ContactActionCell(reuseIdentifier: reuseId)
res.bind("ic_add_user",
actionTitle: NSLocalizedString("Join public group", comment: "Create Group"),
isLast: false)
return res
}
}
}
func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath) {
if (tableView == self.tableView) {
if (indexPath.section == 0) {
if (indexPath.row == 0) {
navigateNext(GroupCreateViewController(), removeCurrent: true)
} else {
navigateNext(DiscoverViewController(), removeCurrent: true)
}
MainAppTheme.navigation.applyStatusBar()
} else {
var contact = objectAtIndexPath(indexPath) as! ACContact
navigateToMessagesWithPeerId(contact.getUid())
}
} else {
var contact = searchSource!.objectAtIndexPath(indexPath) as! ACContact
navigateToMessagesWithPeerId(contact.getUid())
}
}
// MARK: -
// MARK: Navigation
private func navigateToMessagesWithPeerId(peerId: jint) {
navigateNext(ConversationViewController(peer: ACPeer.userWithInt(peerId)), removeCurrent: true)
MainAppTheme.navigation.applyStatusBar()
}
func createGroup() {
navigateNext(GroupCreateViewController(), removeCurrent: true)
MainAppTheme.navigation.applyStatusBar()
}
override func viewDidLayoutSubviews() {
super.viewDidLayoutSubviews()
tableView.frame = CGRectMake(0, 0, view.frame.width, view.frame.height)
}
} | mit | ec8b1cb941456c531930e7707469a555 | 37.315385 | 132 | 0.631727 | 5.659091 | false | false | false | false |
xiaomudegithub/viossvc | viossvc/General/CustomView/CommTableViewBannerCell.swift | 1 | 2293 | //
// SkillShareBannerCell.swift
// viossvc
//
// Created by yaowang on 2016/10/29.
// Copyright © 2016年 ywwlcom.yundian. All rights reserved.
//
import UIKit
class CommTableViewBannerCell: OEZTableViewPageCell {
let cellIdentifier = "BannerImageCell";
var bannerSrcs:[AnyObject]? = [];
override func awakeFromNib() {
super.awakeFromNib();
pageView.registerNib(UINib(nibName: "PageViewImageCell",bundle: nil), forCellReuseIdentifier: cellIdentifier);
// pageView.pageControl.currentPageIndicatorTintColor = AppConst.Color.CR;
pageView.pageControl.pageIndicatorTintColor = AppConst.Color.C4;
}
override func numberPageCountPageView(pageView: OEZPageView!) -> Int {
return bannerSrcs != nil ? bannerSrcs!.count : 0 ;
}
override func pageView(pageView: OEZPageView!, cellForPageAtIndex pageIndex: Int) -> OEZPageViewCell! {
let cell:OEZPageViewImageCell? = pageView.dequeueReusableCellWithIdentifier(cellIdentifier) as? OEZPageViewImageCell;
var urlString:String?
if bannerSrcs![pageIndex] is String {
urlString = bannerSrcs![pageIndex] as? String
}
else if bannerSrcs![pageIndex] is SkillBannerModel {
urlString = (bannerSrcs![pageIndex] as! SkillBannerModel).banner_pic
}
if urlString != nil {
cell?.contentImage.kf_setImageWithURL(NSURL(string:urlString!), placeholderImage: nil)
}
return cell;
}
override func update(data: AnyObject!) {
bannerSrcs = data != nil ? data as? Array<AnyObject> : []
pageView.pageControl.hidden = bannerSrcs?.count < 2
pageView.scrollView.scrollEnabled = bannerSrcs?.count > 1
pageView.reloadData()
}
func contentOffset(contentOffset:CGPoint) {
let yOffset:CGFloat = contentOffset.y ;
if yOffset <= 0.0 {
var rect:CGRect = frame;
rect.origin.y = yOffset ;
rect.size.height = fabs(yOffset) + CGRectGetHeight(frame);
rect.size.width = (rect.size.height * CGRectGetWidth(frame) / CGRectGetHeight(frame));
rect.origin.x = (CGRectGetWidth(frame) - rect.size.width)/2;
pageView.frame = rect;
}
}
}
| apache-2.0 | 5764abfb5e1eec0615db4d6d2e876aef | 35.349206 | 125 | 0.649345 | 4.543651 | false | false | false | false |
MukeshKumarS/Swift | test/Generics/generic_types.swift | 1 | 8452 | // RUN: %target-parse-verify-swift
protocol MyFormattedPrintable {
func myFormat() -> String
}
func myPrintf(format: String, _ args: MyFormattedPrintable...) {}
extension Int : MyFormattedPrintable {
func myFormat() -> String { return "" }
}
struct S<T : MyFormattedPrintable> {
var c : T
static func f(a: T) -> T {
return a
}
func f(a: T, b: Int) {
return myPrintf("%v %v %v", a, b, c)
}
}
func makeSInt() -> S<Int> {}
typealias SInt = S<Int>
var a : S<Int> = makeSInt()
a.f(1,b: 2)
var b : Int = SInt.f(1)
struct S2<T> {
static func f() -> T {
S2.f()
}
}
struct X { }
var d : S<X> // expected-error{{type 'X' does not conform to protocol 'MyFormattedPrintable'}}
enum Optional<T> {
case Element(T)
case None
init() { self = .None }
init(_ t: T) { self = .Element(t) }
}
typealias OptionalInt = Optional<Int>
var uniontest1 : (Int) -> Optional<Int> = OptionalInt.Element
var uniontest2 : Optional<Int> = OptionalInt.None
var uniontest3 = OptionalInt(1)
// FIXME: Stuff that should work, but doesn't yet.
// var uniontest4 : OptInt = .None
// var uniontest5 : OptInt = .Some(1)
func formattedTest<T : MyFormattedPrintable>(a: T) {
myPrintf("%v", a)
}
struct formattedTestS<T : MyFormattedPrintable> {
func f(a: T) {
formattedTest(a)
}
}
struct GenericReq<
T : GeneratorType, U : GeneratorType where T.Element == U.Element
> {}
func getFirst<R : GeneratorType>(r: R) -> R.Element {
var r = r
return r.next()!
}
func testGetFirst(ir: Range<Int>) {
_ = getFirst(ir.generate()) as Int
}
struct XT<T> {
init(t : T) {
prop = (t, t)
}
static func f() -> T {}
func g() -> T {}
var prop : (T, T)
}
class YT<T> {
init(_ t : T) {
prop = (t, t)
}
deinit {}
class func f() -> T {}
func g() -> T {}
var prop : (T, T)
}
struct ZT<T> {
var x : T, f : Float
}
struct Dict<K, V> {
subscript(key: K) -> V { get {} set {} }
}
class Dictionary<K, V> { // expected-note{{generic type 'Dictionary' declared here}}
subscript(key: K) -> V { get {} set {} }
}
typealias XI = XT<Int>
typealias YI = YT<Int>
typealias ZI = ZT<Int>
var xi = XI(t: 17)
var yi = YI(17)
var zi = ZI(x: 1, f: 3.0)
var i : Int = XI.f()
i = XI.f()
i = xi.g()
i = yi.f() // expected-error{{static member 'f' cannot be used on instance of type 'YI' (aka 'YT<Int>')}}
i = yi.g()
var xif : (XI) -> () -> Int = XI.g
var gif : (YI) -> () -> Int = YI.g
var ii : (Int, Int) = xi.prop
ii = yi.prop
xi.prop = ii
yi.prop = ii
var d1 : Dict<String, Int>
var d2 : Dictionary<String, Int>
d1["hello"] = d2["world"]
i = d2["blarg"]
struct RangeOfPrintables<R : SequenceType
where R.Generator.Element : MyFormattedPrintable> {
var r : R
func format() -> String {
var s : String
for e in r {
s = s + e.myFormat() + " "
}
return s
}
}
struct Y {}
struct SequenceY : SequenceType, GeneratorType {
typealias Generator = SequenceY
typealias Element = Y
func next() -> Element? { return Y() }
func generate() -> Generator { return self }
}
func useRangeOfPrintables(roi : RangeOfPrintables<[Int]>) {
var rop : RangeOfPrintables<X> // expected-error{{type 'X' does not conform to protocol 'SequenceType'}}
var rox : RangeOfPrintables<SequenceY> // expected-error{{type 'Element' (aka 'Y') does not conform to protocol 'MyFormattedPrintable'}}
}
struct HasNested<T> {
init<U>(_ t: T, _ u: U) {}
func f<U>(t: T, u: U) -> (T, U) {}
struct InnerGeneric<U> { // expected-error{{generic type 'InnerGeneric' nested}}
init() {}
func g<V>(t: T, u: U, v: V) -> (T, U, V) {}
}
struct Inner { // expected-error{{nested in generic type}}
init (_ x: T) {}
func identity(x: T) -> T { return x }
}
}
func useNested(ii: Int, hni: HasNested<Int>,
xisi : HasNested<Int>.InnerGeneric<String>,
xfs: HasNested<Float>.InnerGeneric<String>) {
var i = ii, xis = xisi
typealias InnerI = HasNested<Int>.Inner
var innerI = InnerI(5)
typealias InnerF = HasNested<Float>.Inner
var innerF : InnerF = innerI // expected-error{{cannot convert value of type 'InnerI' (aka 'HasNested<Int>.Inner') to specified type 'InnerF' (aka 'HasNested<Float>.Inner')}}
innerI.identity(i)
i = innerI.identity(i)
// Generic function in a generic class
typealias HNI = HasNested<Int>
var id = hni.f(1, u: 3.14159)
id = (2, 3.14159)
hni.f(1.5, 3.14159) // expected-error{{missing argument label 'u:' in call}}
hni.f(1.5, u: 3.14159) // expected-error{{cannot convert value of type 'Double' to expected argument type 'Int'}}
// Generic constructor of a generic struct
HNI(1, 2.71828) // expected-warning{{unused}}
// FIXME: Should report this error: {{cannot convert the expression's type 'HNI' to type 'Int'}}
HNI(1.5, 2.71828) // expected-error{{cannot invoke initializer for type 'HNI' with an argument list of type '(Double, Double)'}} expected-note{{expected an argument list of type '(T, U)'}}
// Generic function in a nested generic struct
var ids = xis.g(1, u: "Hello", v: 3.14159)
ids = (2, "world", 2.71828)
xis = xfs // expected-error{{cannot assign value of type 'HasNested<Float>.InnerGeneric<String>' to type 'HasNested<Int>.InnerGeneric<String>'}}
}
var dfail : Dictionary<Int> // expected-error{{generic type 'Dictionary' specialized with too few type parameters (got 1, but expected 2)}}
var notgeneric : Int<Float> // expected-error{{cannot specialize non-generic type 'Int'}}
// Check unqualified lookup of inherited types.
class Foo<T> {
typealias Nested = T
}
class Bar : Foo<Int> {
func f(x: Int) -> Nested {
return x
}
struct Inner {
func g(x: Int) -> Nested {
return x
}
func withLocal() {
struct Local {
func h(x: Int) -> Nested {
return x
}
}
}
}
}
extension Bar {
func g(x: Int) -> Nested {
return x
}
/* This crashes for unrelated reasons: <rdar://problem/14376418>
struct Inner2 {
func f(x: Int) -> Nested {
return x
}
}
*/
}
// Make sure that redundant typealiases (that map to the same
// underlying type) don't break protocol conformance or use.
class XArray : ArrayLiteralConvertible {
typealias Element = Int
init() { }
required init(arrayLiteral elements: Int...) { }
}
class YArray : XArray {
typealias Element = Int
required init(arrayLiteral elements: Int...) {
super.init()
}
}
var yarray : YArray = [1, 2, 3]
var xarray : XArray = [1, 2, 3]
// Type parameters can be referenced only via unqualified name lookup
struct XParam<T> {
func foo(x: T) {
_ = x as T
}
static func bar(x: T) {
_ = x as T
}
}
var xp : XParam<Int>.T = Int() // expected-error{{'T' is not a member type of 'XParam<Int>'}}
// Diagnose failure to meet a superclass requirement.
class X1 { }
class X2<T : X1> { } // expected-note{{requirement specified as 'T' : 'X1' [with T = X3]}}
class X3 { }
var x2 : X2<X3> // expected-error{{'X2' requires that 'X3' inherit from 'X1'}}
protocol P {
typealias AssocP
}
protocol Q {
typealias AssocQ
}
struct X4 : P, Q {
typealias AssocP = Int
typealias AssocQ = String
}
struct X5<T, U where T: P, T: Q, T.AssocP == T.AssocQ> { } // expected-note{{requirement specified as 'T.AssocP' == 'T.AssocQ' [with T = X4]}}
var y: X5<X4, Int> // expected-error{{'X5' requires the types 'AssocP' (aka 'Int') and 'AssocQ' (aka 'String') be equivalent}}
// Recursive generic signature validation.
class Top {}
class Bottom<T : Bottom<Top>> {} // expected-error 2{{type may not reference itself as a requirement}}
// expected-error@-1{{Bottom' requires that 'Top' inherit from 'Bottom<Top>'}}
// expected-note@-2{{requirement specified as 'T' : 'Bottom<Top>' [with T = Top]}}
class X6<T> {
let d: D<T>
init(_ value: T) {
d = D(value) // expected-error{{cannot invoke initializer for type 'X6<T>.D<_, _>' with an argument list of type '(T)'}} expected-note{{expected an argument list of type '(T2)'}}
}
class D<T2> { // expected-error{{generic type 'D' nested in type 'X6' is not allowed}}
init(_ value: T2) {}
}
}
// Invalid inheritance clause
struct UnsolvableInheritance1<T : T.A> {}
// expected-error@-1 {{inheritance from non-protocol, non-class type 'T.A'}}
struct UnsolvableInheritance2<T : U.A, U : T.A> {}
// expected-error@-1 {{inheritance from non-protocol, non-class type 'U.A'}}
// expected-error@-2 {{inheritance from non-protocol, non-class type 'T.A'}}
| apache-2.0 | d73844d1897a3de4cce0a6794f5cab46 | 24.305389 | 190 | 0.626834 | 3.09824 | false | false | false | false |
arietis/codility-swift | 7.3.swift | 1 | 581 | public func solution(inout S : String) -> Int {
// write your code in Swift 2.2
if S.characters.count == 0 {
return 1
}
if S.characters.count % 2 > 0 {
return 0
}
var a = S.characters.map {String($0)}
var b: [String] = []
for i in 0..<a.count {
if a[i] == "(" {
b.append(a[i])
} else {
if b.last == "(" {
b.removeLast()
} else {
return 0
}
}
}
if b.count > 0 {
return 0
} else {
return 1
}
}
| mit | cb15de81278a48b5d834a884b8a37f0f | 17.15625 | 47 | 0.394148 | 3.677215 | false | false | false | false |
yoonhg84/ModalPresenter | RxModalityStack/Modality.swift | 1 | 1018 | //
// Created by Chope on 2018. 4. 4..
// Copyright (c) 2018 Chope Industry. All rights reserved.
//
import UIKit
public protocol ModalityType: Equatable {
var modalityPresentableType: (UIViewController & ModalityPresentable).Type { get }
}
public protocol ModalityData: Equatable {
static var none: Self { get }
}
public struct Modality<T: ModalityType, D: ModalityData>: Equatable, Hashable {
public let id: String
public let type: T
public let data: D
public let transition: ModalityTransition
public let viewController: UIViewController
public var hashValue: Int {
return viewController.hashValue
}
public static func ==(lhs: Modality<T, D>, rhs: Modality<T, D>) -> Bool {
guard lhs.type == rhs.type else { return false }
guard lhs.data == rhs.data else { return false }
guard lhs.transition == rhs.transition else { return false }
guard lhs.viewController == rhs.viewController else { return false }
return true
}
} | mit | 867726c1cfd0912da30b771077c8229d | 28.970588 | 86 | 0.680747 | 4.155102 | false | false | false | false |
hdinhof1/CheckSplit | CheckSplit/DemoRun.swift | 1 | 2850 | //
// DemoRun.swift
// CheckSplit
//
// Created by Henry Dinhofer on 1/1/17.
// Copyright © 2017 Henry Dinhofer. All rights reserved.
//
import Foundation
class DemoRun {
let store = MealDataStore.sharedInstance
func setup() {
makeMenu()
getOrder()
}
func getOrder() {
getPeople()
getDrinks()
assignDrinks()
}
func assignDrinks() {
let numPatronsDrinking = 10
for index in 0..<numPatronsDrinking
{
let person = store.patrons[index]
let drink = store.drinks[index]
store.add(item: drink, toPerson: person)
}
store.add(item: store.drinks[4], toPerson: Person(name: "Ben G"))
store.add(item: store.drinks[2], toPerson: Person(name: "Mikey C"))
}
func getPeople() {
let ben = Person(name: "Ben G")
let henry = Person(name: "Henry D")
let ari = Person(name: "Ari M")
let david = Person(name: "David Z")
let josh = Person(name: "Josh E")
let mikey = Person(name: "Mikey C")
let dani = Person(name: "Dani S")
let ryan = Person(name: "Ryan C")
let alex = Person(name: "Alex H")
let githui = Person(name: "Githui M")
let people : [Person] = [ben, henry, ari, david, josh, mikey, dani, ryan, alex, githui]
for person in people {
store.add(item: person)
}
}
func getDrinks() {
let drinksCount = menu["Drinks"]?.count ?? 0
var randomDrinkList = [Drink]()
while (randomDrinkList.count < store.patrons.count) {
let randomIndex = Int(arc4random_uniform(UInt32(drinksCount)))
let randomDrink = store.drinks[randomIndex]
if randomDrinkList.contains(randomDrink) { continue }
else { randomDrinkList.append(randomDrink) }
}
store.drinks = randomDrinkList
// store.drinks.append(contentsOf: randomDrinkList)
}
func makeMenu() {
store.clear()
for sectionName in menu.keys {
let section = menu[sectionName] ?? ["NOT VALID" : 0]
for dish in section {
if sectionName == "Drinks"
{
let drink = Drink(name: dish.key, cost: Double(dish.value))
store.drinks.append(drink)
}
else if sectionName == "Appetizers" {
}
else if sectionName == "Entrees"
{
let food = Food(name: dish.key, cost: Double(dish.value))
store.food.append(food)
}
}
}
}
}
| apache-2.0 | 433361ca87a33069d504d94a3791f666 | 27.49 | 95 | 0.502633 | 4.099281 | false | false | false | false |
rastogigaurav/mTV | mTV/mTV/ViewModels/MovieDetailsViewModel.swift | 1 | 1854 | //
// MovieDetailsViewModel.swift
// mTV
//
// Created by Gaurav Rastogi on 6/25/17.
// Copyright © 2017 Gaurav Rastogi. All rights reserved.
//
import UIKit
class MovieDetailsViewModel: NSObject {
var displayMovieDetails:DisplayMovieDetailsProtocol
var movie:Movie?
init(with displayDetail:DisplayMovieDetailsProtocol) {
self.displayMovieDetails = displayDetail
}
func fetchDetailAndPopulate(forMovieWith movieId:Int, reload:@escaping ()->())->Void{
self.displayMovieDetails.fetchDetails(forMovieWith: movieId) { (movie) in
self.movie = movie
reload()
}
}
func namesOfProductionCompanies()->String?{
if let movie = self.movie{
if movie.productionCompanies.count > 0{
var companyNames = ""
for company in (self.movie?.productionCompanies)!{
companyNames.append(" | " + company.name)
}
let index = companyNames.index(companyNames.startIndex, offsetBy: 3)
return companyNames.substring(from: index)
}
}
return nil
}
func spokenLanguagesString()->String?{
if let movie = self.movie{
if movie.spokenLanguages.count > 0{
var languages = ""
for language in (self.movie?.spokenLanguages)!{
languages.append(" | " + language.name)
}
let index = languages.index(languages.startIndex, offsetBy: 3)
return languages.substring(from: index)
}
return (self.movie?.originalLanguage)!
}
else{
return nil
}
}
func numberOfRowsInSection(section:Int)->Int{
return 1
}
}
| mit | b4b84ef2bfa1297abdbe5c1d4145d48e | 28.412698 | 89 | 0.559633 | 4.902116 | false | false | false | false |
chausson/CHRequest | CHRequest/Classes/CHRequest+Extension.swift | 1 | 6905 | //
// CHRequest+Extension.swift
// Pods
//
// Created by Chausson on 2017/3/9.
//
//
import Foundation
import Result
public typealias ResultType = Result<Response, Error>
public typealias ResponseHandler = (DefaultDataResponse) -> Void
public typealias RequestCompletion = (_ result:ResultType)->()
public typealias UploadCompletion = (UploadRequest) -> Void
public typealias DownloadCompletion = (Data,URL) -> Void
public typealias ProgressHandle = (Progress) -> Void
public extension CHRequestable where Self:CHRequestAdapter{
@discardableResult
func request(_ completion: @escaping RequestCompletion) -> DataRequest {
let baseInfo = obtainBaseInfo(target:self)
let dataRequest = requestNormal(baseInfo.url, method: self.method, parameters: baseInfo.parms, encoding: self.encoding, headers: baseInfo.headFields)
let defultResponseHandler:ResponseHandler = obtainDefultResponse(baseInfo.url, parms: baseInfo.parms, completion: completion)
dataRequest.response(completionHandler: defultResponseHandler)
return dataRequest
}
}
public extension CHDownloadRequestable where Self:CHRequestAdapter{
@discardableResult
func download(progressClosure:ProgressHandle? = nil,_ completion: @escaping DownloadCompletion) -> DownloadRequest {
let baseInfo = obtainBaseInfo(target:self)
let downloadRequest = downloadNormal(baseInfo.url, method: self.method, parameters: baseInfo.parms, encoding: self.encoding, headers: baseInfo.headFields, fileName: self.fileName).downloadProgress { (progress) in
if let closure = progressClosure{
closure(progress)
}
}.responseData { (response) in
if let data = response.result.value ,let url = response.destinationURL{
completion(data,url)
}
}
return downloadRequest
}
}
public extension CHUploadDataRequestable where Self:CHRequestAdapter{
@discardableResult
func upload(progressClosure:ProgressHandle? = nil,_ completion:@escaping RequestCompletion) {
let baseInfo = obtainBaseInfo(target:self)
uploadNormal({ (multipartFormData) in
multipartFormData.append(self.data, withName: self.fileName, mimeType:self.mimeType)
}, to: baseInfo.url, encodingMemoryThreshold: self.encodingMemoryThreshold, method: self.method, headers: baseInfo.headFields) { (upload) in
upload.uploadProgress(closure: { (progress) in
if let closure = progressClosure{
closure(progress)
}
}).responseJSON { defultResponse in
let result = serializeResponse(defultResponse.response, request: defultResponse.request, data: defultResponse.data, error: defultResponse.error,parm:baseInfo.parms)
completion(result)
}
}
}
}
public extension CHUploadFileRequest where Self:CHRequestAdapter{
@discardableResult
func upload(progressClosure:ProgressHandle? = nil,_ completion:@escaping RequestCompletion) -> UploadRequest {
let baseInfo = obtainBaseInfo(target:self)
let defultResponseHandler:ResponseHandler = obtainDefultResponse(baseInfo.url, parms: baseInfo.parms, completion: completion)
let uploadRequest = uploadNormal(self.fileURL, to: baseInfo.url, method: self.method, headers: baseInfo.headFields).uploadProgress { progress in
if let closure = progressClosure{
closure(progress)
}
}.response(completionHandler: defultResponseHandler)
return uploadRequest
}
}
public extension CHUploadStreamRequestable where Self:CHRequestAdapter{
@discardableResult
func upload(progressClosure:ProgressHandle? = nil,_ completion:@escaping RequestCompletion) -> UploadRequest {
let baseInfo = obtainBaseInfo(target:self)
let defultResponseHandler:ResponseHandler = obtainDefultResponse(baseInfo.url, parms: baseInfo.parms, completion: completion)
let uploadRequest = uploadNormal(self.stream, to: baseInfo.url, method: self.method, headers: baseInfo.headFields).uploadProgress { progress in
if let closure = progressClosure{
closure(progress)
}
}.response(completionHandler: defultResponseHandler)
return uploadRequest
}
}
private func obtainBaseInfo<T:CHRequestable&CHRequestAdapter>(target:T)
-> (url:String,parms:[String :Any],headFields:[String :String]){
var url = target.baseURL+target.path
if target.customURL.characters.count > 0{
url = target.customURL
}
if !url.hasPrefix("http://") {
debugPrint("[Warning Request of URL is not valid]")
}
// 拼接Config中的基础参数
let parms:[String :Any] = jointDic(target.parameters(),target.allParameters)
let headFields:[String :String] = jointDic(target.headers(),target.allHttpHeaderFields) as! [String : String]
return (url,parms,headFields)
}
private func obtainDefultResponse(_ url:String,parms:[String:Any],completion:@escaping RequestCompletion)->ResponseHandler{
return { defultResponse in
guard let completionClosure:RequestCompletion = completion else{
debugPrint("\n[\(url) Request Finished nothing to do]")
return
}
//返回Response 传入闭包
let result = serializeResponse(defultResponse.response, request: defultResponse.request, data: defultResponse.data, error: defultResponse.error,parm:parms)
completionClosure(result)
}
}
private func jointDic(_ dic:[String:Any], _ otherDic:[String:Any]) -> [String:Any] {
var newDic:[String :Any] = [String: String]()
dic.forEach { (key, value) in
newDic[key] = value
}
otherDic.forEach { (key, value) in
newDic[key] = value
}
return newDic
}
private func serializeResponse(_ response: HTTPURLResponse?, request: URLRequest?, data: Data?, error: Swift.Error?,parm: [String:Any]?) ->
ResultType{
switch (response, data, error) {
case let (.some(response), data, .none):
let response = Response(statusCode: response.statusCode, data: data ?? Data(), request: request, response: response,requestParm:parm)
return .success(response)
case let (_, _, .some(error)):
let error = Error.underlying(error)
return .failure(error)
default:
let error = Error.underlying(NSError(domain: NSURLErrorDomain, code: NSURLErrorUnknown, userInfo: nil))
return .failure(error)
}
}
| mit | 506a934f9ac226d5d008732984aac04a | 41.98125 | 224 | 0.662644 | 4.863508 | false | false | false | false |
sidepelican/swift-toml | Sources/Evaluator.swift | 1 | 1718 | /*
* Copyright 2016 JD Fergason
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import Foundation
/**
Class to evaluate input text with a regular expression and return tokens
*/
class Evaluator {
let regex: String
let generator: TokenGenerator
let push: [String]?
let pop: Bool
let multiline: Bool
init (regex: String, generator: @escaping TokenGenerator,
push: [String]? = nil, pop: Bool = false, multiline: Bool = false) {
self.regex = regex
self.generator = generator
self.push = push
self.pop = pop
self.multiline = multiline
}
func evaluate (_ content: String) throws ->
(token: Token?, index: String.CharacterView.Index)? {
var token: Token?
var index: String.CharacterView.Index
var options: NSRegularExpression.Options = []
if multiline {
options = [.dotMatchesLineSeparators]
}
if let m = content.match(self.regex, options: options) {
token = try self.generator(m)
index = content.index(content.startIndex, offsetBy: m.characters.count)
return (token, index)
}
return nil
}
}
| apache-2.0 | c1dc8220bab8f927df0534a9dba4ac71 | 29.140351 | 83 | 0.650175 | 4.416452 | false | false | false | false |
amco/couchbase-lite-ios | Swift/Tests/SampleCodeTest.swift | 1 | 16195 | //
// SampleCodeTest.swift
// CouchbaseLite
//
// Copyright (c) 2018 Couchbase, Inc All rights reserved.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
//
import XCTest
import CouchbaseLiteSwift
class SampleCodeTest: CBLTestCase {
var database: Database!
var replicator: Replicator!
// MARK: Database
func dontTestNewDatabase() throws {
// <doc>
do {
self.database = try Database(name: "my-database")
} catch {
print(error)
}
// </doc>
}
func dontTestLogging() throws {
// <doc>
Database.setLogLevel(.verbose, domain: .replicator)
Database.setLogLevel(.verbose, domain: .query)
// </doc>
}
func dontTestLoadingPrebuilt() throws {
// <doc>
let path = Bundle.main.path(forResource: "travel-sample", ofType: "cblite2")!
if !Database.exists(withName: "travel-sample") {
do {
try Database.copy(fromPath: path, toDatabase: "travel-sample", withConfig: nil)
} catch {
fatalError("Could not load pre-built database")
}
}
// </doc>
}
// MARK: Document
func dontTestInitializer() throws {
database = self.db
// <doc>
let newTask = MutableDocument()
.setString("task", forKey: "type")
.setString("todo", forKey: "owner")
.setDate(Date(), forKey: "createdAt")
try database.saveDocument(newTask)
// </doc>
}
func dontTestMutability() throws {
database = self.db
// <doc>
guard let document = database.document(withID: "xyz") else { return }
let mutableDocument = document.toMutable()
mutableDocument.setString("apples", forKey: "name")
try database.saveDocument(mutableDocument)
// </doc>
}
func dontTestTypedAcessors() throws {
let newTask = MutableDocument()
// <doc>
newTask.setValue(Date(), forKey: "createdAt")
let date = newTask.date(forKey: "createdAt")
// </doc>
print("\(date!)")
}
func dontTestBatchOperations() throws {
// <doc>
do {
try database.inBatch {
for i in 0...10 {
let doc = MutableDocument()
doc.setValue("user", forKey: "type")
doc.setValue("user \(i)", forKey: "name")
doc.setBoolean(false, forKey: "admin")
try database.saveDocument(doc)
print("saved user document \(doc.string(forKey: "name")!)")
}
}
} catch let error {
print(error.localizedDescription)
}
// </doc>
}
func dontTestBlob() throws {
#if TARGET_OS_IPHONE
database = self.db
let newTask = MutableDocument()
var image: UIImage!
// <doc>
let appleImage = UIImage(named: "avatar.jpg")!
let imageData = UIImageJPEGRepresentation(appleImage, 1)!
let blob = Blob(contentType: "image/jpeg", data: imageData)
newTask.setBlob(blob, forKey: "avatar")
try database.saveDocument(newTask)
if let taskBlob = newTask.blob(forKey: "image") {
image = UIImage(data: taskBlob.content!)
}
// </doc>
print("\(image)")
#endif
}
// MARK: Query
func dontTestIndexing() throws {
database = self.db
// <doc>
let index = IndexBuilder.valueIndex(items:
ValueIndexItem.expression(Expression.property("type")),
ValueIndexItem.expression(Expression.property("name")))
try database.createIndex(index, withName: "TypeNameIndex")
// </doc>
}
func dontTestSelect() throws {
database = self.db
// <doc>
let query = QueryBuilder
.select(
SelectResult.expression(Meta.id),
SelectResult.property("type"),
SelectResult.property("name")
)
.from(DataSource.database(database))
do {
for result in try query.execute() {
print("document id :: \(result.string(forKey: "id")!)")
print("document name :: \(result.string(forKey: "name")!)")
}
} catch {
print(error)
}
// </doc>
}
func dontTestSelectAll() throws {
database = self.db
// <doc>
let query = QueryBuilder
.select(SelectResult.all())
.from(DataSource.database(database))
// </doc>
print("\(query)")
}
func dontTestWhere() throws {
database = self.db
// <doc>
let query = QueryBuilder
.select(SelectResult.all())
.from(DataSource.database(database))
.where(Expression.property("type").equalTo(Expression.string("hotel")))
.limit(Expression.int(10))
do {
for result in try query.execute() {
if let dict = result.dictionary(forKey: "travel-sample") {
print("document name :: \(dict.string(forKey: "name")!)")
}
}
} catch {
print(error)
}
// </doc>
}
func dontTestCollectionOperator() throws {
database = self.db
// <doc>
let query = QueryBuilder
.select(
SelectResult.expression(Meta.id),
SelectResult.property("name"),
SelectResult.property("public_likes")
)
.from(DataSource.database(database))
.where(Expression.property("type").equalTo(Expression.string("hotel"))
.and(ArrayFunction.contains(Expression.property("public_likes"), value: Expression.string("Armani Langworth")))
)
do {
for result in try query.execute() {
print("public_likes :: \(result.array(forKey: "public_likes")!.toArray())")
}
}
// </doc>
}
func dontTestLikeOperator() throws {
database = self.db
// <doc>
let query = QueryBuilder
.select(
SelectResult.expression(Meta.id),
SelectResult.property("country"),
SelectResult.property("name")
)
.from(DataSource.database(database))
.where(Expression.property("type").equalTo(Expression.string("landmark"))
.and( Expression.property("name").like(Expression.string("Royal engineers museum")))
)
.limit(Expression.int(10))
do {
for result in try query.execute() {
print("name property :: \(result.string(forKey: "name")!)")
}
}
// </doc>
}
func dontTestWildCardMatch() throws {
database = self.db
// <doc>
let query = QueryBuilder
.select(
SelectResult.expression(Meta.id),
SelectResult.property("country"),
SelectResult.property("name")
)
.from(DataSource.database(database))
.where(Expression.property("type").equalTo(Expression.string("landmark"))
.and(Expression.property("name").like(Expression.string("eng%e%")))
)
.limit(Expression.int(10))
// </doc>
do {
for result in try query.execute() {
print("name property :: \(result.string(forKey: "name")!)")
}
}
}
func dontTestWildCardCharacterMatch() throws {
database = self.db
// <doc>
let query = QueryBuilder
.select(
SelectResult.expression(Meta.id),
SelectResult.property("country"),
SelectResult.property("name")
)
.from(DataSource.database(database))
.where(Expression.property("type").equalTo(Expression.string("landmark"))
.and(Expression.property("name").like(Expression.string("eng____r")))
)
.limit(Expression.int(10))
// </doc>
do {
for result in try query.execute() {
print("name property :: \(result.string(forKey: "name")!)")
}
}
}
func dontTestRegexMatch() throws {
database = self.db
// <doc>
let query = QueryBuilder
.select(
SelectResult.expression(Meta.id),
SelectResult.property("name")
)
.from(DataSource.database(database))
.where(Expression.property("type").equalTo(Expression.string("landmark"))
.and(Expression.property("name").like(Expression.string("\\bEng.*e\\b")))
)
.limit(Expression.int(10))
// </doc>
do {
for result in try query.execute() {
print("name property :: \(result.string(forKey: "name")!)")
}
}
}
func dontTestJoin() throws {
database = self.db
// <doc>
let query = QueryBuilder
.select(
SelectResult.expression(Expression.property("name").from("airline")),
SelectResult.expression(Expression.property("callsign").from("airline")),
SelectResult.expression(Expression.property("destinationairport").from("route")),
SelectResult.expression(Expression.property("stops").from("route")),
SelectResult.expression(Expression.property("airline").from("route"))
)
.from(
DataSource.database(database!).as("airline")
)
.join(
Join.join(DataSource.database(database!).as("route"))
.on(
Meta.id.from("airline")
.equalTo(Expression.property("airlineid").from("route"))
)
)
.where(
Expression.property("type").from("route").equalTo(Expression.string("route"))
.and(Expression.property("type").from("airline").equalTo(Expression.string("airline")))
.and(Expression.property("sourceairport").from("route").equalTo(Expression.string("RIX")))
)
// </doc>
do {
for result in try query.execute() {
print("name property :: \(result.string(forKey: "name")!)")
}
}
}
func dontTestGroupBy() throws {
database = self.db
// <doc>
let query = QueryBuilder
.select(
SelectResult.expression(Function.count(Expression.all())),
SelectResult.property("country"),
SelectResult.property("tz"))
.from(DataSource.database(database))
.where(
Expression.property("type").equalTo(Expression.string("airport"))
.and(Expression.property("geo.alt").greaterThanOrEqualTo(Expression.int(300)))
).groupBy(
Expression.property("country"),
Expression.property("tz")
)
do {
for result in try query.execute() {
print("There are \(result.int(forKey: "$1")) airports on the \(result.string(forKey: "tz")!) timezone located in \(result.string(forKey: "country")!) and above 300 ft")
}
}
// </doc>
}
func dontTestOrderBy() throws {
database = self.db
// <doc>
let query = QueryBuilder
.select(
SelectResult.expression(Meta.id),
SelectResult.property("title"))
.from(DataSource.database(database))
.where(Expression.property("type").equalTo(Expression.string("hotel")))
.orderBy(Ordering.property("title").ascending())
.limit(Expression.int(10))
// </doc>
print("\(query)")
}
func dontTestCreateFullTextIndex() throws {
database = self.db
// <doc>
// Insert documents
let tasks = ["buy groceries", "play chess", "book travels", "buy museum tickets"]
for task in tasks {
let doc = MutableDocument()
doc.setString("task", forKey: "type")
doc.setString(task, forKey: "name")
try database.saveDocument(doc)
}
// Create index
do {
let index = IndexBuilder.fullTextIndex(items: FullTextIndexItem.property("name")).ignoreAccents(false)
try database.createIndex(index, withName: "nameFTSIndex")
} catch let error {
print(error.localizedDescription)
}
// </doc>
}
func dontTestFullTextSearch() throws {
database = self.db
// <doc>
let whereClause = FullTextExpression.index("nameFTSIndex").match("'buy'")
let query = QueryBuilder
.select(SelectResult.expression(Meta.id))
.from(DataSource.database(database))
.where(whereClause)
do {
for result in try query.execute() {
print("document id \(result.string(at: 0)!)")
}
} catch let error {
print(error.localizedDescription)
}
// </doc>
}
// MARK: Replication
func dontTestStartReplication() throws {
database = self.db
// <doc>
let url = URL(string: "ws://localhost:4984/db")!
let target = URLEndpoint(url: url)
let config = ReplicatorConfiguration(database: database, target: target)
config.replicatorType = .pull
self.replicator = Replicator(config: config)
self.replicator.start()
// </doc>
}
func dontTestEnableReplicatorLogging() throws {
// <doc>
// Replicator
Database.setLogLevel(.verbose, domain: .replicator)
// Network
Database.setLogLevel(.verbose, domain: .network)
// </doc>
}
func dontTestReplicatorStatus() throws {
// <doc>
self.replicator.addChangeListener { (change) in
if change.status.activity == .stopped {
print("Replication stopped")
}
}
// </doc>
}
func dontTestHandlingReplicationError() throws {
// <doc>
self.replicator.addChangeListener { (change) in
if let error = change.status.error as NSError? {
print("Error code :: \(error.code)")
}
}
// </doc>
}
func dontTestCertificatePinning() throws {
let url = URL(string: "wss://localhost:4985/db")!
let target = URLEndpoint(url: url)
// <doc>
let data = try self.dataFromResource(name: "cert", ofType: "cer")
let certificate = SecCertificateCreateWithData(nil, data)
let config = ReplicatorConfiguration(database: database, target: target)
config.pinnedServerCertificate = certificate
// </doc>
print("\(config)")
}
}
| apache-2.0 | b9b96129fae4216a6296274d0233b843 | 30.754902 | 184 | 0.520284 | 4.861903 | false | true | false | false |
YuhuaBillChen/Spartify | Spartify/Spartify/JoinPartyViewController.swift | 1 | 10157 | //
// JoinPartyViewController.swift
// Spartify
//
// Created by Bill on 1/23/16.
// Copyright © 2016 pennapps. All rights reserved.
//
import UIKit
import Parse
import CoreMotion
import Foundation
import AudioToolbox
class JoinPartyViewController: UIViewController {
let manager = CMMotionManager()
let SEQ_LENGTH = 4
let GRAVITY_MARGIN = 0.25
let ACCELE_TRH = 0.2
let DELAY_TRH = 50
var delayCounter = 0
var parseCounter = 0
var sucessfullyChangStatus = false
var currentState = "Normal"
let userObj = PFUser.currentUser()!
var partyObj:PFObject!
var hostObj:PFUser!
var guestObj:PFObject!
var isFinishedSeq = false
var partySeqArray = [String]()
var seqArray = [String]()
var settingSeqNo = -1
@IBOutlet weak var XYZLabel: UILabel!
@IBOutlet weak var leavePartyButton: UIButton!
@IBOutlet weak var partySeqLabel: UILabel!
@IBOutlet weak var yourSeqLabel: UILabel!
func changeMotionStatus(gx:Double,ax:Double,gy:Double,ay:Double,gz:Double,az:Double){
if (delayCounter > DELAY_TRH){
if (gx < (-1+self.GRAVITY_MARGIN) && abs(ax) + abs(ay) + abs(az) > self.ACCELE_TRH*3 ){
self.currentState = "Left"
self.sucessfullyChangStatus = true
self.delayCounter = 0
}
else if (gx > (1-self.GRAVITY_MARGIN) && abs(ax) + abs(ay) + abs(az) > self.ACCELE_TRH*3){
self.currentState = "Right"
self.sucessfullyChangStatus = true
self.delayCounter = 0
}
else if (gz < (-1+self.GRAVITY_MARGIN) && abs(ax) + abs(ay) + abs(az) > self.ACCELE_TRH*3 ){
self.currentState = "Forward"
self.sucessfullyChangStatus = true
self.delayCounter = 0
}
else if (gz > (1-self.GRAVITY_MARGIN) && abs(ax) + abs(ay) + abs(az) > self.ACCELE_TRH*3){
self.currentState = "Backward"
self.sucessfullyChangStatus = true
self.delayCounter = 0
}
else if (abs(gx) < (self.GRAVITY_MARGIN) && abs(gz) < self.GRAVITY_MARGIN && gy < -(1-self.GRAVITY_MARGIN) && (abs(ax) + abs(ay) + abs(az)) > self.ACCELE_TRH*3){
self.currentState = "Up"
self.sucessfullyChangStatus = true
self.delayCounter = 0
}
else if (abs(gx) < (self.GRAVITY_MARGIN) && abs(gz) < self.GRAVITY_MARGIN && gy > (1-self.GRAVITY_MARGIN) && (abs(ax) + abs(ay) + abs(az)) > self.ACCELE_TRH*3){
self.currentState = "Down"
self.sucessfullyChangStatus = true
self.delayCounter = 0
}
else{
if (self.currentState != "Normal"){
self.currentState = "Normal"
self.sucessfullyChangStatus = true
}
}
}
}
func changeBackground(){
if (self.currentState == "Normal"){
self.view.backgroundColor = UIColor.whiteColor()
}
else if (self.currentState == "Left"){
self.view.backgroundColor = UIColor.redColor()
}
else if (self.currentState == "Right"){
self.view.backgroundColor = UIColor.greenColor()
}
else if (self.currentState == "Up"){
self.view.backgroundColor = UIColor.orangeColor()
}
else if (self.currentState == "Down"){
self.view.backgroundColor = UIColor.purpleColor()
}
else if (self.currentState == "Forward"){
self.view.backgroundColor = UIColor.blueColor()
}
else if (self.currentState == "Backward"){
self.view.backgroundColor = UIColor.yellowColor()
}
else{
self.view.backgroundColor = UIColor.grayColor()
}
}
func vibrate(){
AudioToolbox.AudioServicesPlaySystemSound(kSystemSoundID_Vibrate)
}
func beep(){
AudioToolbox.AudioServicesPlaySystemSound(1109)
}
func addSeqUpdater(){
if (!isFinishedSeq){
if (self.settingSeqNo < self.SEQ_LENGTH ){
self.addOneSeq(self.currentState)
self.delayCounter = -DELAY_TRH
vibrate()
if ( self.settingSeqNo == self.SEQ_LENGTH ){
if (self.seqArray == self.partySeqArray){
self.setSeqEnd();
}
else{
setSeqStart()
}
}
}
}
}
func partyObjUpdate(){
partyObj.fetchInBackgroundWithBlock(){
(obj: PFObject?, error: NSError?) -> Void in
if (error == nil && obj != nil){
self.partyObj = obj
if (self.isFinishedSeq || self.seqArray.count == 0 || self.partySeqArray.count == 0 ){
if (obj!["sequence"] != nil && obj!["sequence"].count > 0){
if (obj!["sequence"] as! Array<NSString> != self.partySeqArray){
self.partySeqArray = obj!["sequence"] as! [String]
self.partySeqLabel.hidden = false
self.partySeqLabel.text = self.partySeqArray.joinWithSeparator("--->")
self.setSeqStart()
}
}
}
}
}
}
func updateCheck(){
if (self.sucessfullyChangStatus){
self.XYZLabel!.text = self.currentState
changeBackground()
beep()
if (self.currentState != "Normal"){
addSeqUpdater()
}
self.sucessfullyChangStatus = false;
}
else{
self.delayCounter += 1
}
}
func parseCheck(){
if (parseCounter < 100){
parseCounter += 1
}
else{
self.partyObjUpdate()
parseCounter = 0
}
}
func motionInit(){
if manager.deviceMotionAvailable {
let _:CMAccelerometerData!
let _:NSError!
manager.deviceMotionUpdateInterval = 0.01
manager.startDeviceMotionUpdatesToQueue(NSOperationQueue.mainQueue(), withHandler:{
accelerometerData, error in
let x = accelerometerData!.gravity.x
let y = accelerometerData!.gravity.y
let z = accelerometerData!.gravity.z
let x2 = accelerometerData!.userAcceleration.x;
let y2 = accelerometerData!.userAcceleration.y;
let z2 = accelerometerData!.userAcceleration.z;
self.changeMotionStatus(x,ax:x2,gy:y,ay:y2,gz:z,az:z2);
if (self.currentState != "Normal"){
}
self.updateCheck()
self.parseCheck()
let dispStr = String(format:"%s g x: %1.2f, y: %1.2f, z: %1.2f a x: %1.2f y:%1.2f z:%1.2f",self.currentState, x,y,z,x2,y2,z2)
print(dispStr)
})
}
}
@IBAction func leavePartyPressed(sender: UIButton) {
sender.enabled = false;
guestObj.deleteInBackgroundWithBlock{
(success: Bool, error: NSError?) -> Void in
if (success) {
// The object has been saved.
self.jumpToMainMenu()
} else {
// There was a problem, check error.description
print("failed to create a new party room")
self.leavePartyButton.enabled = true;
}
}
}
func parseInit(){
let guestQuery = PFQuery(className: "Guest");
guestQuery.whereKey("userId", equalTo:userObj);
guestQuery.getFirstObjectInBackgroundWithBlock{
(obj: PFObject?, error: NSError?) -> Void in
if (error != nil){
print ("Fetching party query failed")
}
else{
self.guestObj = obj!
self.partyObj = (self.guestObj["partyId"])! as! PFObject
self.hostObj = (self.partyObj["userId"])! as! PFUser
}
}
}
func setSeqStart(){
clearSeq()
self.isFinishedSeq = false
settingSeqNo = 0
self.yourSeqLabel.hidden = false
self.yourSeqLabel.text=""
}
func addOneSeq(motion:String){
self.seqArray.append(motion)
settingSeqNo = seqArray.count
self.yourSeqLabel.hidden = false
self.yourSeqLabel.text = seqArray.joinWithSeparator("--->")
}
func clearSeq(){
self.yourSeqLabel.hidden = true
self.seqArray.removeAll()
self.settingSeqNo = -1
}
func setSeqEnd(){
self.isFinishedSeq = true
self.yourSeqLabel.hidden = false
self.yourSeqLabel.text = "You've finished this party sequence"
settingSeqNo = 0
}
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view.
motionInit()
parseInit()
}
func jumpToMainMenu(){
let vc = self.storyboard?.instantiateViewControllerWithIdentifier("MainMenuVC") as! ViewController
manager.stopDeviceMotionUpdates();
self.presentViewController(vc, animated: true, completion: nil)
}
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.
}
*/
}
| gpl-3.0 | 104e0747c08ebd189a8b4ac2e69304cb | 32.518152 | 173 | 0.535742 | 4.513778 | false | false | false | false |
colourful987/JustMakeGame-FlappyBird | Code/L08/FlappyBird-End/FlappyBird/GameScene.swift | 1 | 18818 | //
// GameScene.swift
// FlappyBird
//
// Created by pmst on 15/10/4.
// Copyright (c) 2015年 pmst. All rights reserved.
//
import SpriteKit
enum Layer: CGFloat {
case Background
case Obstacle
case Foreground
case Player
case UI
}
enum GameState{
case MainMenu
case Tutorial
case Play
case Falling
case ShowingScore
case GameOver
}
struct PhysicsCategory {
static let None: UInt32 = 0
static let Player: UInt32 = 0b1 // 1
static let Obstacle: UInt32 = 0b10 // 2
static let Ground: UInt32 = 0b100 // 4
}
class GameScene: SKScene,SKPhysicsContactDelegate{
// MARK: - 常量
let kGravity:CGFloat = -1500.0
let kImpulse:CGFloat = 400
let kGroundSpeed:CGFloat = 150.0
let kBottomObstacleMinFraction: CGFloat = 0.1
let kBottomObstacleMaxFraction: CGFloat = 0.6
let kGapMultiplier: CGFloat = 3.5
let kFontName = "AmericanTypewriter-Bold"
let kMargin: CGFloat = 20.0
let kAnimDelay = 0.3
let worldNode = SKNode()
var playableStart:CGFloat = 0
var playableHeight:CGFloat = 0
let player = SKSpriteNode(imageNamed: "Bird0")
var lastUpdateTime :NSTimeInterval = 0
var dt:NSTimeInterval = 0
var playerVelocity = CGPoint.zero
let sombrero = SKSpriteNode(imageNamed: "Sombrero")
var hitGround = false
var hitObstacle = false
var gameState: GameState = .Play
var scoreLabel:SKLabelNode!
var score = 0
// MARK: - 变量
// MARK: - 音乐
let dingAction = SKAction.playSoundFileNamed("ding.wav", waitForCompletion: false)
let flapAction = SKAction.playSoundFileNamed("flapping.wav", waitForCompletion: false)
let whackAction = SKAction.playSoundFileNamed("whack.wav", waitForCompletion: false)
let fallingAction = SKAction.playSoundFileNamed("falling.wav", waitForCompletion: false)
let hitGroundAction = SKAction.playSoundFileNamed("hitGround.wav", waitForCompletion: false)
let popAction = SKAction.playSoundFileNamed("pop.wav", waitForCompletion: false)
let coinAction = SKAction.playSoundFileNamed("coin.wav", waitForCompletion: false)
override func didMoveToView(view: SKView) {
physicsWorld.gravity = CGVector(dx: 0, dy: 0)
physicsWorld.contactDelegate = self
addChild(worldNode)
setupBackground()
setupForeground()
setupPlayer()
setupSomebrero()
startSpawning()
setupLabel()
flapPlayer()
}
// MARK: Setup Method
func setupBackground(){
// 1
let background = SKSpriteNode(imageNamed: "Background")
background.anchorPoint = CGPointMake(0.5, 1)
background.position = CGPointMake(size.width/2.0, size.height)
background.zPosition = Layer.Background.rawValue
worldNode.addChild(background)
// 2
playableStart = size.height - background.size.height
playableHeight = background.size.height
// 新增
let lowerLeft = CGPoint(x: 0, y: playableStart)
let lowerRight = CGPoint(x: size.width, y: playableStart)
// 1
self.physicsBody = SKPhysicsBody(edgeFromPoint: lowerLeft, toPoint: lowerRight)
self.physicsBody?.categoryBitMask = PhysicsCategory.Ground
self.physicsBody?.collisionBitMask = 0
self.physicsBody?.contactTestBitMask = PhysicsCategory.Player
}
func setupForeground() {
for i in 0..<2{
let foreground = SKSpriteNode(imageNamed: "Ground")
foreground.anchorPoint = CGPoint(x: 0, y: 1)
// 改动1
foreground.position = CGPoint(x: CGFloat(i) * size.width, y: playableStart)
foreground.zPosition = Layer.Foreground.rawValue
// 改动2
foreground.name = "foreground"
worldNode.addChild(foreground)
}
}
func setupPlayer(){
player.position = CGPointMake(size.width * 0.2, playableHeight * 0.4 + playableStart)
player.zPosition = Layer.Player.rawValue
let offsetX = player.size.width * player.anchorPoint.x
let offsetY = player.size.height * player.anchorPoint.y
let path = CGPathCreateMutable()
CGPathMoveToPoint(path, nil, 17 - offsetX, 23 - offsetY)
CGPathAddLineToPoint(path, nil, 39 - offsetX, 22 - offsetY)
CGPathAddLineToPoint(path, nil, 38 - offsetX, 10 - offsetY)
CGPathAddLineToPoint(path, nil, 21 - offsetX, 0 - offsetY)
CGPathAddLineToPoint(path, nil, 4 - offsetX, 1 - offsetY)
CGPathAddLineToPoint(path, nil, 3 - offsetX, 15 - offsetY)
CGPathCloseSubpath(path)
player.physicsBody = SKPhysicsBody(polygonFromPath: path)
player.physicsBody?.categoryBitMask = PhysicsCategory.Player
player.physicsBody?.collisionBitMask = 0
player.physicsBody?.contactTestBitMask = PhysicsCategory.Obstacle | PhysicsCategory.Ground
worldNode.addChild(player)
}
func setupSomebrero(){
sombrero.position = CGPointMake(31 - sombrero.size.width/2, 29 - sombrero.size.height/2)
player.addChild(sombrero)
}
func setupLabel() {
scoreLabel = SKLabelNode(fontNamed: "AmericanTypewriter-Bold")
scoreLabel.fontColor = SKColor(red: 101.0/255.0, green: 71.0/255.0, blue: 73.0/255.0, alpha: 1.0)
scoreLabel.position = CGPoint(x: size.width/2, y: size.height - 20)
scoreLabel.text = "0"
scoreLabel.verticalAlignmentMode = .Top
scoreLabel.zPosition = Layer.UI.rawValue
worldNode.addChild(scoreLabel)
}
func setupScorecard() {
if score > bestScore() {
setBestScore(score)
}
let scorecard = SKSpriteNode(imageNamed: "ScoreCard")
scorecard.position = CGPoint(x: size.width * 0.5, y: size.height * 0.5)
scorecard.name = "Tutorial"
scorecard.zPosition = Layer.UI.rawValue
worldNode.addChild(scorecard)
let lastScore = SKLabelNode(fontNamed: kFontName)
lastScore.fontColor = SKColor(red: 101.0/255.0, green: 71.0/255.0, blue: 73.0/255.0, alpha: 1.0)
lastScore.position = CGPoint(x: -scorecard.size.width * 0.25, y: -scorecard.size.height * 0.2)
lastScore.text = "\(score)"
scorecard.addChild(lastScore)
let bestScoreLabel = SKLabelNode(fontNamed: kFontName)
bestScoreLabel.fontColor = SKColor(red: 101.0/255.0, green: 71.0/255.0, blue: 73.0/255.0, alpha: 1.0)
bestScoreLabel.position = CGPoint(x: scorecard.size.width * 0.25, y: -scorecard.size.height * 0.2)
bestScoreLabel.text = "\(self.bestScore())"
scorecard.addChild(bestScoreLabel)
let gameOver = SKSpriteNode(imageNamed: "GameOver")
gameOver.position = CGPoint(x: size.width/2, y: size.height/2 + scorecard.size.height/2 + kMargin + gameOver.size.height/2)
gameOver.zPosition = Layer.UI.rawValue
worldNode.addChild(gameOver)
let okButton = SKSpriteNode(imageNamed: "Button")
okButton.position = CGPoint(x: size.width * 0.25, y: size.height/2 - scorecard.size.height/2 - kMargin - okButton.size.height/2)
okButton.zPosition = Layer.UI.rawValue
worldNode.addChild(okButton)
let ok = SKSpriteNode(imageNamed: "OK")
ok.position = CGPoint.zero
ok.zPosition = Layer.UI.rawValue
okButton.addChild(ok)
//MARK - BUG 如果死的很快 这里的sharebutton.size = (0,0)
let shareButton = SKSpriteNode(imageNamed: "Button")
shareButton.position = CGPoint(x: size.width * 0.75, y: size.height/2 - scorecard.size.height/2 - kMargin - shareButton.size.height/2)
shareButton.zPosition = Layer.UI.rawValue
worldNode.addChild(shareButton)
let share = SKSpriteNode(imageNamed: "Share")
share.position = CGPoint.zero
share.zPosition = Layer.UI.rawValue
shareButton.addChild(share)
gameOver.setScale(0)
gameOver.alpha = 0
let group = SKAction.group([
SKAction.fadeInWithDuration(kAnimDelay),
SKAction.scaleTo(1.0, duration: kAnimDelay)
])
group.timingMode = .EaseInEaseOut
gameOver.runAction(SKAction.sequence([
SKAction.waitForDuration(kAnimDelay),
group
]))
scorecard.position = CGPoint(x: size.width * 0.5, y: -scorecard.size.height/2)
let moveTo = SKAction.moveTo(CGPoint(x: size.width/2, y: size.height/2), duration: kAnimDelay)
moveTo.timingMode = .EaseInEaseOut
scorecard.runAction(SKAction.sequence([
SKAction.waitForDuration(kAnimDelay * 2),
moveTo
]))
okButton.alpha = 0
shareButton.alpha = 0
let fadeIn = SKAction.sequence([
SKAction.waitForDuration(kAnimDelay * 3),
SKAction.fadeInWithDuration(kAnimDelay)
])
okButton.runAction(fadeIn)
shareButton.runAction(fadeIn)
let pops = SKAction.sequence([
SKAction.waitForDuration(kAnimDelay),
popAction,
SKAction.waitForDuration(kAnimDelay),
popAction,
SKAction.waitForDuration(kAnimDelay),
popAction,
SKAction.runBlock(switchToGameOver)
])
runAction(pops)
}
// MARK: - GamePlay
func createObstacle()->SKSpriteNode{
let sprite = SKSpriteNode(imageNamed: "Cactus")
sprite.zPosition = Layer.Obstacle.rawValue
sprite.userData = NSMutableDictionary()
//========以下为新增内容=========
let offsetX = sprite.size.width * sprite.anchorPoint.x
let offsetY = sprite.size.height * sprite.anchorPoint.y
let path = CGPathCreateMutable()
CGPathMoveToPoint(path, nil, 3 - offsetX, 0 - offsetY)
CGPathAddLineToPoint(path, nil, 5 - offsetX, 309 - offsetY)
CGPathAddLineToPoint(path, nil, 16 - offsetX, 315 - offsetY)
CGPathAddLineToPoint(path, nil, 39 - offsetX, 315 - offsetY)
CGPathAddLineToPoint(path, nil, 51 - offsetX, 306 - offsetY)
CGPathAddLineToPoint(path, nil, 49 - offsetX, 1 - offsetY)
CGPathCloseSubpath(path)
sprite.physicsBody = SKPhysicsBody(polygonFromPath: path)
sprite.physicsBody?.categoryBitMask = PhysicsCategory.Obstacle
sprite.physicsBody?.collisionBitMask = 0
sprite.physicsBody?.contactTestBitMask = PhysicsCategory.Player
return sprite
}
func spawnObstacle(){
//1
let bottomObstacle = createObstacle()
let startX = size.width + bottomObstacle.size.width/2
let bottomObstacleMin = (playableStart - bottomObstacle.size.height/2) + playableHeight * kBottomObstacleMinFraction
let bottomObstacleMax = (playableStart - bottomObstacle.size.height/2) + playableHeight * kBottomObstacleMaxFraction
bottomObstacle.position = CGPointMake(startX, CGFloat.random(min: bottomObstacleMin, max: bottomObstacleMax))
bottomObstacle.name = "BottomObstacle"
worldNode.addChild(bottomObstacle)
let topObstacle = createObstacle()
topObstacle.zRotation = CGFloat(180).degreesToRadians()
topObstacle.position = CGPoint(x: startX, y: bottomObstacle.position.y + bottomObstacle.size.height/2 + topObstacle.size.height/2 + player.size.height * kGapMultiplier)
topObstacle.name = "TopObstacle"
worldNode.addChild(topObstacle)
let moveX = size.width + topObstacle.size.width
let moveDuration = moveX / kGroundSpeed
let sequence = SKAction.sequence([
SKAction.moveByX(-moveX, y: 0, duration: NSTimeInterval(moveDuration)),
SKAction.removeFromParent()
])
topObstacle.runAction(sequence)
bottomObstacle.runAction(sequence)
}
func startSpawning(){
let firstDelay = SKAction.waitForDuration(1.75)
let spawn = SKAction.runBlock(spawnObstacle)
let everyDelay = SKAction.waitForDuration(1.5)
let spawnSequence = SKAction.sequence([
spawn,everyDelay
])
let foreverSpawn = SKAction.repeatActionForever(spawnSequence)
let overallSequence = SKAction.sequence([firstDelay,foreverSpawn])
runAction(overallSequence, withKey: "spawn")
}
func stopSpawning() {
removeActionForKey("spawn")
worldNode.enumerateChildNodesWithName("TopObstacle", usingBlock: { node, stop in
node.removeAllActions()
})
worldNode.enumerateChildNodesWithName("BottomObstacle", usingBlock: { node, stop in
node.removeAllActions()
})
}
func flapPlayer(){
// 发出一次煽动翅膀的声音
runAction(flapAction)
// 重新设定player的速度!!
playerVelocity = CGPointMake(0, kImpulse)
// 使得帽子下上跳动
let moveUp = SKAction.moveByX(0, y: 12, duration: 0.15)
moveUp.timingMode = .EaseInEaseOut
let moveDown = moveUp.reversedAction()
sombrero.runAction(SKAction.sequence([moveUp,moveDown]))
}
override func touchesBegan(touches: Set<UITouch>, withEvent event: UIEvent?) {
switch gameState {
case .MainMenu:
break
case .Tutorial:
break
case .Play:
flapPlayer()
break
case .Falling:
break
case .ShowingScore:
switchToNewGame()
break
case .GameOver:
break
}
}
// MARK: - Updates
override func update(currentTime: CFTimeInterval) {
if lastUpdateTime > 0 {
dt = currentTime - lastUpdateTime
} else {
dt = 0
}
lastUpdateTime = currentTime
switch gameState {
case .MainMenu:
break
case .Tutorial:
break
case .Play:
updateForeground()
updatePlayer()
checkHitObstacle()
checkHitGround()
updateScore()
break
case .Falling:
updatePlayer()
checkHitGround()
break
case .ShowingScore:
break
case .GameOver:
break
}
}
func updatePlayer(){
// 只有Y轴上的重力加速度为-1500
let gravity = CGPoint(x: 0, y: kGravity)
let gravityStep = gravity * CGFloat(dt) //计算dt时间下速度的增量
playerVelocity += gravityStep //计算当前速度
// 位置计算
let velocityStep = playerVelocity * CGFloat(dt) //计算dt时间中下落或上升距离
player.position += velocityStep //计算player的位置
// 倘若Player的Y坐标位置在地面上了就不能再下落了 直接设置其位置的y值为地面的表层坐标
if player.position.y - player.size.height/2 < playableStart {
player.position = CGPoint(x: player.position.x, y: playableStart + player.size.height/2)
}
}
func updateForeground(){
worldNode.enumerateChildNodesWithName("foreground") { (node, stop) -> Void in
if let foreground = node as? SKSpriteNode{
let moveAmt = CGPointMake(-self.kGroundSpeed * CGFloat(self.dt), 0)
foreground.position += moveAmt
if foreground.position.x < -foreground.size.width{
foreground.position += CGPoint(x: foreground.size.width * CGFloat(2), y: 0)
}
}
}
}
func checkHitObstacle() {
if hitObstacle {
hitObstacle = false
switchToFalling()
}
}
func checkHitGround() {
if hitGround {
hitGround = false
playerVelocity = CGPoint.zero
player.zRotation = CGFloat(-90).degreesToRadians()
player.position = CGPoint(x: player.position.x, y: playableStart + player.size.width/2)
runAction(hitGroundAction)
switchToShowScore()
}
}
func updateScore() {
worldNode.enumerateChildNodesWithName("BottomObstacle", usingBlock: { node, stop in
if let obstacle = node as? SKSpriteNode {
if let passed = obstacle.userData?["Passed"] as? NSNumber {
if passed.boolValue {
return
}
}
if self.player.position.x > obstacle.position.x + obstacle.size.width/2 {
self.score++
self.scoreLabel.text = "\(self.score)"
self.runAction(self.coinAction)
obstacle.userData?["Passed"] = NSNumber(bool: true)
}
}
})
}
// MARK: - Game States
func switchToFalling() {
gameState = .Falling
runAction(SKAction.sequence([
whackAction,
SKAction.waitForDuration(0.1),
fallingAction
]))
player.removeAllActions()
stopSpawning()
}
func switchToShowScore() {
gameState = .ShowingScore
player.removeAllActions()
stopSpawning()
setupScorecard()
}
func switchToNewGame() {
runAction(popAction)
let newScene = GameScene(size: size)
let transition = SKTransition.fadeWithColor(SKColor.blackColor(), duration: 0.5)
view?.presentScene(newScene, transition: transition)
}
func switchToGameOver() {
gameState = .GameOver
}
// MARK: - SCORE
func bestScore()->Int{
return NSUserDefaults.standardUserDefaults().integerForKey("BestScore")
}
func setBestScore(bestScore:Int){
NSUserDefaults.standardUserDefaults().setInteger(bestScore, forKey: "BestScore")
NSUserDefaults.standardUserDefaults().synchronize()
}
// MARK: - Physics
func didBeginContact(contact: SKPhysicsContact) {
let other = contact.bodyA.categoryBitMask == PhysicsCategory.Player ? contact.bodyB : contact.bodyA
if other.categoryBitMask == PhysicsCategory.Ground {
hitGround = true
}
if other.categoryBitMask == PhysicsCategory.Obstacle {
hitObstacle = true
}
}
}
| mit | 1313f07266644eca7098bd18f7918dba | 31.982206 | 176 | 0.609247 | 4.606362 | false | false | false | false |
Fenrikur/ef-app_ios | Eurofurence/Views/Routers/Storyboard/WindowAlertRouter.swift | 1 | 1466 | import UIKit
struct WindowAlertRouter: AlertRouter {
static var shared: WindowAlertRouter = {
guard let window = UIApplication.shared.delegate?.window, let unwrappedWindow = window else { fatalError("No application window available") }
return WindowAlertRouter(window: unwrappedWindow)
}()
var window: UIWindow
func show(_ alert: Alert) {
let alertController = UIAlertController(title: alert.title, message: alert.message, preferredStyle: .alert)
for action in alert.actions {
alertController.addAction(UIAlertAction(title: action.title, style: .default, handler: { (_) in
// TODO: Figure out a nice way of testing this as UIAlertAction does not expose the handler
action.invoke()
alertController.dismiss(animated: true)
}))
}
var presenting: UIViewController? = window.rootViewController
if let presented = presenting?.presentedViewController {
presenting = presented
}
presenting?.present(alertController, animated: true) {
alert.onCompletedPresentation?(Dismissable(viewController: presenting))
}
}
private struct Dismissable: AlertDismissable {
var viewController: UIViewController?
func dismiss(_ completionHandler: (() -> Void)?) {
viewController?.dismiss(animated: true, completion: completionHandler)
}
}
}
| mit | 8b57331855d8e8dfeb41242f3f81862a | 33.904762 | 149 | 0.656889 | 5.42963 | false | false | false | false |
buyiyang/iosstar | iOSStar/Scenes/Discover/CustomView/SellingIntroCell.swift | 3 | 1316 | //
// SellingIntroCell.swift
// iOSStar
//
// Created by J-bb on 17/7/8.
// Copyright © 2017年 YunDian. All rights reserved.
//
import UIKit
class SellingIntroCell: SellingBaseCell {
@IBOutlet weak var jobLabel: UILabel!
@IBOutlet weak var nickNameLabel: UILabel!
@IBOutlet weak var doDetail: UIButton!
@IBOutlet weak var backImageView: UIImageView!
@IBOutlet weak var iconImageView: UIImageView!
override func awakeFromNib() {
super.awakeFromNib()
backImageView.contentMode = .scaleAspectFill
backImageView.clipsToBounds = true
}
override func setPanicModel(model: PanicBuyInfoModel?) {
guard model != nil else {
return
}
nickNameLabel.text = model?.star_name
backImageView.kf.setImage(with: URL(string:ShareDataModel.share().qiniuHeader + model!.back_pic_url_tail), placeholder: nil, options: nil, progressBlock: nil, completionHandler: nil)
iconImageView.kf.setImage(with: URL(string:ShareDataModel.share().qiniuHeader + model!.head_url_tail), placeholder: nil, options: nil, progressBlock: nil, completionHandler: nil)
jobLabel.text = model?.work
}
override func setSelected(_ selected: Bool, animated: Bool) {
super.setSelected(selected, animated: animated)
}
}
| gpl-3.0 | f4d4f69681c2b285bf65f5741501ecc0 | 33.552632 | 190 | 0.693069 | 4.376667 | false | false | false | false |
CosmicMind/Samples | Projects/Programmatic/Search/Search/RootViewController.swift | 1 | 4804 | /*
* Copyright (C) 2015 - 2018, Daniel Dahan and CosmicMind, Inc. <http://cosmicmind.com>.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
*
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
*
* * 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.
*
* * Neither the name of CosmicMind 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 UIKit
import Material
import Graph
class RootViewController: UIViewController {
// Model.
internal var graph: Graph!
internal var search: Search<Entity>!
// View.
internal var tableView: UserTableView!
open override func viewDidLoad() {
super.viewDidLoad()
view.backgroundColor = Color.grey.lighten5
// Prepare view.
prepareSearchBar()
prepareTableView()
// Prepare model.
prepareGraph()
prepareSearch()
}
override func viewWillLayoutSubviews() {
super.viewWillLayoutSubviews()
tableView?.reloadData()
}
}
/// Model.
extension RootViewController {
internal func prepareGraph() {
graph = Graph()
// Uncomment to clear the Graph data.
// graph.clear()
}
internal func prepareSearch() {
search = Search<Entity>(graph: graph).for(types: "User").where(properties: "name")
search.async { [weak self] (data) in
if 0 == data.count {
SampleData.createSampleData()
}
self?.reloadData()
}
}
internal func prepareTableView() {
tableView = UserTableView()
view.layout(tableView).edges()
}
internal func reloadData() {
var dataSourceItems = [DataSourceItem]()
let users = search.sync().sorted(by: { (a, b) -> Bool in
guard let n = a["name"] as? String, let m = b["name"] as? String else {
return false
}
return n < m
})
users.forEach {
dataSourceItems.append(DataSourceItem(data: $0))
}
tableView.dataSourceItems = dataSourceItems
}
}
extension RootViewController: SearchBarDelegate {
internal func prepareSearchBar() {
// Access the searchBar.
guard let searchBar = searchBarController?.searchBar else {
return
}
searchBar.delegate = self
}
func searchBar(searchBar: SearchBar, didClear textField: UITextField, with text: String?) {
reloadData()
}
func searchBar(searchBar: SearchBar, didChange textField: UITextField, with text: String?) {
guard let pattern = text?.trimmed, 0 < pattern.utf16.count else {
reloadData()
return
}
search.async { [weak self, pattern = pattern] (users) in
guard let regex = try? NSRegularExpression(pattern: pattern, options: []) else {
return
}
var dataSourceItems = [DataSourceItem]()
for user in users {
if let name = user["name"] as? String {
let matches = regex.matches(in: name, range: NSRange(location: 0, length: name.utf16.count))
if 0 < matches.count {
dataSourceItems.append(DataSourceItem(data: user))
}
}
}
self?.tableView.dataSourceItems = dataSourceItems
}
}
}
| bsd-3-clause | 724e18b91811cfbdc0eecdc48ea566f9 | 31.90411 | 112 | 0.615737 | 5.014614 | false | false | false | false |
Ifinity/ifinity-swift-example | IfinitySDK-swift/VenuesMapViewController.swift | 1 | 4798 | //
// VenuesMapViewController.swift
// IfinitySDK-swift
//
// Created by Ifinity on 15.12.2015.
// Copyright © 2015 getifinity.com. All rights reserved.
//
import UIKit
import ifinitySDK
import MapKit
import SVProgressHUD
class VenuesMapViewController: UIViewController, MKMapViewDelegate, IFBluetoothManagerDelegate {
@IBOutlet var mapView: MKMapView?
var currentVenue: IFMVenue?
var currentFloor: IFMFloorplan?
override func viewDidLoad() {
super.viewDidLoad()
self.title = "Navigation"
}
override func viewWillAppear(animated: Bool) {
// Start looking for beacons around me
IFBluetoothManager.sharedManager().delegate = self
IFBluetoothManager.sharedManager().startManager()
NSNotificationCenter.defaultCenter().addObserver(self, selector: "addPush:", name: IFPushManagerNotificationPushAdd, object: nil)
super.viewWillAppear(animated)
}
override func viewWillDisappear(animated: Bool) {
super.viewWillDisappear(animated)
IFBluetoothManager.sharedManager().delegate = nil
NSNotificationCenter.defaultCenter().removeObserver(self, name: IFPushManagerNotificationPushAdd, object: nil)
}
//MARK: - Pushes
func addPush(sender: AnyObject) {
var dict: [NSObject : AnyObject] = sender.userInfo
let push: IFMPush = dict["push"] as! IFMPush
NSLog("Venue Map New Push: %@", push.name)
}
@IBAction func clearCaches(sender: AnyObject) {
IFBluetoothManager.sharedManager().delegate = nil
SVProgressHUD.showWithMaskType(.Black)
IFDataManager.sharedManager().clearCaches()
IFDataManager.sharedManager().loadDataForLocation(CLLocation(latitude: 52, longitude: 21), distance: 1000, withPublicVenues: true, successBlock: { (venues) -> Void in
SVProgressHUD.dismiss()
IFBluetoothManager.sharedManager().delegate = self
}) { (error) -> Void in
NSLog("LoadDataForLocation error %@", error)
}
}
//MARK: - IFBluetoothManagerDelegates
func manager(manager: IFBluetoothManager, didDiscoverActiveBeaconsForVenue venue: IFMVenue?, floorplan: IFMFloorplan) {
guard venue != nil else {
return
}
if Int(venue!.type) == IFMVenueTypeMap {
NSLog("IFMVenueTypeMap %s", __FUNCTION__)
self.currentVenue = venue
self.currentFloor = floorplan
IFBluetoothManager.sharedManager().delegate = nil
self.performSegueWithIdentifier("IndoorLocation", sender: self)
} else if Int(venue!.type) == IFMVenueTypeBeacon {
NSLog("IFMVenueTypeBeacon %s", __FUNCTION__)
if self.currentVenue?.remote_id == venue?.remote_id {
return
}
// Center map to venue center coordinate
let center = CLLocationCoordinate2DMake(Double(venue!.center_lat), Double(venue!.center_lng))
let venueAnnotation = VenueAnnotation(coordinate: center, title: venue!.name, subtitle: "")
let distance: CLLocationDistance = 800.0
let camera = MKMapCamera(lookingAtCenterCoordinate: center, fromEyeCoordinate: center, eyeAltitude: distance)
self.mapView?.addAnnotation(venueAnnotation)
self.mapView?.setCamera(camera, animated: false)
}
self.currentVenue = venue
}
func manager(manager: IFBluetoothManager, didLostAllBeaconsForVenue venue: IFMVenue) {
self.currentVenue = nil
self.mapView?.removeAnnotations(self.mapView!.annotations)
}
func manager(manager: IFBluetoothManager, didLostAllBeaconsForFloorplan floorplan: IFMFloorplan) {
self.currentFloor = nil
self.mapView?.removeAnnotations(self.mapView!.annotations)
}
//MARK: - MKMapViewDelegate
func mapView(mapView: MKMapView, viewForAnnotation annotation: MKAnnotation) -> MKAnnotationView? {
// VenueAnnotation with some nice icon
if annotation is VenueAnnotation {
let annotationIdentifier: String = "venueIdentifier"
let pinView: MKPinAnnotationView = MKPinAnnotationView(annotation: annotation, reuseIdentifier: annotationIdentifier)
pinView.pinTintColor = UIColor.greenColor()
pinView.canShowCallout = true
return pinView
}
return nil
}
override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) {
if segue.destinationViewController is IndoorLocationViewController {
(segue.destinationViewController as! IndoorLocationViewController).currentFloor = self.currentFloor
}
}
}
| mit | 7ee17f18c974c02856f320d47f13d229 | 37.685484 | 174 | 0.665207 | 5.092357 | false | false | false | false |
michalziman/mz-location-picker | MZLocationPicker/Classes/MZLocationPickerControllerExtensions.swift | 1 | 3466 | //
// MZLocationPickerControllerExtensions.swift
// Pods
//
// Created by Michal Ziman on 03/09/2017.
//
//
import UIKit
import CoreLocation
import MapKit
extension MZLocationPickerController: UIGestureRecognizerDelegate {
public func gestureRecognizer(_ gestureRecognizer: UIGestureRecognizer, shouldRecognizeSimultaneouslyWith otherGestureRecognizer: UIGestureRecognizer) -> Bool {
return true
}
}
extension MZLocationPickerController: MKMapViewDelegate {
public func mapView(_ mapView: MKMapView, regionDidChangeAnimated animated: Bool) {
if mapView.userTrackingMode == .follow || mapView.userTrackingMode == .followWithHeading {
selectOnCoordinates(mapView.userLocation.coordinate)
}
}
public func mapView(_ mapView: MKMapView, regionWillChangeAnimated animated: Bool) {
hideKeyboard()
}
public func mapView(_ mapView: MKMapView, viewFor annotation: MKAnnotation) -> MKAnnotationView? {
guard !(annotation is MKUserLocation) else {
return nil
}
var annotationView: MKAnnotationView
if let dequeuedAnnotationView = mapView.dequeueReusableAnnotationView(withIdentifier: annotationIdentifier) {
annotationView = dequeuedAnnotationView
annotationView.annotation = annotation
}
else {
annotationView = MKAnnotationView(annotation: annotation, reuseIdentifier: annotationIdentifier)
if let image = self.annotation.image {
annotationView.image = image
} else {
let tc = tintColor ?? locationPickerView.tintColor ?? annotationView.tintColor ?? .blue
annotationView.image = UIImage(named: "pin", in: Bundle(for: type(of:self)), compatibleWith: nil)?.tint(with: tc)
}
if let annotationImageOffset = self.annotation.centerOffset {
annotationView.centerOffset = annotationImageOffset
} else if let imageSize = annotationView.image?.size {
annotationView.centerOffset = CGPoint(x: 0, y: -imageSize.height/2 + 2)
}
}
return annotationView
}
}
extension MZLocationPickerController: UISearchBarDelegate {
public func searchBarTextDidBeginEditing(_ searchBar: UISearchBar) {
locationPickerView.isShowingSearch = true
}
public func searchBarTextDidEndEditing(_ searchBar: UISearchBar) {
locationPickerView.isShowingSearch = false
}
public func searchBar(_ searchBar: UISearchBar, textDidChange searchText: String) {
locationPickerView.isShowingSearchResults = !searchText.isEmpty
searchTableController.searchQuery = searchText
}
}
extension MZLocationPickerController: MZLocationsTableDelegate {
func tableController(_ tableController: MZLocationsTableController, didPickLocation location: MZLocation) {
self.location = location
let cl = CLLocation(latitude: location.coordinate.latitude, longitude: location.coordinate.longitude)
locationPickerView.chosenLocation = cl
if let a = location.address, !a.isEmpty {
locationPickerView.chosenLocationName = a
} else {
locationPickerView.chosenLocationName = location.coordinate.formattedCoordinates
}
locationPickerView.mapView.setCenter(location.coordinate, animated: true)
hideKeyboard()
}
}
| mit | 186a2d8abd0f389f7fe25b2757cf29f7 | 39.302326 | 164 | 0.692729 | 5.835017 | false | false | false | false |
moysklad/ios-remap-sdk | Sources/MoyskladiOSRemapSDK/Mapping/MSAttribute+Convertible.swift | 1 | 9992 | //
// MSAttribute+Convertible.swift
// MoySkladSDK
//
// Created by Kostya on 27/12/2016.
// Copyright © 2016 Andrey Parshakov. All rights reserved.
//
import Foundation
extension MSAttribute : DictConvertable {
public func dictionary(metaOnly: Bool = true) -> Dictionary<String, Any> {
var dict = [String: Any]()
dict["meta"] = meta.dictionary()
guard !metaOnly else { return dict }
dict["id"] = id
dict["name"] = name
if let type = value.type {
dict["type"] = type
}
if case .file(let file) = value {
if let instruction = file.instruction {
dict["file"] = {
switch instruction {
case .delete: return NSNull()
case .upload(let url):
return ["filename": url.lastPathComponent,
"content": try? Data(contentsOf: url).base64EncodedString()]
}
}()
}
} else {
dict["value"] = {
switch value {
case .bool(let v): return v ?? NSNull()
case .date(let v): return v?.toLongDate() ?? NSNull()
case .double(let v): return v ?? NSNull()
case .int(let v): return v ?? NSNull()
case .link(let v): return v ?? NSNull()
case .string(let v): return v ?? NSNull()
case .text(let v): return v ?? NSNull()
case .customentity(let custMeta, _, let custValue): return custMeta != nil ? ["meta":custMeta!.dictionary(), "name":custValue ?? ""] : NSNull()
default: return nil
}
}()
}
return dict
}
public static func from(dict: Dictionary<String, Any>) -> MSEntity<MSAttribute>? {
guard let meta = MSMeta.from(dict: dict.msValue("meta"), parent: dict) else {
return nil
}
guard let name: String = dict.value("name"), name.count > 0 else {
return MSEntity.meta(meta)
}
guard let type: String = dict.value("type"), type.count > 0 else {
return MSEntity.meta(meta)
}
let id: String = dict.value("id") ?? ""
if type.lowercased() == "string" {
guard let value: String = dict.value("value") else {
return MSEntity.meta(meta)
}
return MSEntity.entity(MSAttribute(meta: meta,
id: id,
name:name,
value:.string(value)))
} else if type.lowercased() == "long" {
guard let value: Int = dict.value("value") else {
return MSEntity.meta(meta)
}
return MSEntity.entity(MSAttribute(meta: meta,
id: id,
name:name,
value:.int(value)))
} else if type.lowercased() == "time" {
guard let value = Date.fromMSDate(dict.value("value") ?? "") else {
return MSEntity.meta(meta)
}
return MSEntity.entity(MSAttribute(meta: meta,
id: id,
name:name,
value:.date(value)))
} else if type.lowercased() == "double" {
guard let value: Double = dict.value("value") else {
return MSEntity.meta(meta)
}
return MSEntity.entity(MSAttribute(meta: meta,
id: id,
name:name,
value:.double(value)))
} else if type.lowercased() == "file" {
guard let value: String = dict.value("value") else {
return MSEntity.meta(meta)
}
let url = URL(string: dict.msValue("download").value("href") ?? "")
let mediaType: String? = dict.msValue("download").value("mediaType")
return MSEntity.entity(MSAttribute(meta: meta,
id: id,
name:name,
value: MSAttributeValue.file(name: value, url: url, mediaType: mediaType, instruction: nil)))
} else if type.lowercased() == "boolean" {
guard let value: Bool = dict.value("value") else {
return MSEntity.meta(meta)
}
return MSEntity.entity(MSAttribute(meta: meta,
id: id,
name:name,
value:.bool(value)))
} else if type.lowercased() == "text" {
guard let value: String = dict.value("value") else {
return MSEntity.meta(meta)
}
return MSEntity.entity(MSAttribute(meta: meta,
id: id,
name:name,
value:.text(value)))
} else if type.lowercased() == "link" {
guard let value: String = dict.value("value") else {
return MSEntity.meta(meta)
}
return MSEntity.entity(MSAttribute(meta: meta,
id: id,
name:name,
value:.link(value)))
} else if (type.lowercased() == "customentity") ||
(type.lowercased() == "employee") ||
(type.lowercased() == "contract") ||
(type.lowercased() == "project") ||
(type.lowercased() == "store") ||
(type.lowercased() == "product") ||
(type.lowercased() == "counterparty") ||
(type.lowercased() == "service") ||
(type.lowercased() == "bundle") ||
(type.lowercased() == "organization") {
guard let value: [String: Any] = dict.value("value") else {
return MSEntity.meta(meta)
}
guard let name: String = dict.value("name") else {
return MSEntity.meta(meta)
}
guard let metaCustomentity = MSMeta.from(dict: value.msValue("meta"), parent: dict) else {
return MSEntity.meta(meta)
}
guard let nameCustomentity: String = value.value("name") else {
return MSEntity.meta(meta)
}
return MSEntity.entity(MSAttribute(meta: meta,
id: id,
name:name,
value:.customentity(meta: metaCustomentity, name: name, value: nameCustomentity)))
} else {
return nil
}
}
}
extension MSAttributeDefinition {
public static func from(dict: Dictionary<String, Any>) -> MSAttributeDefinition? {
guard let meta = MSMeta.from(dict: dict.msValue("meta"), parent: dict) else { return nil }
guard let id: String = dict.value("id") else { return nil }
guard let name: String = dict.value("name") else { return nil }
guard let type: String = dict.value("type") else { return nil }
guard let required: Bool = dict.value("required") else { return nil }
let attributeValue: MSAttributeValue? = {
switch type.lowercased() {
case "text": return .text("")
case "string": return MSAttributeValue.string("")
case "double": return .double(nil)
case "long": return .int(nil)
case "time": return .date(nil)
case "boolean": return .bool(false)
case "link": return .link("")
case "customentity":
guard let customMeta = MSMeta.from(dict: dict.msValue("customEntityMeta"), parent: dict) else { return nil }
return MSAttributeValue.customentity(meta: customMeta, name: name, value: "")
case "employee": return MSAttributeValue.customentity(meta: MSMeta(name: name, href: "", type: .employee), name: name, value: "")
case "contract": return MSAttributeValue.customentity(meta: MSMeta(name: name, href: "", type: .contract), name: name, value: "")
case "project": return MSAttributeValue.customentity(meta: MSMeta(name: name, href: "", type: .project), name: name, value: "")
case "store": return MSAttributeValue.customentity(meta: MSMeta(name: name, href: "", type: .store), name: name, value: "")
case "product": return MSAttributeValue.customentity(meta: MSMeta(name: name, href: "", type: .product), name: name, value: "")
case "counterparty": return MSAttributeValue.customentity(meta: MSMeta(name: name, href: "", type: .counterparty), name: name, value: "")
case "productfolder": return MSAttributeValue.customentity(meta: MSMeta(name: name, href: "", type: .productfolder), name: name, value: "")
case "file": return MSAttributeValue.file(name: "", url: nil, mediaType: nil, instruction: nil)
default: return nil
}
}()
guard let value = attributeValue else { return nil }
return MSAttributeDefinition(meta: meta, id: id, name: name, value: value, required: required)
}
}
| mit | 611816420a9aa2dbb79f6e8ec27ecdd3 | 45.041475 | 159 | 0.470223 | 4.887965 | false | false | false | false |
rowungiles/SwiftTech | SwiftTech/SwiftTech/Utilities/Search/CollectionTrie.swift | 1 | 1370 | //
// CollectionTrie.swift
// SwiftTech
//
// Created by Rowun Giles on 20/01/2016.
// Copyright © 2016 Rowun Giles. All rights reserved.
//
import Foundation
protocol CollectionTrie {}
extension CollectionTrie {
static internal func findRecursively<T: RangeReplaceableCollectionType, U: Equatable where T.Generator.Element == U>(findCollection: T, node: TrieNode<U>) -> TrieNode<U>? {
var collection = findCollection
guard !collection.isEmpty else {
return node
}
let key = collection.removeFirst()
if let childNode = node.children[key] {
return findRecursively(collection, node: childNode)
}
return nil
}
static internal func addRecursively<T: RangeReplaceableCollectionType, U: Equatable where T.Generator.Element == U>(addCollection: T, addNode: TrieNode<U>) -> TrieNode<U> {
var collection = addCollection
var node = addNode
guard !collection.isEmpty else {
node.isFinal = true
return node
}
let key = collection.removeFirst()
let childNode = node.children[key] ?? TrieNode()
node.children[key] = addRecursively(collection, addNode: childNode)
return node
}
}
| gpl-3.0 | f696651f7942185f4c179d397c546fb8 | 26.38 | 176 | 0.596786 | 5.033088 | false | false | false | false |
sspux/html2String | html2String+Extensions.swift | 1 | 30507 | //
// html2String+Extensions.swift
//
// 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.
// Mapping from XML/HTML character entity reference to character
// From http://en.wikipedia.org/wiki/List_of_XML_and_HTML_character_entity_references
private let characterEntities : [ String : Character ] = [
// XML predefined entities:
""" : "\"", // U+0022 (34) HTML 2.0 HTMLspecial ISOnum quotation mark (APL quote)
"&" : "&", // U+0026 (38) HTML 2.0 HTMLspecial ISOnum ampersand
"'" : "'", // U+0027 (39) XHTML 1.0 HTMLspecial ISOnum apostrophe (apostrophe-quote); see below
"<" : "<", // U+003C (60) HTML 2.0 HTMLspecial ISOnum less-than sign
">" : ">", // U+003E (62) HTML 2.0 HTMLspecial ISOnum greater-than sign
" " : "\u{00a0}", // U+00A0 (160) HTML 3.2 HTMLlat1 ISOnum no-break space (non-breaking space)[d]
"¡" : "¡", // U+00A1 (161) HTML 3.2 HTMLlat1 ISOnum inverted exclamation mark
"¢" : "¢", // U+00A2 (162) HTML 3.2 HTMLlat1 ISOnum cent sign
"£" : "£", // U+00A3 (163) HTML 3.2 HTMLlat1 ISOnum pound sign
"¤" : "¤", // U+00A4 (164) HTML 3.2 HTMLlat1 ISOnum currency sign
"¥" : "¥", // U+00A5 (165) HTML 3.2 HTMLlat1 ISOnum yen sign (yuan sign)
"¦" : "¦", // U+00A6 (166) HTML 3.2 HTMLlat1 ISOnum broken bar (broken vertical bar)
"§" : "§", // U+00A7 (167) HTML 3.2 HTMLlat1 ISOnum section sign
"¨" : "¨", // U+00A8 (168) HTML 3.2 HTMLlat1 ISOdia diaeresis (spacing diaeresis); see Germanic umlaut
"©" : "©", // U+00A9 (169) HTML 3.2 HTMLlat1 ISOnum copyright symbol
"ª" : "ª", // U+00AA (170) HTML 3.2 HTMLlat1 ISOnum feminine ordinal indicator
"«" : "«", // U+00AB (171) HTML 3.2 HTMLlat1 ISOnum left-pointing double angle quotation mark (left pointing guillemet)
"¬" : "¬", // U+00AC (172) HTML 3.2 HTMLlat1 ISOnum not sign
"­" : "\u{00ad}", // U+00AD (173) HTML 3.2 HTMLlat1 ISOnum soft hyphen (discretionary hyphen)
"®" : "®", // U+00AE (174) HTML 3.2 HTMLlat1 ISOnum registered sign (registered trademark symbol)
"¯" : "¯", // U+00AF (175) HTML 3.2 HTMLlat1 ISOdia macron (spacing macron, overline, APL overbar)
"°" : "°", // U+00B0 (176) HTML 3.2 HTMLlat1 ISOnum degree symbol
"±" : "±", // U+00B1 (177) HTML 3.2 HTMLlat1 ISOnum plus-minus sign (plus-or-minus sign)
"²" : "²", // U+00B2 (178) HTML 3.2 HTMLlat1 ISOnum superscript two (superscript digit two, squared)
"³" : "³", // U+00B3 (179) HTML 3.2 HTMLlat1 ISOnum superscript three (superscript digit three, cubed)
"´" : "´", // U+00B4 (180) HTML 3.2 HTMLlat1 ISOdia acute accent (spacing acute)
"µ" : "µ", // U+00B5 (181) HTML 3.2 HTMLlat1 ISOnum micro sign
"¶" : "¶", // U+00B6 (182) HTML 3.2 HTMLlat1 ISOnum pilcrow sign (paragraph sign)
"·" : "·", // U+00B7 (183) HTML 3.2 HTMLlat1 ISOnum middle dot (Georgian comma, Greek middle dot)
"¸" : "¸", // U+00B8 (184) HTML 3.2 HTMLlat1 ISOdia cedilla (spacing cedilla)
"¹" : "¹", // U+00B9 (185) HTML 3.2 HTMLlat1 ISOnum superscript one (superscript digit one)
"º" : "º", // U+00BA (186) HTML 3.2 HTMLlat1 ISOnum masculine ordinal indicator
"»" : "»", // U+00BB (187) HTML 3.2 HTMLlat1 ISOnum right-pointing double angle quotation mark (right pointing guillemet)
"¼" : "¼", // U+00BC (188) HTML 3.2 HTMLlat1 ISOnum vulgar fraction one quarter (fraction one quarter)
"½" : "½", // U+00BD (189) HTML 3.2 HTMLlat1 ISOnum vulgar fraction one half (fraction one half)
"¾" : "¾", // U+00BE (190) HTML 3.2 HTMLlat1 ISOnum vulgar fraction three quarters (fraction three quarters)
"¿" : "¿", // U+00BF (191) HTML 3.2 HTMLlat1 ISOnum inverted question mark (turned question mark)
"À" : "À", // U+00C0 (192) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter A with grave accent (Latin capital letter A grave)
"Á" : "Á", // U+00C1 (193) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter A with acute accent
"Â" : "Â", // U+00C2 (194) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter A with circumflex
"Ã" : "Ã", // U+00C3 (195) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter A with tilde
"Ä" : "Ä", // U+00C4 (196) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter A with diaeresis
"Å" : "Å", // U+00C5 (197) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter A with ring above (Latin capital letter A ring)
"Æ" : "Æ", // U+00C6 (198) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter AE (Latin capital ligature AE)
"Ç" : "Ç", // U+00C7 (199) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter C with cedilla
"È" : "È", // U+00C8 (200) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter E with grave accent
"É" : "É", // U+00C9 (201) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter E with acute accent
"Ê" : "Ê", // U+00CA (202) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter E with circumflex
"Ë" : "Ë", // U+00CB (203) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter E with diaeresis
"Ì" : "Ì", // U+00CC (204) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter I with grave accent
"Í" : "Í", // U+00CD (205) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter I with acute accent
"Î" : "Î", // U+00CE (206) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter I with circumflex
"Ï" : "Ï", // U+00CF (207) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter I with diaeresis
"Ð" : "Ð", // U+00D0 (208) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter Eth
"Ñ" : "Ñ", // U+00D1 (209) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter N with tilde
"Ò" : "Ò", // U+00D2 (210) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter O with grave accent
"Ó" : "Ó", // U+00D3 (211) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter O with acute accent
"Ô" : "Ô", // U+00D4 (212) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter O with circumflex
"Õ" : "Õ", // U+00D5 (213) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter O with tilde
"Ö" : "Ö", // U+00D6 (214) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter O with diaeresis
"×" : "×", // U+00D7 (215) HTML 3.2 HTMLlat1 ISOnum multiplication sign
"Ø" : "Ø", // U+00D8 (216) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter O with stroke (Latin capital letter O slash)
"Ù" : "Ù", // U+00D9 (217) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter U with grave accent
"Ú" : "Ú", // U+00DA (218) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter U with acute accent
"Û" : "Û", // U+00DB (219) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter U with circumflex
"Ü" : "Ü", // U+00DC (220) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter U with diaeresis
"Ý" : "Ý", // U+00DD (221) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter Y with acute accent
"Þ" : "Þ", // U+00DE (222) HTML 2.0 HTMLlat1 ISOlat1 Latin capital letter THORN
"ß" : "ß", // U+00DF (223) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter sharp s (ess-zed); see German Eszett
"à" : "à", // U+00E0 (224) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter a with grave accent
"á" : "á", // U+00E1 (225) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter a with acute accent
"â" : "â", // U+00E2 (226) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter a with circumflex
"ã" : "ã", // U+00E3 (227) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter a with tilde
"ä" : "ä", // U+00E4 (228) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter a with diaeresis
"å" : "å", // U+00E5 (229) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter a with ring above
"æ" : "æ", // U+00E6 (230) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter ae (Latin small ligature ae)
"ç" : "ç", // U+00E7 (231) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter c with cedilla
"è" : "è", // U+00E8 (232) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter e with grave accent
"é" : "é", // U+00E9 (233) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter e with acute accent
"ê" : "ê", // U+00EA (234) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter e with circumflex
"ë" : "ë", // U+00EB (235) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter e with diaeresis
"ì" : "ì", // U+00EC (236) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter i with grave accent
"í" : "í", // U+00ED (237) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter i with acute accent
"î" : "î", // U+00EE (238) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter i with circumflex
"ï" : "ï", // U+00EF (239) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter i with diaeresis
"ð" : "ð", // U+00F0 (240) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter eth
"ñ" : "ñ", // U+00F1 (241) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter n with tilde
"ò" : "ò", // U+00F2 (242) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter o with grave accent
"ó" : "ó", // U+00F3 (243) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter o with acute accent
"ô" : "ô", // U+00F4 (244) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter o with circumflex
"õ" : "õ", // U+00F5 (245) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter o with tilde
"ö" : "ö", // U+00F6 (246) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter o with diaeresis
"÷" : "÷", // U+00F7 (247) HTML 3.2 HTMLlat1 ISOnum division sign (obelus)
"ø" : "ø", // U+00F8 (248) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter o with stroke (Latin small letter o slash)
"ù" : "ù", // U+00F9 (249) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter u with grave accent
"ú" : "ú", // U+00FA (250) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter u with acute accent
"û" : "û", // U+00FB (251) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter u with circumflex
"ü" : "ü", // U+00FC (252) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter u with diaeresis
"ý" : "ý", // U+00FD (253) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter y with acute accent
"þ" : "þ", // U+00FE (254) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter thorn
"ÿ" : "ÿ", // U+00FF (255) HTML 2.0 HTMLlat1 ISOlat1 Latin small letter y with diaeresis
"Œ" : "Œ", // U+0152 (338) HTML 4.0 HTMLspecial ISOlat2 Latin capital ligature oe[e]
"œ" : "œ", // U+0153 (339) HTML 4.0 HTMLspecial ISOlat2 Latin small ligature oe[e]
"Š" : "Š", // U+0160 (352) HTML 4.0 HTMLspecial ISOlat2 Latin capital letter s with caron
"š" : "š", // U+0161 (353) HTML 4.0 HTMLspecial ISOlat2 Latin small letter s with caron
"Ÿ" : "Ÿ", // U+0178 (376) HTML 4.0 HTMLspecial ISOlat2 Latin capital letter y with diaeresis
"ƒ" : "ƒ", // U+0192 (402) HTML 4.0 HTMLsymbol ISOtech Latin small letter f with hook (function, florin)
"ˆ" : "ˆ", // U+02C6 (710) HTML 4.0 HTMLspecial ISOpub modifier letter circumflex accent
"˜" : "˜", // U+02DC (732) HTML 4.0 HTMLspecial ISOdia small tilde
"Α" : "Α", // U+0391 (913) HTML 4.0 HTMLsymbol Greek capital letter Alpha
"Β" : "Β", // U+0392 (914) HTML 4.0 HTMLsymbol Greek capital letter Beta
"Γ" : "Γ", // U+0393 (915) HTML 4.0 HTMLsymbol ISOgrk3 Greek capital letter Gamma
"Δ" : "Δ", // U+0394 (916) HTML 4.0 HTMLsymbol ISOgrk3 Greek capital letter Delta
"Ε" : "Ε", // U+0395 (917) HTML 4.0 HTMLsymbol Greek capital letter Epsilon
"Ζ" : "Ζ", // U+0396 (918) HTML 4.0 HTMLsymbol Greek capital letter Zeta
"Η" : "Η", // U+0397 (919) HTML 4.0 HTMLsymbol Greek capital letter Eta
"Θ" : "Θ", // U+0398 (920) HTML 4.0 HTMLsymbol ISOgrk3 Greek capital letter Theta
"Ι" : "Ι", // U+0399 (921) HTML 4.0 HTMLsymbol Greek capital letter Iota
"Κ" : "Κ", // U+039A (922) HTML 4.0 HTMLsymbol Greek capital letter Kappa
"Λ" : "Λ", // U+039B (923) HTML 4.0 HTMLsymbol ISOgrk3 Greek capital letter Lambda
"Μ" : "Μ", // U+039C (924) HTML 4.0 HTMLsymbol Greek capital letter Mu
"Ν" : "Ν", // U+039D (925) HTML 4.0 HTMLsymbol Greek capital letter Nu
"Ξ" : "Ξ", // U+039E (926) HTML 4.0 HTMLsymbol ISOgrk3 Greek capital letter Xi
"Ο" : "Ο", // U+039F (927) HTML 4.0 HTMLsymbol Greek capital letter Omicron
"Π" : "Π", // U+03A0 (928) HTML 4.0 HTMLsymbol Greek capital letter Pi
"Ρ" : "Ρ", // U+03A1 (929) HTML 4.0 HTMLsymbol Greek capital letter Rho
"Σ" : "Σ", // U+03A3 (931) HTML 4.0 HTMLsymbol ISOgrk3 Greek capital letter Sigma
"Τ" : "Τ", // U+03A4 (932) HTML 4.0 HTMLsymbol Greek capital letter Tau
"Υ" : "Υ", // U+03A5 (933) HTML 4.0 HTMLsymbol ISOgrk3 Greek capital letter Upsilon
"Φ" : "Φ", // U+03A6 (934) HTML 4.0 HTMLsymbol ISOgrk3 Greek capital letter Phi
"Χ" : "Χ", // U+03A7 (935) HTML 4.0 HTMLsymbol Greek capital letter Chi
"Ψ" : "Ψ", // U+03A8 (936) HTML 4.0 HTMLsymbol ISOgrk3 Greek capital letter Psi
"Ω" : "Ω", // U+03A9 (937) HTML 4.0 HTMLsymbol ISOgrk3 Greek capital letter Omega
"α" : "α", // U+03B1 (945) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter alpha
"β" : "β", // U+03B2 (946) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter beta
"γ" : "γ", // U+03B3 (947) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter gamma
"δ" : "δ", // U+03B4 (948) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter delta
"ε" : "ε", // U+03B5 (949) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter epsilon
"ζ" : "ζ", // U+03B6 (950) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter zeta
"η" : "η", // U+03B7 (951) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter eta
"θ" : "θ", // U+03B8 (952) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter theta
"ι" : "ι", // U+03B9 (953) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter iota
"κ" : "κ", // U+03BA (954) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter kappa
"λ" : "λ", // U+03BB (955) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter lambda
"μ" : "μ", // U+03BC (956) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter mu
"ν" : "ν", // U+03BD (957) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter nu
"ξ" : "ξ", // U+03BE (958) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter xi
"ο" : "ο", // U+03BF (959) HTML 4.0 HTMLsymbol NEW Greek small letter omicron
"π" : "π", // U+03C0 (960) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter pi
"ρ" : "ρ", // U+03C1 (961) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter rho
"ς" : "ς", // U+03C2 (962) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter final sigma
"σ" : "σ", // U+03C3 (963) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter sigma
"τ" : "τ", // U+03C4 (964) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter tau
"υ" : "υ", // U+03C5 (965) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter upsilon
"φ" : "φ", // U+03C6 (966) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter phi
"χ" : "χ", // U+03C7 (967) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter chi
"ψ" : "ψ", // U+03C8 (968) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter psi
"ω" : "ω", // U+03C9 (969) HTML 4.0 HTMLsymbol ISOgrk3 Greek small letter omega
"ϑ": "ϑ", // U+03D1 (977) HTML 4.0 HTMLsymbol NEW Greek theta symbol
"ϒ" : "ϒ", // U+03D2 (978) HTML 4.0 HTMLsymbol NEW Greek Upsilon with hook symbol
"ϖ" : "ϖ", // U+03D6 (982) HTML 4.0 HTMLsymbol ISOgrk3 Greek pi symbol
" " : "\u{2002}", // U+2002 (8194) HTML 4.0 HTMLspecial ISOpub en space[d]
" " : "\u{2003}", // U+2003 (8195) HTML 4.0 HTMLspecial ISOpub em space[d]
" " : "\u{2009}", // U+2009 (8201) HTML 4.0 HTMLspecial ISOpub thin space[d]
"‌" : "\u{200C}", // U+200C (8204) HTML 4.0 HTMLspecial NEW RFC 2070 zero-width non-joiner
"‍" : "\u{200D}", // U+200D (8205) HTML 4.0 HTMLspecial NEW RFC 2070 zero-width joiner
"‎" : "\u{200E}", // U+200E (8206) HTML 4.0 HTMLspecial NEW RFC 2070 left-to-right mark
"‏" : "\u{200F}", // U+200F (8207) HTML 4.0 HTMLspecial NEW RFC 2070 right-to-left mark
"–" : "–", // U+2013 (8211) HTML 4.0 HTMLspecial ISOpub en dash
"—" : "—", // U+2014 (8212) HTML 4.0 HTMLspecial ISOpub em dash
"‘" : "‘", // U+2018 (8216) HTML 4.0 HTMLspecial ISOnum left single quotation mark
"’" : "’", // U+2019 (8217) HTML 4.0 HTMLspecial ISOnum right single quotation mark
"‚" : "‚", // U+201A (8218) HTML 4.0 HTMLspecial NEW single low-9 quotation mark
"“" : "“", // U+201C (8220) HTML 4.0 HTMLspecial ISOnum left double quotation mark
"”" : "”", // U+201D (8221) HTML 4.0 HTMLspecial ISOnum right double quotation mark
"„" : "„", // U+201E (8222) HTML 4.0 HTMLspecial NEW double low-9 quotation mark
"†" : "†", // U+2020 (8224) HTML 4.0 HTMLspecial ISOpub dagger, obelisk
"‡" : "‡", // U+2021 (8225) HTML 4.0 HTMLspecial ISOpub double dagger, double obelisk
"•" : "•", // U+2022 (8226) HTML 4.0 HTMLspecial ISOpub bullet (black small circle)[f]
"…" : "…", // U+2026 (8230) HTML 4.0 HTMLsymbol ISOpub horizontal ellipsis (three dot leader)
"‰" : "‰", // U+2030 (8240) HTML 4.0 HTMLspecial ISOtech per mille sign
"′" : "′", // U+2032 (8242) HTML 4.0 HTMLsymbol ISOtech prime (minutes, feet)
"″" : "″", // U+2033 (8243) HTML 4.0 HTMLsymbol ISOtech double prime (seconds, inches)
"‹" : "‹", // U+2039 (8249) HTML 4.0 HTMLspecial ISO proposed single left-pointing angle quotation mark[g]
"›" : "›", // U+203A (8250) HTML 4.0 HTMLspecial ISO proposed single right-pointing angle quotation mark[g]
"‾" : "‾", // U+203E (8254) HTML 4.0 HTMLsymbol NEW overline (spacing overscore)
"⁄" : "⁄", // U+2044 (8260) HTML 4.0 HTMLsymbol NEW fraction slash (solidus)
"€" : "€", // U+20AC (8364) HTML 4.0 HTMLspecial NEW euro sign
"ℑ" : "ℑ", // U+2111 (8465) HTML 4.0 HTMLsymbol ISOamso black-letter capital I (imaginary part)
"℘" : "℘", // U+2118 (8472) HTML 4.0 HTMLsymbol ISOamso script capital P (power set, Weierstrass p)
"ℜ" : "ℜ", // U+211C (8476) HTML 4.0 HTMLsymbol ISOamso black-letter capital R (real part symbol)
"™" : "™", // U+2122 (8482) HTML 4.0 HTMLsymbol ISOnum trademark symbol
"ℵ" : "ℵ", // U+2135 (8501) HTML 4.0 HTMLsymbol NEW alef symbol (first transfinite cardinal)[h]
"←" : "←", // U+2190 (8592) HTML 4.0 HTMLsymbol ISOnum leftwards arrow
"↑" : "↑", // U+2191 (8593) HTML 4.0 HTMLsymbol ISOnum upwards arrow
"→" : "→", // U+2192 (8594) HTML 4.0 HTMLsymbol ISOnum rightwards arrow
"↓" : "↓", // U+2193 (8595) HTML 4.0 HTMLsymbol ISOnum downwards arrow
"↔" : "↔", // U+2194 (8596) HTML 4.0 HTMLsymbol ISOamsa left right arrow
"↵" : "↵", // U+21B5 (8629) HTML 4.0 HTMLsymbol NEW downwards arrow with corner leftwards (carriage return)
"⇐" : "⇐", // U+21D0 (8656) HTML 4.0 HTMLsymbol ISOtech leftwards double arrow[i]
"⇑" : "⇑", // U+21D1 (8657) HTML 4.0 HTMLsymbol ISOamsa upwards double arrow
"⇒" : "⇒", // U+21D2 (8658) HTML 4.0 HTMLsymbol ISOnum rightwards double arrow[j]
"⇓" : "⇓", // U+21D3 (8659) HTML 4.0 HTMLsymbol ISOamsa downwards double arrow
"⇔" : "⇔", // U+21D4 (8660) HTML 4.0 HTMLsymbol ISOamsa left right double arrow
"∀" : "∀", // U+2200 (8704) HTML 4.0 HTMLsymbol ISOtech for all
"∂" : "∂", // U+2202 (8706) HTML 4.0 HTMLsymbol ISOtech partial differential
"∃" : "∃", // U+2203 (8707) HTML 4.0 HTMLsymbol ISOtech there exists
"∅" : "∅", // U+2205 (8709) HTML 4.0 HTMLsymbol ISOamso empty set (null set); see also U+8960, ⌀
"∇" : "∇", // U+2207 (8711) HTML 4.0 HTMLsymbol ISOtech del or nabla (vector differential operator)
"∈" : "∈", // U+2208 (8712) HTML 4.0 HTMLsymbol ISOtech element of
"∉" : "∉", // U+2209 (8713) HTML 4.0 HTMLsymbol ISOtech not an element of
"∋" : "∋", // U+220B (8715) HTML 4.0 HTMLsymbol ISOtech contains as member
"∏" : "∏", // U+220F (8719) HTML 4.0 HTMLsymbol ISOamsb n-ary product (product sign)[k]
"∑" : "∑", // U+2211 (8721) HTML 4.0 HTMLsymbol ISOamsb n-ary summation[l]
"−" : "−", // U+2212 (8722) HTML 4.0 HTMLsymbol ISOtech minus sign
"∗" : "∗", // U+2217 (8727) HTML 4.0 HTMLsymbol ISOtech asterisk operator
"√" : "√", // U+221A (8730) HTML 4.0 HTMLsymbol ISOtech square root (radical sign)
"∝" : "∝", // U+221D (8733) HTML 4.0 HTMLsymbol ISOtech proportional to
"∞" : "∞", // U+221E (8734) HTML 4.0 HTMLsymbol ISOtech infinity
"∠" : "∠", // U+2220 (8736) HTML 4.0 HTMLsymbol ISOamso angle
"∧" : "∧", // U+2227 (8743) HTML 4.0 HTMLsymbol ISOtech logical and (wedge)
"∨" : "∨", // U+2228 (8744) HTML 4.0 HTMLsymbol ISOtech logical or (vee)
"∩" : "∩", // U+2229 (8745) HTML 4.0 HTMLsymbol ISOtech intersection (cap)
"∪" : "∪", // U+222A (8746) HTML 4.0 HTMLsymbol ISOtech union (cup)
"∫" : "∫", // U+222B (8747) HTML 4.0 HTMLsymbol ISOtech integral
"∴" : "\u{2234}", // U+2234 (8756) HTML 4.0 HTMLsymbol ISOtech therefore sign
"∼" : "∼", // U+223C (8764) HTML 4.0 HTMLsymbol ISOtech tilde operator (varies with, similar to)[m]
"≅" : "≅", // U+2245 (8773) HTML 4.0 HTMLsymbol ISOtech congruent to
"≈" : "≈", // U+2248 (8776) HTML 4.0 HTMLsymbol ISOamsr almost equal to (asymptotic to)
"≠" : "≠", // U+2260 (8800) HTML 4.0 HTMLsymbol ISOtech not equal to
"≡" : "≡", // U+2261 (8801) HTML 4.0 HTMLsymbol ISOtech identical to; sometimes used for 'equivalent to'
"≤" : "≤", // U+2264 (8804) HTML 4.0 HTMLsymbol ISOtech less-than or equal to
"≥" : "≥", // U+2265 (8805) HTML 4.0 HTMLsymbol ISOtech greater-than or equal to
"⊂" : "⊂", // U+2282 (8834) HTML 4.0 HTMLsymbol ISOtech subset of
"⊃" : "⊃", // U+2283 (8835) HTML 4.0 HTMLsymbol ISOtech superset of[n]
"⊄" : "⊄", // U+2284 (8836) HTML 4.0 HTMLsymbol ISOamsn not a subset of
"⊆" : "⊆", // U+2286 (8838) HTML 4.0 HTMLsymbol ISOtech subset of or equal to
"⊇" : "⊇", // U+2287 (8839) HTML 4.0 HTMLsymbol ISOtech superset of or equal to
"⊕" : "⊕", // U+2295 (8853) HTML 4.0 HTMLsymbol ISOamsb circled plus (direct sum)
"⊗" : "⊗", // U+2297 (8855) HTML 4.0 HTMLsymbol ISOamsb circled times (vector product)
"⊥" : "⊥", // U+22A5 (8869) HTML 4.0 HTMLsymbol ISOtech up tack (orthogonal to, perpendicular)[o]
"⋅" : "⋅", // U+22C5 (8901) HTML 4.0 HTMLsymbol ISOamsb dot operator[p]
"⌈" : "⌈", // U+2308 (8968) HTML 4.0 HTMLsymbol ISOamsc left ceiling (APL upstile)
"⌉" : "⌉", // U+2309 (8969) HTML 4.0 HTMLsymbol ISOamsc right ceiling
"⌊" : "⌊", // U+230A (8970) HTML 4.0 HTMLsymbol ISOamsc left floor (APL downstile)
"⌋" : "⌋", // U+230B (8971) HTML 4.0 HTMLsymbol ISOamsc right floor
"⟨" : "〈", // U+2329 (9001) HTML 4.0 HTMLsymbol ISOtech left-pointing angle bracket (bra)[q]
"⟩" : "〉", // U+232A (9002) HTML 4.0 HTMLsymbol ISOtech right-pointing angle bracket (ket)[r]
"◊" : "◊", // U+25CA (9674) HTML 4.0 HTMLsymbol ISOpub lozenge
"♠" : "♠", // U+2660 (9824) HTML 4.0 HTMLsymbol ISOpub black spade suit[f]
"♣" : "♣", // U+2663 (9827) HTML 4.0 HTMLsymbol ISOpub black club suit (shamrock)[f]
"♥" : "♥", // U+2665 (9829) HTML 4.0 HTMLsymbol ISOpub black heart suit (valentine)[f]
"♦" : "♦", // U+2666 (9830) HTML 4.0 HTMLsymbol ISOpub black diamond suit[f]
]
extension String {
/// Returns a new string made by replacing in the `String`
/// all HTML character entity references with the corresponding
/// character.
var stringByDecodingHTMLEntities : String {
// ===== Utility functions =====
// Convert the number in the string to the corresponding
// Unicode character, e.g.
// decodeNumeric("64", 10) --> "@"
// decodeNumeric("20ac", 16) --> "€"
func decodeNumeric(string : String, base : Int32) -> Character? {
let code = UInt32(strtoul(string, nil, base))
return Character(UnicodeScalar(code))
}
// Decode the HTML character entity to the corresponding
// Unicode character, return `nil` for invalid input.
// decode("@") --> "@"
// decode("€") --> "€"
// decode("<") --> "<"
// decode("&foo;") --> nil
func decode(entity : String) -> Character? {
if entity.hasPrefix("&#x") || entity.hasPrefix("&#X"){
return decodeNumeric(entity.substringFromIndex(entity.startIndex.advancedBy(3)), base: 16)
} else if entity.hasPrefix("&#") {
return decodeNumeric(entity.substringFromIndex(entity.startIndex.advancedBy(2)), base: 10)
} else {
return characterEntities[entity]
}
}
// ===== Method starts here =====
var result = ""
var position = startIndex
// Find the next '&' and copy the characters preceding it to `result`:
while let ampRange = self.rangeOfString("&", range: position ..< endIndex) {
result.appendContentsOf(self[position ..< ampRange.startIndex])
position = ampRange.startIndex
// Find the next ';' and copy everything from '&' to ';' into `entity`
if let semiRange = self.rangeOfString(";", range: position ..< endIndex) {
let entity = self[position ..< semiRange.endIndex]
position = semiRange.endIndex
if let decoded = decode(entity) {
// Replace by decoded character:
result.append(decoded)
} else {
// Invalid entity, copy verbatim:
result.appendContentsOf(entity)
}
} else {
// No matching ';'.
break
}
}
// Copy remaining characters to `result`:
result.appendContentsOf(self[position ..< endIndex])
return result
}
}
| mit | b0de653fa4c0c0c81b0d5f1b856f2079 | 85.455587 | 144 | 0.578033 | 2.75754 | false | false | false | false |
McClementine/TextGameEngine | src/room.swift | 1 | 783 | public class Room {
public var name: String
public var message: String
public var roomAccess: [Room] = []
public var commands: [Command]?
public func printInfo() {
print(message)
print("You have access to the following room(s):")
for rooms in roomAccess {
print(rooms.name)
}
print("You can:")
if commands?.count > 0 {
for cmd in commands! {
print(cmd.command)
}
} else {
print("Do Nothing")
}
}
public init(name: String, message: String, roomAccess: [Room], commands: [Command]) {
self.name = name
self.message = message
self.roomAccess = roomAccess
self.commands = commands
}
public init(name: String, message: String, roomAccess: [Room]) {
self.name = name
self.message = message
self.roomAccess = roomAccess
}
} | mit | 7f704aaeb766ea69456d6aa95892db1d | 20.189189 | 86 | 0.661558 | 3.209016 | false | false | false | false |
adrfer/swift | test/ClangModules/Darwin_test.swift | 24 | 624 | // RUN: %target-parse-verify-swift %clang-importer-sdk
// REQUIRES: objc_interop
import Darwin
import MachO
_ = nil as Fract? // expected-error{{use of undeclared type 'Fract'}}
_ = nil as Darwin.Fract? // okay
_ = 0 as OSErr
_ = noErr as OSStatus // noErr is from the overlay
_ = 0 as UniChar
_ = ProcessSerialNumber()
_ = 0 as Byte // expected-error {{use of undeclared type 'Byte'}} {{10-14=UInt8}}
Darwin.fakeAPIUsingByteInDarwin() as Int // expected-error {{cannot convert value of type 'UInt8' to type 'Int' in coercion}}
_ = FALSE // expected-error {{use of unresolved identifier 'FALSE'}}
_ = DYLD_BOOL.FALSE
| apache-2.0 | 5549d33c389dd6ec91097bc3d7c5f949 | 28.714286 | 125 | 0.692308 | 3.301587 | false | false | false | false |
kshala-ford/sdl_ios | SmartDeviceLink_Example/MenuManager.swift | 2 | 7299 | //
// MenuManager.swift
// SmartDeviceLink-Example-Swift
//
// Created by Nicole on 4/11/18.
// Copyright © 2018 smartdevicelink. All rights reserved.
//
import Foundation
import SmartDeviceLink
import SmartDeviceLinkSwift
class MenuManager: NSObject {
/// Creates and returns the menu items
///
/// - Parameter manager: The SDL Manager
/// - Returns: An array of SDLAddCommand objects
class func allMenuItems(with manager: SDLManager) -> [SDLMenuCell] {
return [menuCellSpeakName(with: manager),
menuCellGetVehicleSpeed(with: manager),
menuCellShowPerformInteraction(with: manager),
menuCellRecordInCarMicrophoneAudio(with: manager),
menuCellDialNumber(with: manager),
menuCellWithSubmenu(with: manager)]
}
/// Creates and returns the voice commands. The voice commands are menu items that are selected using the voice recognition system.
///
/// - Parameter manager: The SDL Manager
/// - Returns: An array of SDLVoiceCommand objects
class func allVoiceMenuItems(with manager: SDLManager) -> [SDLVoiceCommand] {
guard manager.systemCapabilityManager.vrCapability else {
SDLLog.e("The head unit does not support voice recognition")
return []
}
return [voiceCommandStart(with: manager), voiceCommandStop(with: manager)]
}
}
// MARK: - Root Menu
private extension MenuManager {
/// Menu item that speaks the app name when selected
///
/// - Parameter manager: The SDL Manager
/// - Returns: A SDLMenuCell object
class func menuCellSpeakName(with manager: SDLManager) -> SDLMenuCell {
return SDLMenuCell(title: ACSpeakAppNameMenuName, icon: SDLArtwork(image: UIImage(named: SpeakBWIconImageName)!, persistent: true, as: .PNG), voiceCommands: [ACSpeakAppNameMenuName], handler: { _ in
manager.send(request: SDLSpeak(tts: ExampleAppNameTTS), responseHandler: { (_, response, error) in
guard response?.resultCode == .success else { return }
SDLLog.e("Error sending the Speak RPC: \(error?.localizedDescription ?? "no error message")")
})
})
}
/// Menu item that requests vehicle data when selected
///
/// - Parameter manager: The SDL Manager
/// - Returns: A SDLMenuCell object
class func menuCellGetVehicleSpeed(with manager: SDLManager) -> SDLMenuCell {
return SDLMenuCell(title: ACGetVehicleDataMenuName, icon: SDLArtwork(image: UIImage(named: CarBWIconImageName)!, persistent: true, as: .PNG), voiceCommands: [ACGetVehicleDataMenuName], handler: { _ in
VehicleDataManager.getVehicleSpeed(with: manager)
})
}
/// Menu item that shows a custom menu (i.e. a Perform Interaction Choice Set) when selected
///
/// - Parameter manager: The SDL Manager
/// - Returns: A SDLMenuCell object
class func menuCellShowPerformInteraction(with manager: SDLManager) -> SDLMenuCell {
return SDLMenuCell(title: ACShowChoiceSetMenuName, icon: SDLArtwork(image: UIImage(named: MenuBWIconImageName)!, persistent: true, as: .PNG), voiceCommands: [ACShowChoiceSetMenuName], handler: { triggerSource in
PerformInteractionManager.showPerformInteractionChoiceSet(with: manager, triggerSource: triggerSource)
})
}
/// Menu item that starts recording sounds via the in-car microphone when selected
///
/// - Parameter manager: The SDL Manager
/// - Returns: A SDLMenuCell object
class func menuCellRecordInCarMicrophoneAudio(with manager: SDLManager) -> SDLMenuCell {
if #available(iOS 10.0, *) {
let audioManager = AudioManager(sdlManager: manager)
return SDLMenuCell(title: ACRecordInCarMicrophoneAudioMenuName, icon: SDLArtwork(image: UIImage(named: MicrophoneBWIconImageName)!, persistent: true, as: .PNG), voiceCommands: [ACRecordInCarMicrophoneAudioMenuName], handler: { _ in
audioManager.startRecording()
})
}
return SDLMenuCell(title: ACRecordInCarMicrophoneAudioMenuName, icon: SDLArtwork(image: UIImage(named: SpeakBWIconImageName)!, persistent: true, as: .PNG), voiceCommands: [ACRecordInCarMicrophoneAudioMenuName], handler: { _ in
manager.send(AlertManager.alertWithMessageAndCloseButton("Speech recognition feature only available on iOS 10+"))
})
}
/// Menu item that dials a phone number when selected
///
/// - Parameter manager: The SDL Manager
/// - Returns: A SDLMenuCell object
class func menuCellDialNumber(with manager: SDLManager) -> SDLMenuCell {
return SDLMenuCell(title: ACDialPhoneNumberMenuName, icon: SDLArtwork(image: UIImage(named: PhoneBWIconImageName)!, persistent: true, as: .PNG), voiceCommands: [ACDialPhoneNumberMenuName], handler: { _ in
guard RPCPermissionsManager.isDialNumberRPCAllowed(with: manager) else {
manager.send(AlertManager.alertWithMessageAndCloseButton("This app does not have the required permissions to dial a number"))
return
}
VehicleDataManager.checkPhoneCallCapability(manager: manager, phoneNumber:"555-555-5555")
})
}
/// Menu item that opens a submenu when selected
///
/// - Parameter manager: The SDL Manager
/// - Returns: A SDLMenuCell object
class func menuCellWithSubmenu(with manager: SDLManager) -> SDLMenuCell {
var submenuItems = [SDLMenuCell]()
for i in 0..<75 {
let submenuTitle = "Submenu Item \(i)"
submenuItems.append(SDLMenuCell(title: submenuTitle, icon: SDLArtwork(image: UIImage(named: MenuBWIconImageName)!, persistent: true, as: .PNG), voiceCommands: [submenuTitle, "Item \(i)", "\(i)"], handler: { (triggerSource) in
let message = "\(submenuTitle) selected!"
switch triggerSource {
case .menu:
manager.send(AlertManager.alertWithMessageAndCloseButton(message))
case .voiceRecognition:
manager.send(SDLSpeak(tts: message))
default: break
}
}))
}
return SDLMenuCell(title: "Submenu", subCells: submenuItems)
}
}
// MARK: - Menu Voice Commands
private extension MenuManager {
/// Voice command menu item that shows an alert when triggered via the VR system
///
/// - Parameter manager: The SDL Manager
/// - Returns: A SDLVoiceCommand object
class func voiceCommandStart(with manager: SDLManager) -> SDLVoiceCommand {
return SDLVoiceCommand(voiceCommands: [VCStart], handler: {
manager.send(AlertManager.alertWithMessageAndCloseButton("\(VCStart) voice command selected!"))
})
}
/// Voice command menu item that shows an alert when triggered via the VR system
///
/// - Parameter manager: The SDL Manager
/// - Returns: A SDLVoiceCommand object
class func voiceCommandStop(with manager: SDLManager) -> SDLVoiceCommand {
return SDLVoiceCommand(voiceCommands: [VCStop], handler: {
manager.send(AlertManager.alertWithMessageAndCloseButton("\(VCStop) voice command selected!"))
})
}
}
| bsd-3-clause | b16b2aee030223ac02b9487fd5366a01 | 46.38961 | 243 | 0.673883 | 4.380552 | false | false | false | false |
frootloops/swift | stdlib/public/core/ThreadLocalStorage.swift | 1 | 6370 | //===--- ThreadLocalStorage.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
//
//===----------------------------------------------------------------------===//
import SwiftShims
// For testing purposes, a thread-safe counter to guarantee that destructors get
// called by pthread.
#if INTERNAL_CHECKS_ENABLED
public // @testable
let _destroyTLSCounter = _stdlib_AtomicInt()
#endif
// Thread local storage for all of the Swift standard library
//
// @moveonly/@pointeronly: shouldn't be used as a value, only through its
// pointer. Similarly, shouldn't be created, except by
// _initializeThreadLocalStorage.
//
@_versioned // FIXME(sil-serialize-all)
@_fixed_layout // FIXME(sil-serialize-all)
internal struct _ThreadLocalStorage {
// TODO: might be best to absract uBreakIterator handling and caching into
// separate struct. That would also make it easier to maintain multiple ones
// and other TLS entries side-by-side.
// Save a pre-allocated UBreakIterator, as they are very expensive to set up.
// Each thread can reuse their unique break iterator, being careful to reset
// the text when it has changed (see below). Even with a naive always-reset
// policy, grapheme breaking is 30x faster when using a pre-allocated
// UBreakIterator than recreating one.
//
// private
@_versioned // FIXME(sil-serialize-all)
internal var uBreakIterator: OpaquePointer
// TODO: Consider saving two, e.g. for character-by-character comparison
// The below cache key tries to avoid resetting uBreakIterator's text when
// operating on the same String as before. Avoiding the reset gives a 50%
// speedup on grapheme breaking.
//
// As a invalidation check, save the base address from the last used
// StringCore. We can skip resetting the uBreakIterator's text when operating
// on a given StringCore when both of these associated references/pointers are
// equal to the StringCore's. Note that the owner is weak, to force it to
// compare unequal if a new StringCore happens to be created in the same
// memory.
//
// TODO: unowned reference to string owner, base address, and _countAndFlags
// private: Should only be called by _initializeThreadLocalStorage
@_inlineable // FIXME(sil-serialize-all)
@_versioned // FIXME(sil-serialize-all)
internal init(_uBreakIterator: OpaquePointer) {
self.uBreakIterator = _uBreakIterator
}
// Get the current thread's TLS pointer. On first call for a given thread,
// creates and initializes a new one.
@_inlineable // FIXME(sil-serialize-all)
@_versioned // FIXME(sil-serialize-all)
static internal func getPointer()
-> UnsafeMutablePointer<_ThreadLocalStorage>
{
let tlsRawPtr = _stdlib_thread_getspecific(_tlsKey)
if _fastPath(tlsRawPtr != nil) {
return tlsRawPtr._unsafelyUnwrappedUnchecked.assumingMemoryBound(
to: _ThreadLocalStorage.self)
}
return _initializeThreadLocalStorage()
}
// Retrieve our thread's local uBreakIterator and set it up for the given
// StringCore.
@_inlineable // FIXME(sil-serialize-all)
@_versioned // FIXME(sil-serialize-all)
static internal func getUBreakIterator(
for core: _StringCore
) -> OpaquePointer {
_sanityCheck(core._owner != nil || core._baseAddress != nil,
"invalid StringCore")
let corePtr: UnsafeMutablePointer<UTF16.CodeUnit> = core.startUTF16
return getUBreakIterator(
for: UnsafeBufferPointer(start: corePtr, count: core.count))
}
@_inlineable // FIXME(sil-serialize-all)
@_versioned // FIXME(sil-serialize-all)
static internal func getUBreakIterator(
for bufPtr: UnsafeBufferPointer<UTF16.CodeUnit>
) -> OpaquePointer {
let tlsPtr = getPointer()
let brkIter = tlsPtr[0].uBreakIterator
var err = __swift_stdlib_U_ZERO_ERROR
__swift_stdlib_ubrk_setText(
brkIter, bufPtr.baseAddress!, Int32(bufPtr.count), &err)
_precondition(err.isSuccess, "Unexpected ubrk_setUText failure")
return brkIter
}
}
// Destructor to register with pthreads. Responsible for deallocating any memory
// owned.
@_inlineable // FIXME(sil-serialize-all)
@_versioned // FIXME(sil-serialize-all)
@_silgen_name("_stdlib_destroyTLS")
internal func _destroyTLS(_ ptr: UnsafeMutableRawPointer?) {
_sanityCheck(ptr != nil,
"_destroyTLS was called, but with nil...")
let tlsPtr = ptr!.assumingMemoryBound(to: _ThreadLocalStorage.self)
__swift_stdlib_ubrk_close(tlsPtr[0].uBreakIterator)
tlsPtr.deinitialize(count: 1)
tlsPtr.deallocate()
#if INTERNAL_CHECKS_ENABLED
// Log the fact we've destroyed our storage
_destroyTLSCounter.fetchAndAdd(1)
#endif
}
// Lazily created global key for use with pthread TLS
@_versioned // FIXME(sil-serialize-all)
internal let _tlsKey: __swift_thread_key_t = {
let sentinelValue = __swift_thread_key_t.max
var key: __swift_thread_key_t = sentinelValue
let success = _stdlib_thread_key_create(&key, _destroyTLS)
_sanityCheck(success == 0, "somehow failed to create TLS key")
_sanityCheck(key != sentinelValue, "Didn't make a new key")
return key
}()
@_inlineable // FIXME(sil-serialize-all)
@_versioned // FIXME(sil-serialize-all)
@inline(never)
internal func _initializeThreadLocalStorage()
-> UnsafeMutablePointer<_ThreadLocalStorage>
{
_sanityCheck(_stdlib_thread_getspecific(_tlsKey) == nil,
"already initialized")
// Create and initialize one.
var err = __swift_stdlib_U_ZERO_ERROR
let newUBreakIterator = __swift_stdlib_ubrk_open(
/*type:*/ __swift_stdlib_UBRK_CHARACTER, /*locale:*/ nil,
/*text:*/ nil, /*textLength:*/ 0, /*status:*/ &err)
_precondition(err.isSuccess, "Unexpected ubrk_open failure")
let tlsPtr: UnsafeMutablePointer<_ThreadLocalStorage>
= UnsafeMutablePointer<_ThreadLocalStorage>.allocate(
capacity: 1
)
tlsPtr.initialize(
to: _ThreadLocalStorage(_uBreakIterator: newUBreakIterator)
)
let success = _stdlib_thread_setspecific(_tlsKey, tlsPtr)
_sanityCheck(success == 0, "setspecific failed")
return tlsPtr
}
| apache-2.0 | 2711b39c2098044018dd42d0431a1d51 | 36.692308 | 80 | 0.712402 | 4.075496 | false | false | false | false |
adamgraham/STween | STween/STweenTests/Tweening/Conformance/CALayer+TweeningTest.swift | 1 | 6033 | //
// CALayer+TweeningTest.swift
// STween
//
// Created by Adam Graham on 1/19/17.
// Copyright © 2017 Adam Graham. All rights reserved.
//
import XCTest
@testable import STween
class CALayer_TweeningTest: XCTestCase {
func testFrameTweenProperty() {
let layer = UIView().layer
let value = CGRect(x: 100.0, y: 100.0, width: 100.0, height: 100.0)
let property = CALayer.TweenProperty.frame(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.frame, value)
}
func testBoundsTweenProperty() {
let layer = UIView().layer
let value = CGRect(x: 100.0, y: 100.0, width: 100.0, height: 100.0)
let property = CALayer.TweenProperty.bounds(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.bounds, value)
}
func testPositionTweenProperty() {
let layer = UIView().layer
let value = CGPoint(x: 100.0, y: 100.0)
let property = CALayer.TweenProperty.position(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.position, value)
}
func testZPositionTweenProperty() {
let layer = UIView().layer
let value = CGFloat(100.0)
let property = CALayer.TweenProperty.zPosition(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.zPosition, value)
}
func testAnchorPointTweenProperty() {
let layer = UIView().layer
let value = CGPoint(x: 100.0, y: 100.0)
let property = CALayer.TweenProperty.anchorPoint(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.anchorPoint, value)
}
func testAnchorPointZTweenProperty() {
let layer = UIView().layer
let value = CGFloat(100.0)
let property = CALayer.TweenProperty.anchorPointZ(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.anchorPointZ, value)
}
func testTransformTweenProperty() {
let layer = UIView().layer
let value = CATransform3DMakeScale(0.5, 0.5, 0.5)
let property = CALayer.TweenProperty.transform(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.transform, value)
}
func testSublayerTransformTweenProperty() {
let layer = UIView().layer
let value = CATransform3DMakeScale(0.5, 0.5, 0.5)
let property = CALayer.TweenProperty.sublayerTransform(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.sublayerTransform, value)
}
func testContentsRectTweenProperty() {
let layer = UIView().layer
let value = CGRect(x: 100.0, y: 100.0, width: 100.0, height: 100.0)
let property = CALayer.TweenProperty.contentsRect(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.contentsRect, value)
}
func testContentsCenterTweenProperty() {
let layer = UIView().layer
let value = CGRect(x: 100.0, y: 100.0, width: 100.0, height: 100.0)
let property = CALayer.TweenProperty.contentsCenter(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.contentsCenter, value)
}
@available(iOS 4.0, *)
func testContentsScaleTweenProperty() {
let layer = UIView().layer
let value = CGFloat(0.5)
let property = CALayer.TweenProperty.contentsScale(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.contentsScale, value)
}
func testCornerRadiusTweenProperty() {
let layer = UIView().layer
let value = CGFloat(5.0)
let property = CALayer.TweenProperty.cornerRadius(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.cornerRadius, value)
}
func testBorderWidthTweenProperty() {
let layer = UIView().layer
let value = CGFloat(1.0)
let property = CALayer.TweenProperty.borderWidth(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.borderWidth, value)
}
func testBorderColorTweenProperty() {
let layer = UIView().layer
layer.borderColor = nil
let value = UIColor.red
let property = CALayer.TweenProperty.borderColor(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.borderColor, value.cgColor)
}
func testBackgroundColorTweenProperty() {
let layer = UIView().layer
layer.backgroundColor = nil
let value = UIColor.green
let property = CALayer.TweenProperty.backgroundColor(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.backgroundColor, value.cgColor)
}
func testOpacityTweenProperty() {
let layer = UIView().layer
let value = Float(0.5)
let property = CALayer.TweenProperty.opacity(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.opacity, value)
}
func testShadowColorTweenProperty() {
let layer = UIView().layer
layer.shadowColor = nil
let value = UIColor.blue
let property = CALayer.TweenProperty.shadowColor(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.shadowColor, value.cgColor)
}
func testShadowOpacityTweenProperty() {
let layer = UIView().layer
let value = Float(0.5)
let property = CALayer.TweenProperty.shadowOpacity(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.shadowOpacity, value)
}
func testShadowOffsetTweenProperty() {
let layer = UIView().layer
let value = CGSize(width: 3.0, height: 3.0)
let property = CALayer.TweenProperty.shadowOffset(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.shadowOffset, value)
}
func testShadowRadiusTweenProperty() {
let layer = UIView().layer
let value = CGFloat(5.0)
let property = CALayer.TweenProperty.shadowRadius(value)
property.animation(layer)(1.0)
XCTAssertEqual(layer.shadowRadius, value)
}
}
| mit | 49a18d4df296bdb21c3049ad82439d75 | 32.698324 | 75 | 0.648873 | 4.230014 | false | true | false | false |
SereivoanYong/Charts | Source/Charts/Data/Implementations/Standard/ScatterDataSet.swift | 1 | 2243 | //
// ScatterDataSet.swift
// Charts
//
// Copyright 2015 Daniel Cohen Gindi & Philipp Jahoda
// A port of MPAndroidChart for iOS
// Licensed under Apache License 2.0
//
// https://github.com/danielgindi/Charts
//
import Foundation
open class ScatterDataSet: LineScatterCandleRadarDataSet, IScatterChartDataSet {
public enum Shape {
case square
case circle
case triangle
case cross
case x
case chevronUp
case chevronDown
}
/// The size the scatter shape will have
open var scatterShapeSize: CGFloat = 10.0
/// The radius of the hole in the shape (applies to Square, Circle and Triangle)
/// **default**: 0.0
open var scatterShapeHoleRadius: CGFloat = 0.0
/// Color for the hole in the shape. Setting to `nil` will behave as transparent.
/// **default**: nil
open var scatterShapeHoleColor: UIColor?
/// Sets the ScatterShape this DataSet should be drawn with.
/// This will search for an available IShapeRenderer and set this renderer for the DataSet
open func setScatterShape(_ shape: Shape) {
shapeRenderer = ScatterDataSet.renderer(for: shape)
}
/// The IShapeRenderer responsible for rendering this DataSet.
/// This can also be used to set a custom IShapeRenderer aside from the default ones.
/// **default**: `SquareShapeRenderer`
open var shapeRenderer: IShapeRenderer? = SquareShapeRenderer()
open class func renderer(for shape: Shape) -> IShapeRenderer {
switch shape {
case .square: return SquareShapeRenderer()
case .circle: return CircleShapeRenderer()
case .triangle: return TriangleShapeRenderer()
case .cross: return CrossShapeRenderer()
case .x: return XShapeRenderer()
case .chevronUp: return ChevronUpShapeRenderer()
case .chevronDown: return ChevronDownShapeRenderer()
}
}
// MARK: NSCopying
open override func copyWithZone(_ zone: NSZone?) -> AnyObject {
let copy = super.copyWithZone(zone) as! ScatterDataSet
copy.scatterShapeSize = scatterShapeSize
copy.scatterShapeHoleRadius = scatterShapeHoleRadius
copy.scatterShapeHoleColor = scatterShapeHoleColor
copy.shapeRenderer = shapeRenderer
return copy
}
}
| apache-2.0 | e71fd9bad330fe41f9d2451ea2e1e1f8 | 29.726027 | 92 | 0.705751 | 4.802998 | false | false | false | false |
pixyzehn/EsaKit | Sources/EsaKit/Models/Watcher.swift | 1 | 1359 | //
// Watcher.swift
// EsaKit
//
// Created by pixyzehn on 2016/11/26.
// Copyright © 2016 pixyzehn. All rights reserved.
//
import Foundation
public struct Watcher: AutoEquatable, AutoHashable {
public let user: MinimumUser
public let createdAt: Date
enum Key: String {
case user
case createdAt = "created_at"
}
}
extension Watcher: Decodable {
public static func decode(json: Any) throws -> Watcher {
guard let dictionary = json as? [String: Any] else {
throw DecodeError.invalidFormat(json: json)
}
guard let userJSON = dictionary[Key.user.rawValue] else {
throw DecodeError.missingValue(key: Key.user.rawValue, actualValue: dictionary[Key.user.rawValue])
}
let user: MinimumUser
do {
user = try MinimumUser.decode(json: userJSON)
} catch {
throw DecodeError.custom(error.localizedDescription)
}
guard let createdAtString = dictionary[Key.createdAt.rawValue] as? String,
let createdAt = DateFormatter.iso8601.date(from: createdAtString) else {
throw DecodeError.missingValue(key: Key.createdAt.rawValue, actualValue: dictionary[Key.createdAt.rawValue])
}
return Watcher(
user: user,
createdAt: createdAt
)
}
}
| mit | 22e3626472b37f2dcc5291248481193e | 27.893617 | 120 | 0.632548 | 4.452459 | false | false | false | false |
ArnavChawla/InteliChat | Carthage/Checkouts/swift-sdk/Source/NaturalLanguageUnderstandingV1/Models/KeywordsOptions.swift | 1 | 1850 | /**
* Copyright IBM Corporation 2018
*
* 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
/** An option indicating whether or not important keywords from the analyzed content should be returned. */
public struct KeywordsOptions: Encodable {
/// Maximum number of keywords to return.
public var limit: Int?
/// Set this to true to return sentiment information for detected keywords.
public var sentiment: Bool?
/// Set this to true to analyze emotion for detected keywords.
public var emotion: Bool?
// Map each property name to the key that shall be used for encoding/decoding.
private enum CodingKeys: String, CodingKey {
case limit = "limit"
case sentiment = "sentiment"
case emotion = "emotion"
}
/**
Initialize a `KeywordsOptions` with member variables.
- parameter limit: Maximum number of keywords to return.
- parameter sentiment: Set this to true to return sentiment information for detected keywords.
- parameter emotion: Set this to true to analyze emotion for detected keywords.
- returns: An initialized `KeywordsOptions`.
*/
public init(limit: Int? = nil, sentiment: Bool? = nil, emotion: Bool? = nil) {
self.limit = limit
self.sentiment = sentiment
self.emotion = emotion
}
}
| mit | edc649ca931fb894b7b9320eadd0be06 | 33.90566 | 107 | 0.703243 | 4.648241 | false | false | false | false |
DylanModesitt/Picryption_iOS | Picryption/Extensions.swift | 1 | 3419 | //
// Extensions.swift
// Picryption
//
// Created by Dylan Modesitt on 4/21/17.
// Copyright © 2017 Modesitt Systems. All rights reserved.
//
import Foundation
import UIKit
extension String {
// obvious extensions for the purpose of taking strings in and out of binary
// sequences
func toBinary() -> Data? {
return self.data(using: String.Encoding.utf8, allowLossyConversion: false)
}
func toBinaryString(withFormat: String) -> String? {
return self.toBinary()?.reduce("", { String(describing: $0) + String(format: withFormat, $1)})
}
func toBinaryArray() -> [[Int]] {
var binaryRepresentation: [[Int]] = []
let binary = self.toBinary()!
for byte in binary {
print(byte)
binaryRepresentation.append(Int(byte).toBinaryArray())
}
return binaryRepresentation
}
}
extension Int {
// returns the nuymber in binary form (as an array of ints 0, or 1)
func toBinaryArray() -> [Int] {
var binaryBuilder: [Int] = []
var number = self
while number != 1 {
binaryBuilder.append(number % 2)
number /= 2
}
binaryBuilder.append(1)
return binaryBuilder.reversed()
}
}
extension UIAlertView {
static func simpleAlert(withTitle title: String, andMessage message: String) -> UIAlertView {
let alert = self.init()
alert.title = title
alert.message = message
alert.addButton(withTitle: "Ok")
return alert
}
}
extension UIColor {
// Create a color for iOS from a hexCode
static func fromHex(rgbValue:UInt32)->UIColor{
let red = CGFloat((rgbValue & 0xFF0000) >> 16)/256.0
let green = CGFloat((rgbValue & 0xFF00) >> 8)/256.0
let blue = CGFloat(rgbValue & 0xFF)/256.0
return UIColor(red:red, green:green, blue:blue, alpha:1.0)
}
}
extension Dictionary {
mutating func update(other:Dictionary) {
for (key,value) in other {
self.updateValue(value, forKey:key)
}
}
}
extension UIViewController {
func setStatusBarLight() {
UIApplication.shared.statusBarStyle = .lightContent
}
func setStatusBarDefault() {
UIApplication.shared.statusBarStyle = .default
}
}
extension String {
func toDate() -> NSDate? {
let dateFormatter = DateFormatter()
dateFormatter.dateFormat = "MM-dd-yyyy"
return dateFormatter.date(from: self) as NSDate?
}
}
extension String {
func toTime() -> NSDate? {
let dateFormatter = DateFormatter()
dateFormatter.dateFormat = "hh:mm"
return dateFormatter.date(from: self) as NSDate?
}
}
extension NSDate {
func toDateString() -> String {
let dateFormatter = DateFormatter()
dateFormatter.dateFormat = "MM-dd-yyyy"
return dateFormatter.string(from: self as Date)
}
func toTimeString() -> String {
let dateFormatter = DateFormatter()
dateFormatter.dateFormat = "hh:mm"
return dateFormatter.string(from: self as Date)
}
func toDateTraditionallyFormatted() -> String {
let dateFormatter = DateFormatter()
dateFormatter.dateFormat = "MMMM dd, yyyy"
return dateFormatter.string(from: self as Date)
}
}
| mit | 42882a7c69c5f57e74199b7edbc70ec4 | 23.589928 | 102 | 0.605325 | 4.359694 | false | false | false | false |
mattfenwick/TodoRx | TodoRx/LocalPersistence/CoreDataController.swift | 1 | 4965 | //
// CoreDataController.swift
// TodoRx
//
// Created by Matt Fenwick on 8/4/17.
// Copyright © 2017 mf. All rights reserved.
//
import Foundation
import CoreData
import UIKit
private let kMocIdentifier: NSString = "moc identifier"
protocol CoreDataControllerDelegate: class {
func coreDataControllerDidSave(controller: CoreDataController, result: CoreDataControllerSaveResult)
}
@objc class CoreDataController: NSObject {
static func createCoreDataController(storeURL: URL, modelURL: URL) throws -> CoreDataController {
let storeType = NSSQLiteStoreType
let storeOptions = [
NSMigratePersistentStoresAutomaticallyOption: true,
NSInferMappingModelAutomaticallyOption: true
]
guard let model = NSManagedObjectModel(contentsOf: modelURL) else {
throw CoreDataInitializationError.unableToInitializeModel
}
let psc = NSPersistentStoreCoordinator(managedObjectModel: model)
do {
try psc.addPersistentStore(ofType: storeType, configurationName: nil, at: storeURL, options: storeOptions)
} catch let e as NSError {
throw CoreDataInitializationError.unableToAddPersistentStore(e)
}
return CoreDataController(persistentStoreCoordinator: psc)
}
weak var delegate: CoreDataControllerDelegate? = nil
let uiContext: NSManagedObjectContext
func childContext(concurrencyType: NSManagedObjectContextConcurrencyType) -> NSManagedObjectContext {
let context = NSManagedObjectContext(concurrencyType: concurrencyType)
context.parent = masterContext
context.mergePolicy = NSMergeByPropertyObjectTrumpMergePolicy
context.performAndWait {
context.userInfo.setObject("child context", forKey: kMocIdentifier)
}
return context
}
private let masterContext: NSManagedObjectContext
private init(persistentStoreCoordinator: NSPersistentStoreCoordinator) {
masterContext = NSManagedObjectContext(concurrencyType: .privateQueueConcurrencyType)
masterContext.mergePolicy = NSMergeByPropertyObjectTrumpMergePolicy
masterContext.persistentStoreCoordinator = persistentStoreCoordinator
masterContext.userInfo.setObject("master context", forKey: kMocIdentifier)
uiContext = NSManagedObjectContext(concurrencyType: .mainQueueConcurrencyType)
uiContext.mergePolicy = NSMergeByPropertyObjectTrumpMergePolicy
uiContext.parent = masterContext
uiContext.userInfo.setObject("main queue context", forKey: kMocIdentifier)
super.init()
NotificationCenter.default.addObserver(
self,
selector: #selector(handleMasterContextObjectsDidChangeNotification(notification:)),
name: NSNotification.Name.NSManagedObjectContextObjectsDidChange,
object: masterContext)
NotificationCenter.default.addObserver(
self,
selector: #selector(handleMasterContextDidSaveNotification(notification:)),
name: NSNotification.Name.NSManagedObjectContextDidSave,
object: masterContext)
let application = UIApplication.shared
NotificationCenter.default.addObserver(
self,
selector: #selector(handleDidEnterBackgroundNotification(notification:)),
name: NSNotification.Name.UIApplicationDidEnterBackground,
object: application)
}
deinit {
NotificationCenter.default.removeObserver(self)
}
@objc private func handleMasterContextObjectsDidChangeNotification(notification: Notification) {
if let context = notification.object as? NSManagedObjectContext,
context == masterContext {
saveMasterContext()
}
}
@objc private func handleMasterContextDidSaveNotification(notification: Notification) {
if let context = notification.object as? NSManagedObjectContext,
context == masterContext {
uiContext.perform {
self.uiContext.mergeChanges(fromContextDidSave: notification)
}
}
}
@objc private func handleDidEnterBackgroundNotification(notification: Notification) {
saveMasterContext()
}
private func saveMasterContext() {
let identifier = UIApplication.shared.beginBackgroundTask(withName: "background-moc-save") {
self.delegate?.coreDataControllerDidSave(controller: self, result: .backgroundTaskDidExpire)
}
masterContext.perform {
do {
try self.masterContext.save()
self.delegate?.coreDataControllerDidSave(controller: self, result: .success)
} catch let error as NSError {
self.delegate?.coreDataControllerDidSave(controller: self, result: .saveException(error))
}
UIApplication.shared.endBackgroundTask(identifier)
}
}
}
| mit | 4ef2aee90accb3961660e24dde3d86e2 | 37.48062 | 118 | 0.705479 | 6.075887 | false | false | false | false |
roytornado/RSLoadingView | Example/RSLoadingView/ViewController.swift | 1 | 791 | import UIKit
import RSLoadingView
class ViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
}
@IBAction func showOnView() {
let loadingView = RSLoadingView()
loadingView.shouldTapToDismiss = true
loadingView.show(on: view)
}
@IBAction func showOnViewTwins() {
let loadingView = RSLoadingView(effectType: RSLoadingView.Effect.twins)
loadingView.shouldTapToDismiss = true
loadingView.show(on: view)
}
@IBAction func showOnWindow() {
let loadingView = RSLoadingView()
loadingView.shouldTapToDismiss = true
loadingView.variantKey = "inAndOut"
loadingView.speedFactor = 2.0
loadingView.lifeSpanFactor = 2.0
loadingView.mainColor = UIColor.red
loadingView.showOnKeyWindow()
}
}
| mit | e7264fb5e6e798c96c564257f8eacf44 | 23.71875 | 75 | 0.719343 | 4.394444 | false | false | false | false |
orlandoamorim/FamilyKey | FamilyKey/Sumary.swift | 1 | 2946 | //
// Sumary.swift
// FamilyKey
//
// Created by Orlando Amorim on 01/06/17.
// Copyright © 2017 Orlando Amorim. All rights reserved.
//
import Foundation
import RealmSwift
class SumaryRealm: Object {
dynamic var fantasyName = ""
dynamic var name = ""
let keys = List<KeyRealm>()
dynamic var id = 0
func delete() {
let realm = try! Realm()
for key in keys {
key.delete()
try! realm.write {
realm.delete(key)
}
}
}
}
class Sumary : NSObject, NSCoding{
var descriptionField : String!
var id : Int!
var image : [AnyObject]!
var key : String!
var name : String!
/**
* Instantiate the instance using the passed dictionary values to set the properties values
*/
init(fromDictionary dictionary: [String:Any]){
descriptionField = dictionary["description"] as? String
id = dictionary["id"] as? Int
image = dictionary["image"] as? [AnyObject]
key = dictionary["key"] as? String
name = dictionary["name"] as? String
}
/**
* Returns all the available property values in the form of [String:Any] object where the key is the approperiate json key and the value is the value of the corresponding property
*/
func toDictionary() -> [String:Any]
{
var dictionary = [String:Any]()
if descriptionField != nil{
dictionary["description"] = descriptionField
}
if id != nil{
dictionary["id"] = id
}
if image != nil{
dictionary["image"] = image
}
if key != nil{
dictionary["key"] = key
}
if name != nil{
dictionary["name"] = name
}
return dictionary
}
/**
* NSCoding required initializer.
* Fills the data from the passed decoder
*/
@objc required init(coder aDecoder: NSCoder)
{
descriptionField = aDecoder.decodeObject(forKey: "description") as? String
id = aDecoder.decodeObject(forKey: "id") as? Int
image = aDecoder.decodeObject(forKey: "image") as? [AnyObject]
key = aDecoder.decodeObject(forKey: "key") as? String
name = aDecoder.decodeObject(forKey: "name") as? String
}
/**
* NSCoding required method.
* Encodes mode properties into the decoder
*/
@objc func encode(with aCoder: NSCoder)
{
if descriptionField != nil{
aCoder.encode(descriptionField, forKey: "description")
}
if id != nil{
aCoder.encode(id, forKey: "id")
}
if image != nil{
aCoder.encode(image, forKey: "image")
}
if key != nil{
aCoder.encode(key, forKey: "key")
}
if name != nil{
aCoder.encode(name, forKey: "name")
}
}
}
| mit | e8ef188788543520e11b1b621af730ab | 25.531532 | 183 | 0.551104 | 4.489329 | false | false | false | false |
noppoMan/aws-sdk-swift | Sources/Soto/Services/EMR/EMR_Paginator.swift | 1 | 22834 | //===----------------------------------------------------------------------===//
//
// This source file is part of the Soto for AWS open source project
//
// Copyright (c) 2017-2020 the Soto project authors
// Licensed under Apache License v2.0
//
// See LICENSE.txt for license information
// See CONTRIBUTORS.txt for the list of Soto project authors
//
// SPDX-License-Identifier: Apache-2.0
//
//===----------------------------------------------------------------------===//
// THIS FILE IS AUTOMATICALLY GENERATED by https://github.com/soto-project/soto/tree/main/CodeGenerator. DO NOT EDIT.
import SotoCore
// MARK: Paginators
extension EMR {
/// Provides information about the bootstrap actions associated with a cluster.
///
/// Provide paginated results to closure `onPage` for it to combine them into one result.
/// This works in a similar manner to `Array.reduce<Result>(_:_:) -> Result`.
///
/// Parameters:
/// - input: Input for request
/// - initialValue: The value to use as the initial accumulating value. `initialValue` is passed to `onPage` the first time it is called.
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each paginated response. It combines an accumulating result with the contents of response. This combined result is then returned
/// along with a boolean indicating if the paginate operation should continue.
public func listBootstrapActionsPaginator<Result>(
_ input: ListBootstrapActionsInput,
_ initialValue: Result,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (Result, ListBootstrapActionsOutput, EventLoop) -> EventLoopFuture<(Bool, Result)>
) -> EventLoopFuture<Result> {
return client.paginate(
input: input,
initialValue: initialValue,
command: listBootstrapActions,
tokenKey: \ListBootstrapActionsOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Provide paginated results to closure `onPage`.
///
/// - Parameters:
/// - input: Input for request
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each block of entries. Returns boolean indicating whether we should continue.
public func listBootstrapActionsPaginator(
_ input: ListBootstrapActionsInput,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (ListBootstrapActionsOutput, EventLoop) -> EventLoopFuture<Bool>
) -> EventLoopFuture<Void> {
return client.paginate(
input: input,
command: listBootstrapActions,
tokenKey: \ListBootstrapActionsOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Provides the status of all clusters visible to this AWS account. Allows you to filter the list of clusters based on certain criteria; for example, filtering by cluster creation date and time or by status. This call returns a maximum of 50 clusters per call, but returns a marker to track the paging of the cluster list across multiple ListClusters calls.
///
/// Provide paginated results to closure `onPage` for it to combine them into one result.
/// This works in a similar manner to `Array.reduce<Result>(_:_:) -> Result`.
///
/// Parameters:
/// - input: Input for request
/// - initialValue: The value to use as the initial accumulating value. `initialValue` is passed to `onPage` the first time it is called.
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each paginated response. It combines an accumulating result with the contents of response. This combined result is then returned
/// along with a boolean indicating if the paginate operation should continue.
public func listClustersPaginator<Result>(
_ input: ListClustersInput,
_ initialValue: Result,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (Result, ListClustersOutput, EventLoop) -> EventLoopFuture<(Bool, Result)>
) -> EventLoopFuture<Result> {
return client.paginate(
input: input,
initialValue: initialValue,
command: listClusters,
tokenKey: \ListClustersOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Provide paginated results to closure `onPage`.
///
/// - Parameters:
/// - input: Input for request
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each block of entries. Returns boolean indicating whether we should continue.
public func listClustersPaginator(
_ input: ListClustersInput,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (ListClustersOutput, EventLoop) -> EventLoopFuture<Bool>
) -> EventLoopFuture<Void> {
return client.paginate(
input: input,
command: listClusters,
tokenKey: \ListClustersOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Lists all available details about the instance fleets in a cluster. The instance fleet configuration is available only in Amazon EMR versions 4.8.0 and later, excluding 5.0.x versions.
///
/// Provide paginated results to closure `onPage` for it to combine them into one result.
/// This works in a similar manner to `Array.reduce<Result>(_:_:) -> Result`.
///
/// Parameters:
/// - input: Input for request
/// - initialValue: The value to use as the initial accumulating value. `initialValue` is passed to `onPage` the first time it is called.
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each paginated response. It combines an accumulating result with the contents of response. This combined result is then returned
/// along with a boolean indicating if the paginate operation should continue.
public func listInstanceFleetsPaginator<Result>(
_ input: ListInstanceFleetsInput,
_ initialValue: Result,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (Result, ListInstanceFleetsOutput, EventLoop) -> EventLoopFuture<(Bool, Result)>
) -> EventLoopFuture<Result> {
return client.paginate(
input: input,
initialValue: initialValue,
command: listInstanceFleets,
tokenKey: \ListInstanceFleetsOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Provide paginated results to closure `onPage`.
///
/// - Parameters:
/// - input: Input for request
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each block of entries. Returns boolean indicating whether we should continue.
public func listInstanceFleetsPaginator(
_ input: ListInstanceFleetsInput,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (ListInstanceFleetsOutput, EventLoop) -> EventLoopFuture<Bool>
) -> EventLoopFuture<Void> {
return client.paginate(
input: input,
command: listInstanceFleets,
tokenKey: \ListInstanceFleetsOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Provides all available details about the instance groups in a cluster.
///
/// Provide paginated results to closure `onPage` for it to combine them into one result.
/// This works in a similar manner to `Array.reduce<Result>(_:_:) -> Result`.
///
/// Parameters:
/// - input: Input for request
/// - initialValue: The value to use as the initial accumulating value. `initialValue` is passed to `onPage` the first time it is called.
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each paginated response. It combines an accumulating result with the contents of response. This combined result is then returned
/// along with a boolean indicating if the paginate operation should continue.
public func listInstanceGroupsPaginator<Result>(
_ input: ListInstanceGroupsInput,
_ initialValue: Result,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (Result, ListInstanceGroupsOutput, EventLoop) -> EventLoopFuture<(Bool, Result)>
) -> EventLoopFuture<Result> {
return client.paginate(
input: input,
initialValue: initialValue,
command: listInstanceGroups,
tokenKey: \ListInstanceGroupsOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Provide paginated results to closure `onPage`.
///
/// - Parameters:
/// - input: Input for request
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each block of entries. Returns boolean indicating whether we should continue.
public func listInstanceGroupsPaginator(
_ input: ListInstanceGroupsInput,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (ListInstanceGroupsOutput, EventLoop) -> EventLoopFuture<Bool>
) -> EventLoopFuture<Void> {
return client.paginate(
input: input,
command: listInstanceGroups,
tokenKey: \ListInstanceGroupsOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Provides information for all active EC2 instances and EC2 instances terminated in the last 30 days, up to a maximum of 2,000. EC2 instances in any of the following states are considered active: AWAITING_FULFILLMENT, PROVISIONING, BOOTSTRAPPING, RUNNING.
///
/// Provide paginated results to closure `onPage` for it to combine them into one result.
/// This works in a similar manner to `Array.reduce<Result>(_:_:) -> Result`.
///
/// Parameters:
/// - input: Input for request
/// - initialValue: The value to use as the initial accumulating value. `initialValue` is passed to `onPage` the first time it is called.
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each paginated response. It combines an accumulating result with the contents of response. This combined result is then returned
/// along with a boolean indicating if the paginate operation should continue.
public func listInstancesPaginator<Result>(
_ input: ListInstancesInput,
_ initialValue: Result,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (Result, ListInstancesOutput, EventLoop) -> EventLoopFuture<(Bool, Result)>
) -> EventLoopFuture<Result> {
return client.paginate(
input: input,
initialValue: initialValue,
command: listInstances,
tokenKey: \ListInstancesOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Provide paginated results to closure `onPage`.
///
/// - Parameters:
/// - input: Input for request
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each block of entries. Returns boolean indicating whether we should continue.
public func listInstancesPaginator(
_ input: ListInstancesInput,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (ListInstancesOutput, EventLoop) -> EventLoopFuture<Bool>
) -> EventLoopFuture<Void> {
return client.paginate(
input: input,
command: listInstances,
tokenKey: \ListInstancesOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Provides summaries of all notebook executions. You can filter the list based on multiple criteria such as status, time range, and editor id. Returns a maximum of 50 notebook executions and a marker to track the paging of a longer notebook execution list across multiple ListNotebookExecution calls.
///
/// Provide paginated results to closure `onPage` for it to combine them into one result.
/// This works in a similar manner to `Array.reduce<Result>(_:_:) -> Result`.
///
/// Parameters:
/// - input: Input for request
/// - initialValue: The value to use as the initial accumulating value. `initialValue` is passed to `onPage` the first time it is called.
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each paginated response. It combines an accumulating result with the contents of response. This combined result is then returned
/// along with a boolean indicating if the paginate operation should continue.
public func listNotebookExecutionsPaginator<Result>(
_ input: ListNotebookExecutionsInput,
_ initialValue: Result,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (Result, ListNotebookExecutionsOutput, EventLoop) -> EventLoopFuture<(Bool, Result)>
) -> EventLoopFuture<Result> {
return client.paginate(
input: input,
initialValue: initialValue,
command: listNotebookExecutions,
tokenKey: \ListNotebookExecutionsOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Provide paginated results to closure `onPage`.
///
/// - Parameters:
/// - input: Input for request
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each block of entries. Returns boolean indicating whether we should continue.
public func listNotebookExecutionsPaginator(
_ input: ListNotebookExecutionsInput,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (ListNotebookExecutionsOutput, EventLoop) -> EventLoopFuture<Bool>
) -> EventLoopFuture<Void> {
return client.paginate(
input: input,
command: listNotebookExecutions,
tokenKey: \ListNotebookExecutionsOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Lists all the security configurations visible to this account, providing their creation dates and times, and their names. This call returns a maximum of 50 clusters per call, but returns a marker to track the paging of the cluster list across multiple ListSecurityConfigurations calls.
///
/// Provide paginated results to closure `onPage` for it to combine them into one result.
/// This works in a similar manner to `Array.reduce<Result>(_:_:) -> Result`.
///
/// Parameters:
/// - input: Input for request
/// - initialValue: The value to use as the initial accumulating value. `initialValue` is passed to `onPage` the first time it is called.
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each paginated response. It combines an accumulating result with the contents of response. This combined result is then returned
/// along with a boolean indicating if the paginate operation should continue.
public func listSecurityConfigurationsPaginator<Result>(
_ input: ListSecurityConfigurationsInput,
_ initialValue: Result,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (Result, ListSecurityConfigurationsOutput, EventLoop) -> EventLoopFuture<(Bool, Result)>
) -> EventLoopFuture<Result> {
return client.paginate(
input: input,
initialValue: initialValue,
command: listSecurityConfigurations,
tokenKey: \ListSecurityConfigurationsOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Provide paginated results to closure `onPage`.
///
/// - Parameters:
/// - input: Input for request
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each block of entries. Returns boolean indicating whether we should continue.
public func listSecurityConfigurationsPaginator(
_ input: ListSecurityConfigurationsInput,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (ListSecurityConfigurationsOutput, EventLoop) -> EventLoopFuture<Bool>
) -> EventLoopFuture<Void> {
return client.paginate(
input: input,
command: listSecurityConfigurations,
tokenKey: \ListSecurityConfigurationsOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Provides a list of steps for the cluster in reverse order unless you specify stepIds with the request of filter by StepStates. You can specify a maximum of ten stepIDs.
///
/// Provide paginated results to closure `onPage` for it to combine them into one result.
/// This works in a similar manner to `Array.reduce<Result>(_:_:) -> Result`.
///
/// Parameters:
/// - input: Input for request
/// - initialValue: The value to use as the initial accumulating value. `initialValue` is passed to `onPage` the first time it is called.
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each paginated response. It combines an accumulating result with the contents of response. This combined result is then returned
/// along with a boolean indicating if the paginate operation should continue.
public func listStepsPaginator<Result>(
_ input: ListStepsInput,
_ initialValue: Result,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (Result, ListStepsOutput, EventLoop) -> EventLoopFuture<(Bool, Result)>
) -> EventLoopFuture<Result> {
return client.paginate(
input: input,
initialValue: initialValue,
command: listSteps,
tokenKey: \ListStepsOutput.marker,
on: eventLoop,
onPage: onPage
)
}
/// Provide paginated results to closure `onPage`.
///
/// - Parameters:
/// - input: Input for request
/// - logger: Logger used flot logging
/// - eventLoop: EventLoop to run this process on
/// - onPage: closure called with each block of entries. Returns boolean indicating whether we should continue.
public func listStepsPaginator(
_ input: ListStepsInput,
logger: Logger = AWSClient.loggingDisabled,
on eventLoop: EventLoop? = nil,
onPage: @escaping (ListStepsOutput, EventLoop) -> EventLoopFuture<Bool>
) -> EventLoopFuture<Void> {
return client.paginate(
input: input,
command: listSteps,
tokenKey: \ListStepsOutput.marker,
on: eventLoop,
onPage: onPage
)
}
}
extension EMR.ListBootstrapActionsInput: AWSPaginateToken {
public func usingPaginationToken(_ token: String) -> EMR.ListBootstrapActionsInput {
return .init(
clusterId: self.clusterId,
marker: token
)
}
}
extension EMR.ListClustersInput: AWSPaginateToken {
public func usingPaginationToken(_ token: String) -> EMR.ListClustersInput {
return .init(
clusterStates: self.clusterStates,
createdAfter: self.createdAfter,
createdBefore: self.createdBefore,
marker: token
)
}
}
extension EMR.ListInstanceFleetsInput: AWSPaginateToken {
public func usingPaginationToken(_ token: String) -> EMR.ListInstanceFleetsInput {
return .init(
clusterId: self.clusterId,
marker: token
)
}
}
extension EMR.ListInstanceGroupsInput: AWSPaginateToken {
public func usingPaginationToken(_ token: String) -> EMR.ListInstanceGroupsInput {
return .init(
clusterId: self.clusterId,
marker: token
)
}
}
extension EMR.ListInstancesInput: AWSPaginateToken {
public func usingPaginationToken(_ token: String) -> EMR.ListInstancesInput {
return .init(
clusterId: self.clusterId,
instanceFleetId: self.instanceFleetId,
instanceFleetType: self.instanceFleetType,
instanceGroupId: self.instanceGroupId,
instanceGroupTypes: self.instanceGroupTypes,
instanceStates: self.instanceStates,
marker: token
)
}
}
extension EMR.ListNotebookExecutionsInput: AWSPaginateToken {
public func usingPaginationToken(_ token: String) -> EMR.ListNotebookExecutionsInput {
return .init(
editorId: self.editorId,
from: self.from,
marker: token,
status: self.status,
to: self.to
)
}
}
extension EMR.ListSecurityConfigurationsInput: AWSPaginateToken {
public func usingPaginationToken(_ token: String) -> EMR.ListSecurityConfigurationsInput {
return .init(
marker: token
)
}
}
extension EMR.ListStepsInput: AWSPaginateToken {
public func usingPaginationToken(_ token: String) -> EMR.ListStepsInput {
return .init(
clusterId: self.clusterId,
marker: token,
stepIds: self.stepIds,
stepStates: self.stepStates
)
}
}
| apache-2.0 | 794c0d1cfb78126c0d72e101266b3591 | 43.597656 | 363 | 0.648025 | 4.989948 | false | false | false | false |
noprom/VPNOn | VPNOn/Theme/LTDarkPurpleTheme.swift | 24 | 1013 | //
// LTDarkPurpleTheme.swift
// VPNOn
//
// Created by Lex Tang on 1/30/15.
// Copyright (c) 2015 LexTang.com. All rights reserved.
//
import UIKit
struct LTDarkPurpleTheme : LTTheme
{
var name = "DarkPurple"
var defaultBackgroundColor = UIColor.blackColor()
var navigationBarColor = UIColor(red:0.06, green:0.03, blue:0.06, alpha:1)
var tintColor = UIColor(red:0.7 , green:0.29, blue:0.8 , alpha:1)
var textColor = UIColor(red:0.55, green:0.45, blue:0.55, alpha:1)
var placeholderColor = UIColor(red:0.35, green:0.25, blue:0.35, alpha:1)
var textFieldColor = UIColor(red:0.7 , green:0.5 , blue:0.7 , alpha:1)
var tableViewBackgroundColor = UIColor.blackColor()
var tableViewLineColor = UIColor(red:0.2 , green:0.15, blue:0.2 , alpha:1)
var tableViewCellColor = UIColor(red:0.09, green:0.07, blue:0.09, alpha:1)
var switchBorderColor = UIColor(red:0.25, green:0.2 , blue:0.25, alpha:1)
} | mit | 47541ce4cd4bba1b08b17a7ee29f6d00 | 41.25 | 84 | 0.633761 | 3.107362 | false | false | false | false |
dche/FlatCG | Sources/Line.swift | 1 | 1640 | //
// FlatCG - Line.swift
//
// Copyright (c) 2016 The GLMath authors.
// Licensed under MIT License.
import simd
import GLMath
/// Strait line in Euclidean space.
public struct Line<T: Point> {
public typealias DirectionType = Normal<T>
/// A point on the line.
public let origin: T
/// Direction of the `Line`.
public let direction: DirectionType
/// Constructs a `Line` with given `origin` and `direction`.
public init (origin: T, direction: DirectionType) {
self.origin = origin
self.direction = direction
}
public init? (origin: T, to: T) {
guard let seg = Segment<T>(start: origin, end: to) else {
return nil
}
self.init (origin: origin, direction: seg.direction)
}
public static prefix func - (rhs: Line) -> Line {
return Line(origin: rhs.origin, direction: -rhs.direction)
}
}
extension Line: CustomDebugStringConvertible {
public var debugDescription: String {
return "Line(origin: \(origin), direction: \(direction))"
}
}
public typealias Line2D = Line<Point2D>
public typealias Line3D = Line<Point3D>
// MARK: Line point relationship.
extension Line {
/// Returns the point on the line that
public func point(at t: T.VectorType.Component) -> T {
return origin + direction.vector * t
}
/// Returns the minimal distance from `point` to the receiver.
public func distance(to point: T) -> T.VectorType.Component {
let v = point - self.origin
let cos = dot(self.direction.vector, normalize(v))
return sqrt(v.dot(v) * (1 - cos * cos))
}
}
| mit | 124e8f4e630942952b2d72a77cfef7b8 | 24.230769 | 66 | 0.634756 | 3.914081 | false | false | false | false |
jlandon/Alexandria | Sources/Alexandria/Int+Extensions.swift | 1 | 5977 | //
// Int+Extensions.swift
//
// Created by Jonathan Landon on 11/19/15.
//
// The MIT License (MIT)
//
// Copyright (c) 2014-2016 Oven Bits, LLC
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in all
// copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
// SOFTWARE.
import UIKit
extension Int {
/// Determine if self is even (equivalent to `self % 2 == 0`)
public var isEven: Bool {
return (self % 2 == 0)
}
/// Determine if self is odd (equivalent to `self % 2 != 0`)
public var isOdd: Bool {
return (self % 2 != 0)
}
/// Determine if self is positive (equivalent to `self > 0`)
public var isPositive: Bool {
return (self > 0)
}
/// Determine if self is negative (equivalent to `self < 0`)
public var isNegative: Bool {
return (self < 0)
}
/**
Convert self to a Double.
Most useful when operating on Int optionals.
For example:
```
let number: Int? = 5
// instead of
var double: Double?
if let number = number {
double = Double(number)
}
// use
let double = number?.double
```
*/
public var double: Double {
return Double(self)
}
/**
Convert self to a Float.
Most useful when operating on Int optionals.
For example:
```
let number: Int? = 5
// instead of
var float: Float?
if let number = number {
float = Float(number)
}
// use
let float = number?.float
```
*/
public var float: Float {
return Float(self)
}
/**
Convert self to a CGFloat.
Most useful when operating on Int optionals.
For example:
```
let number: Int? = 5
// instead of
var cgFloat: CGFloat?
if let number = number {
cgFloat = CGFloat(number)
}
// use
let cgFloat = number?.cgFloat
```
*/
public var cgFloat: CGFloat {
return CGFloat(self)
}
/**
Convert self to a String.
Most useful when operating on Int optionals.
For example:
```
let number: Int? = 5
// instead of
var string: String?
if let number = number {
string = String(number)
}
// use
let string = number?.string
```
*/
public var string: String {
return String(self)
}
/**
Convert self to an abbreviated String.
Examples:
```
Value : 598 -> 598
Value : -999 -> -999
Value : 1000 -> 1K
Value : -1284 -> -1.3K
Value : 9940 -> 9.9K
Value : 9980 -> 10K
Value : 39900 -> 39.9K
Value : 99880 -> 99.9K
Value : 399880 -> 0.4M
Value : 999898 -> 1M
Value : 999999 -> 1M
Value : 1456384 -> 1.5M
Value : 12383474 -> 12.4M
```
- author: http://stackoverflow.com/a/35504720/1737738
*/
public var abbreviatedString: String {
typealias Abbreviation = (threshold: Double, divisor: Double, suffix: String)
let abbreviations: [Abbreviation] = [(0, 1, ""),
(1000.0, 1000.0, "K"),
(100_000.0, 1_000_000.0, "M"),
(100_000_000.0, 1_000_000_000.0, "B")]
// you can add more !
let startValue = Double(abs(self))
let abbreviation: Abbreviation = {
var prevAbbreviation = abbreviations[0]
for tmpAbbreviation in abbreviations where tmpAbbreviation.threshold <= startValue {
prevAbbreviation = tmpAbbreviation
}
return prevAbbreviation
}()
let numFormatter = NumberFormatter()
let value = Double(self) / abbreviation.divisor
numFormatter.positiveSuffix = abbreviation.suffix
numFormatter.negativeSuffix = abbreviation.suffix
numFormatter.allowsFloats = true
numFormatter.minimumIntegerDigits = 1
numFormatter.minimumFractionDigits = 0
numFormatter.maximumFractionDigits = 1
return numFormatter.string(from: NSNumber(value: value)) ?? "\(self)"
}
/**
Repeat a block `self` times.
- parameter block: The block to execute (includes the current execution index)
*/
public func `repeat`(_ block: (Int) throws -> Void) rethrows {
guard self > 0 else { return }
try (1...self).forEach(block)
}
/// Generate a random Int bounded by a closed interval range.
public static func random(_ range: ClosedRange<Int>) -> Int {
return range.lowerBound + Int(arc4random_uniform(UInt32(range.upperBound - range.lowerBound + 1)))
}
/// Generate a random Int bounded by a range from min to max.
public static func random(min: Int, max: Int) -> Int {
return random(min...max)
}
}
| mit | af07be8b84481b718ad1307ac1bdec9d | 26.8 | 106 | 0.577045 | 4.48051 | false | false | false | false |
devpunk/velvet_room | Source/View/Connecting/VConnectingError.swift | 1 | 3022 | import UIKit
final class VConnectingError:View<ArchConnecting>
{
private let kMarginHorizontal:CGFloat = 45
required init(controller:CConnecting)
{
super.init(controller:controller)
isUserInteractionEnabled = false
factoryViews()
}
required init?(coder:NSCoder)
{
return nil
}
//MARK: private
private func factoryViews()
{
guard
let message:NSAttributedString = factoryMessage()
else
{
return
}
let labelTitle:UILabel = UILabel()
labelTitle.isUserInteractionEnabled = false
labelTitle.translatesAutoresizingMaskIntoConstraints = false
labelTitle.backgroundColor = UIColor.clear
labelTitle.textAlignment = NSTextAlignment.center
labelTitle.numberOfLines = 0
labelTitle.attributedText = message
addSubview(labelTitle)
NSLayoutConstraint.equalsVertical(
view:labelTitle,
toView:self)
NSLayoutConstraint.equalsHorizontal(
view:labelTitle,
toView:self,
margin:kMarginHorizontal)
}
private func factoryMessage() -> NSAttributedString?
{
guard
let subtitle:NSAttributedString = factorySubtitle()
else
{
return nil
}
let title:NSAttributedString = factoryTitle()
let mutableString:NSMutableAttributedString = NSMutableAttributedString()
mutableString.append(title)
mutableString.append(subtitle)
return mutableString
}
private func factoryTitle() -> NSAttributedString
{
let string:String = String.localizedView(
key:"VConnectingError_labelTitle")
let attributes:[NSAttributedStringKey:Any] = [
NSAttributedStringKey.font:
UIFont.medium(size:22),
NSAttributedStringKey.foregroundColor:
UIColor.white]
let attributed:NSAttributedString = NSAttributedString(
string:string,
attributes:attributes)
return attributed
}
private func factorySubtitle() -> NSAttributedString?
{
guard
let status:MConnectingStatusError = controller.model.status as? MConnectingStatusError
else
{
return nil
}
let string:String = String.localizedView(
key:status.errorMessage)
let attributes:[NSAttributedStringKey:Any] = [
NSAttributedStringKey.font:
UIFont.regular(size:15),
NSAttributedStringKey.foregroundColor:
UIColor(white:1, alpha:0.9)]
let attributed:NSAttributedString = NSAttributedString(
string:string,
attributes:attributes)
return attributed
}
}
| mit | 4af76b4f7ba18a1de99221de19fd758c | 26.225225 | 98 | 0.585043 | 6.375527 | false | false | false | false |
lennet/bugreporter | BugreporterTests/ScreenRecorderSettingsTests.swift | 1 | 1392 | //
// ScreenRecorderSettingsTests.swift
// Bugreporter
//
// Created by Leo Thomas on 31/07/16.
// Copyright © 2016 Leonard Thomas. All rights reserved.
//
import XCTest
@testable import Bugreporter
class ScreenRecorderSettingsTests: XCTestCase {
func testCompareRecorderDurationOptions() {
XCTAssert(RecorderDurationOptions.infinite == RecorderDurationOptions.infinite)
XCTAssert(RecorderDurationOptions.finite(seconds: 50) == RecorderDurationOptions.finite(seconds: 50))
XCTAssertEqual(RecorderDurationOptions.infinite.seconds, 0)
XCTAssertFalse(RecorderDurationOptions.infinite == RecorderDurationOptions.finite(seconds: 0))
XCTAssertFalse(RecorderDurationOptions.finite(seconds: 50) == RecorderDurationOptions.infinite)
XCTAssertFalse(RecorderDurationOptions.finite(seconds: 50) == RecorderDurationOptions.finite(seconds: 60))
}
func testRecorderDurationOptionsInit() {
XCTAssert(RecorderDurationOptions(seconds: 0) == RecorderDurationOptions.infinite)
let fiftySeconds = RecorderDurationOptions(seconds:50)
if case .finite(let seconds) = fiftySeconds {
XCTAssertEqual(seconds, 50)
} else {
XCTAssert(false == true, "getting seconds parameter from RecorderDurationOptions failed: \(fiftySeconds)")
}
}
}
| mit | 73238e54f52bcf0e64a31bd9b3ad8ade | 34.666667 | 118 | 0.713875 | 4.829861 | false | true | false | false |
carlynorama/learningSwift | Projects/RememberMe/RememberMe/AppDelegate.swift | 1 | 4593 | //
// AppDelegate.swift
// RememberMe
//
// Created by Carlyn Maw on 9/7/16.
// Copyright © 2016 carlynorama. All rights reserved.
//
import UIKit
import CoreData
@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate {
var window: UIWindow?
func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplicationLaunchOptionsKey: Any]?) -> Bool {
// Override point for customization after application launch.
return true
}
func applicationWillResignActive(_ application: UIApplication) {
// Sent when the application is about to move from active to inactive state. This can occur for certain types of temporary interruptions (such as an incoming phone call or SMS message) or when the user quits the application and it begins the transition to the background state.
// Use this method to pause ongoing tasks, disable timers, and invalidate graphics rendering callbacks. Games should use this method to pause the game.
}
func applicationDidEnterBackground(_ application: UIApplication) {
// Use this method to release shared resources, save user data, invalidate timers, and store enough application state information to restore your application to its current state in case it is terminated later.
// If your application supports background execution, this method is called instead of applicationWillTerminate: when the user quits.
}
func applicationWillEnterForeground(_ application: UIApplication) {
// Called as part of the transition from the background to the active state; here you can undo many of the changes made on entering the background.
}
func applicationDidBecomeActive(_ application: UIApplication) {
// Restart any tasks that were paused (or not yet started) while the application was inactive. If the application was previously in the background, optionally refresh the user interface.
}
func applicationWillTerminate(_ application: UIApplication) {
// Called when the application is about to terminate. Save data if appropriate. See also applicationDidEnterBackground:.
// Saves changes in the application's managed object context before the application terminates.
self.saveContext()
}
// MARK: - Core Data stack
lazy var persistentContainer: NSPersistentContainer = {
/*
The persistent container for the application. This implementation
creates and returns a container, having loaded the store for the
application to it. This property is optional since there are legitimate
error conditions that could cause the creation of the store to fail.
*/
let container = NSPersistentContainer(name: "RememberMe")
container.loadPersistentStores(completionHandler: { (storeDescription, error) in
if let error = error as NSError? {
// Replace this implementation with code to handle the error appropriately.
// fatalError() causes the application to generate a crash log and terminate. You should not use this function in a shipping application, although it may be useful during development.
/*
Typical reasons for an error here include:
* The parent directory does not exist, cannot be created, or disallows writing.
* The persistent store is not accessible, due to permissions or data protection when the device is locked.
* The device is out of space.
* The store could not be migrated to the current model version.
Check the error message to determine what the actual problem was.
*/
fatalError("Unresolved error \(error), \(error.userInfo)")
}
})
return container
}()
// MARK: - Core Data Saving support
func saveContext () {
let context = persistentContainer.viewContext
if context.hasChanges {
do {
try context.save()
} catch {
// Replace this implementation with code to handle the error appropriately.
// fatalError() causes the application to generate a crash log and terminate. You should not use this function in a shipping application, although it may be useful during development.
let nserror = error as NSError
fatalError("Unresolved error \(nserror), \(nserror.userInfo)")
}
}
}
}
| unlicense | 33634a4ab798dcde21aa6d2f2b827ea5 | 48.376344 | 285 | 0.685976 | 5.820025 | false | false | false | false |
mlgoogle/viossvc | viossvc/General/CommenClass/CommonDefine.swift | 1 | 9271 | //
// CommonDefine.swift
// HappyTravel
//
// Created by 陈奕涛 on 16/9/26.
// Copyright © 2016年 陈奕涛. All rights reserved.
//
import Foundation
//MARK: -- 颜色全局方法
func colorWithHexString(hex: String) -> UIColor {
var cString:String = hex.stringByTrimmingCharactersInSet(NSCharacterSet.whitespaceAndNewlineCharacterSet()).uppercaseString
if (cString.hasPrefix("#")) {
cString = (cString as NSString).substringFromIndex(1)
}
let rString = (cString as NSString).substringToIndex(2)
let gString = ((cString as NSString).substringFromIndex(2) as NSString).substringToIndex(2)
let bString = ((cString as NSString).substringFromIndex(4) as NSString).substringToIndex(2)
var r:CUnsignedInt = 0, g:CUnsignedInt = 0, b:CUnsignedInt = 0;
NSScanner(string: rString).scanHexInt(&r)
NSScanner(string: gString).scanHexInt(&g)
NSScanner(string: bString).scanHexInt(&b)
return UIColor(red: CGFloat(r) / 255.0, green: CGFloat(g) / 255.0, blue: CGFloat(b) / 255.0, alpha: CGFloat(1))
}
//MARK: -- 字体大小全局变量
let ScreenWidth = UIScreen.mainScreen().bounds.size.width
let ScreenHeight = UIScreen.mainScreen().bounds.size.height
let Timestamp = NSDate().timeIntervalSince1970
let S18 = AtapteWidthValue(18)
let S16 = AtapteWidthValue(16)
let S15 = AtapteWidthValue(15)
let S14 = AtapteWidthValue(14)
let S13 = AtapteWidthValue(13)
let S12 = AtapteWidthValue(12)
let S10 = AtapteWidthValue(10)
func AtapteWidthValue(value: CGFloat) -> CGFloat {
let mate = ScreenWidth/375.0
let atapteValue = value*mate
return atapteValue
}
func AtapteHeightValue(value: CGFloat) -> CGFloat {
let mate = ScreenHeight/667.0
let atapteValue = value*mate
return atapteValue
}
func getServiceDateString(start:Int, end:Int) -> String {
let dateFormatter = NSDateFormatter()
dateFormatter.dateFormat = "HH:mm"
// 8 * 3600 = 28800
let startTime = dateFormatter.stringFromDate(NSDate(timeIntervalSince1970: Double(start * 60 - 28800)))
let endTime = dateFormatter.stringFromDate(NSDate(timeIntervalSince1970: Double(end * 60 - 28800)))
return "\(startTime) - \(endTime)"
}
//MARK: --正则表达
func isTelNumber(num:NSString)->Bool
{
let mobile = "^1(3[0-9]|5[0-35-9]|8[025-9])\\d{8}$"
let CM = "^1(34[0-8]|(3[5-9]|5[017-9]|8[278])\\d)\\d{7}$"
let CU = "^1(3[0-2]|5[256]|8[56])\\d{8}$"
let CT = "^1((33|53|8[09])[0-9]|349)\\d{7}$"
let regextestmobile = NSPredicate(format: "SELF MATCHES %@",mobile)
let regextestcm = NSPredicate(format: "SELF MATCHES %@",CM )
let regextestcu = NSPredicate(format: "SELF MATCHES %@" ,CU)
let regextestct = NSPredicate(format: "SELF MATCHES %@" ,CT)
if ((regextestmobile.evaluateWithObject(num) == true)
|| (regextestcm.evaluateWithObject(num) == true)
|| (regextestct.evaluateWithObject(num) == true)
|| (regextestcu.evaluateWithObject(num) == true))
{
return true
}
else
{
return false
}
}
class CommonDefine: NSObject {
static let DeviceToken = "deviceToken"
static let UserName = "UserName"
static let Passwd = "Passwd"
static let UserType = "UserType"
static let qiniuImgStyle = "?imageView2/2/w/160/h/160/interlace/0/q/100"
static let errorMsgs: [Int: String] = [-1000:"mysql执行错误",
-1001:"登陆json格式错误",
-1002:"手机号格式有误",
-1003:"手机号或密码错误",
-1004:"获取附近导游json格式错误",
-1005:"附近没有V领队",
-1006:"心跳包json格式错误",
-1007:"没有V领队",
-1008:"推荐领队json格式错误",
-1009:"没有推荐V领队",
-1010:"邀约json格式错误",
-1011:"修改密码json格式错误",
-1012:"用户不在缓存",
-1013:"旧密码错误",
-1014:"聊天包json错误",
-1015:"新建订单错误",
-1016:"聊天记录json格式错误",
-1017:"没有聊天记录",
-1018:"获取验证码json格式错误",
-1019:"注册账号json错误",
-1020:"验证码过期",
-1021:"验证码错误",
-1022:"完善资料json错误",
-1023:"我的行程json错误",
-1024:"服务详情json错误",
-1025:"没有该用户",
-1026:"开票json错误",
-1027:"没有改用户的设备号",
-1028:"设备号错误",
-1029:"消息读取json失败",
-1030:"评价行程json错误",
-1031:"回复邀约json错误",
-1032:"订单状态有误",
-1033:"开票记录json错误",
-1034:"黑卡服务表无数据",
-1035:"黑卡信息json错误",
-1036:"黑卡消费记录json错误",
-1037:"预约json错误",
-1038:"已请求过开票了",
-1039:"订单未支付完成",
-1040:"当前没有在线客服",
-1041:"发票详情json错误",
-1042:"微信下单json错误",
-1043:"下单金额有误",
-1044:"客户端微信支付结果通知json错误",
-1045:"身份证信息json错误",
-1046:"V领队详情json错误",
-1047:"身份认证状态json错误",
-1048:"分享旅游列表json错误",
-1049:"分享旅游详情json错误",
-1050:"用户余额json错误",
-1051:"身份认证状态json错误",
-1052:"评价信息json错误",
-1053:"没有评价信息:",
-1054:"预约记录json错误",
-1055:"预约记录为空(没有多记录了)",
-1056:"技能分享详情json错误",
-1057:"技能分享讨论json错误",
-1058:"技能分享报名json错误",
-1059:"请求数据错误",
-1060:"微信服务回调错误",
-1061:"微信下单失败",
-1062:"验证密码 密码错误",
-1063:"已经设置过支付密码了",
-1064:"不能直接设置登录"]
class BuriedPoint {
static let register = "register"
static let registerBtn = "registerBtn"
static let registerNext = "registerNext"
static let registerSure = "registerSure"
static let login = "login"
static let loginBtn = "loginBtn"
static let loginAction = "loginAction"
static let walletbtn = "walletbtn"
static let rechargeBtn = "rechargeBtn"
static let recharfeTextField = "recharfeTextField"
static let paySureBtn = "paySureBtn"
static let payWithWechat = "payWithWechat"
static let paySuccess = "paySuccess"
static let payForOrder = "payForOrder"
static let payForOrderSuccess = "payForOrderSuccess"
static let payForOrderFail = "payForOrderFail"
static let vippage = "vippage"
static let vipLvpay = "vipLvpay"
}
}
| apache-2.0 | af5974bfadabefcf7b849a54b7e6243a | 40.879397 | 127 | 0.439285 | 4.584158 | false | false | false | false |
tonystone/tracelog | Tests/TraceLogTests/TraceLogTests.swift | 1 | 16831 | ///
/// TraceLogTests.swift
///
/// Copyright 2015 Tony Stone
///
/// 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.
///
/// Created by Tony Stone on 11/1/15.
////
import XCTest
import Dispatch
import TraceLog
///
/// Main test class for Swift
///
class TraceLogTestsSwift: XCTestCase {
let testTag = "Test Tag"
// MARK: - Configuration
func testConfigureWithNoArgs() {
TraceLog.configure()
}
func testConfigureWithLogWriters() {
let testMessage = "TraceLog Configured using: {\n\tglobal: {\n\n\t\tALL = INFO\n\t}\n}"
let testWriter = ValidateExpectedValuesTestWriter(level: .info, tag: "TraceLog", message: testMessage)
TraceLog.configure(writers: [testWriter], environment: ["LOG_ALL": "INFO"])
self.wait(for: [testWriter.expectation], timeout: 2)
}
func testConfigureWithLogWritersAndEnvironment() {
let testMessage = "TraceLog Configured using: {\n\ttags: {\n\n\t\tTraceLog = TRACE4\n\t}\n\tprefixes: {\n\n\t\tNS = ERROR\n\t}\n\tglobal: {\n\n\t\tALL = TRACE4\n\t}\n}"
let testWriter = ValidateExpectedValuesTestWriter(level: .info, tag: "TraceLog", message: testMessage)
TraceLog.configure(writers: [testWriter], environment: ["LOG_ALL": "TRACE4",
"LOG_PREFIX_NS": "ERROR",
"LOG_TAG_TraceLog": "TRACE4"])
self.wait(for: [testWriter.expectation], timeout: 2)
}
func testConfigureWithLogWritersAndEnvironmentGlobalInvalidLogLevel() {
let testEntries: [ValidateExpectedValuesTestWriter.ExpectedLogEntry] = [
(timestamp: nil, level: .info, tag: "TraceLog", message: "TraceLog Configured using: {\n\tglobal: {\n\n\t\tALL = INFO\n\t}\n}", runtimeContext: nil, staticContext: nil),
(timestamp: nil, level: .warning, tag: "TraceLog", message: "Variable \'LOG_ALL\' has an invalid logLevel of \'TRACE5\'. \'LOG_ALL\' will be set to INFO.", runtimeContext: nil, staticContext: nil)
]
let testWriter = ValidateExpectedValuesTestWriter(expected: testEntries)
TraceLog.configure(writers: [testWriter], environment: ["LOG_ALL": "TRACE5"])
self.wait(for: [testWriter.expectation], timeout: 2)
}
func testConfigureWithLogWritersAndEnvironmentPrefixInvalidLogLevel() {
let testEntries: [ValidateExpectedValuesTestWriter.ExpectedLogEntry] = [
(timestamp: nil, level: .info, tag: "TraceLog", message: "TraceLog Configured using: {\n\tglobal: {\n\n\t\tALL = INFO\n\t}\n}", runtimeContext: nil, staticContext: nil),
(timestamp: nil, level: .warning, tag: "TraceLog", message: "Variable \'LOG_PREFIX_NS\' has an invalid logLevel of \'TRACE5\'. \'LOG_PREFIX_NS\' will NOT be set.", runtimeContext: nil, staticContext: nil)
]
let testWriter = ValidateExpectedValuesTestWriter(expected: testEntries)
TraceLog.configure(writers: [testWriter], environment: ["LOG_PREFIX_NS": "TRACE5"])
self.wait(for: [testWriter.expectation], timeout: 2)
}
func testConfigureWithLogWritersAndEnvironmentTagInvalidLogLevel() {
let testEntries: [ValidateExpectedValuesTestWriter.ExpectedLogEntry] = [
(timestamp: nil, level: .info, tag: "TraceLog", message: "TraceLog Configured using: {\n\tglobal: {\n\n\t\tALL = INFO\n\t}\n}", runtimeContext: nil, staticContext: nil),
(timestamp: nil, level: .warning, tag: "TraceLog", message: "Variable \'LOG_TAG_TRACELOG\' has an invalid logLevel of \'TRACE5\'. \'LOG_TAG_TRACELOG\' will NOT be set.", runtimeContext: nil, staticContext: nil)
]
let testWriter = ValidateExpectedValuesTestWriter(expected: testEntries)
TraceLog.configure(writers: [testWriter], environment: ["LOG_TAG_TraceLog": "TRACE5"])
self.wait(for: [testWriter.expectation], timeout: 2)
}
// MARK: ConcurrencyMode tests
func testModeDirectIsSameThread() {
let input: (thread: Thread, message: String) = (Thread.current, "Random test message.")
let validatingWriter = CallbackTestWriter() { (timestamp, level, tag, message, runtimeContext, staticContext) -> Void in
// We ignore all but the message that is equal to our input message to avoid TraceLogs startup messages
if message == input.message {
XCTAssertEqual(Thread.current, input.thread)
}
}
TraceLog.configure(writers: [.direct(validatingWriter)], environment: ["LOG_ALL": "INFO"])
logInfo { input.message }
}
// Note: it does not make sense to test Sync for same thread or different as there is no guarantee it will be either.
func testModeAsyncIsDifferentThread() {
let semaphore = DispatchSemaphore(value: 0)
let input: (thread: Thread, message: String) = (Thread.current, "Random test message.")
let validatingWriter = CallbackTestWriter() { (timestamp, level, tag, message, runtimeContext, staticContext) -> Void in
// We ignore all but the message that is equal to our input message to avoid TraceLogs startup messages
if message == input.message {
XCTAssertNotEqual(Thread.current, input.thread)
semaphore.signal()
}
}
/// Setup test with Writer
TraceLog.configure(writers: [.async(validatingWriter)], environment: ["LOG_ALL": "INFO"])
/// Run test.
logInfo { input.message }
/// Wait for the thread to return
XCTAssertEqual(semaphore.wait(timeout: .now() + 0.1), .success)
}
func testModeSyncBlocks() {
let input: (thread: Thread, message: String) = (Thread.current, "Random test message.")
var logged: Bool = false
let validatingWriter = CallbackTestWriter() { (timestamp, level, tag, message, runtimeContext, staticContext) -> Void in
// We ignore all but the message that is equal to our input message to avoid TraceLogs startup messages
if message == input.message {
logged = true
}
}
TraceLog.configure(writers: [.sync(validatingWriter)], environment: ["LOG_ALL": "INFO"])
/// This should block until our writer is called.
logInfo { input.message }
XCTAssertEqual(logged, true) /// Not a definitive test.
}
func testNoDeadLockDirectMode() {
TraceLog.configure(writers: [.direct(SleepyTestWriter(sleepTime: 100))], environment: ["LOG_ALL": "INFO"])
self._testNoDeadLock()
}
func testNoDeadLockSyncMode() {
TraceLog.configure(writers: [.sync(SleepyTestWriter(sleepTime: 100))], environment: ["LOG_ALL": "INFO"])
self._testNoDeadLock()
}
func testNoDeadLockAsyncMode() {
TraceLog.configure(writers: [.async(SleepyTestWriter(sleepTime: 100))], environment: ["LOG_ALL": "INFO"])
self._testNoDeadLock()
}
func _testNoDeadLock() {
let queue = DispatchQueue(label: "_testNoDeadLock.queue", attributes: .concurrent)
let loggers = DispatchGroup()
for _ in 0...20 {
queue.async(group: loggers) {
for _ in 0...1000 {
logInfo { "Random test message." }
}
}
}
/// Note: Increased this wait time to 120 for iPhone 6s iOS 9.3 which was taking a little longer to run threw the test.
XCTAssertEqual(loggers.wait(timeout: .now() + 120.0), .success)
}
// MARK: - Logging Methods
func testLogError() {
let testMessage = "Swift: \(#function)"
let testWriter = ValidateExpectedValuesTestWriter(level: .error, tag: self.testTag, message: testMessage)
TraceLog.configure(writers: [testWriter], environment: ["LOG_ALL": "ERROR"])
logError(testTag) { testMessage }
self.wait(for: [testWriter.expectation], timeout: 2)
}
func testLogWarning() {
let testMessage = "Swift: \(#function)"
let testWriter = ValidateExpectedValuesTestWriter(level: .warning, tag: self.testTag, message: testMessage)
TraceLog.configure(writers: [testWriter], environment: ["LOG_ALL": "WARNING"])
logWarning(testTag) { testMessage }
self.wait(for: [testWriter.expectation], timeout: 2)
}
func testLogInfo() {
let testMessage = "Swift: " + #function
let testWriter = ValidateExpectedValuesTestWriter(level: .info, tag: testTag, message: testMessage, filterTags: ["TraceLog"])
TraceLog.configure(writers: [testWriter], environment: ["LOG_ALL": "INFO"])
logInfo(testTag) { "Swift: \(#function)" }
self.wait(for: [testWriter.expectation], timeout: 2)
}
func testLogTrace() {
let testMessage = "Swift: " + #function
let testWriter = ValidateExpectedValuesTestWriter(level: .trace1, tag: testTag, message: testMessage, filterTags: ["TraceLog"])
TraceLog.configure(writers: [testWriter], environment: ["LOG_ALL": "TRACE1"])
logTrace(testTag) { testMessage }
self.wait(for: [testWriter.expectation], timeout: 2)
}
func testLogTrace1() {
let testMessage = "Swift: " + #function
let testWriter = ValidateExpectedValuesTestWriter(level: .trace1, tag: testTag, message: testMessage, filterTags: ["TraceLog"])
TraceLog.configure(writers: [testWriter], environment: ["LOG_ALL": "TRACE1"])
logTrace(testTag, level: 1) { testMessage }
self.wait(for: [testWriter.expectation], timeout: 2)
}
func testLogTrace2() {
let testMessage = "Swift: " + #function
let testWriter = ValidateExpectedValuesTestWriter(level: .trace2, tag: testTag, message: testMessage, filterTags: ["TraceLog"])
TraceLog.configure(writers: [testWriter], environment: ["LOG_ALL": "TRACE2"])
logTrace(testTag, level: 2) { testMessage }
self.wait(for: [testWriter.expectation], timeout: 2)
}
func testLogTrace3() {
let testMessage = "Swift: " + #function
let testWriter = ValidateExpectedValuesTestWriter(level: .trace3, tag: testTag, message: testMessage, filterTags: ["TraceLog"])
TraceLog.configure(writers: [testWriter], environment: ["LOG_ALL": "TRACE3"])
logTrace(testTag, level: 3) { testMessage }
self.wait(for: [testWriter.expectation], timeout: 2)
}
func testLogTrace4() {
let testMessage = "Swift: " + #function
let testWriter = ValidateExpectedValuesTestWriter(level: .trace4, tag: testTag, message: testMessage, filterTags: ["TraceLog"])
TraceLog.configure(writers: [testWriter], environment: ["LOG_ALL": "TRACE4"])
logTrace(testTag, level: 4) { testMessage }
self.wait(for: [testWriter.expectation], timeout: 2)
}
// MARK: - Logging Methods when level below log level.
func testLogErrorWhileOff() {
let testMessage = "Swift: " + #function
let semaphore = DispatchSemaphore(value: 0)
let writer = FailWhenFiredWriter(semaphore: semaphore)
TraceLog.configure(writers: [writer], environment: ["LOG_ALL": "OFF"])
logError(testTag) { testMessage }
let result = semaphore.wait(wallTimeout: DispatchWallTime.now() + .seconds(1))
/// Note: success in this case means the test failed because the semaphore was signaled by the call to log the message.
if result == .success {
XCTAssertNil("Log level was OFF but message was written anyway.")
}
}
func testLogWarningWhileOff() {
let testMessage = "Swift: " + #function
let semaphore = DispatchSemaphore(value: 0)
let writer = FailWhenFiredWriter(semaphore: semaphore)
TraceLog.configure(writers: [writer], environment: ["LOG_ALL": "OFF"])
logWarning(testTag) { testMessage }
let result = semaphore.wait(wallTimeout: DispatchWallTime.now() + .seconds(1))
/// Note: success in this case means the test failed because the semaphore was signaled by the call to log the message.
if result == .success {
XCTAssertNil("Log level was OFF but message was written anyway.")
}
}
func testLogInfoWhileOff() {
let testMessage = "Swift: " + #function
let semaphore = DispatchSemaphore(value: 0)
let writer = FailWhenFiredWriter(semaphore: semaphore)
TraceLog.configure(writers: [writer], environment: ["LOG_ALL": "OFF"])
logInfo(testTag) { testMessage }
let result = semaphore.wait(wallTimeout: DispatchWallTime.now() + .seconds(1))
/// Note: success in this case means the test failed because the semaphore was signaled by the call to log the message.
if result == .success {
XCTAssertNil("Log level was OFF but message was written anyway.")
}
}
func testLogTraceWhileOff() {
let testMessage = "Swift: " + #function
let semaphore = DispatchSemaphore(value: 0)
let writer = FailWhenFiredWriter(semaphore: semaphore)
TraceLog.configure(writers: [writer], environment: ["LOG_ALL": "OFF"])
logTrace(testTag) { testMessage }
let result = semaphore.wait(wallTimeout: DispatchWallTime.now() + .seconds(1))
/// Note: success in this case means the test failed because the semaphore was signaled by the call to log the message.
if result == .success {
XCTAssertNil("Log level was OFF but message was written anyway.")
}
}
func testLogTrace1WhileOff() {
let testMessage = "Swift: " + #function
let semaphore = DispatchSemaphore(value: 0)
let writer = FailWhenFiredWriter(semaphore: semaphore)
TraceLog.configure(writers: [writer], environment: ["LOG_ALL": "OFF"])
logTrace(1, testTag) { testMessage }
let result = semaphore.wait(wallTimeout: DispatchWallTime.now() + .seconds(1))
/// Note: success in this case means the test failed because the semaphore was signaled by the call to log the message.
if result == .success {
XCTAssertNil("Log level was OFF but message was written anyway.")
}
}
func testLogTrace2WhileOff() {
let testMessage = "Swift: " + #function
let semaphore = DispatchSemaphore(value: 0)
let writer = FailWhenFiredWriter(semaphore: semaphore)
TraceLog.configure(writers: [writer], environment: ["LOG_ALL": "OFF"])
logTrace(2, testTag) { testMessage }
let result = semaphore.wait(wallTimeout: DispatchWallTime.now() + .seconds(1))
/// Note: success in this case means the test failed because the semaphore was signaled by the call to log the message.
if result == .success {
XCTAssertNil("Log level was OFF but message was written anyway.")
}
}
func testLogTrace3WhileOff() {
let testMessage = "Swift: " + #function
let semaphore = DispatchSemaphore(value: 0)
let writer = FailWhenFiredWriter(semaphore: semaphore)
TraceLog.configure(writers: [writer], environment: ["LOG_ALL": "OFF"])
logTrace(3, testTag) { testMessage }
let result = semaphore.wait(wallTimeout: DispatchWallTime.now() + .seconds(1))
/// Note: success in this case means the test failed because the semaphore was signaled by the call to log the message.
if result == .success {
XCTAssertNil("Log level was OFF but message was written anyway.")
}
}
func testLogTrace4WhileOff() {
let testMessage = "Swift: " + #function
let semaphore = DispatchSemaphore(value: 0)
let writer = FailWhenFiredWriter(semaphore: semaphore)
TraceLog.configure(writers: [writer], environment: ["LOG_ALL": "OFF"])
logTrace(4, testTag) { testMessage }
let result = semaphore.wait(wallTimeout: DispatchWallTime.now() + .seconds(1))
/// Note: success in this case means the test failed because the semaphore was signaled by the call to log the message.
if result == .success {
XCTAssertNil("Log level was OFF but message was written anyway.")
}
}
}
| apache-2.0 | 80a403562d3a4ec00beed3b08d8187f0 | 37.165533 | 222 | 0.643753 | 4.321181 | false | true | false | false |
narner/AudioKit | AudioKit/iOS/AudioKit/User Interface/AKResourceAudioFileLoaderView.swift | 1 | 15930 | //
// AKResourceAudioFileLoaderView.swift
// AudioKit for iOS
//
// Created by Aurelius Prochazka, revision history on Github.
// Copyright © 2017 Aurelius Prochazka. All rights reserved.
//
/// View to choose from audio files to use in playgrounds
@IBDesignable open class AKResourcesAudioFileLoaderView: UIView {
// Default corner radius
static var standardCornerRadius: CGFloat = 3.0
var player: AKAudioPlayer?
var stopOuterPath = UIBezierPath()
var playOuterPath = UIBezierPath()
var upOuterPath = UIBezierPath()
var downOuterPath = UIBezierPath()
var currentIndex = 0
var titles = [String]()
open var bgColor: AKColor? {
didSet {
setNeedsDisplay()
}
}
open var textColor: AKColor? {
didSet {
setNeedsDisplay()
}
}
open var borderColor: AKColor? {
didSet {
setNeedsDisplay()
}
}
open var borderWidth: CGFloat = 3.0 {
didSet {
setNeedsDisplay()
}
}
/// Handle touches
override open func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
if let touch = touches.first {
var isFileChanged = false
guard let isPlayerPlaying = player?.isPlaying else {
return
}
let touchLocation = touch.location(in: self)
if stopOuterPath.contains(touchLocation) {
player?.stop()
}
if playOuterPath.contains(touchLocation) {
player?.play()
}
if upOuterPath.contains(touchLocation) {
currentIndex -= 1
isFileChanged = true
}
if downOuterPath.contains(touchLocation) {
currentIndex += 1
isFileChanged = true
}
if currentIndex < 0 { currentIndex = titles.count - 1 }
if currentIndex >= titles.count { currentIndex = 0 }
if isFileChanged {
player?.stop()
let filename = titles[currentIndex]
if let file = try? AKAudioFile(readFileName: "\(filename)", baseDir: .resources) {
do {
try player?.replace(file: file)
} catch {
AKLog("Could not replace file")
}
}
if isPlayerPlaying { player?.play() }
setNeedsDisplay()
}
}
}
/// Initialize the resource loader
public convenience init(player: AKAudioPlayer,
filenames: [String],
frame: CGRect = CGRect(x: 0, y: 0, width: 440, height: 60)) {
self.init(frame: frame)
self.player = player
self.titles = filenames
}
/// Initialization with no details
override public init(frame: CGRect) {
self.titles = ["File One", "File Two", "File Three"]
super.init(frame: frame)
self.backgroundColor = UIColor.clear
contentMode = .redraw
}
/// Initialize in Interface Builder
required public init?(coder aDecoder: NSCoder) {
self.titles = ["File One", "File Two", "File Three"]
super.init(coder: aDecoder)
self.backgroundColor = UIColor.clear
contentMode = .redraw
}
// Default background color per theme
var bgColorForTheme: AKColor {
if let bgColor = bgColor { return bgColor }
switch AKStylist.sharedInstance.theme {
case .basic: return AKColor(white: 0.8, alpha: 1.0)
case .midnight: return AKColor(white: 0.7, alpha: 1.0)
}
}
// Default border color per theme
var borderColorForTheme: AKColor {
if let borderColor = borderColor { return borderColor }
switch AKStylist.sharedInstance.theme {
case .basic: return AKColor(white: 0.3, alpha: 1.0).withAlphaComponent(0.8)
case .midnight: return AKColor.white.withAlphaComponent(0.8)
}
}
// Default text color per theme
var textColorForTheme: AKColor {
if let textColor = textColor { return textColor }
switch AKStylist.sharedInstance.theme {
case .basic: return AKColor(white: 0.3, alpha: 1.0)
case .midnight: return AKColor.white
}
}
func drawAudioFileLoader(sliderColor: AKColor = AKStylist.sharedInstance.colorForFalseValue,
fileName: String = "None") {
//// General Declarations
let rect = bounds
let cornerRadius: CGFloat = AKResourcesAudioFileLoaderView.standardCornerRadius
//// Color Declarations
let backgroundColor = bgColorForTheme
let color = AKStylist.sharedInstance.colorForTrueValue
let dark = textColorForTheme
//// background Drawing
let backgroundPath = UIBezierPath(rect: CGRect(x: borderWidth,
y: borderWidth,
width: rect.width - borderWidth * 2.0,
height: rect.height - borderWidth * 2.0))
backgroundColor.setFill()
backgroundPath.fill()
//// stopButton
//// stopOuter Drawing
stopOuterPath = UIBezierPath(rect: CGRect(x: borderWidth,
y: borderWidth,
width: rect.width * 0.13,
height: rect.height - borderWidth * 2.0))
sliderColor.setFill()
stopOuterPath.fill()
//// stopInner Drawing
let stopInnerPath = UIBezierPath(roundedRect: CGRect(x: (rect.width * 0.13 - rect.height * 0.5) / 2 + cornerRadius,
y: rect.height * 0.25,
width: rect.height * 0.5,
height: rect.height * 0.5), cornerRadius: cornerRadius)
dark.setFill()
stopInnerPath.fill()
//// playButton
//// playOuter Drawing
playOuterPath = UIBezierPath(rect: CGRect(x: rect.width * 0.13 + borderWidth,
y: borderWidth,
width: rect.width * 0.13,
height: rect.height - borderWidth * 2.0))
color.setFill()
playOuterPath.fill()
//// playInner Drawing
let playRect = CGRect(x: (rect.width * 0.13 - rect.height * 0.5) / 2 + borderWidth + rect.width * 0.13 + borderWidth,
y: rect.height * 0.25,
width: rect.height * 0.5,
height: rect.height * 0.5)
let playInnerPath = UIBezierPath()
playInnerPath.move(to: CGPoint(x: playRect.minX + cornerRadius / 2.0, y: playRect.maxY))
playInnerPath.addLine(to: CGPoint(x: playRect.maxX - cornerRadius / 2.0, y: playRect.midY + cornerRadius / 2.0))
playInnerPath.addCurve(to: CGPoint(x: playRect.maxX - cornerRadius / 2.0,
y: playRect.midY - cornerRadius / 2.0),
controlPoint1: CGPoint(x: playRect.maxX, y: playRect.midY),
controlPoint2: CGPoint(x: playRect.maxX, y: playRect.midY))
playInnerPath.addLine(to: CGPoint(x: playRect.minX + cornerRadius / 2.0, y: playRect.minY))
playInnerPath.addCurve(to: CGPoint(x: playRect.minX, y: playRect.minY + cornerRadius / 2.0),
controlPoint1: CGPoint(x: playRect.minX, y: playRect.minY),
controlPoint2: CGPoint(x: playRect.minX, y: playRect.minY))
playInnerPath.addLine(to: CGPoint(x: playRect.minX, y: playRect.maxY - cornerRadius / 2.0))
playInnerPath.addCurve(to: CGPoint(x: playRect.minX + cornerRadius / 2.0, y: playRect.maxY),
controlPoint1: CGPoint(x: playRect.minX, y: playRect.maxY),
controlPoint2: CGPoint(x: playRect.minX, y: playRect.maxY))
playInnerPath.close()
dark.setFill()
playInnerPath.fill()
dark.setStroke()
playInnerPath.stroke()
// stopButton border Path
let stopButtonBorderPath = UIBezierPath()
stopButtonBorderPath.move(to: CGPoint(x: rect.width * 0.13 + borderWidth, y: borderWidth))
stopButtonBorderPath.addLine(to: CGPoint(x: rect.width * 0.13 + borderWidth, y: rect.height - borderWidth))
borderColorForTheme.setStroke()
stopButtonBorderPath.lineWidth = borderWidth / 2.0
stopButtonBorderPath.stroke()
// playButton border Path
let playButtonBorderPath = UIBezierPath()
playButtonBorderPath.move(to: CGPoint(x: rect.width * 0.13 * 2.0 + borderWidth, y: borderWidth))
playButtonBorderPath.addLine(to: CGPoint(x: rect.width * 0.13 * 2.0 + borderWidth, y: rect.height - borderWidth))
borderColorForTheme.setStroke()
playButtonBorderPath.lineWidth = borderWidth / 2.0
playButtonBorderPath.stroke()
//// upButton
//// upOuter Drawing
downOuterPath = UIBezierPath(rect: CGRect(x: rect.width * 0.9,
y: rect.height * 0.5,
width: rect.width * 0.07,
height: rect.height * 0.5))
//// upInner Drawing
let downArrowRect = CGRect(x: rect.width * 0.9,
y: rect.height * 0.58,
width: rect.width * 0.07,
height: rect.height * 0.3)
let downInnerPath = UIBezierPath()
downInnerPath.move(to: CGPoint(x: downArrowRect.minX + cornerRadius / 2.0, y: downArrowRect.minY))
downInnerPath.addLine(to: CGPoint(x: downArrowRect.maxX - cornerRadius / 2.0, y: downArrowRect.minY))
downInnerPath.addCurve(to: CGPoint(x: downArrowRect.maxX - cornerRadius / 2.0,
y: downArrowRect.minY + cornerRadius / 2.0),
controlPoint1: CGPoint(x: downArrowRect.maxX, y: downArrowRect.minY),
controlPoint2: CGPoint(x: downArrowRect.maxX, y: downArrowRect.minY))
downInnerPath.addLine(to: CGPoint(x: downArrowRect.midX + cornerRadius / 2.0,
y: downArrowRect.maxY - cornerRadius / 2.0))
downInnerPath.addCurve(to: CGPoint(x: downArrowRect.midX - cornerRadius / 2.0,
y: downArrowRect.maxY - cornerRadius / 2.0),
controlPoint1: CGPoint(x: downArrowRect.midX, y: downArrowRect.maxY),
controlPoint2: CGPoint(x: downArrowRect.midX, y: downArrowRect.maxY))
downInnerPath.addLine(to: CGPoint(x: downArrowRect.minX + cornerRadius / 2.0,
y: downArrowRect.minY + cornerRadius / 2.0))
downInnerPath.addCurve(to: CGPoint(x: downArrowRect.minX + cornerRadius / 2.0, y: downArrowRect.minY),
controlPoint1: CGPoint(x: downArrowRect.minX, y: downArrowRect.minY),
controlPoint2: CGPoint(x: downArrowRect.minX, y: downArrowRect.minY))
textColorForTheme.setStroke()
downInnerPath.lineWidth = borderWidth
downInnerPath.stroke()
upOuterPath = UIBezierPath(rect: CGRect(x: rect.width * 0.9,
y: 0,
width: rect.width * 0.07,
height: rect.height * 0.5))
//// downInner Drawing
let upperArrowRect = CGRect(x: rect.width * 0.9,
y: rect.height * 0.12,
width: rect.width * 0.07,
height: rect.height * 0.3)
let upInnerPath = UIBezierPath()
upInnerPath.move(to: CGPoint(x: upperArrowRect.minX + cornerRadius / 2.0, y: upperArrowRect.maxY))
upInnerPath.addLine(to: CGPoint(x: upperArrowRect.maxX - cornerRadius / 2.0, y: upperArrowRect.maxY))
upInnerPath.addCurve(to: CGPoint(x: upperArrowRect.maxX - cornerRadius / 2.0,
y: upperArrowRect.maxY - cornerRadius / 2.0),
controlPoint1: CGPoint(x: upperArrowRect.maxX, y: upperArrowRect.maxY),
controlPoint2: CGPoint(x: upperArrowRect.maxX, y: upperArrowRect.maxY))
upInnerPath.addLine(to: CGPoint(x: upperArrowRect.midX + cornerRadius / 2.0,
y: upperArrowRect.minY + cornerRadius / 2.0))
upInnerPath.addCurve(to: CGPoint(x: upperArrowRect.midX - cornerRadius / 2.0,
y: upperArrowRect.minY + cornerRadius / 2.0),
controlPoint1: CGPoint(x: upperArrowRect.midX, y: upperArrowRect.minY),
controlPoint2: CGPoint(x: upperArrowRect.midX, y: upperArrowRect.minY))
upInnerPath.addLine(to: CGPoint(x: upperArrowRect.minX + cornerRadius / 2.0,
y: upperArrowRect.maxY - cornerRadius / 2.0))
upInnerPath.addCurve(to: CGPoint(x: upperArrowRect.minX + cornerRadius / 2.0,
y: upperArrowRect.maxY),
controlPoint1: CGPoint(x: upperArrowRect.minX, y: upperArrowRect.maxY),
controlPoint2: CGPoint(x: upperArrowRect.minX, y: upperArrowRect.maxY))
textColorForTheme.setStroke()
upInnerPath.lineWidth = borderWidth
upInnerPath.stroke()
//// nameLabel Drawing
let nameLabelRect = CGRect(x: 120, y: 0, width: 320, height: 60)
let nameLabelStyle = NSMutableParagraphStyle()
nameLabelStyle.alignment = .left
let nameLabelFontAttributes = [NSAttributedStringKey.font: UIFont.boldSystemFont(ofSize: 24.0),
NSAttributedStringKey.foregroundColor: textColorForTheme,
NSAttributedStringKey.paragraphStyle: nameLabelStyle]
let nameLabelInset: CGRect = nameLabelRect.insetBy(dx: 10, dy: 0)
let nameLabelTextHeight: CGFloat = NSString(string: fileName).boundingRect(
with: CGSize(width: nameLabelInset.width, height: CGFloat.infinity),
options: NSStringDrawingOptions.usesLineFragmentOrigin,
attributes: nameLabelFontAttributes, context: nil).size.height
let nameLabelTextRect: CGRect = CGRect(
x: nameLabelInset.minX,
y: nameLabelInset.minY + (nameLabelInset.height - nameLabelTextHeight) / 2,
width: nameLabelInset.width,
height: nameLabelTextHeight)
NSString(string: fileName).draw(in: nameLabelTextRect.offsetBy(dx: 0, dy: 0),
withAttributes: nameLabelFontAttributes)
let outerRect = CGRect(x: rect.origin.x + borderWidth / 2.0,
y: rect.origin.y + borderWidth / 2.0,
width: rect.width - borderWidth,
height: rect.height - borderWidth)
let outerPath = UIBezierPath(roundedRect: outerRect, cornerRadius: cornerRadius)
borderColorForTheme.setStroke()
outerPath.lineWidth = borderWidth
outerPath.stroke()
}
open override func draw(_ rect: CGRect) {
drawAudioFileLoader(fileName: titles[currentIndex])
}
}
| mit | 7950ceb63f0e4f835ea9c54c63345fd2 | 46.127219 | 125 | 0.554523 | 4.868276 | false | false | false | false |
adly-holler/Bond | Bond/OSX/Bond+NSMenuItem.swift | 12 | 2846 | //
// The MIT License (MIT)
//
// Copyright (c) 2015 Tony Arnold (@tonyarnold)
//
// 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 Cocoa
var enabledDynamicHandleNSMenuItem: UInt8 = 0;
var stateDynamicHandleNSMenuItem: UInt8 = 0;
extension NSMenuItem: Bondable, Dynamical {
public var designatedDynamic: Dynamic<Bool> {
return self.dynEnabled
}
public var designatedBond: Bond<Bool> {
return self.designatedDynamic.valueBond
}
public var dynEnabled: Dynamic<Bool> {
if let d: AnyObject = objc_getAssociatedObject(self, &enabledDynamicHandleNSMenuItem) {
return (d as? Dynamic<Bool>)!
} else {
let d = InternalDynamic<Bool>(self.enabled)
let bond = Bond<Bool>() { [weak self] v in
if let s = self {
s.enabled = v
}
}
d.bindTo(bond, fire: false, strongly: false)
d.retain(bond)
objc_setAssociatedObject(self, &enabledDynamicHandleNSMenuItem, d, objc_AssociationPolicy(OBJC_ASSOCIATION_RETAIN_NONATOMIC))
return d
}
}
public var dynState: Dynamic<Int> {
if let d: AnyObject = objc_getAssociatedObject(self, &stateDynamicHandleNSMenuItem) {
return (d as? Dynamic<Int>)!
} else {
let d = InternalDynamic<Int>(self.state)
let bond = Bond<Int>() { [weak self] v in
if let s = self {
s.state = v
}
}
d.bindTo(bond, fire: false, strongly: false)
d.retain(bond)
objc_setAssociatedObject(self, &stateDynamicHandleNSMenuItem, d, objc_AssociationPolicy(OBJC_ASSOCIATION_RETAIN_NONATOMIC))
return d
}
}
}
| mit | a57993444a0349aa33dc984fed9a74df | 36.447368 | 137 | 0.64617 | 4.460815 | false | false | false | false |
guille969/Licensy | Licensy/Sources/Licenses/Model/LicenseTypes/BSD3ClauseLicense.swift | 1 | 1830 | //
// BSD3ClauseLicense.swift
// Licensy
//
// Created by Guillermo Garcia Rebolo on 22/2/17.
// Copyright © 2017 RetoLabs. All rights reserved.
//
/// BSD 3-Clause License
public class BSD3ClauseLicense: License {
fileprivate var company: String = ""
fileprivate var copyright: String = ""
/// The initializer of the license
public init() {
}
/// The identifier of the license
public var identifier: String {
get {
return "BSD3"
}
}
/// The name of the license
public var name: String {
get {
return "BSD 3-Clause License"
}
}
/// The license text
public var text: String {
get {
guard let value: String = LicenseParser.getContent("bsd3") else {
return ""
}
return String(format: value, company)
}
}
/// The minimal license text
public var minimalText: String {
get {
guard let value: String = LicenseParser.getContent("bsd3_minimal") else {
return ""
}
return String(format: value, company)
}
}
/// The license version
public var version: String {
get {
return ""
}
}
/// The license URL
public var url: String {
get {
return "http://opensource.org/licenses/BSD-3-Clause"
}
}
/// Configure the company and the copyright of the library for the license
///
/// - Parameters:
/// - company: the company of the library
/// - copyright: the copyright of the library
public func formatLicenseText(with company: String, copyright: String) {
self.company = company
self.copyright = copyright
}
}
| mit | 1b74a17f7e0da0f5eb91f8eb8727b072 | 22.753247 | 85 | 0.54292 | 4.595477 | false | false | false | false |
sunzeboy/realm-cocoa | RealmSwift-swift1.2/List.swift | 10 | 12881 | ////////////////////////////////////////////////////////////////////////////
//
// Copyright 2014 Realm Inc.
//
// 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 Realm
import Realm.Private
/// :nodoc:
/// Internal class. Do not use directly.
public class ListBase: RLMListBase, Printable {
// Printable requires a description property defined in Swift (and not obj-c),
// and it has to be defined as @objc override, which can't be done in a
// generic class.
/// Returns a human-readable description of the objects contained in the list.
@objc public override var description: String {
return descriptionWithMaxDepth(RLMDescriptionMaxDepth)
}
@objc private func descriptionWithMaxDepth(depth: UInt) -> String {
let type = "List<\(_rlmArray.objectClassName)>"
return gsub("RLMArray <0x[a-z0-9]+>", type, _rlmArray.descriptionWithMaxDepth(depth)) ?? type
}
/// Returns the number of objects in this list.
public var count: Int { return Int(_rlmArray.count) }
}
/**
`List<T>` is the container type in Realm used to define to-many relationships.
Lists hold a single `Object` subclass (`T`) which defines the "type" of the list.
Lists can be filtered and sorted with the same predicates as `Results<T>`.
When added as a property on `Object` models, the property must be declared as `let` and cannot be `dynamic`.
*/
public final class List<T: Object>: ListBase {
// MARK: Properties
/// The Realm the objects in this list belong to, or `nil` if the list's owning
/// object does not belong to a realm (the list is standalone).
public var realm: Realm? {
if let rlmRealm = _rlmArray.realm {
return Realm(rlmRealm)
} else {
return nil
}
}
/// Indicates if the list can no longer be accessed.
public var invalidated: Bool { return _rlmArray.invalidated }
// MARK: Initializers
/// Creates a `List` that holds objects of type `T`.
public override init() {
super.init(array: RLMArray(objectClassName: T.className()))
}
// MARK: Index Retrieval
/**
Returns the index of the given object, or `nil` if the object is not in the list.
:param: object The object whose index is being queried.
:returns: The index of the given object, or `nil` if the object is not in the list.
*/
public func indexOf(object: T) -> Int? {
return notFoundToNil(_rlmArray.indexOfObject(unsafeBitCast(object, RLMObject.self)))
}
/**
Returns the index of the first object matching the given predicate,
or `nil` no objects match.
:param: predicate The `NSPredicate` used to filter the objects.
:returns: The index of the given object, or `nil` if no objects match.
*/
public func indexOf(predicate: NSPredicate) -> Int? {
return notFoundToNil(_rlmArray.indexOfObjectWithPredicate(predicate))
}
/**
Returns the index of the first object matching the given predicate,
or `nil` if no objects match.
:param: predicateFormat The predicate format string, optionally followed by a variable number
of arguments.
:returns: The index of the given object, or `nil` if no objects match.
*/
public func indexOf(predicateFormat: String, _ args: CVarArgType...) -> Int? {
return indexOf(NSPredicate(format: predicateFormat, arguments: getVaList(args)))
}
// MARK: Object Retrieval
/**
Returns the object at the given `index` on get.
Replaces the object at the given `index` on set.
:warning: You can only set an object during a write transaction.
:param: index The index.
:returns: The object at the given `index`.
*/
public subscript(index: Int) -> T {
get {
throwForNegativeIndex(index)
return _rlmArray[UInt(index)] as! T
}
set {
throwForNegativeIndex(index)
return _rlmArray[UInt(index)] = newValue
}
}
/// Returns the first object in the list, or `nil` if empty.
public var first: T? { return _rlmArray.firstObject() as! T? }
/// Returns the last object in the list, or `nil` if empty.
public var last: T? { return _rlmArray.lastObject() as! T? }
// MARK: KVC
/**
Returns an Array containing the results of invoking `valueForKey:` using key on each of the collection's objects.
:param: key The name of the property.
:returns: Array containing the results of invoking `valueForKey:` using key on each of the collection's objects.
*/
public override func valueForKey(key: String) -> AnyObject? {
return _rlmArray.valueForKey(key)
}
/**
Invokes `setValue:forKey:` on each of the collection's objects using the specified value and key.
:warning: This method can only be called during a write transaction.
:param: value The object value.
:param: key The name of the property.
*/
public override func setValue(value: AnyObject?, forKey key: String) {
return _rlmArray.setValue(value, forKey: key)
}
// MARK: Filtering
/**
Returns `Results` containing list elements that match the given predicate.
:param: predicateFormat The predicate format string which can accept variable arguments.
:returns: `Results` containing list elements that match the given predicate.
*/
public func filter(predicateFormat: String, _ args: CVarArgType...) -> Results<T> {
return Results<T>(_rlmArray.objectsWithPredicate(NSPredicate(format: predicateFormat, arguments: getVaList(args))))
}
/**
Returns `Results` containing list elements that match the given predicate.
:param: predicate The predicate to filter the objects.
:returns: `Results` containing list elements that match the given predicate.
*/
public func filter(predicate: NSPredicate) -> Results<T> {
return Results<T>(_rlmArray.objectsWithPredicate(predicate))
}
// MARK: Sorting
/**
Returns `Results` containing list elements sorted by the given property.
:param: property The property name to sort by.
:param: ascending The direction to sort by.
:returns: `Results` containing list elements sorted by the given property.
*/
public func sorted(property: String, ascending: Bool = true) -> Results<T> {
return sorted([SortDescriptor(property: property, ascending: ascending)])
}
/**
Returns `Results` with elements sorted by the given sort descriptors.
:param: sortDescriptors `SortDescriptor`s to sort by.
:returns: `Results` with elements sorted by the given sort descriptors.
*/
public func sorted<S: SequenceType where S.Generator.Element == SortDescriptor>(sortDescriptors: S) -> Results<T> {
return Results<T>(_rlmArray.sortedResultsUsingDescriptors(map(sortDescriptors) { $0.rlmSortDescriptorValue }))
}
// MARK: Mutation
/**
Appends the given object to the end of the list. If the object is from a
different Realm it is copied to the List's Realm.
:warning: This method can only be called during a write transaction.
:param: object An object.
*/
public func append(object: T) {
_rlmArray.addObject(unsafeBitCast(object, RLMObject.self))
}
/**
Appends the objects in the given sequence to the end of the list.
:warning: This method can only be called during a write transaction.
:param: objects A sequence of objects.
*/
public func extend<S: SequenceType where S.Generator.Element == T>(objects: S) {
for obj in SequenceOf<T>(objects) {
_rlmArray.addObject(unsafeBitCast(obj, RLMObject.self))
}
}
/**
Inserts the given object at the given index.
:warning: This method can only be called during a write transaction.
:warning: Throws an exception when called with an index smaller than zero or greater than
or equal to the number of objects in the list.
:param: object An object.
:param: index The index at which to insert the object.
*/
public func insert(object: T, atIndex index: Int) {
throwForNegativeIndex(index)
_rlmArray.insertObject(unsafeBitCast(object, RLMObject.self), atIndex: UInt(index))
}
/**
Removes the object at the given index from the list. Does not remove the object from the Realm.
:warning: This method can only be called during a write transaction.
:warning: Throws an exception when called with an index smaller than zero or greater than
or equal to the number of objects in the list.
:param: index The index at which to remove the object.
*/
public func removeAtIndex(index: Int) {
throwForNegativeIndex(index)
_rlmArray.removeObjectAtIndex(UInt(index))
}
/**
Removes the last object in the list. Does not remove the object from the Realm.
:warning: This method can only be called during a write transaction.
*/
public func removeLast() {
_rlmArray.removeLastObject()
}
/**
Removes all objects from the List. Does not remove the objects from the Realm.
:warning: This method can only be called during a write transaction.
*/
public func removeAll() {
_rlmArray.removeAllObjects()
}
/**
Replaces an object at the given index with a new object.
:warning: This method can only be called during a write transaction.
:warning: Throws an exception when called with an index smaller than zero or greater than
or equal to the number of objects in the list.
:param: index The list index of the object to be replaced.
:param: object An object to replace at the specified index.
*/
public func replace(index: Int, object: T) {
throwForNegativeIndex(index)
_rlmArray.replaceObjectAtIndex(UInt(index), withObject: unsafeBitCast(object, RLMObject.self))
}
/**
Moves the object at the given source index to the given destination index.
:warning: This method can only be called during a write transaction.
:warning: Throws an exception when called with an index smaller than zero or greater than
or equal to the number of objects in the list.
:param: from The index of the object to be moved.
:param: to The index to which the object at `from` should be moved.
*/
public func move(#from: Int, to: Int) {
throwForNegativeIndex(from)
throwForNegativeIndex(to)
_rlmArray.moveObjectAtIndex(UInt(from), toIndex: UInt(to))
}
/**
Exchanges the objects in the list at given indexes.
:warning: Throws an exception when either index exceeds the bounds of the list.
:warning: This method can only be called during a write transaction.
:param: index1 The index of the object with which to replace the object at index `index2`.
:param: index2 The index of the object with which to replace the object at index `index1`.
*/
public func swap(index1: Int, _ index2: Int) {
throwForNegativeIndex(index1, parameterName: "index1")
throwForNegativeIndex(index2, parameterName: "index2")
_rlmArray.exchangeObjectAtIndex(UInt(index1), withObjectAtIndex: UInt(index2))
}
}
extension List: ExtensibleCollectionType {
// MARK: Sequence Support
/// Returns a `GeneratorOf<T>` that yields successive elements in the list.
public func generate() -> GeneratorOf<T> {
let base = NSFastGenerator(_rlmArray)
return GeneratorOf<T>() {
let accessor = base.next() as! T?
RLMInitializeSwiftListAccessor(accessor)
return accessor
}
}
// MARK: ExtensibleCollection Support
/// The position of the first element in a non-empty collection.
/// Identical to endIndex in an empty collection.
public var startIndex: Int { return 0 }
/// The collection's "past the end" position.
/// endIndex is not a valid argument to subscript, and is always reachable from startIndex by zero or more applications of successor().
public var endIndex: Int { return count }
/// This method has no effect.
public func reserveCapacity(capacity: Int) { }
}
| apache-2.0 | 9074f6f41a5c1de10186dab2a44930c2 | 34.484848 | 139 | 0.669203 | 4.623475 | false | false | false | false |
tahseen0amin/TZSegmentedControl | TZSegmentedControl/Classes/TZSegmentedControl.swift | 1 | 44009 | //
// TZSegmentedControl.swift
// Pods
//
// Created by Tasin Zarkoob on 05/05/17.
//
//
import UIKit
/// Selection Style for the Segmented control
///
/// - Parameter textWidth : Indicator width will only be as big as the text width
/// - Parameter fullWidth : Indicator width will fill the whole segment
/// - Parameter box : A rectangle that covers the whole segment
/// - Parameter arrow : An arrow in the middle of the segment pointing up or down depending
/// on `TZSegmentedControlSelectionIndicatorLocation`
///
public enum TZSegmentedControlSelectionStyle {
case textWidth
case fullWidth
case box
case arrow
}
public enum TZSegmentedControlSelectionIndicatorLocation{
case up
case down
case none // No selection indicator
}
public enum TZSegmentedControlSegmentWidthStyle {
case fixed // Segment width is fixed
case dynamic // Segment width will only be as big as the text width (including inset)
}
public enum TZSegmentedControlSegmentAlignment {
case edge // Segments align to the edges of the view
case center // Selected segments are always centered in the view
}
public enum TZSegmentedControlBorderType {
case none // 0
case top // (1 << 0)
case left // (1 << 1)
case bottom // (1 << 2)
case right // (1 << 3)
}
public enum TZSegmentedControlType {
case text
case images
case textImages
}
public let TZSegmentedControlNoSegment = -1
public typealias IndexChangeBlock = ((Int) -> Void)
public typealias TZTitleFormatterBlock = ((_ segmentedControl: TZSegmentedControl, _ title: String, _ index: Int, _ selected: Bool) -> NSAttributedString)
open class TZSegmentedControl: UIControl {
public var sectionTitles : [String]! {
didSet {
self.updateSegmentsRects()
self.setNeedsLayout()
self.setNeedsDisplay()
}
}
public var sectionImages: [UIImage]! {
didSet {
self.updateSegmentsRects()
self.setNeedsLayout()
self.setNeedsDisplay()
}
}
public var sectionSelectedImages : [UIImage]!
/// Provide a block to be executed when selected index is changed.
/// Alternativly, you could use `addTarget:action:forControlEvents:`
public var indexChangeBlock : IndexChangeBlock?
/// Used to apply custom text styling to titles when set.
/// When this block is set, no additional styling is applied to the `NSAttributedString` object
/// returned from this block.
public var titleFormatter : TZTitleFormatterBlock?
/// Text attributes to apply to labels of the unselected segments
public var titleTextAttributes: [NSAttributedString.Key:Any]?
/// Text attributes to apply to selected item title text.
/// Attributes not set in this dictionary are inherited from `titleTextAttributes`.
public var selectedTitleTextAttributes: [NSAttributedString.Key: Any]?
/// Segmented control background color.
/// Default is `[UIColor whiteColor]`
dynamic override open var backgroundColor: UIColor! {
set {
TZSegmentedControl.appearance().backgroundColor = newValue
}
get {
return TZSegmentedControl.appearance().backgroundColor
}
}
/// Color for the selection indicator stripe
public var selectionIndicatorColor: UIColor = .black {
didSet {
self.selectionIndicator.backgroundColor = self.selectionIndicatorColor
self.selectionIndicatorBoxColor = self.selectionIndicatorColor
}
}
public lazy var selectionIndicator: UIView = {
let selectionIndicator = UIView()
selectionIndicator.backgroundColor = self.selectionIndicatorColor
selectionIndicator.translatesAutoresizingMaskIntoConstraints = false
return selectionIndicator
}()
/// Color for the selection indicator box
/// Default is selectionIndicatorColor
public var selectionIndicatorBoxColor : UIColor = .black
/// Color for the vertical divider between segments.
/// Default is `[UIColor blackColor]`
public var verticalDividerColor = UIColor.black
//TODO Add other visual apperance properities
/// Specifies the style of the control
/// Default is `text`
public var type: TZSegmentedControlType = .text
/// Specifies the style of the selection indicator.
/// Default is `textWidth`
public var selectionStyle: TZSegmentedControlSelectionStyle = .textWidth
/// Specifies the style of the segment's width.
/// Default is `fixed`
public var segmentWidthStyle: TZSegmentedControlSegmentWidthStyle = .dynamic {
didSet {
if self.segmentWidthStyle == .dynamic && self.type == .images {
self.segmentWidthStyle = .fixed
}
}
}
/// Specifies the location of the selection indicator.
/// Default is `up`
public var selectionIndicatorLocation: TZSegmentedControlSelectionIndicatorLocation = .down {
didSet {
if self.selectionIndicatorLocation == .none {
self.selectionIndicatorHeight = 0.0
}
}
}
public var segmentAlignment: TZSegmentedControlSegmentAlignment = .edge
/// Specifies the border type.
/// Default is `none`
public var borderType: TZSegmentedControlBorderType = .none {
didSet {
self.setNeedsDisplay()
}
}
/// Specifies the border color.
/// Default is `black`
public var borderColor = UIColor.black
/// Specifies the border width.
/// Default is `1.0f`
public var borderWidth: CGFloat = 1.0
/// Default is NO. Set to YES to show a vertical divider between the segments.
public var verticalDividerEnabled = false
/// Index of the currently selected segment.
public var selectedSegmentIndex: Int = 0
/// Height of the selection indicator stripe.
public var selectionIndicatorHeight: CGFloat = 5.0
public var edgeInset = UIEdgeInsets(top: 0, left: 5, bottom: 0, right: 5)
public var selectionEdgeInset = UIEdgeInsets.zero
public var verticalDividerWidth = 1.0
public var selectionIndicatorBoxOpacity : Float = 0.3
///MARK: Private variable
internal var selectionIndicatorStripLayer = CALayer()
internal var selectionIndicatorBoxLayer = CALayer() {
didSet {
self.selectionIndicatorBoxLayer.opacity = self.selectionIndicatorBoxOpacity
self.selectionIndicatorBoxLayer.borderWidth = self.borderWidth
}
}
internal var selectionIndicatorArrowLayer = CALayer()
internal var segmentWidth : CGFloat = 0.0
internal var segmentWidthsArray : [CGFloat] = []
internal var scrollView : TZScrollView! = {
let scroll = TZScrollView()
scroll.scrollsToTop = false
scroll.showsVerticalScrollIndicator = false
scroll.showsHorizontalScrollIndicator = false
return scroll
}()
//MARK: - Init Methods
/// Initialiaze the segmented control with only titles.
///
/// - Parameter sectionTitles: array of strings for the section title
public convenience init(sectionTitles titles: [String]) {
self.init()
self.setup()
self.sectionTitles = titles
self.type = .text
self.postInitMethod()
}
/// Initialiaze the segmented control with only images/icons.
///
/// - Parameter sectionImages: array of images for the section images.
/// - Parameter selectedImages: array of images for the selected section images.
public convenience init(sectionImages images: [UIImage], selectedImages sImages: [UIImage]) {
self.init()
self.setup()
self.sectionImages = images
self.sectionSelectedImages = sImages
self.type = .images
self.segmentWidthStyle = .fixed
self.postInitMethod()
}
/// Initialiaze the segmented control with both titles and images/icons.
///
/// - Parameter sectionTitles: array of strings for the section title
/// - Parameter sectionImages: array of images for the section images.
/// - Parameter selectedImages: array of images for the selected section images.
public convenience init(sectionTitles titles: [String], sectionImages images: [UIImage],
selectedImages sImages: [UIImage]) {
self.init()
self.setup()
self.sectionTitles = titles
self.sectionImages = images
self.sectionSelectedImages = sImages
self.type = .textImages
assert(sectionTitles.count == sectionSelectedImages.count, "Titles and images are not in correct count")
self.postInitMethod()
}
open override func awakeFromNib() {
self.setup()
self.postInitMethod()
}
private func setup(){
self.addSubview(self.scrollView)
self.backgroundColor = UIColor.lightGray
self.isOpaque = false
self.contentMode = .redraw
}
open func postInitMethod(){
}
//MARK: - View LifeCycle
open override func willMove(toSuperview newSuperview: UIView?) {
if newSuperview == nil {
// Control is being removed
return
}
if self.sectionTitles != nil || self.sectionImages != nil {
self.updateSegmentsRects()
}
}
//MARK: - Drawing
private func measureTitleAtIndex(index : Int) -> CGSize {
if index >= self.sectionTitles.count {
return CGSize.zero
}
let title = self.sectionTitles[index]
let selected = (index == self.selectedSegmentIndex)
var size = CGSize.zero
if self.titleFormatter == nil {
var attributes : [NSAttributedString.Key: Any]
if selected {
attributes = self.finalSelectedTitleAttributes()
} else {
attributes = self.finalTitleAttributes()
}
size = (title as NSString).size(withAttributes: attributes)
} else {
size = self.titleFormatter!(self, title, index, selected).size()
}
return size
}
private func attributedTitleAtIndex(index : Int) -> NSAttributedString {
let title = self.sectionTitles[index]
let selected = (index == self.selectedSegmentIndex)
var str = NSAttributedString()
if self.titleFormatter == nil {
let attr = selected ? self.finalSelectedTitleAttributes() : self.finalTitleAttributes()
str = NSAttributedString(string: title, attributes: attr)
} else {
str = self.titleFormatter!(self, title, index, selected)
}
return str
}
override open func draw(_ rect: CGRect) {
self.backgroundColor.setFill()
UIRectFill(self.bounds)
self.selectionIndicatorArrowLayer.backgroundColor = self.selectionIndicatorColor.cgColor
self.selectionIndicatorStripLayer.backgroundColor = self.selectionIndicatorColor.cgColor
self.selectionIndicatorBoxLayer.backgroundColor = self.selectionIndicatorBoxColor.cgColor
self.selectionIndicatorBoxLayer.borderColor = self.selectionIndicatorBoxColor.cgColor
// Remove all sublayers to avoid drawing images over existing ones
self.scrollView.layer.sublayers = nil
let oldrect = rect
if self.type == .text {
if sectionTitles == nil {
return
}
for (index, _) in self.sectionTitles.enumerated() {
let size = self.measureTitleAtIndex(index: index)
let strWidth = size.width
let strHeight = size.height
var rectDiv = CGRect.zero
var fullRect = CGRect.zero
// Text inside the CATextLayer will appear blurry unless the rect values are rounded
let isLocationUp : CGFloat = (self.selectionIndicatorLocation != .up) ? 0.0 : 1.0
let isBoxStyle : CGFloat = (self.selectionStyle != .box) ? 0.0 : 1.0
let a : CGFloat = (self.frame.height - (isBoxStyle * self.selectionIndicatorHeight)) / 2
let b : CGFloat = (strHeight / 2) + (self.selectionIndicatorHeight * isLocationUp)
let yPosition : CGFloat = CGFloat(roundf(Float(a - b)))
var newRect = CGRect.zero
if self.segmentWidthStyle == .fixed {
let xPosition : CGFloat = CGFloat((self.segmentWidth * CGFloat(index)) + (self.segmentWidth - strWidth) / 2)
newRect = CGRect(x: xPosition,
y: yPosition,
width: strWidth,
height: strHeight)
rectDiv = self.calculateRectDiv(at: index, xoffSet: nil)
fullRect = CGRect(x: self.segmentWidth * CGFloat(index), y: 0.0, width: self.segmentWidth, height: oldrect.size.height)
} else {
// When we are drawing dynamic widths, we need to loop the widths array to calculate the xOffset
var xOffset : CGFloat = 0.0
var i = 0
for width in self.segmentWidthsArray {
if index == i {
break
}
xOffset += width
i += 1
}
let widthForIndex = self.segmentWidthsArray[index]
newRect = CGRect(x: xOffset, y: yPosition, width: widthForIndex, height: strHeight)
fullRect = CGRect(x: self.segmentWidth * CGFloat(index), y: 0.0, width: widthForIndex, height: oldrect.size.height)
rectDiv = self.calculateRectDiv(at: index, xoffSet: xOffset)
}
// Fix rect position/size to avoid blurry labels
newRect = CGRect(x: ceil(newRect.origin.x), y: ceil(newRect.origin.y), width: ceil(newRect.size.width), height: ceil(newRect.size.height))
let titleLayer = CATextLayer()
titleLayer.frame = newRect
titleLayer.alignmentMode = CATextLayerAlignmentMode.center
if (UIDevice.current.systemVersion as NSString).floatValue < 10.0 {
titleLayer.truncationMode = CATextLayerTruncationMode.end
}
titleLayer.string = self.attributedTitleAtIndex(index: index)
titleLayer.contentsScale = UIScreen.main.scale
self.scrollView.layer.addSublayer(titleLayer)
// Vertical Divider
self.addVerticalLayer(at: index, rectDiv: rectDiv)
self.addBgAndBorderLayer(with: fullRect)
}
} else if self.type == .images {
if sectionImages == nil {
return
}
for (index, image) in self.sectionImages.enumerated() {
let imageWidth = image.size.width
let imageHeight = image.size.height
let a = (self.frame.height - self.selectionIndicatorHeight) / 2
let b = (imageHeight/2) + (self.selectionIndicatorLocation == .up ? self.selectionIndicatorHeight : 0.0)
let y : CGFloat = CGFloat(roundf(Float(a - b)))
let x : CGFloat = (self.segmentWidth * CGFloat(index)) + (self.segmentWidth - imageWidth) / 2.0
let newRect = CGRect(x: x, y: y, width: imageWidth, height: imageHeight)
let imageLayer = CALayer()
imageLayer.frame = newRect
imageLayer.contents = image.cgImage
if self.selectedSegmentIndex == index && self.sectionSelectedImages.count > index {
let highlightedImage = self.sectionSelectedImages[index]
imageLayer.contents = highlightedImage.cgImage
}
self.scrollView.layer.addSublayer(imageLayer)
//vertical Divider
self.addVerticalLayer(at: index, rectDiv: self.calculateRectDiv(at: index, xoffSet: nil))
self.addBgAndBorderLayer(with: newRect)
}
} else if self.type == .textImages {
if sectionImages == nil {
return
}
for (index, image) in self.sectionImages.enumerated() {
let imageWidth = image.size.width
let imageHeight = image.size.height
let stringHeight = self.measureTitleAtIndex(index: index).height
let yOffset : CGFloat = CGFloat(roundf(Float(
((self.frame.height - self.selectionIndicatorHeight) / 2) - (stringHeight / 2)
)))
var imagexOffset : CGFloat = self.edgeInset.left
var textxOffset : CGFloat = self.edgeInset.left
var textWidth : CGFloat = 0.0
if self.segmentWidthStyle == .fixed {
imagexOffset = (self.segmentWidth * CGFloat(index)) + (self.segmentWidth / 2) - (imageWidth / 2.0)
textxOffset = self.segmentWidth * CGFloat(index)
textWidth = self.segmentWidth
} else {
// When we are drawing dynamic widths, we need to loop the widths array to calculate the xOffset
let a = self.getDynamicWidthTillSegmentIndex(index: index)
imagexOffset = a.0 + (a.1 / 2) - (imageWidth / 2)
textxOffset = a.0
textWidth = self.segmentWidthsArray[index]
}
let imageyOffset : CGFloat = CGFloat(roundf(Float(
((self.frame.height - self.selectionIndicatorHeight) / 2) + 8.0)))
let imageRect = CGRect(x: imagexOffset, y: imageyOffset, width: imageWidth, height: imageHeight)
var textRect = CGRect(x: textxOffset, y: yOffset, width: textWidth, height: stringHeight)
// Fix rect position/size to avoid blurry labels
textRect = CGRect(x: ceil(textRect.origin.x), y: ceil(textRect.origin.y), width: ceil(textRect.size.width), height: ceil(textRect.size.height))
let titleLayer = CATextLayer()
titleLayer.frame = textRect
titleLayer.alignmentMode = CATextLayerAlignmentMode.center
if (UIDevice.current.systemVersion as NSString).floatValue < 10.0 {
titleLayer.truncationMode = CATextLayerTruncationMode.end
}
titleLayer.string = self.attributedTitleAtIndex(index: index)
titleLayer.contentsScale = UIScreen.main.scale
let imageLayer = CALayer()
imageLayer.frame = imageRect
imageLayer.contents = image.cgImage
if self.selectedSegmentIndex == index && self.sectionSelectedImages.count > index {
let highlightedImage = self.sectionSelectedImages[index]
imageLayer.contents = highlightedImage.cgImage
}
self.scrollView.layer.addSublayer(imageLayer)
self.scrollView.layer.addSublayer(titleLayer)
self.addBgAndBorderLayer(with: imageRect)
}
}
// Add the selection indicators
if self.selectedSegmentIndex != TZSegmentedControlNoSegment {
if self.selectionStyle == .arrow {
if (self.selectionIndicatorArrowLayer.superlayer == nil) {
self.setArrowFrame()
self.scrollView.layer.addSublayer(self.selectionIndicatorArrowLayer)
}
} else {
if (self.selectionIndicatorStripLayer.superlayer == nil) {
self.selectionIndicatorStripLayer.frame = self.frameForSelectionIndicator()
self.scrollView.layer.addSublayer(self.selectionIndicatorStripLayer)
if self.selectionStyle == .box && self.selectionIndicatorBoxLayer.superlayer == nil {
self.selectionIndicatorBoxLayer.frame = self.frameForFillerSelectionIndicator()
self.selectionIndicatorBoxLayer.opacity = self.selectionIndicatorBoxOpacity
self.scrollView.layer.insertSublayer(self.selectionIndicatorBoxLayer, at: 0)
}
}
}
}
}
private func calculateRectDiv(at index: Int, xoffSet: CGFloat?) -> CGRect {
var a :CGFloat
if xoffSet != nil {
a = xoffSet!
} else {
a = self.segmentWidth * CGFloat(index)
}
let xPosition = CGFloat( a - CGFloat(self.verticalDividerWidth / 2))
let rectDiv = CGRect(x: xPosition,
y: self.selectionIndicatorHeight * 2,
width: CGFloat(self.verticalDividerWidth),
height: self.frame.size.height - (self.selectionIndicatorHeight * 4))
return rectDiv
}
// Add Vertical Divider Layer
private func addVerticalLayer(at index: Int, rectDiv: CGRect) {
if self.verticalDividerEnabled && index > 0 {
let vDivLayer = CALayer()
vDivLayer.frame = rectDiv
vDivLayer.backgroundColor = self.verticalDividerColor.cgColor
self.scrollView.layer.addSublayer(vDivLayer)
}
}
private func addBgAndBorderLayer(with rect: CGRect){
// Background layer
let bgLayer = CALayer()
bgLayer.frame = rect
self.layer.insertSublayer(bgLayer, at: 0)
// Border layer
if self.borderType != .none {
let borderLayer = CALayer()
borderLayer.backgroundColor = self.borderColor.cgColor
var borderRect = CGRect.zero
switch self.borderType {
case .top:
borderRect = CGRect(x: 0, y: 0, width: rect.size.width, height: self.borderWidth)
break
case .left:
borderRect = CGRect(x: 0, y: 0, width: self.borderWidth, height: rect.size.height)
break
case .bottom:
borderRect = CGRect(x: 0, y: rect.size.height, width: rect.size.width, height: self.borderWidth)
break
case .right:
borderRect = CGRect(x: 0, y: rect.size.width, width: self.borderWidth, height: rect.size.height)
break
case .none:
break
}
borderLayer.frame = borderRect
bgLayer.addSublayer(borderLayer)
}
}
private func setArrowFrame(){
self.selectionIndicatorArrowLayer.frame = self.frameForSelectionIndicator()
self.selectionIndicatorArrowLayer.mask = nil;
let arrowPath = UIBezierPath()
var p1 = CGPoint.zero;
var p2 = CGPoint.zero;
var p3 = CGPoint.zero;
if self.selectionIndicatorLocation == .down {
p1 = CGPoint(x: self.selectionIndicatorArrowLayer.bounds.size.width / 2, y: 0);
p2 = CGPoint(x: 0, y: self.selectionIndicatorArrowLayer.bounds.size.height);
p3 = CGPoint(x: self.selectionIndicatorArrowLayer.bounds.size.width, y: self.selectionIndicatorArrowLayer.bounds.size.height)
} else if self.selectionIndicatorLocation == .up {
p1 = CGPoint(x: self.selectionIndicatorArrowLayer.bounds.size.width / 2, y: self.selectionIndicatorArrowLayer.bounds.size.height);
p2 = CGPoint(x: self.selectionIndicatorArrowLayer.bounds.size.width, y:0);
}
arrowPath.move(to: p1)
arrowPath.addLine(to: p2)
arrowPath.addLine(to: p3)
arrowPath.close()
let maskLayer = CAShapeLayer()
maskLayer.frame = self.selectionIndicatorArrowLayer.bounds
maskLayer.path = arrowPath.cgPath
self.selectionIndicatorArrowLayer.mask = maskLayer
}
/// Stripe width in range(0.0 - 1.0).
/// Default is 1.0
public var indicatorWidthPercent : Double = 1.0 {
didSet {
if !(indicatorWidthPercent <= 1.0 && indicatorWidthPercent >= 0.0){
indicatorWidthPercent = max(0.0, min(indicatorWidthPercent, 1.0))
}
}
}
private func frameForSelectionIndicator() -> CGRect {
var indicatorYOffset : CGFloat = 0
if self.selectionIndicatorLocation == .down {
indicatorYOffset = self.bounds.size.height - self.selectionIndicatorHeight + self.edgeInset.bottom
} else if self.selectionIndicatorLocation == .up {
indicatorYOffset = self.edgeInset.top
}
var sectionWidth : CGFloat = 0.0
if self.type == .text {
sectionWidth = self.measureTitleAtIndex(index: self.selectedSegmentIndex).width
} else if self.type == .images {
sectionWidth = self.sectionImages[self.selectedSegmentIndex].size.width
} else if self.type == .textImages {
let stringWidth = self.measureTitleAtIndex(index: self.selectedSegmentIndex).width
let imageWidth = self.sectionImages[self.selectedSegmentIndex].size.width
sectionWidth = max(stringWidth, imageWidth)
}
var indicatorFrame = CGRect.zero
if self.selectionStyle == .arrow {
var widthToStartOfSelIndex : CGFloat = 0.0
var widthToEndOfSelIndex : CGFloat = 0.0
if (self.segmentWidthStyle == .dynamic) {
let a = self.getDynamicWidthTillSegmentIndex(index: self.selectedSegmentIndex)
widthToStartOfSelIndex = a.0
widthToEndOfSelIndex = widthToStartOfSelIndex + a.1
} else {
widthToStartOfSelIndex = CGFloat(self.selectedSegmentIndex) * self.segmentWidth
widthToEndOfSelIndex = widthToStartOfSelIndex + self.segmentWidth
}
let xPos = widthToStartOfSelIndex + ((widthToEndOfSelIndex - widthToStartOfSelIndex) / 2) - (self.selectionIndicatorHeight)
indicatorFrame = CGRect(x: xPos, y: indicatorYOffset, width: self.selectionIndicatorHeight * 2, height: self.selectionIndicatorHeight)
} else {
if self.selectionStyle == .textWidth && sectionWidth <= self.segmentWidth &&
self.segmentWidthStyle != .dynamic {
let widthToStartOfSelIndex : CGFloat = CGFloat(self.selectedSegmentIndex) * self.segmentWidth
let widthToEndOfSelIndex : CGFloat = widthToStartOfSelIndex + self.segmentWidth
var xPos = (widthToStartOfSelIndex - (sectionWidth / 2)) + ((widthToEndOfSelIndex - widthToStartOfSelIndex) / 2)
xPos += self.edgeInset.left
indicatorFrame = CGRect(x: xPos, y: indicatorYOffset, width: (sectionWidth - self.edgeInset.right), height: self.selectionIndicatorHeight)
} else {
if self.segmentWidthStyle == .dynamic {
var selectedSegmentOffset : CGFloat = 0
var i = 0
for width in self.segmentWidthsArray {
if self.selectedSegmentIndex == i {
break
}
selectedSegmentOffset += width
i += 1
}
indicatorFrame = CGRect(x: selectedSegmentOffset + self.edgeInset.left,
y: indicatorYOffset,
width: self.segmentWidthsArray[self.selectedSegmentIndex] - self.edgeInset.right - self.edgeInset.left,
height: self.selectionIndicatorHeight + self.edgeInset.bottom)
} else {
let xPos = (self.segmentWidth * CGFloat(self.selectedSegmentIndex)) + self.edgeInset.left
indicatorFrame = CGRect(x: xPos, y: indicatorYOffset, width: (self.segmentWidth - self.edgeInset.right - self.edgeInset.left), height: self.selectionIndicatorHeight)
}
}
}
if self.selectionStyle != .arrow {
let currentIndicatorWidth = indicatorFrame.size.width
let widthToMinus = CGFloat(1 - self.indicatorWidthPercent) * currentIndicatorWidth
// final width
indicatorFrame.size.width = currentIndicatorWidth - widthToMinus
// frame position
indicatorFrame.origin.x += widthToMinus / 2
}
return indicatorFrame
}
private func getDynamicWidthTillSegmentIndex(index: Int) -> (CGFloat, CGFloat){
var selectedSegmentOffset : CGFloat = 0
var i = 0
var selectedSegmentWidth : CGFloat = 0
for width in self.segmentWidthsArray {
if index == i {
selectedSegmentWidth = width
break
}
selectedSegmentOffset += width
i += 1
}
return (selectedSegmentOffset, selectedSegmentWidth)
}
private func frameForFillerSelectionIndicator() -> CGRect {
if self.segmentWidthStyle == .dynamic {
var selectedSegmentOffset : CGFloat = 0
var i = 0
for width in self.segmentWidthsArray {
if self.selectedSegmentIndex == i {
break
}
selectedSegmentOffset += width
i += 1
}
return CGRect(x: selectedSegmentOffset, y: 0, width:self.segmentWidthsArray[self.selectedSegmentIndex], height: self.frame.height)
}
return CGRect(x: self.segmentWidth * CGFloat(self.selectedSegmentIndex), y: 0, width: self.segmentWidth, height: self.frame.height)
}
private func updateSegmentsRects() {
self.scrollView.contentInset = UIEdgeInsets.zero
self.scrollView.frame = CGRect(origin: CGPoint.zero, size: self.frame.size)
let count = self.sectionCount()
if count > 0 {
self.segmentWidth = self.frame.size.width / CGFloat(count)
}
if self.type == .text {
if self.segmentWidthStyle == .fixed {
for (index, _) in self.sectionTitles.enumerated() {
let stringWidth = self.measureTitleAtIndex(index: index).width +
self.edgeInset.left + self.edgeInset.right
self.segmentWidth = max(stringWidth, self.segmentWidth)
}
} else if self.segmentWidthStyle == .dynamic {
var arr = [CGFloat]()
for (index, _) in self.sectionTitles.enumerated() {
let stringWidth = self.measureTitleAtIndex(index: index).width +
self.edgeInset.left + self.edgeInset.right
arr.append(stringWidth)
}
self.segmentWidthsArray = arr
}
} else if self.type == .images {
for image in self.sectionImages {
let imageWidth = image.size.width + self.edgeInset.left + self.edgeInset.right
self.segmentWidth = max(imageWidth, self.segmentWidth)
}
} else if self.type == .textImages {
if self.segmentWidthStyle == .fixed {
for (index, _) in self.sectionTitles.enumerated() {
let stringWidth = self.measureTitleAtIndex(index: index).width +
self.edgeInset.left + self.edgeInset.right
self.segmentWidth = max(stringWidth, self.segmentWidth)
}
} else if self.segmentWidthStyle == .dynamic {
var arr = [CGFloat]()
for (index, _) in self.sectionTitles.enumerated() {
let stringWidth = self.measureTitleAtIndex(index: index).width +
self.edgeInset.right
let imageWidth = self.sectionImages[index].size.width + self.edgeInset.left
arr.append(max(stringWidth, imageWidth))
}
self.segmentWidthsArray = arr
}
}
self.scrollView.isScrollEnabled = true
self.scrollView.contentSize = CGSize(width: self.totalSegmentedControlWidth(), height: self.frame.height)
switch segmentAlignment {
case .center:
let count = self.sectionCount() - 1
self.scrollView.contentInset = UIEdgeInsets(top: 0,
left: self.scrollView.bounds.size.width / 2.0 - widthOfSegment(index:0) / 2.0,
bottom: 0,
right: self.scrollView.bounds.size.width / 2.0 - widthOfSegment(index:count) / 2.0
)
break
case .edge: break
}
scrollToSelectedSegmentIndex(animated: false)
}
private func widthOfSegment(index: NSInteger) -> CGFloat {
return index < (self.segmentWidthsArray.count - 1)
? CGFloat(self.segmentWidthsArray[index])
: 0.0
}
private func sectionCount() -> Int {
if self.type == .text {
return self.sectionTitles.count
} else {
return self.sectionImages.count
}
}
var enlargeEdgeInset = UIEdgeInsets.zero
//MARK: - Touch Methods
open override func touchesEnded(_ touches: Set<UITouch>, with event: UIEvent?) {
let touch = touches.first
guard let touchesLocation = touch?.location(in: self) else {
assert(false, "Touch Location not found")
return
}
//check to see if there are sections, if not then just return
var sectionTitleCount = 0
var sectionImagesCount = 0
if sectionTitles != nil{
sectionTitleCount = sectionTitles.count
}
if sectionImages != nil{
sectionImagesCount = sectionImages.count
}
if sectionTitleCount == 0 && sectionImagesCount == 0{
return
}
//end check to see if there are sections
let enlargeRect = CGRect(x: self.bounds.origin.x - self.enlargeEdgeInset.left,
y: self.bounds.origin.y - self.enlargeEdgeInset.top,
width: self.bounds.size.width + self.enlargeEdgeInset.left + self.enlargeEdgeInset.right,
height: self.bounds.size.height + self.enlargeEdgeInset.top + self.enlargeEdgeInset.bottom)
if enlargeRect.contains(touchesLocation) {
var segment = 0
if self.segmentWidthStyle == .fixed {
segment = Int((touchesLocation.x + self.scrollView.contentOffset.x) / self.segmentWidth)
} else {
// To know which segment the user touched, we need to loop over the widths and substract it from the x position.
var widthLeft = touchesLocation.x + self.scrollView.contentOffset.x
for width in self.segmentWidthsArray {
widthLeft -= width
// When we don't have any width left to substract, we have the segment index.
if widthLeft <= 0 {
break
}
segment += 1
}
}
var sectionsCount = 0
if self.type == .images {
sectionsCount = self.sectionImages.count
} else {
sectionsCount = self.sectionTitles.count
}
if segment != self.selectedSegmentIndex && segment < sectionsCount {
// Check if we have to do anything with the touch event
self.setSelected(forIndex: segment, animated: true, shouldNotify: true)
}
}
}
//MARK: - Scrolling
private func totalSegmentedControlWidth() -> CGFloat {
if self.type != .images {
if self.segmentWidthStyle == .fixed {
return CGFloat(self.sectionTitles.count) * self.segmentWidth
} else {
let sum = self.segmentWidthsArray.reduce(0,+)
return sum
}
} else {
return CGFloat(self.sectionImages.count) * self.segmentWidth
}
}
func scrollToSelectedSegmentIndex(animated: Bool) {
var rectForSelectedIndex = CGRect.zero
var selectedSegmentOffset : CGFloat = 0
if self.segmentWidthStyle == .fixed {
rectForSelectedIndex = CGRect(x: (self.segmentWidth * CGFloat(self.selectedSegmentIndex)),
y: 0,
width: self.segmentWidth, height: self.frame.height)
selectedSegmentOffset = (self.frame.width / 2) - (self.segmentWidth / 2)
} else {
var i = 0
var offsetter: CGFloat = 0
for width in self.segmentWidthsArray {
if self.selectedSegmentIndex == i {
break
}
offsetter += width
i += 1
}
rectForSelectedIndex = CGRect(x: offsetter, y: 0,
width: self.segmentWidthsArray[self.selectedSegmentIndex],
height: self.frame.height)
selectedSegmentOffset = (self.frame.width / 2) - (self.segmentWidthsArray[self.selectedSegmentIndex] / 2)
}
rectForSelectedIndex.origin.x -= selectedSegmentOffset
rectForSelectedIndex.size.width += selectedSegmentOffset * 2
// Scroll to segment and apply segment alignment
switch (self.segmentAlignment) {
case .center:
var contentOffset:CGPoint = self.scrollView.contentOffset
contentOffset.x = rectForSelectedIndex.origin.x;
self.scrollView.setContentOffset(contentOffset, animated: true)
break;
case .edge: break
}
}
//MARK: - Index Change
public func setSelected(forIndex index: Int, animated: Bool) {
self.setSelected(forIndex: index, animated: animated, shouldNotify: false)
}
public func setSelected(forIndex index: Int, animated: Bool, shouldNotify: Bool) {
self.selectedSegmentIndex = index
self.setNeedsDisplay()
if index == TZSegmentedControlNoSegment {
self.selectionIndicatorBoxLayer.removeFromSuperlayer()
self.selectionIndicatorArrowLayer.removeFromSuperlayer()
self.selectionIndicatorStripLayer.removeFromSuperlayer()
} else {
self.scrollToSelectedSegmentIndex(animated: animated)
if animated {
// If the selected segment layer is not added to the super layer, that means no
// index is currently selected, so add the layer then move it to the new
// segment index without animating.
if self.selectionStyle == .arrow {
if self.selectionIndicatorArrowLayer.superlayer == nil {
self.scrollView.layer.addSublayer(self.selectionIndicatorArrowLayer)
self.setSelected(forIndex: index, animated: false, shouldNotify: true)
return
}
} else {
if self.selectionIndicatorStripLayer.superlayer == nil {
self.scrollView.layer.addSublayer(self.selectionIndicatorStripLayer)
if self.selectionStyle == .box && self.selectionIndicatorBoxLayer.superlayer == nil {
self.scrollView.layer.insertSublayer(self.selectionIndicatorBoxLayer, at: 0)
}
self.setSelected(forIndex: index, animated: false, shouldNotify: true)
return
}
}
if shouldNotify {
self.notifyForSegmentChange(toIndex: index)
}
// Restore CALayer animations
self.selectionIndicatorArrowLayer.actions = nil
self.selectionIndicatorStripLayer.actions = nil
self.selectionIndicatorBoxLayer.actions = nil
// Animate to new position
CATransaction.begin()
CATransaction.setAnimationDuration(0.15)
CATransaction.setAnimationTimingFunction(CAMediaTimingFunction(name: CAMediaTimingFunctionName.linear))
self.setArrowFrame()
self.selectionIndicatorBoxLayer.frame = self.frameForFillerSelectionIndicator()
self.selectionIndicatorStripLayer.frame = self.frameForSelectionIndicator()
CATransaction.commit()
} else {
// Disable CALayer animations
self.selectionIndicatorArrowLayer.actions = nil
self.setArrowFrame()
self.selectionIndicatorStripLayer.actions = nil
self.selectionIndicatorStripLayer.frame = self.frameForSelectionIndicator()
self.selectionIndicatorBoxLayer.actions = nil
self.selectionIndicatorBoxLayer.frame = self.frameForFillerSelectionIndicator()
if shouldNotify {
self.notifyForSegmentChange(toIndex: index)
}
}
}
}
private func notifyForSegmentChange(toIndex index:Int){
if self.superview != nil {
self.sendActions(for: .valueChanged)
}
self.indexChangeBlock?(index)
}
//MARK: - Styliing Support
private func finalTitleAttributes() -> [NSAttributedString.Key:Any] {
var defaults : [NSAttributedString.Key:Any] = [NSAttributedString.Key.font : UIFont.systemFont(ofSize: 16),
NSAttributedString.Key.foregroundColor: UIColor.black]
if self.titleTextAttributes != nil {
defaults.merge(dict: self.titleTextAttributes!)
}
return defaults
}
private func finalSelectedTitleAttributes() -> [NSAttributedString.Key:Any] {
var defaults : [NSAttributedString.Key:Any] = self.finalTitleAttributes()
if self.selectedTitleTextAttributes != nil {
defaults.merge(dict: self.selectedTitleTextAttributes!)
}
return defaults
}
}
extension Dictionary {
mutating func merge<K, V>(dict: [K: V]){
for (k, v) in dict {
self.updateValue(v as! Value, forKey: k as! Key)
}
}
}
| mit | 8eab1547d1f365319dd762f7f9f61a63 | 41.893762 | 185 | 0.580313 | 5.627749 | false | false | false | false |
dnevera/ImageMetalling | ImageMetalling-08/ImageMetalling-08/IMPPaletteListView.swift | 1 | 4484 | //
// IMPPaletteListView.swift
// ImageMetalling-08
//
// Created by denis svinarchuk on 02.01.16.
// Copyright © 2016 ImageMetalling. All rights reserved.
//
import Cocoa
import IMProcessing
///
/// Класс представления цветовой палитры
///
public class IMPPaletteListView: NSView, NSTableViewDataSource, NSTableViewDelegate {
/// Список цветов
public var colorList:[IMPColor] = [
IMPColor(red: 0, green: 0, blue: 0, alpha: 1),
IMPColor(red: 0.5, green: 0.5, blue: 0.5, alpha: 1),
IMPColor(red: 1, green: 1, blue: 1, alpha: 1),
]{
didSet{
colorListView.reloadData()
}
}
override init(frame frameRect: NSRect) {
super.init(frame: frameRect)
scrollView = NSScrollView(frame: self.bounds)
scrollView.drawsBackground = false
scrollView.allowsMagnification = false
scrollView.autoresizingMask = [.ViewHeightSizable, .ViewWidthSizable]
colorListView = NSTableView(frame: self.bounds)
colorListView.backgroundColor = IMPColor.clearColor()
colorListView.headerView = nil
colorListView.intercellSpacing = IMPSize(width: 5,height: 5)
colorListView.columnAutoresizingStyle = .UniformColumnAutoresizingStyle
scrollView.documentView = colorListView
let column1 = NSTableColumn(identifier: "Color")
let column2 = NSTableColumn(identifier: "Value")
column1.width = 300
column2.width = 200
column1.title = ""
column2.title = "Value"
colorListView.addTableColumn(column1)
colorListView.addTableColumn(column2)
colorListView.setDataSource(self)
colorListView.setDelegate(self)
self.addSubview(scrollView)
}
required public init?(coder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
private var scrollView:NSScrollView!
private var colorListView:NSTableView!
public func numberOfRowsInTableView(tableView: NSTableView) -> Int {
return colorList.count
}
public func tableView(tableView: NSTableView, heightOfRow row: Int) -> CGFloat {
return 36
}
public func tableView(tableView: NSTableView, willDisplayCell cell: AnyObject, forTableColumn tableColumn: NSTableColumn?, row: Int) {
(cell as! NSView).wantsLayer = true
(cell as! NSView).layer?.backgroundColor = IMPColor.clearColor().CGColor
}
public func tableView(tableView: NSTableView, viewForTableColumn tableColumn: NSTableColumn?, row: Int) -> NSView? {
var result:NSView?
let color = colorList[row]
if tableColumn?.identifier == "Color"{
let id = "Color"
result = tableView.makeViewWithIdentifier(id, owner: self)
if result == nil {
result = NSView(frame: NSRect(x: 0, y: 0, width: 320, height: 40))
result?.wantsLayer = true
result?.identifier = id
}
result?.layer?.backgroundColor = color.CGColor
}
else{
let id = "Value"
result = tableView.makeViewWithIdentifier(id, owner: self) as? NSTextField
if result == nil {
result = NSTextField(frame: NSRect(x: 0, y: 0, width: 320, height: 40))
(result as? NSTextField)?.bezeled = false
(result as? NSTextField)?.drawsBackground = false
(result as? NSTextField)?.editable = false
(result as? NSTextField)?.selectable = true
(result as? NSTextField)?.alignment = .Right
result?.identifier = id
}
let rgb = color.rgb * 255
(result as! NSTextField).stringValue = String(format: "[%.0f,%.0f,%.0f]", rgb.r,rgb.g,rgb.b)
(result as! NSTextField).textColor = color * 2
}
let rowView = colorListView.rowViewAtRow(row, makeIfNecessary:false)
rowView?.backgroundColor = IMPColor.clearColor()
return result
}
public func reloadData(){
colorListView.sizeLastColumnToFit()
colorListView.reloadData()
}
override public func drawRect(dirtyRect: NSRect) {
super.drawRect(dirtyRect)
self.reloadData()
// Drawing code here.
}
}
| mit | 14779f4c07750d90e06958bc8a7f0956 | 32.877863 | 138 | 0.608157 | 4.761803 | false | false | false | false |
jmgc/swift | stdlib/public/core/Slice.swift | 1 | 19197 | //===----------------------------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2020 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 view into a subsequence of elements of another collection.
///
/// A slice stores a base collection and the start and end indices of the view.
/// It does not copy the elements from the collection into separate storage.
/// Thus, creating a slice has O(1) complexity.
///
/// Slices Share Indices
/// --------------------
///
/// Indices of a slice can be used interchangeably with indices of the base
/// collection. An element of a slice is located under the same index in the
/// slice and in the base collection, as long as neither the collection nor
/// the slice has been mutated since the slice was created.
///
/// For example, suppose you have an array holding the number of absences from
/// each class during a session.
///
/// var absences = [0, 2, 0, 4, 0, 3, 1, 0]
///
/// You're tasked with finding the day with the most absences in the second
/// half of the session. To find the index of the day in question, follow
/// these steps:
///
/// 1) Create a slice of the `absences` array that holds the second half of the
/// days.
/// 2) Use the `max(by:)` method to determine the index of the day with the
/// most absences.
/// 3) Print the result using the index found in step 2 on the original
/// `absences` array.
///
/// Here's an implementation of those steps:
///
/// let secondHalf = absences.suffix(absences.count / 2)
/// if let i = secondHalf.indices.max(by: { secondHalf[$0] < secondHalf[$1] }) {
/// print("Highest second-half absences: \(absences[i])")
/// }
/// // Prints "Highest second-half absences: 3"
///
/// Slices Inherit Semantics
/// ------------------------
///
/// A slice inherits the value or reference semantics of its base collection.
/// That is, if a `Slice` instance is wrapped around a mutable collection that
/// has value semantics, such as an array, mutating the original collection
/// would trigger a copy of that collection, and not affect the base
/// collection stored inside of the slice.
///
/// For example, if you update the last element of the `absences` array from
/// `0` to `2`, the `secondHalf` slice is unchanged.
///
/// absences[7] = 2
/// print(absences)
/// // Prints "[0, 2, 0, 4, 0, 3, 1, 2]"
/// print(secondHalf)
/// // Prints "[0, 3, 1, 0]"
///
/// Use slices only for transient computation. A slice may hold a reference to
/// the entire storage of a larger collection, not just to the portion it
/// presents, even after the base collection's lifetime ends. Long-term
/// storage of a slice may therefore prolong the lifetime of elements that are
/// no longer otherwise accessible, which can erroneously appear to be memory
/// leakage.
///
/// - Note: Using a `Slice` instance with a mutable collection requires that
/// the base collection's `subscript(_: Index)` setter does not invalidate
/// indices. If mutations need to invalidate indices in your custom
/// collection type, don't use `Slice` as its subsequence type. Instead,
/// define your own subsequence type that takes your index invalidation
/// requirements into account.
@frozen // generic-performance
public struct Slice<Base: Collection> {
public var _startIndex: Base.Index
public var _endIndex: Base.Index
@usableFromInline // generic-performance
internal var _base: Base
/// Creates a view into the given collection that allows access to elements
/// within the specified range.
///
/// It is unusual to need to call this method directly. Instead, create a
/// slice of a collection by using the collection's range-based subscript or
/// by using methods that return a subsequence.
///
/// let singleDigits = 0...9
/// let subSequence = singleDigits.dropFirst(5)
/// print(Array(subSequence))
/// // Prints "[5, 6, 7, 8, 9]"
///
/// In this example, the expression `singleDigits.dropFirst(5))` is
/// equivalent to calling this initializer with `singleDigits` and a
/// range covering the last five items of `singleDigits.indices`.
///
/// - Parameters:
/// - base: The collection to create a view into.
/// - bounds: The range of indices to allow access to in the new slice.
@inlinable // generic-performance
public init(base: Base, bounds: Range<Base.Index>) {
self._base = base
self._startIndex = bounds.lowerBound
self._endIndex = bounds.upperBound
}
/// The underlying collection of the slice.
///
/// You can use a slice's `base` property to access its base collection. The
/// following example declares `singleDigits`, a range of single digit
/// integers, and then drops the first element to create a slice of that
/// range, `singleNonZeroDigits`. The `base` property of the slice is equal
/// to `singleDigits`.
///
/// let singleDigits = 0..<10
/// let singleNonZeroDigits = singleDigits.dropFirst()
/// // singleNonZeroDigits is a Slice<Range<Int>>
///
/// print(singleNonZeroDigits.count)
/// // Prints "9"
/// print(singleNonZeroDigits.base.count)
/// // Prints "10"
/// print(singleDigits == singleNonZeroDigits.base)
/// // Prints "true"
@inlinable // generic-performance
public var base: Base {
return _base
}
}
extension Slice: Collection {
public typealias Index = Base.Index
public typealias Indices = Base.Indices
public typealias Element = Base.Element
public typealias SubSequence = Slice<Base>
public typealias Iterator = IndexingIterator<Slice<Base>>
@inlinable // generic-performance
public var startIndex: Index {
return _startIndex
}
@inlinable // generic-performance
public var endIndex: Index {
return _endIndex
}
@inlinable // generic-performance
public subscript(index: Index) -> Base.Element {
get {
_failEarlyRangeCheck(index, bounds: startIndex..<endIndex)
return _base[index]
}
}
@inlinable // generic-performance
public subscript(bounds: Range<Index>) -> Slice<Base> {
get {
_failEarlyRangeCheck(bounds, bounds: startIndex..<endIndex)
return Slice(base: _base, bounds: bounds)
}
}
public var indices: Indices {
return _base.indices[_startIndex..<_endIndex]
}
@inlinable // generic-performance
public func index(after i: Index) -> Index {
// FIXME: swift-3-indexing-model: range check.
return _base.index(after: i)
}
@inlinable // generic-performance
public func formIndex(after i: inout Index) {
// FIXME: swift-3-indexing-model: range check.
_base.formIndex(after: &i)
}
@inlinable // generic-performance
public func index(_ i: Index, offsetBy n: Int) -> Index {
// FIXME: swift-3-indexing-model: range check.
return _base.index(i, offsetBy: n)
}
@inlinable // generic-performance
public func index(
_ i: Index, offsetBy n: Int, limitedBy limit: Index
) -> Index? {
// FIXME: swift-3-indexing-model: range check.
return _base.index(i, offsetBy: n, limitedBy: limit)
}
@inlinable // generic-performance
public func distance(from start: Index, to end: Index) -> Int {
// FIXME: swift-3-indexing-model: range check.
return _base.distance(from: start, to: end)
}
@inlinable // generic-performance
public func _failEarlyRangeCheck(_ index: Index, bounds: Range<Index>) {
_base._failEarlyRangeCheck(index, bounds: bounds)
}
@inlinable // generic-performance
public func _failEarlyRangeCheck(_ range: Range<Index>, bounds: Range<Index>) {
_base._failEarlyRangeCheck(range, bounds: bounds)
}
@_alwaysEmitIntoClient @inlinable
public func withContiguousStorageIfAvailable<R>(
_ body: (UnsafeBufferPointer<Element>) throws -> R
) rethrows -> R? {
try _base.withContiguousStorageIfAvailable { buffer in
let start = _base.distance(from: _base.startIndex, to: _startIndex)
let count = _base.distance(from: _startIndex, to: _endIndex)
let slice = UnsafeBufferPointer(rebasing: buffer[start ..< start + count])
return try body(slice)
}
}
}
extension Slice: BidirectionalCollection where Base: BidirectionalCollection {
@inlinable // generic-performance
public func index(before i: Index) -> Index {
// FIXME: swift-3-indexing-model: range check.
return _base.index(before: i)
}
@inlinable // generic-performance
public func formIndex(before i: inout Index) {
// FIXME: swift-3-indexing-model: range check.
_base.formIndex(before: &i)
}
}
extension Slice: MutableCollection where Base: MutableCollection {
@inlinable // generic-performance
public subscript(index: Index) -> Base.Element {
get {
_failEarlyRangeCheck(index, bounds: startIndex..<endIndex)
return _base[index]
}
set {
_failEarlyRangeCheck(index, bounds: startIndex..<endIndex)
_base[index] = newValue
// MutableSlice requires that the underlying collection's subscript
// setter does not invalidate indices, so our `startIndex` and `endIndex`
// continue to be valid.
}
}
@inlinable // generic-performance
public subscript(bounds: Range<Index>) -> Slice<Base> {
get {
_failEarlyRangeCheck(bounds, bounds: startIndex..<endIndex)
return Slice(base: _base, bounds: bounds)
}
set {
_writeBackMutableSlice(&self, bounds: bounds, slice: newValue)
}
}
@_alwaysEmitIntoClient @inlinable
public mutating func withContiguousMutableStorageIfAvailable<R>(
_ body: (inout UnsafeMutableBufferPointer<Element>) throws -> R
) rethrows -> R? {
// We're calling `withContiguousMutableStorageIfAvailable` twice here so
// that we don't calculate index distances unless we know we'll use them.
// The expectation here is that the base collection will make itself
// contiguous on the first try and the second call will be relatively cheap.
guard _base.withContiguousMutableStorageIfAvailable({ _ in }) != nil
else {
return nil
}
let start = _base.distance(from: _base.startIndex, to: _startIndex)
let count = _base.distance(from: _startIndex, to: _endIndex)
return try _base.withContiguousMutableStorageIfAvailable { buffer in
var slice = UnsafeMutableBufferPointer(
rebasing: buffer[start ..< start + count])
let copy = slice
defer {
_precondition(
slice.baseAddress == copy.baseAddress &&
slice.count == copy.count,
"Slice.withUnsafeMutableBufferPointer: replacing the buffer is not allowed")
}
return try body(&slice)
}
}
}
extension Slice: RandomAccessCollection where Base: RandomAccessCollection { }
extension Slice: RangeReplaceableCollection
where Base: RangeReplaceableCollection {
@inlinable // generic-performance
public init() {
self._base = Base()
self._startIndex = _base.startIndex
self._endIndex = _base.endIndex
}
@inlinable // generic-performance
public init(repeating repeatedValue: Base.Element, count: Int) {
self._base = Base(repeating: repeatedValue, count: count)
self._startIndex = _base.startIndex
self._endIndex = _base.endIndex
}
@inlinable // generic-performance
public init<S>(_ elements: S) where S: Sequence, S.Element == Base.Element {
self._base = Base(elements)
self._startIndex = _base.startIndex
self._endIndex = _base.endIndex
}
@inlinable // generic-performance
public mutating func replaceSubrange<C>(
_ subRange: Range<Index>, with newElements: C
) where C: Collection, C.Element == Base.Element {
// FIXME: swift-3-indexing-model: range check.
let sliceOffset =
_base.distance(from: _base.startIndex, to: _startIndex)
let newSliceCount =
_base.distance(from: _startIndex, to: subRange.lowerBound)
+ _base.distance(from: subRange.upperBound, to: _endIndex)
+ newElements.count
_base.replaceSubrange(subRange, with: newElements)
_startIndex = _base.index(_base.startIndex, offsetBy: sliceOffset)
_endIndex = _base.index(_startIndex, offsetBy: newSliceCount)
}
@inlinable // generic-performance
public mutating func insert(_ newElement: Base.Element, at i: Index) {
// FIXME: swift-3-indexing-model: range check.
let sliceOffset = _base.distance(from: _base.startIndex, to: _startIndex)
let newSliceCount = count + 1
_base.insert(newElement, at: i)
_startIndex = _base.index(_base.startIndex, offsetBy: sliceOffset)
_endIndex = _base.index(_startIndex, offsetBy: newSliceCount)
}
@inlinable // generic-performance
public mutating func insert<S>(contentsOf newElements: S, at i: Index)
where S: Collection, S.Element == Base.Element {
// FIXME: swift-3-indexing-model: range check.
let sliceOffset = _base.distance(from: _base.startIndex, to: _startIndex)
let newSliceCount = count + newElements.count
_base.insert(contentsOf: newElements, at: i)
_startIndex = _base.index(_base.startIndex, offsetBy: sliceOffset)
_endIndex = _base.index(_startIndex, offsetBy: newSliceCount)
}
@inlinable // generic-performance
public mutating func remove(at i: Index) -> Base.Element {
// FIXME: swift-3-indexing-model: range check.
let sliceOffset = _base.distance(from: _base.startIndex, to: _startIndex)
let newSliceCount = count - 1
let result = _base.remove(at: i)
_startIndex = _base.index(_base.startIndex, offsetBy: sliceOffset)
_endIndex = _base.index(_startIndex, offsetBy: newSliceCount)
return result
}
@inlinable // generic-performance
public mutating func removeSubrange(_ bounds: Range<Index>) {
// FIXME: swift-3-indexing-model: range check.
let sliceOffset = _base.distance(from: _base.startIndex, to: _startIndex)
let newSliceCount =
count - distance(from: bounds.lowerBound, to: bounds.upperBound)
_base.removeSubrange(bounds)
_startIndex = _base.index(_base.startIndex, offsetBy: sliceOffset)
_endIndex = _base.index(_startIndex, offsetBy: newSliceCount)
}
}
extension Slice
where Base: RangeReplaceableCollection, Base: BidirectionalCollection {
@inlinable // generic-performance
public mutating func replaceSubrange<C>(
_ subRange: Range<Index>, with newElements: C
) where C: Collection, C.Element == Base.Element {
// FIXME: swift-3-indexing-model: range check.
if subRange.lowerBound == _base.startIndex {
let newSliceCount =
_base.distance(from: _startIndex, to: subRange.lowerBound)
+ _base.distance(from: subRange.upperBound, to: _endIndex)
+ newElements.count
_base.replaceSubrange(subRange, with: newElements)
_startIndex = _base.startIndex
_endIndex = _base.index(_startIndex, offsetBy: newSliceCount)
} else {
let shouldUpdateStartIndex = subRange.lowerBound == _startIndex
let lastValidIndex = _base.index(before: subRange.lowerBound)
let newEndIndexOffset =
_base.distance(from: subRange.upperBound, to: _endIndex)
+ newElements.count + 1
_base.replaceSubrange(subRange, with: newElements)
if shouldUpdateStartIndex {
_startIndex = _base.index(after: lastValidIndex)
}
_endIndex = _base.index(lastValidIndex, offsetBy: newEndIndexOffset)
}
}
@inlinable // generic-performance
public mutating func insert(_ newElement: Base.Element, at i: Index) {
// FIXME: swift-3-indexing-model: range check.
if i == _base.startIndex {
let newSliceCount = count + 1
_base.insert(newElement, at: i)
_startIndex = _base.startIndex
_endIndex = _base.index(_startIndex, offsetBy: newSliceCount)
} else {
let shouldUpdateStartIndex = i == _startIndex
let lastValidIndex = _base.index(before: i)
let newEndIndexOffset = _base.distance(from: i, to: _endIndex) + 2
_base.insert(newElement, at: i)
if shouldUpdateStartIndex {
_startIndex = _base.index(after: lastValidIndex)
}
_endIndex = _base.index(lastValidIndex, offsetBy: newEndIndexOffset)
}
}
@inlinable // generic-performance
public mutating func insert<S>(contentsOf newElements: S, at i: Index)
where S: Collection, S.Element == Base.Element {
// FIXME: swift-3-indexing-model: range check.
if i == _base.startIndex {
let newSliceCount = count + newElements.count
_base.insert(contentsOf: newElements, at: i)
_startIndex = _base.startIndex
_endIndex = _base.index(_startIndex, offsetBy: newSliceCount)
} else {
let shouldUpdateStartIndex = i == _startIndex
let lastValidIndex = _base.index(before: i)
let newEndIndexOffset =
_base.distance(from: i, to: _endIndex)
+ newElements.count + 1
_base.insert(contentsOf: newElements, at: i)
if shouldUpdateStartIndex {
_startIndex = _base.index(after: lastValidIndex)
}
_endIndex = _base.index(lastValidIndex, offsetBy: newEndIndexOffset)
}
}
@inlinable // generic-performance
public mutating func remove(at i: Index) -> Base.Element {
// FIXME: swift-3-indexing-model: range check.
if i == _base.startIndex {
let newSliceCount = count - 1
let result = _base.remove(at: i)
_startIndex = _base.startIndex
_endIndex = _base.index(_startIndex, offsetBy: newSliceCount)
return result
} else {
let shouldUpdateStartIndex = i == _startIndex
let lastValidIndex = _base.index(before: i)
let newEndIndexOffset = _base.distance(from: i, to: _endIndex)
let result = _base.remove(at: i)
if shouldUpdateStartIndex {
_startIndex = _base.index(after: lastValidIndex)
}
_endIndex = _base.index(lastValidIndex, offsetBy: newEndIndexOffset)
return result
}
}
@inlinable // generic-performance
public mutating func removeSubrange(_ bounds: Range<Index>) {
// FIXME: swift-3-indexing-model: range check.
if bounds.lowerBound == _base.startIndex {
let newSliceCount =
count - _base.distance(from: bounds.lowerBound, to: bounds.upperBound)
_base.removeSubrange(bounds)
_startIndex = _base.startIndex
_endIndex = _base.index(_startIndex, offsetBy: newSliceCount)
} else {
let shouldUpdateStartIndex = bounds.lowerBound == _startIndex
let lastValidIndex = _base.index(before: bounds.lowerBound)
let newEndIndexOffset =
_base.distance(from: bounds.lowerBound, to: _endIndex)
- _base.distance(from: bounds.lowerBound, to: bounds.upperBound)
+ 1
_base.removeSubrange(bounds)
if shouldUpdateStartIndex {
_startIndex = _base.index(after: lastValidIndex)
}
_endIndex = _base.index(lastValidIndex, offsetBy: newEndIndexOffset)
}
}
}
| apache-2.0 | 756b2bfc2d9468e5bb6b027947089b29 | 36.715128 | 86 | 0.674585 | 4.207101 | false | false | false | false |
DarrenKong/firefox-ios | Shared/Prefs.swift | 1 | 6646 | /* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
import Foundation
public struct PrefsKeys {
public static let KeyLastRemoteTabSyncTime = "lastRemoteTabSyncTime"
public static let KeyLastSyncFinishTime = "lastSyncFinishTime"
public static let KeyDefaultHomePageURL = "KeyDefaultHomePageURL"
public static let KeyNoImageModeStatus = "NoImageModeStatus"
public static let KeyNightModeButtonIsInMenu = "NightModeButtonIsInMenuPrefKey"
public static let KeyNightModeStatus = "NightModeStatus"
public static let KeyMailToOption = "MailToOption"
public static let HasFocusInstalled = "HasFocusInstalled"
public static let HasPocketInstalled = "HasPocketInstalled"
public static let IntroSeen = "IntroViewControllerSeen"
//Activity Stream
public static let KeyTopSitesCacheIsValid = "topSitesCacheIsValid"
public static let KeyTopSitesCacheSize = "topSitesCacheSize"
public static let KeyNewTab = "NewTabPrefKey"
public static let ASPocketStoriesVisible = "ASPocketStoriesVisible"
public static let ASRecentHighlightsVisible = "ASRecentHighlightsVisible"
public static let ASBookmarkHighlightsVisible = "ASBookmarkHighlightsVisible"
public static let ASLastInvalidation = "ASLastInvalidation"
public static let KeyUseCustomSyncService = "useCustomSyncService"
public static let KeyCustomSyncToken = "customSyncTokenServer"
public static let KeyCustomSyncProfile = "customSyncProfileServer"
public static let KeyCustomSyncOauth = "customSyncOauthServer"
public static let KeyCustomSyncAuth = "customSyncAuthServer"
public static let KeyCustomSyncWeb = "customSyncWebServer"
}
public struct PrefsDefaults {
public static let ChineseHomePageURL = "http://mobile.firefoxchina.cn/"
public static let ChineseNewTabDefault = "HomePage"
}
public protocol Prefs {
func getBranchPrefix() -> String
func branch(_ branch: String) -> Prefs
func setTimestamp(_ value: Timestamp, forKey defaultName: String)
func setLong(_ value: UInt64, forKey defaultName: String)
func setLong(_ value: Int64, forKey defaultName: String)
func setInt(_ value: Int32, forKey defaultName: String)
func setString(_ value: String, forKey defaultName: String)
func setBool(_ value: Bool, forKey defaultName: String)
func setObject(_ value: Any?, forKey defaultName: String)
func stringForKey(_ defaultName: String) -> String?
func objectForKey<T: Any>(_ defaultName: String) -> T?
func boolForKey(_ defaultName: String) -> Bool?
func intForKey(_ defaultName: String) -> Int32?
func timestampForKey(_ defaultName: String) -> Timestamp?
func longForKey(_ defaultName: String) -> Int64?
func unsignedLongForKey(_ defaultName: String) -> UInt64?
func stringArrayForKey(_ defaultName: String) -> [String]?
func arrayForKey(_ defaultName: String) -> [Any]?
func dictionaryForKey(_ defaultName: String) -> [String: Any]?
func removeObjectForKey(_ defaultName: String)
func clearAll()
}
open class MockProfilePrefs: Prefs {
let prefix: String
open func getBranchPrefix() -> String {
return self.prefix
}
// Public for testing.
open var things: NSMutableDictionary = NSMutableDictionary()
public init(things: NSMutableDictionary, prefix: String) {
self.things = things
self.prefix = prefix
}
public init() {
self.prefix = ""
}
open func branch(_ branch: String) -> Prefs {
return MockProfilePrefs(things: self.things, prefix: self.prefix + branch + ".")
}
private func name(_ name: String) -> String {
return self.prefix + name
}
open func setTimestamp(_ value: Timestamp, forKey defaultName: String) {
self.setLong(value, forKey: defaultName)
}
open func setLong(_ value: UInt64, forKey defaultName: String) {
setObject(NSNumber(value: value as UInt64), forKey: defaultName)
}
open func setLong(_ value: Int64, forKey defaultName: String) {
setObject(NSNumber(value: value as Int64), forKey: defaultName)
}
open func setInt(_ value: Int32, forKey defaultName: String) {
things[name(defaultName)] = NSNumber(value: value as Int32)
}
open func setString(_ value: String, forKey defaultName: String) {
things[name(defaultName)] = value
}
open func setBool(_ value: Bool, forKey defaultName: String) {
things[name(defaultName)] = value
}
open func setObject(_ value: Any?, forKey defaultName: String) {
things[name(defaultName)] = value
}
open func stringForKey(_ defaultName: String) -> String? {
return things[name(defaultName)] as? String
}
open func boolForKey(_ defaultName: String) -> Bool? {
return things[name(defaultName)] as? Bool
}
open func objectForKey<T: Any>(_ defaultName: String) -> T? {
return things[name(defaultName)] as? T
}
open func timestampForKey(_ defaultName: String) -> Timestamp? {
return unsignedLongForKey(defaultName)
}
open func unsignedLongForKey(_ defaultName: String) -> UInt64? {
return things[name(defaultName)] as? UInt64
}
open func longForKey(_ defaultName: String) -> Int64? {
return things[name(defaultName)] as? Int64
}
open func intForKey(_ defaultName: String) -> Int32? {
return things[name(defaultName)] as? Int32
}
open func stringArrayForKey(_ defaultName: String) -> [String]? {
if let arr = self.arrayForKey(defaultName) {
if let arr = arr as? [String] {
return arr
}
}
return nil
}
open func arrayForKey(_ defaultName: String) -> [Any]? {
let r: Any? = things.object(forKey: name(defaultName)) as Any?
if r == nil {
return nil
}
if let arr = r as? [Any] {
return arr
}
return nil
}
open func dictionaryForKey(_ defaultName: String) -> [String: Any]? {
return things.object(forKey: name(defaultName)) as? [String: Any]
}
open func removeObjectForKey(_ defaultName: String) {
self.things.removeObject(forKey: name(defaultName))
}
open func clearAll() {
let dictionary = things as! [String: Any]
let keysToDelete: [String] = dictionary.keys.filter { $0.hasPrefix(self.prefix) }
things.removeObjects(forKeys: keysToDelete)
}
}
| mpl-2.0 | 1ec2e43a6e708edeadd52a238fe9c4ac | 35.516484 | 89 | 0.681763 | 4.561428 | false | false | false | false |
mumbler/PReVo-iOS | PoshReVo/Chefaj Paghoj/KonservitajViewController.swift | 1 | 3729 | //
// KonservitajViewController.swift
// PoshReVo
//
// Created by Robin Hill on 3/12/16.
// Copyright © 2016 Robin Hill. All rights reserved.
//
import ReVoDatumbazo
import Foundation
import UIKit
let konservitajChelIdent = "konservitajChelo"
/*
Pagho por vidi konservitaj artikoloj
*/
class KonservitajViewController : UIViewController, Chefpagho, Stilplena {
@IBOutlet var vortoTabelo: UITableView?
init() {
super.init(nibName: "KonservitajViewController", bundle: nil)
}
required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
}
override func viewDidLoad() {
vortoTabelo?.delegate = self
vortoTabelo?.dataSource = self
vortoTabelo?.register(UITableViewCell.self, forCellReuseIdentifier: konservitajChelIdent)
NotificationCenter.default.addObserver(self, selector: #selector(preferredContentSizeDidChange(forChildContentContainer:)), name: UIContentSizeCategory.didChangeNotification, object: nil)
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
efektivigiStilon()
}
func aranghiNavigaciilo() {
parent?.title = NSLocalizedString("konservitaj titolo", comment: "")
parent?.navigationItem.rightBarButtonItem = nil
}
func efektivigiStilon() {
vortoTabelo?.indicatorStyle = UzantDatumaro.stilo.scrollKoloro
vortoTabelo?.backgroundColor = UzantDatumaro.stilo.bazKoloro
vortoTabelo?.separatorColor = UzantDatumaro.stilo.apartigiloKoloro
vortoTabelo?.reloadData()
}
}
// MARK: - UITableViewDelegate & UITableViewDataSource
extension KonservitajViewController : UITableViewDelegate, UITableViewDataSource {
func numberOfSections(in tableView: UITableView) -> Int {
return 1
}
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return UzantDatumaro.konservitaj.count
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let novaChelo: UITableViewCell
if let trovChelo = vortoTabelo?.dequeueReusableCell(withIdentifier: konservitajChelIdent) {
novaChelo = trovChelo
} else {
novaChelo = UITableViewCell()
}
novaChelo.backgroundColor = UzantDatumaro.stilo.bazKoloro
novaChelo.textLabel?.textColor = UzantDatumaro.stilo.tekstKoloro
novaChelo.textLabel?.text = UzantDatumaro.konservitaj[indexPath.row].nomo
novaChelo.isAccessibilityElement = true
novaChelo.accessibilityLabel = novaChelo.textLabel?.text
return novaChelo
}
func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
let indekso = UzantDatumaro.konservitaj[indexPath.row].indekso
if let artikolo = VortaroDatumbazo.komuna.artikolo(porIndekso: indekso) {
(navigationController as? ChefaNavigationController)?.montriArtikolon(artikolo)
}
tableView.deselectRow(at: indexPath, animated: true)
}
func tableView(_ tableView: UITableView, estimatedHeightForRowAt indexPath: IndexPath) -> CGFloat {
return UITableView.automaticDimension
}
func tableView(_ tableView: UITableView, heightForRowAt indexPath: IndexPath) -> CGFloat {
return UITableView.automaticDimension
}
}
// MARK: - Helpiloj
// Respondi al mediaj shanghoj
extension KonservitajViewController {
func didChangePreferredContentSize(notification: NSNotification) -> Void {
vortoTabelo?.reloadData()
}
}
| mit | 17ba3d663cf784a87da6c631d42dcec1 | 31.417391 | 195 | 0.69206 | 4.53528 | false | false | false | false |
Thongpak21/NongBeer-MVVM-iOS-Demo | NongBeer/Classes/History/View/HistoryCollectionViewCell.swift | 1 | 871 | //
// HistoryCollectionViewCell.swift
// NongBeer
//
// Created by Thongpak on 4/10/2560 BE.
// Copyright © 2560 Thongpak. All rights reserved.
//
import UIKit
class HistoryCollectionViewCell: UICollectionViewCell {
static let identifier = "HistoryCollectionViewCell"
@IBOutlet weak var dateLabel: UILabel!
@IBOutlet weak var unitLabel: UILabel!
@IBOutlet weak var totalLabel: UILabel!
override func preferredLayoutAttributesFitting(_ layoutAttributes: UICollectionViewLayoutAttributes) -> UICollectionViewLayoutAttributes {
setNeedsLayout()
layoutIfNeeded()
let size = contentView.systemLayoutSizeFitting(layoutAttributes.size)
var newFrame = layoutAttributes.frame
newFrame.size.height = ceil(size.height)
layoutAttributes.frame = newFrame
return layoutAttributes
}
}
| apache-2.0 | ef474f9febab72c69f9bf8674655e16f | 31.222222 | 142 | 0.725287 | 5.471698 | false | false | false | false |
fthomasmorel/insapp-iOS | Insapp/AttendesViewController.swift | 1 | 1484 | //
// AttendesViewController.swift
// Insapp
//
// Created by Florent THOMAS-MOREL on 10/2/16.
// Copyright © 2016 Florent THOMAS-MOREL. All rights reserved.
//
import Foundation
import UIKit
class AttendesViewController: UIViewController, ListUserDelegate {
var going:[String] = []
var notgoing:[String] = []
var maybe:[String] = []
var listUserViewController: ListUserViewController?
override func viewDidLoad() {
super.viewDidLoad()
self.listUserViewController = self.childViewControllers.last as? ListUserViewController
self.listUserViewController?.userIds = [going, maybe, notgoing]
self.listUserViewController?.fetchUsers()
self.listUserViewController?.delegate = self
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
self.notifyGoogleAnalytics()
self.lightStatusBar()
self.hideNavBar()
}
func didTouchUser(_ user:User){
let storyboard = UIStoryboard(name: "Main", bundle: nil)
let vc = storyboard.instantiateViewController(withIdentifier: "UserViewController") as! UserViewController
vc.user_id = user.id
vc.setEditable(false)
vc.canReturn(true)
self.navigationController?.pushViewController(vc, animated: true)
}
@IBAction func dismissAction(_ sender: AnyObject) {
self.navigationController!.popViewController(animated: true)
}
}
| mit | 0e96be769bc4b5a8792c2f3a5ede8e94 | 30.553191 | 114 | 0.681726 | 4.738019 | false | false | false | false |
CoderST/XMLYDemo | XMLYDemo/XMLYDemo/Class/Home/Controller/SubViewController/PopularViewController/Model/GuessItem.swift | 1 | 392 | //
// GuessItem.swift
// XMLYDemo
//
// Created by xiudou on 2016/12/22.
// Copyright © 2016年 CoderST. All rights reserved.
//
import UIKit
class GuessItem: BaseModel {
var id : Int64 = 0
var albumId : Int64 = 0
var uid : Int64 = 0
var title : String = ""
var playsCounts : Int64 = 0
var trackTitle : String = ""
var albumCoverUrl290 :String = ""
}
| mit | 824a8965fd209265a4e82077f5b91621 | 17.52381 | 51 | 0.606684 | 3.353448 | false | false | false | false |
osorioabel/my-location-app | My Locations/My Locations/View/Utils/HudView.swift | 1 | 2138 | //
// HudView.swift
// My Locations
//
// Created by Abel Osorio on 2/17/16.
// Copyright © 2016 Abel Osorio. All rights reserved.
//
import UIKit
class HudView: UIView {
var text = ""
class func hubInView(view:UIView, animated: Bool) -> HudView{
let hudView = HudView(frame: view.bounds)
hudView.opaque = false
view.addSubview(hudView)
view.userInteractionEnabled = false
hudView.showAnimated(animated)
return hudView
}
override func drawRect(rect: CGRect) {
let boxWidth: CGFloat = 96
let boxHeight: CGFloat = 96
let boxRect = CGRect(
x: round((bounds.size.width - boxWidth) / 2),
y: round((bounds.size.height - boxHeight) / 2),
width: boxWidth,
height: boxHeight)
let roundedRect = UIBezierPath(roundedRect: boxRect, cornerRadius: 10)
UIColor(white: 0.3, alpha: 0.8).setFill()
roundedRect.fill()
if let image = UIImage(named: "Checkmark") {
let imagePoint = CGPoint(x: center.x - round(image.size.width / 2),y: center.y - round(image.size.height / 2) - boxHeight / 8)
image.drawAtPoint(imagePoint)
}
let attribs = [ NSFontAttributeName: UIFont.systemFontOfSize(16), NSForegroundColorAttributeName: UIColor.whiteColor() ]
let textSize = text.sizeWithAttributes(attribs)
let textPoint = CGPoint(x: center.x - round(textSize.width / 2),y: center.y - round(textSize.height / 2) + boxHeight / 4)
text.drawAtPoint(textPoint, withAttributes: attribs)
}
func showAnimated(animated: Bool) {
if animated {
alpha = 0
transform = CGAffineTransformMakeScale(1.3, 1.3)
UIView.animateWithDuration(0.3, delay: 0, usingSpringWithDamping: 0.7, initialSpringVelocity: 0.5, options: [], animations: {
self.alpha = 1
self.transform = CGAffineTransformIdentity
},
completion: nil)
}
}
}
| mit | 397bdf35da65fee3ae24c421e02e5fd2 | 30.895522 | 138 | 0.58306 | 4.415289 | false | false | false | false |
jovito-royeca/Decktracker | osx/DataSource/DataSource/Color.swift | 1 | 1355 | //
// CardColor.swift
// DataSource
//
// Created by Jovit Royeca on 29/06/2016.
// Copyright © 2016 Jovito Royeca. All rights reserved.
//
import Foundation
import CoreData
class Color: NSManagedObject {
struct Keys {
static let Name = "name"
}
override init(entity: NSEntityDescription, insertIntoManagedObjectContext context: NSManagedObjectContext?) {
super.init(entity: entity, insertIntoManagedObjectContext: context)
}
init(dictionary: [String : AnyObject], context: NSManagedObjectContext) {
let entity = NSEntityDescription.entityForName("Color", inManagedObjectContext: context)!
super.init(entity: entity,insertIntoManagedObjectContext: context)
update(dictionary)
}
func update(dictionary: [String : AnyObject]) {
name = dictionary[Keys.Name] as? String
if let name = name {
if name == "Black" {
symbol = "B"
} else if name == "Blue" {
symbol = "U"
} else if name == "Green" {
symbol = "G"
} else if name == "Red" {
symbol = "R"
} else if name == "White" {
symbol = "W"
} else if name == "Colorless" {
symbol = "C"
}
}
}
}
| apache-2.0 | a822834e1c08edf3bec19bf2ed7b0a21 | 26.08 | 113 | 0.55096 | 4.750877 | false | false | false | false |
iOS-mamu/SS | P/PotatsoBase/Localized.swift | 1 | 4308 | //
// Strings.swift
// Potatso
//
// Created by LEI on 1/23/16.
// Copyright © 2016 TouchingApp. All rights reserved.
//
import Foundation
/// Internal current language key
let LCLCurrentLanguageKey = "LCLCurrentLanguageKey"
/// Default language. English. If English is unavailable defaults to base localization.
let LCLDefaultLanguage = "en"
/// Name for language change notification
public let LCLLanguageChangeNotification = "LCLLanguageChangeNotification"
public extension String {
/**
Swift 2 friendly localization syntax, replaces NSLocalizedString
- Returns: The localized string.
*/
public func localized() -> String {
if let path = Bundle.main.path(forResource: Localize.currentLanguage(), ofType: "lproj"), let bundle = Bundle(path: path) {
return bundle.localizedString(forKey: self, value: nil, table: nil)
}else if let path = Bundle.main.path(forResource: "Base", ofType: "lproj"), let bundle = Bundle(path: path) {
return bundle.localizedString(forKey: self, value: nil, table: nil)
}
return self
}
/**
Swift 2 friendly localization syntax with format arguments, replaces String(format:NSLocalizedString)
- Returns: The formatted localized string with arguments.
*/
public func localizedFormat(_ arguments: CVarArg...) -> String {
return String(format: localized(), arguments: arguments)
}
/**
Swift 2 friendly plural localization syntax with a format argument
- parameter argument: Argument to determine pluralisation
- returns: Pluralized localized string.
*/
public func localizedPlural(_ argument: CVarArg) -> String {
return NSString.localizedStringWithFormat(localized() as NSString, argument) as String
}
}
// MARK: Language Setting Functions
open class Localize: NSObject {
/**
List available languages
- Returns: Array of available languages.
*/
open class func availableLanguages() -> [String] {
return Bundle.main.localizations
}
/**
Current language
- Returns: The current language. String.
*/
open class func currentLanguage() -> String {
if let currentLanguage = UserDefaults.standard.object(forKey: LCLCurrentLanguageKey) as? String {
return currentLanguage
}
return defaultLanguage()
}
/**
Change the current language
- Parameter language: Desired language.
*/
open class func setCurrentLanguage(_ language: String) {
let selectedLanguage = availableLanguages().contains(language) ? language : defaultLanguage()
if (selectedLanguage != currentLanguage()){
UserDefaults.standard.set(selectedLanguage, forKey: LCLCurrentLanguageKey)
UserDefaults.standard.synchronize()
NotificationCenter.default.post(name: Notification.Name(rawValue: LCLLanguageChangeNotification), object: nil)
}
}
/**
Default language
- Returns: The app's default language. String.
*/
open class func defaultLanguage() -> String {
var defaultLanguage: String = String()
guard let preferredLanguage = Bundle.main.preferredLocalizations.first else {
return LCLDefaultLanguage
}
let availableLanguages: [String] = self.availableLanguages()
if (availableLanguages.contains(preferredLanguage)) {
defaultLanguage = preferredLanguage
}
else {
defaultLanguage = LCLDefaultLanguage
}
return defaultLanguage
}
/**
Resets the current language to the default
*/
open class func resetCurrentLanguageToDefault() {
setCurrentLanguage(self.defaultLanguage())
}
/**
Get the current language's display name for a language.
- Parameter language: Desired language.
- Returns: The localized string.
*/
open class func displayNameForLanguage(_ language: String) -> String {
let locale : Locale = Locale(identifier: currentLanguage())
if let displayName = (locale as NSLocale).displayName(forKey: NSLocale.Key.languageCode, value: language) {
return displayName
}
return String()
}
}
| mit | 587a559ee6944dedf3e7a6a23ab11d59 | 32.387597 | 131 | 0.66241 | 5.079009 | false | false | false | false |
Antondomashnev/Sourcery | SourceryTests/Stub/Performance-Code/Kiosk/Admin/AdminCardTestingViewController.swift | 2 | 2085 | import Foundation
import RxSwift
import Keys
class AdminCardTestingViewController: UIViewController {
lazy var keys = EidolonKeys()
var cardHandler: CardHandler!
@IBOutlet weak var logTextView: UITextView!
override func viewDidLoad() {
super.viewDidLoad()
self.logTextView.text = ""
if AppSetup.sharedState.useStaging {
cardHandler = CardHandler(apiKey: self.keys.cardflightStagingAPIClientKey(), accountToken: self.keys.cardflightStagingMerchantAccountToken())
} else {
cardHandler = CardHandler(apiKey: self.keys.cardflightProductionAPIClientKey(), accountToken: self.keys.cardflightProductionMerchantAccountToken())
}
cardHandler.cardStatus
.subscribe { (event) in
switch event {
case .next(let message):
self.log("\(message)")
case .error(let error):
self.log("\n====Error====\n\(error)\nThe card reader may have become disconnected.\n\n")
if self.cardHandler.card != nil {
self.log("==\n\(self.cardHandler.card!)\n\n")
}
case .completed:
guard let card = self.cardHandler.card else {
// Restarts the card reader
self.cardHandler.startSearching()
return
}
let cardDetails = "Card: \(card.name) - \(card.last4) \n \(card.cardToken)"
self.log(cardDetails)
}
}
.addDisposableTo(rx_disposeBag)
cardHandler.startSearching()
}
override func viewWillDisappear(_ animated: Bool) {
super.viewWillDisappear(animated)
cardHandler.end()
}
func log(_ string: String) {
self.logTextView.text = "\(self.logTextView.text ?? "")\n\(string)"
}
@IBAction func backTapped(_ sender: AnyObject) {
_ = navigationController?.popViewController(animated: true)
}
}
| mit | 74ee97469f18f1f986de0330bf0e6017 | 32.629032 | 159 | 0.567866 | 4.929078 | false | false | false | false |
bitboylabs/selluv-ios | selluv-ios/selluv-ios/Classes/Controller/UI/Tabs/Tab5MyPage/SLV_917_MyPageEventViewController.swift | 1 | 3223 | //
// SLV_917_MyPageEventViewController.swift
// selluv-ios
//
// Created by 김택수 on 2017. 2. 12..
// Copyright © 2017년 BitBoy Labs. All rights reserved.
//
import UIKit
class SLV_917_MyPageEventViewController: SLVBaseStatusShowController {
@IBOutlet weak var tableView:UITableView!
let myPageEventCellReuseIdentifier = "myPageEventCell"
var events:[Event]! = []
//MARK:
//MARK: Life Cycle
override func viewDidLoad() {
super.viewDidLoad()
tabController.animationTabBarHidden(true)
self.tableView.register(UINib(nibName: "SLV917MyPageEventCell",
bundle: nil),
forCellReuseIdentifier: myPageEventCellReuseIdentifier)
self.settingUI()
}
//MARK:
//MARK: Private
func settingUI() {
tabController.hideFab()
self.title = "이벤트"
self.navigationItem.hidesBackButton = true
let back = UIButton()
back.setImage(UIImage(named:"ic-back-arrow.png"), for: .normal)
back.frame = CGRect(x: 17, y: 23, width: 12+32, height: 20)
back.imageEdgeInsets = UIEdgeInsets(top: 0, left: 0, bottom: 0, right: 26)
back.addTarget(self, action: #selector(SLV_917_MyPageEventViewController.clickBackButton(_:)), for: .touchUpInside)
let item = UIBarButtonItem(customView: back)
self.navigationItem.leftBarButtonItem = item
}
//MARK:
//MARK: IBAction
func clickBackButton(_ sender:UIButton) {
self.navigationController?.popViewController()
}
//MARK:
//MARK: Override
}
extension SLV_917_MyPageEventViewController: UITableViewDelegate, UITableViewDataSource {
func tableView(_ tableView: UITableView, heightForRowAt indexPath: IndexPath) -> CGFloat {
return 244
}
func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
let cell = tableView.cellForRow(at: indexPath) as! SLV917MyPageEventCell
cell.setSelected(false, animated: true)
let board = UIStoryboard(name:"Me", bundle: nil)
let controller = board.instantiateViewController(withIdentifier: "SLV_917_MyPageEventDetailViewController") as! SLV_917_MyPageEventDetailViewController
self.navigationController?.pushViewController(controller, animated: true)
controller.event = self.events[indexPath.row]
}
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return self.events.count
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: myPageEventCellReuseIdentifier, for: indexPath) as! SLV917MyPageEventCell
let event = self.events[indexPath.row]
let titleImage = event.titleImage ?? ""
if titleImage != "" {
let path = "\(dnImage)/\(event.titleImage!)"
let url = URL(string: path)!
SLVDnImageModel.shared.setupImageView(view: cell.eventImageView, from: url)
}
return cell
}
}
| mit | fa669e66523272077020c971f6f45d68 | 33.12766 | 159 | 0.649626 | 4.809595 | false | false | false | false |
ello/ello-ios | Sources/Controllers/Stream/Cells/NoPostsCell.swift | 1 | 2083 | ////
/// NoPostsCell.swift
//
class NoPostsCell: CollectionViewCell {
static let reuseIdentifier = "NoPostsCell"
struct Size {
static let headerTop: CGFloat = 14
static let bodyTop: CGFloat = 17
static let labelInsets: CGFloat = 10
}
private let noPostsHeader = StyledLabel(style: .largeBold)
private let noPostsBody = StyledLabel()
var isCurrentUser: Bool = false {
didSet { updateText() }
}
override func style() {
noPostsHeader.textAlignment = .left
noPostsBody.textAlignment = .left
}
override func arrange() {
contentView.addSubview(noPostsHeader)
contentView.addSubview(noPostsBody)
noPostsHeader.snp.makeConstraints { make in
make.top.equalTo(contentView).inset(Size.headerTop)
make.leading.trailing.equalTo(contentView).inset(Size.labelInsets)
}
noPostsBody.snp.makeConstraints { make in
make.leading.trailing.equalTo(contentView).inset(Size.labelInsets)
make.top.equalTo(noPostsHeader.snp.bottom).offset(Size.bodyTop)
}
}
private func updateText() {
let noPostsHeaderText: String
let noPostsBodyText: String
if isCurrentUser {
noPostsHeaderText = InterfaceString.Profile.CurrentUserNoResultsTitle
noPostsBodyText = InterfaceString.Profile.CurrentUserNoResultsBody
}
else {
noPostsHeaderText = InterfaceString.Profile.NoResultsTitle
noPostsBodyText = InterfaceString.Profile.NoResultsBody
}
noPostsHeader.text = noPostsHeaderText
noPostsHeader.font = UIFont.regularBoldFont(18)
let paragraphStyle = NSMutableParagraphStyle()
paragraphStyle.lineSpacing = 4
let attrString = NSMutableAttributedString(
string: noPostsBodyText,
attributes: [
.font: UIFont.defaultFont(),
.paragraphStyle: paragraphStyle,
]
)
noPostsBody.attributedText = attrString
}
}
| mit | e04622bfd46e574f2f86c23fb31f3ce1 | 31.046154 | 81 | 0.648104 | 4.959524 | false | false | false | false |
BenziAhamed/Nevergrid | NeverGrid/Source/PriorityQueue.swift | 1 | 1032 | //
// PriorityQueue.swift
// MrGreen
//
// Created by Benzi on 03/09/14.
// Copyright (c) 2014 Benzi Ahamed. All rights reserved.
//
import Foundation
struct PriorityQueueNode<T> {
var item:T
var priority:Int
}
class PriorityQueue<T> {
var q = [PriorityQueueNode<T>]()
var count:Int {
return q.count
}
func put(item:T, priority:Int) {
let node = PriorityQueueNode(item: item, priority: priority)
if q.count == 0 {
q.append(node)
} else {
var insertIndex = 0
while insertIndex < count && q[insertIndex].priority <= priority {
insertIndex++
}
if insertIndex < q.count {
q.insert(node, atIndex: insertIndex)
} else {
q.append(node)
}
}
}
func get() -> T? {
if q.count == 0 {
return nil
}
else {
return q.removeAtIndex(0).item
}
}
} | isc | b0b59f4ca31c23b68eea4a689d3b1ede | 19.66 | 78 | 0.487403 | 4.144578 | false | false | false | false |
byu-oit-appdev/ios-byuSuite | byuSuite/Apps/JobOpenings/controller/JobOpeningsFamilyViewController.swift | 1 | 1371 | //
// JobOpeningsFamilyViewController.swift
// byuSuite
//
// Created by Alex Boswell on 2/16/18.
// Copyright © 2018 Brigham Young University. All rights reserved.
//
import UIKit
class JobOpeningsFamilyViewController: ByuTableDataViewController {
//MARK: Outlets
@IBOutlet private weak var spinner: UIActivityIndicatorView!
//MARK: Public Variables
var category: JobOpeningsCategory!
//MARK: View controller lifecycle
override func viewDidLoad() {
super.viewDidLoad()
title = category.siteDescription
loadPostings()
}
//MARK: Navigation
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
if segue.identifier == "showFamily",
let family: JobOpeningsFamily = objectForSender(tableView: tableView, cellSender: sender),
let vc = segue.destination as? JobOpeningsPostingsViewController {
vc.family = family
}
}
//MARK: Custom Methods
private func loadPostings() {
JobOpeningsClient.getJobPostings(categoryId: category.siteId) { (families, error) in
self.spinner.stopAnimating()
if let families = families {
self.tableData = TableData(rows: families.map { Row(text: $0.jobTitle, object: $0) })
self.tableView.reloadData()
} else {
super.displayAlert(error: error)
}
}
}
//MARK: TableData
override func getEmptyTableViewText() -> String {
return "No Job Openings"
}
}
| apache-2.0 | 09cef34f706638afa84a873c4e55e6e1 | 24.37037 | 93 | 0.724818 | 3.653333 | false | false | false | false |
TENDIGI/Obsidian-iOS-SDK | Obsidian-iOS-SDK/Debounce.swift | 1 | 550 | //
// Debounce.swift
// ObsidianSDK
//
// Created by Nick Lee on 7/17/15.
// Copyright (c) 2015 TENDIGI, LLC. All rights reserved.
//
import Foundation
internal func throttle(delay: NSTimeInterval, queue: dispatch_queue_t = dispatch_get_main_queue(), action: (() -> ())) -> () -> () {
var lastFire = NSDate.distantPast()
return {
let now = NSDate()
let delta = now.timeIntervalSinceDate(lastFire)
if delta > delay {
lastFire = now
action()
}
}
}
| mit | 01f289294f6e834d81c566e0ce20ccbb | 20.153846 | 132 | 0.550909 | 3.928571 | false | false | false | false |
jsslai/Action | Carthage/Checkouts/RxSwift/Tests/PerformanceTests/PerformanceTools.swift | 3 | 6066 | //
// PerformanceTools.swift
// RxTests
//
// Created by Krunoslav Zaher on 9/27/15.
// Copyright © 2015 Krunoslav Zaher. All rights reserved.
//
import Foundation
var mallocFunctions: [(@convention(c) (UnsafeMutablePointer<_malloc_zone_t>?, Int) -> UnsafeMutableRawPointer?)] = []
var allocCalls: Int64 = 0
var bytesAllocated: Int64 = 0
func call0(_ p: UnsafeMutablePointer<_malloc_zone_t>?, size: Int) -> UnsafeMutableRawPointer? {
OSAtomicIncrement64(&allocCalls)
OSAtomicAdd64(Int64(size), &bytesAllocated)
#if ALLOC_HOOK
allocation()
#endif
return mallocFunctions[0](p, size)
}
func call1(_ p: UnsafeMutablePointer<_malloc_zone_t>?, size: Int) -> UnsafeMutableRawPointer? {
OSAtomicIncrement64(&allocCalls)
OSAtomicAdd64(Int64(size), &bytesAllocated)
#if ALLOC_HOOK
allocation()
#endif
return mallocFunctions[1](p, size)
}
func call2(_ p: UnsafeMutablePointer<_malloc_zone_t>?, size: Int) -> UnsafeMutableRawPointer? {
OSAtomicIncrement64(&allocCalls)
OSAtomicAdd64(Int64(size), &bytesAllocated)
#if ALLOC_HOOK
allocation()
#endif
return mallocFunctions[2](p, size)
}
var proxies: [(@convention(c) (UnsafeMutablePointer<_malloc_zone_t>?, Int) -> UnsafeMutableRawPointer?)] = [call0, call1, call2]
func getMemoryInfo() -> (bytes: Int64, allocations: Int64) {
return (bytesAllocated, allocCalls)
}
var registeredMallocHooks = false
func registerMallocHooks() {
if registeredMallocHooks {
return
}
registeredMallocHooks = true
var _zones: UnsafeMutablePointer<vm_address_t>?
var count: UInt32 = 0
// malloc_zone_print(nil, 1)
let res = malloc_get_all_zones(mach_task_self_, nil, &_zones, &count)
assert(res == 0)
_zones?.withMemoryRebound(to: UnsafeMutablePointer<malloc_zone_t>.self, capacity: Int(count), { zones in
assert(Int(count) <= proxies.count)
for i in 0 ..< Int(count) {
let zoneArray = zones.advanced(by: i)
let name = malloc_get_zone_name(zoneArray.pointee)
var zone = zoneArray.pointee.pointee
//print(String.fromCString(name))
assert(name != nil)
mallocFunctions.append(zone.malloc)
zone.malloc = proxies[i]
let protectSize = vm_size_t(MemoryLayout<malloc_zone_t>.size) * vm_size_t(count)
if true {
zoneArray.withMemoryRebound(to: vm_address_t.self, capacity: Int(protectSize), { addressPointer in
let res = vm_protect(mach_task_self_, addressPointer.pointee, protectSize, 0, PROT_READ | PROT_WRITE)
assert(res == 0)
})
}
zoneArray.pointee.pointee = zone
if true {
let res = vm_protect(mach_task_self_, _zones!.pointee, protectSize, 0, PROT_READ)
assert(res == 0)
}
}
})
}
// MARK: Benchmark tools
let NumberOfIterations = 10000
class A {
let _0 = 0
let _1 = 0
let _2 = 0
let _3 = 0
let _4 = 0
let _5 = 0
let _6 = 0
}
class B {
var a = [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29]
}
let numberOfObjects = 1000000
let aliveAtTheEnd = numberOfObjects / 10
var objects: [AnyObject] = []
func fragmentMemory() {
objects = [AnyObject](repeating: A(), count: aliveAtTheEnd)
for _ in 0 ..< numberOfObjects {
objects[Int(arc4random_uniform(UInt32(aliveAtTheEnd)))] = arc4random_uniform(2) == 0 ? A() : B()
}
}
func approxValuePerIteration(_ total: Int) -> UInt64 {
return UInt64(round(Double(total) / Double(NumberOfIterations)))
}
func approxValuePerIteration(_ total: UInt64) -> UInt64 {
return UInt64(round(Double(total) / Double(NumberOfIterations)))
}
func measureTime(_ work: () -> ()) -> UInt64 {
var timebaseInfo: mach_timebase_info = mach_timebase_info()
let res = mach_timebase_info(&timebaseInfo)
assert(res == 0)
let start = mach_absolute_time()
for _ in 0 ..< NumberOfIterations {
work()
}
let timeInNano = (mach_absolute_time() - start) * UInt64(timebaseInfo.numer) / UInt64(timebaseInfo.denom)
return approxValuePerIteration(timeInNano) / 1000
}
func measureMemoryUsage(work: () -> ()) -> (bytesAllocated: UInt64, allocations: UInt64) {
let (bytes, allocations) = getMemoryInfo()
for _ in 0 ..< NumberOfIterations {
work()
}
let (bytesAfter, allocationsAfter) = getMemoryInfo()
return (approxValuePerIteration(bytesAfter - bytes), approxValuePerIteration(allocationsAfter - allocations))
}
var fragmentedMemory = false
func compareTwoImplementations(benchmarkTime: Bool, benchmarkMemory: Bool, first: () -> (), second: () -> ()) {
if !fragmentedMemory {
print("Fragmenting memory ...")
fragmentMemory()
print("Benchmarking ...")
fragmentedMemory = true
}
// first warm up to keep it fair
let time1: UInt64
let time2: UInt64
if benchmarkTime {
first()
second()
time1 = measureTime(first)
time2 = measureTime(second)
}
else {
time1 = 0
time2 = 0
}
let memory1: (bytesAllocated: UInt64, allocations: UInt64)
let memory2: (bytesAllocated: UInt64, allocations: UInt64)
if benchmarkMemory {
registerMallocHooks()
first()
second()
memory1 = measureMemoryUsage(work: first)
memory2 = measureMemoryUsage(work: second)
}
else {
memory1 = (0, 0)
memory2 = (0, 0)
}
// this is good enough
print(String(format: "#1 implementation %8d bytes %4d allocations %5d useconds", arguments: [
memory1.bytesAllocated,
memory1.allocations,
time1
]))
print(String(format: "#2 implementation %8d bytes %4d allocations %5d useconds", arguments: [
memory2.bytesAllocated,
memory2.allocations,
time2
]))
}
| mit | ea2ccd86719f98e755d2a72fd6a4f38e | 26.821101 | 128 | 0.622259 | 3.831333 | false | false | false | false |
AKIRA-MIYAKE/OpenWeatherMapper | OpenWeatherMapper/Requests/GetWeatherRequest.swift | 1 | 3343 | //
// GetCurrentWeatherRequest.swift
// OpenWeatherMapper
//
// Created by MiyakeAkira on 2015/10/26.
// Copyright © 2015年 Miyake Akira. All rights reserved.
//
import Foundation
import Result
import SwiftyJSON
public class GetWeatherRequest: Request {
// MARK: - Typealias
public typealias Entity = Weather
// MARK: - Variables
public private (set) var method: String = "GET"
public private (set) var path: String = "/data/2.5/weather"
public var parameters: [String: AnyObject]
// MARK: - Initialize
public init(cityName: String) {
self.parameters = ["q": cityName]
}
public init(cityName: String, countryCode: String) {
self.parameters = ["q": "\(cityName),\(countryCode)"]
}
public init(cityId: Int) {
self.parameters = ["id": cityId]
}
public init(_ coordinate: Coordinate) {
self.parameters = ["lat": coordinate.latitude, "lon": coordinate.longitude]
}
// MARK: - Method
public func parse(data: AnyObject) -> Entity? {
let json = JSON(data)
let date: NSDate?
if let dt = json["dt"].double {
date = NSDate(timeIntervalSince1970: dt)
} else {
date = nil
}
let coordinate: Coordinate?
if let lat = json["coord"]["lat"].double, let lon = json["coord"]["lon"].double {
coordinate = Coordinate(latitude: lat, longitude: lon)
} else {
coordinate = nil
}
let city: City?
if let id = json["id"].int,
let name = json["name"].string,
let country = json["sys"]["country"].string
{
city = City(id: id, name: name, country: country)
} else {
city = nil
}
let temperatureMax: Temperature?
if let tempMax = json["main"]["temp_max"].double {
temperatureMax = Temperature(tempMax, degree: .Kelvin)
} else {
temperatureMax = nil
}
let temperatureMin: Temperature?
if let tempMin = json["main"]["temp_max"].double {
temperatureMin = Temperature(tempMin, degree: .Kelvin)
} else {
temperatureMin = nil
}
let temperatures: Temperatures?
if let max = temperatureMax, let min = temperatureMin {
temperatures = Temperatures(maximum: max, minimum: min)
} else {
temperatures = nil
}
let conditon: Condition?
if let id = json["weather"][0]["id"].int,
let description = json["weather"][0]["description"].string {
conditon = Condition(id: id, description: description)
} else {
conditon = nil
}
let weather: Weather?
if let condition = conditon, let temperatures = temperatures, let city = city, let coordinate = coordinate, let date = date {
weather = Weather(condition: condition, temperatures: temperatures, city: city, coordinate: coordinate, date: date)
} else {
weather = nil
}
return weather
}
}
| mit | a67a4b66bce56013d7edb1e3f8c732d2 | 25.935484 | 133 | 0.531437 | 4.717514 | false | false | false | false |
kuznetsovVladislav/KVSpinnerView | SwiftExample/ViewController.swift | 1 | 3830 | //
// ViewController.swift
// Example Project
//
// Created by Владислав on 01.02.17.
// Copyright © 2017 Vladislav. All rights reserved.
//
import UIKit
class ViewController: UIViewController {
@IBOutlet weak var tableView: UITableView!
enum CellType {
case standart
case withStatus
case onView
case onViewWithStatus
case delayedDismiss
case imageProgress
}
var cells:[CellType] = [.standart, .withStatus,
.onView, .onViewWithStatus,
.delayedDismiss, .imageProgress]
let networkManager = NetworkManager()
override func viewDidLoad() {
super.viewDidLoad()
setupViewController()
addStopBarItem()
}
fileprivate func setupViewController() {
tableView.rowHeight = UITableViewAutomaticDimension
tableView.estimatedRowHeight = 60
KVSpinnerView.settings.animationStyle = .standart
}
fileprivate func addStopBarItem() {
let settingsItem = UIBarButtonItem(title: "Stop",
style: .plain,
target: self,
action: #selector(stopAction(sender:)))
navigationItem.rightBarButtonItem = settingsItem
}
fileprivate func downloadHugeImage() {
KVSpinnerView.showProgress(saying: "Image loading")
networkManager.progressHandler = { progress in
KVSpinnerView.handle(progress: progress)
}
networkManager.downloadCompletion = { image in
KVSpinnerView.dismiss()
}
networkManager.downloadImage()
}
func stopAction(sender: Any) {
KVSpinnerView.dismiss()
}
}
extension ViewController: UITableViewDataSource {
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: "CellID", for: indexPath) as! TableViewCell
switch cells[indexPath.row] {
case .standart:
cell.titleLabel.text = "Standart Animation with long text"
case .withStatus:
cell.titleLabel.text = "Standart Animation with status"
case .onView:
cell.titleLabel.text = "Standart Animation on view"
case .onViewWithStatus:
cell.titleLabel.text = "Standart Animation on view with status"
case .delayedDismiss:
cell.titleLabel.text = "Delayed Dismiss"
case .imageProgress:
cell.titleLabel.text = "Load huge image"
}
return cell
}
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return cells.count
}
func numberOfSections(in tableView: UITableView) -> Int {
return 1
}
}
extension ViewController: UITableViewDelegate {
func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
tableView.deselectRow(at: indexPath, animated: true)
switch cells[indexPath.row] {
case .standart:
KVSpinnerView.settings.animationStyle = .standart
KVSpinnerView.show()
case .withStatus:
KVSpinnerView.settings.animationStyle = .infinite
KVSpinnerView.show(saying: "Infinite Animation with extremely ultimate fantastic long text")
case .onView:
KVSpinnerView.show(on: self.view)
case .onViewWithStatus:
KVSpinnerView.show(on: self.view, saying: "Shown on view")
case .delayedDismiss:
KVSpinnerView.show()
KVSpinnerView.dismiss(after: 2.0)
case .imageProgress:
downloadHugeImage()
}
}
}
| mit | 8f7d6ad38c9459d87666080687565dea | 30.311475 | 108 | 0.61466 | 5.190217 | false | false | false | false |
IFTTT/RazzleDazzle | Source/HideAnimation.swift | 1 | 785 | //
// HideAnimation.swift
// RazzleDazzle
//
// Created by Laura Skelton on 6/27/15.
// Copyright © 2015 IFTTT. All rights reserved.
//
import UIKit
/**
Animates the `hidden` property of a `UIView`.
*/
public class HideAnimation : Animatable {
private let filmstrip = Filmstrip<Bool>()
private let view : UIView
public init(view: UIView, hideAt: CGFloat) {
self.view = view
filmstrip[hideAt] = false
filmstrip[hideAt + 0.00001] = true
}
public init(view: UIView, showAt: CGFloat) {
self.view = view
filmstrip[showAt] = true
filmstrip[showAt + 0.00001] = false
}
public func animate(_ time: CGFloat) {
if filmstrip.isEmpty {return}
view.isHidden = filmstrip[time]
}
}
| mit | 5333272312daf043f2a81b4413749f22 | 22.058824 | 48 | 0.61352 | 3.612903 | false | false | false | false |
teambox/RealmResultsController | Example/RealmResultsController-iOSTests/RealmObjectSpec.swift | 2 | 6125 | //
// RealmObjectSpec.swift
// RealmResultsController
//
// Created by Pol Quintana on 22/9/15.
// Copyright © 2015 Redbooth. All rights reserved.
//
import Foundation
import Quick
import Nimble
import RealmSwift
@testable import RealmResultsController
class NotificationListener2 {
static let sharedInstance = NotificationListener2()
var notificationReceived: Bool = false
@objc func notificationReceived(_ notification: Foundation.Notification) {
notificationReceived = true
}
}
class RealmObjectSpec: QuickSpec {
override func spec() {
var realm: Realm!
beforeSuite {
RealmTestHelper.loadRealm()
realm = try! Realm()
}
describe("notifyChange()") {
afterEach {
NotificationCenter.default.removeObserver(NotificationListener2.sharedInstance)
NotificationListener2.sharedInstance.notificationReceived = false
}
context("With valid realm") {
let id = 22222222222222
beforeEach {
let user = Task()
try! realm.write {
user.id = id
user.name = "old name"
realm.addNotified(user, update: true)
}
NotificationCenter.default.addObserver(NotificationListener2.sharedInstance,
selector: #selector(NotificationListener2.notificationReceived(_:)),
name: user.objectIdentifier().map { NSNotification.Name(rawValue: $0) },
object: nil)
try! realm.write {
user.name = "new name"
user.notifyChange() //Notifies that there's a change on the object
}
}
afterEach {
try! realm.write {
let tasks = realm.objects(Task.self).toArray().filter { $0.id == id }
realm.delete(tasks.first!)
}
}
it("Should have received a notification for the change") {
expect(NotificationListener2.sharedInstance.notificationReceived).to(beTruthy())
}
}
context("With invalid realm") {
beforeEach {
let user = Task()
NotificationCenter.default.addObserver(NotificationListener2.sharedInstance,
selector: #selector(NotificationListener2.notificationReceived(_:)),
name: user.objectIdentifier().map { NSNotification.Name(rawValue: $0) },
object: nil)
user.name = "new name"
user.notifyChange() //Notifies that there's a change on the object
}
it("Should NOT have received a notification for the change") {
expect(NotificationListener2.sharedInstance.notificationReceived).to(beFalsy())
}
}
}
describe("primaryKeyValue()") {
var value: Any?
context("if the object does not have primary key") {
beforeEach {
let dummy = Dummy()
value = dummy.primaryKeyValue()
}
it("should be nil") {
expect(value).to(beNil())
}
}
context("if the object have primary key") {
beforeEach {
let dummy = Task()
value = dummy.primaryKeyValue()
}
it("should be 0") {
expect(value as? Int) == 0
}
}
}
describe("hasSamePrimaryKeyValue(object:)") {
var value: Bool!
context("if both object don't have primary key") {
beforeEach {
let dummy1 = Dummy()
let dummy2 = Dummy()
value = dummy1.hasSamePrimaryKeyValue(as: dummy2)
}
it("should return false") {
expect(value).to(beFalsy())
}
}
context("if passed object does not have primary key") {
beforeEach {
let dummy1 = Task()
let dummy2 = Dummy()
value = dummy1.hasSamePrimaryKeyValue(as: dummy2)
}
it("should return false") {
expect(value).to(beFalsy())
}
}
context("if only the instance object does not have primary key") {
beforeEach {
let dummy1 = Dummy()
let dummy2 = Task()
value = dummy1.hasSamePrimaryKeyValue(as: dummy2)
}
it("should return false") {
expect(value).to(beFalsy())
}
}
context("if both objects have primary key") {
context("when the primary keys match") {
beforeEach {
let dummy1 = Task()
let dummy2 = Task()
value = dummy1.hasSamePrimaryKeyValue(as: dummy2)
}
it("should return true") {
expect(value).to(beTruthy())
}
}
context("when primary keys do not match") {
beforeEach {
let dummy1 = Task()
let dummy2 = Task()
dummy2.id = 2
value = dummy1.hasSamePrimaryKeyValue(as: dummy2)
}
it("should return false") {
expect(value).to(beFalsy())
}
}
}
}
}
}
| mit | 8c56e6858b95364b792af952f32635c9 | 36.570552 | 100 | 0.457871 | 5.916908 | false | false | false | false |
twostraws/HackingWithSwift | Classic/project6b/Project6b/ViewController.swift | 1 | 2195 | //
// ViewController.swift
// Project6b
//
// Created by TwoStraws on 15/08/2016.
// Copyright © 2016 Paul Hudson. All rights reserved.
//
import UIKit
class ViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
let label1 = UILabel()
label1.translatesAutoresizingMaskIntoConstraints = false
label1.backgroundColor = UIColor.red
label1.text = "THESE"
let label2 = UILabel()
label2.translatesAutoresizingMaskIntoConstraints = false
label2.backgroundColor = UIColor.cyan
label2.text = "ARE"
let label3 = UILabel()
label3.translatesAutoresizingMaskIntoConstraints = false
label3.backgroundColor = UIColor.yellow
label3.text = "SOME"
let label4 = UILabel()
label4.translatesAutoresizingMaskIntoConstraints = false
label4.backgroundColor = UIColor.green
label4.text = "AWESOME"
let label5 = UILabel()
label5.translatesAutoresizingMaskIntoConstraints = false
label5.backgroundColor = UIColor.orange
label5.text = "LABELS"
view.addSubview(label1)
view.addSubview(label2)
view.addSubview(label3)
view.addSubview(label4)
view.addSubview(label5)
// let viewsDictionary = ["label1": label1, "label2": label2, "label3": label3, "label4": label4, "label5": label5]
// for label in viewsDictionary.keys {
// view.addConstraints(NSLayoutConstraint.constraints(withVisualFormat: "H:|[\(label)]|", options: [], metrics: nil, views: viewsDictionary))
// }
// let metrics = ["labelHeight": 88]
// view.addConstraints(NSLayoutConstraint.constraints(withVisualFormat:"V:|[label1(labelHeight@999)]-[label2(label1)]-[label3(label1)]-[label4(label1)]-[label5(label1)]->=10-|", options: [], metrics: metrics, views: viewsDictionary))
var previous: UILabel?
for label in [label1, label2, label3, label4, label5] {
label.widthAnchor.constraint(equalTo: view.widthAnchor).isActive = true
label.heightAnchor.constraint(equalToConstant: 88).isActive = true
if let previous = previous {
label.topAnchor.constraint(equalTo: previous.bottomAnchor, constant: 10).isActive = true
}
previous = label
}
}
override var prefersStatusBarHidden: Bool {
return true
}
}
| unlicense | 20af489d0fd04a5482fe71c9de668c03 | 29.054795 | 234 | 0.728806 | 3.789292 | false | false | false | false |
SuPair/firefox-ios | StorageTests/TestSQLiteHistory.swift | 1 | 71540 | /* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
import Foundation
import Shared
@testable import Storage
import Deferred
import XCTest
class BaseHistoricalBrowserSchema: Schema {
var name: String { return "BROWSER" }
var version: Int { return -1 }
func update(_ db: SQLiteDBConnection, from: Int) -> Bool {
fatalError("Should never be called.")
}
func create(_ db: SQLiteDBConnection) -> Bool {
return false
}
func drop(_ db: SQLiteDBConnection) -> Bool {
return false
}
var supportsPartialIndices: Bool {
let v = sqlite3_libversion_number()
return v >= 3008000 // 3.8.0.
}
let oldFaviconsSQL = """
CREATE TABLE IF NOT EXISTS favicons (
id INTEGER PRIMARY KEY AUTOINCREMENT,
url TEXT NOT NULL UNIQUE,
width INTEGER,
height INTEGER,
type INTEGER NOT NULL,
date REAL NOT NULL
)
"""
func run(_ db: SQLiteDBConnection, sql: String?, args: Args? = nil) -> Bool {
if let sql = sql {
do {
try db.executeChange(sql, withArgs: args)
} catch {
return false
}
}
return true
}
func run(_ db: SQLiteDBConnection, queries: [String?]) -> Bool {
for sql in queries {
if let sql = sql {
if !run(db, sql: sql) {
return false
}
}
}
return true
}
func run(_ db: SQLiteDBConnection, queries: [String]) -> Bool {
for sql in queries {
if !run(db, sql: sql) {
return false
}
}
return true
}
}
// Versions of BrowserSchema that we care about:
// v6, prior to 001c73ea1903c238be1340950770879b40c41732, July 2015.
// This is when we first started caring about database versions.
//
// v7, 81e22fa6f7446e27526a5a9e8f4623df159936c3. History tiles.
//
// v8, 02c08ddc6d805d853bbe053884725dc971ef37d7. Favicons.
//
// v10, 4428c7d181ff4779ab1efb39e857e41bdbf4de67. Mirroring. We skipped v9.
//
// These tests snapshot the table creation code at each of these points.
class BrowserSchemaV6: BaseHistoricalBrowserSchema {
override var version: Int { return 6 }
func prepopulateRootFolders(_ db: SQLiteDBConnection) -> Bool {
let type = BookmarkNodeType.folder.rawValue
let root = BookmarkRoots.RootID
let titleMobile = NSLocalizedString("Mobile Bookmarks", tableName: "Storage", comment: "The title of the folder that contains mobile bookmarks. This should match bookmarks.folder.mobile.label on Android.")
let titleMenu = NSLocalizedString("Bookmarks Menu", tableName: "Storage", comment: "The name of the folder that contains desktop bookmarks in the menu. This should match bookmarks.folder.menu.label on Android.")
let titleToolbar = NSLocalizedString("Bookmarks Toolbar", tableName: "Storage", comment: "The name of the folder that contains desktop bookmarks in the toolbar. This should match bookmarks.folder.toolbar.label on Android.")
let titleUnsorted = NSLocalizedString("Unsorted Bookmarks", tableName: "Storage", comment: "The name of the folder that contains unsorted desktop bookmarks. This should match bookmarks.folder.unfiled.label on Android.")
let args: Args = [
root, BookmarkRoots.RootGUID, type, "Root", root,
BookmarkRoots.MobileID, BookmarkRoots.MobileFolderGUID, type, titleMobile, root,
BookmarkRoots.MenuID, BookmarkRoots.MenuFolderGUID, type, titleMenu, root,
BookmarkRoots.ToolbarID, BookmarkRoots.ToolbarFolderGUID, type, titleToolbar, root,
BookmarkRoots.UnfiledID, BookmarkRoots.UnfiledFolderGUID, type, titleUnsorted, root,
]
let sql = """
INSERT INTO bookmarks
(id, guid, type, url, title, parent)
VALUES
-- Root
(?, ?, ?, NULL, ?, ?),
-- Mobile
(?, ?, ?, NULL, ?, ?),
-- Menu
(?, ?, ?, NULL, ?, ?),
-- Toolbar
(?, ?, ?, NULL, ?, ?),
-- Unsorted
(?, ?, ?, NULL, ?, ?)
"""
return self.run(db, sql: sql, args: args)
}
func CreateHistoryTable() -> String {
let sql = """
CREATE TABLE IF NOT EXISTS history (
id INTEGER PRIMARY KEY AUTOINCREMENT,
-- Not null, but the value might be replaced by the server's.
guid TEXT NOT NULL UNIQUE,
-- May only be null for deleted records.
url TEXT UNIQUE,
title TEXT NOT NULL,
-- Can be null. Integer milliseconds.
server_modified INTEGER,
-- Can be null. Client clock. In extremis only.
local_modified INTEGER,
-- Boolean. Locally deleted.
is_deleted TINYINT NOT NULL,
-- Boolean. Set when changed or visits added.
should_upload TINYINT NOT NULL,
domain_id INTEGER REFERENCES domains(id) ON DELETE CASCADE,
CONSTRAINT urlOrDeleted CHECK (url IS NOT NULL OR is_deleted = 1)
)
"""
return sql
}
func CreateDomainsTable() -> String {
let sql = """
CREATE TABLE IF NOT EXISTS domains (
id INTEGER PRIMARY KEY AUTOINCREMENT,
domain TEXT NOT NULL UNIQUE,
showOnTopSites TINYINT NOT NULL DEFAULT 1
)
"""
return sql
}
func CreateQueueTable() -> String {
let sql = """
CREATE TABLE IF NOT EXISTS queue (
url TEXT NOT NULL UNIQUE,
title TEXT
)
"""
return sql
}
override func create(_ db: SQLiteDBConnection) -> Bool {
let visits = """
CREATE TABLE IF NOT EXISTS visits (
id INTEGER PRIMARY KEY AUTOINCREMENT,
siteID INTEGER NOT NULL REFERENCES history(id) ON DELETE CASCADE,
-- Microseconds since epoch.
date REAL NOT NULL,
type INTEGER NOT NULL,
-- Some visits are local. Some are remote ('mirrored'). This boolean flag is the split.
is_local TINYINT NOT NULL,
UNIQUE (siteID, date, type)
)
"""
let indexShouldUpload: String
if self.supportsPartialIndices {
// There's no point tracking rows that are not flagged for upload.
indexShouldUpload =
"CREATE INDEX IF NOT EXISTS idx_history_should_upload ON history (should_upload) WHERE should_upload = 1"
} else {
indexShouldUpload =
"CREATE INDEX IF NOT EXISTS idx_history_should_upload ON history (should_upload)"
}
let indexSiteIDDate =
"CREATE INDEX IF NOT EXISTS idx_visits_siteID_is_local_date ON visits (siteID, is_local, date)"
let faviconSites = """
CREATE TABLE IF NOT EXISTS favicon_sites (
id INTEGER PRIMARY KEY AUTOINCREMENT,
siteID INTEGER NOT NULL REFERENCES history(id) ON DELETE CASCADE,
faviconID INTEGER NOT NULL REFERENCES favicons(id) ON DELETE CASCADE,
UNIQUE (siteID, faviconID)
)
"""
let widestFavicons = """
CREATE VIEW IF NOT EXISTS view_favicons_widest AS
SELECT
favicon_sites.siteID AS siteID,
favicons.id AS iconID,
favicons.url AS iconURL,
favicons.date AS iconDate,
favicons.type AS iconType,
max(favicons.width) AS iconWidth
FROM favicon_sites, favicons
WHERE favicon_sites.faviconID = favicons.id
GROUP BY siteID
"""
let historyIDsWithIcon = """
CREATE VIEW IF NOT EXISTS view_history_id_favicon AS
SELECT history.id AS id, iconID, iconURL, iconDate, iconType, iconWidth
FROM history LEFT OUTER JOIN view_favicons_widest ON
history.id = view_favicons_widest.siteID
"""
let iconForURL = """
CREATE VIEW IF NOT EXISTS view_icon_for_url AS
SELECT history.url AS url, icons.iconID AS iconID
FROM history, view_favicons_widest AS icons
WHERE history.id = icons.siteID
"""
let bookmarks = """
CREATE TABLE IF NOT EXISTS bookmarks (
id INTEGER PRIMARY KEY AUTOINCREMENT,
guid TEXT NOT NULL UNIQUE,
type TINYINT NOT NULL,
url TEXT,
parent INTEGER REFERENCES bookmarks(id) NOT NULL,
faviconID INTEGER REFERENCES favicons(id) ON DELETE SET NULL,
title TEXT
)
"""
let queries = [
// This used to be done by FaviconsTable.
self.oldFaviconsSQL,
CreateDomainsTable(),
CreateHistoryTable(),
visits, bookmarks, faviconSites,
indexShouldUpload, indexSiteIDDate,
widestFavicons, historyIDsWithIcon, iconForURL,
CreateQueueTable(),
]
return self.run(db, queries: queries) &&
self.prepopulateRootFolders(db)
}
}
class BrowserSchemaV7: BaseHistoricalBrowserSchema {
override var version: Int { return 7 }
func prepopulateRootFolders(_ db: SQLiteDBConnection) -> Bool {
let type = BookmarkNodeType.folder.rawValue
let root = BookmarkRoots.RootID
let titleMobile = NSLocalizedString("Mobile Bookmarks", tableName: "Storage", comment: "The title of the folder that contains mobile bookmarks. This should match bookmarks.folder.mobile.label on Android.")
let titleMenu = NSLocalizedString("Bookmarks Menu", tableName: "Storage", comment: "The name of the folder that contains desktop bookmarks in the menu. This should match bookmarks.folder.menu.label on Android.")
let titleToolbar = NSLocalizedString("Bookmarks Toolbar", tableName: "Storage", comment: "The name of the folder that contains desktop bookmarks in the toolbar. This should match bookmarks.folder.toolbar.label on Android.")
let titleUnsorted = NSLocalizedString("Unsorted Bookmarks", tableName: "Storage", comment: "The name of the folder that contains unsorted desktop bookmarks. This should match bookmarks.folder.unfiled.label on Android.")
let args: Args = [
root, BookmarkRoots.RootGUID, type, "Root", root,
BookmarkRoots.MobileID, BookmarkRoots.MobileFolderGUID, type, titleMobile, root,
BookmarkRoots.MenuID, BookmarkRoots.MenuFolderGUID, type, titleMenu, root,
BookmarkRoots.ToolbarID, BookmarkRoots.ToolbarFolderGUID, type, titleToolbar, root,
BookmarkRoots.UnfiledID, BookmarkRoots.UnfiledFolderGUID, type, titleUnsorted, root,
]
let sql = """
INSERT INTO bookmarks
(id, guid, type, url, title, parent)
VALUES
-- Root
(?, ?, ?, NULL, ?, ?),
-- Mobile
(?, ?, ?, NULL, ?, ?),
-- Menu
(?, ?, ?, NULL, ?, ?),
-- Toolbar
(?, ?, ?, NULL, ?, ?),
-- Unsorted
(?, ?, ?, NULL, ?, ?)
"""
return self.run(db, sql: sql, args: args)
}
func getHistoryTableCreationString() -> String {
let sql = """
CREATE TABLE IF NOT EXISTS history (
id INTEGER PRIMARY KEY AUTOINCREMENT,
-- Not null, but the value might be replaced by the server's.
guid TEXT NOT NULL UNIQUE,
-- May only be null for deleted records.
url TEXT UNIQUE,
title TEXT NOT NULL,
-- Can be null. Integer milliseconds.
server_modified INTEGER,
-- Can be null. Client clock. In extremis only.
local_modified INTEGER,
-- Boolean. Locally deleted.
is_deleted TINYINT NOT NULL,
-- Boolean. Set when changed or visits added.
should_upload TINYINT NOT NULL,
domain_id INTEGER REFERENCES domains(id) ON DELETE CASCADE,
CONSTRAINT urlOrDeleted CHECK (url IS NOT NULL OR is_deleted = 1)
)
"""
return sql
}
func getDomainsTableCreationString() -> String {
let sql = """
CREATE TABLE IF NOT EXISTS domains (
id INTEGER PRIMARY KEY AUTOINCREMENT,
domain TEXT NOT NULL UNIQUE,
showOnTopSites TINYINT NOT NULL DEFAULT 1
)
"""
return sql
}
func getQueueTableCreationString() -> String {
let sql = """
CREATE TABLE IF NOT EXISTS queue (
url TEXT NOT NULL UNIQUE,
title TEXT
)
"""
return sql
}
override func create(_ db: SQLiteDBConnection) -> Bool {
// Right now we don't need to track per-visit deletions: Sync can't
// represent them! See Bug 1157553 Comment 6.
// We flip the should_upload flag on the history item when we add a visit.
// If we ever want to support logic like not bothering to sync if we added
// and then rapidly removed a visit, then we need an 'is_new' flag on each visit.
let visits = """
CREATE TABLE IF NOT EXISTS visits (
id INTEGER PRIMARY KEY AUTOINCREMENT,
siteID INTEGER NOT NULL REFERENCES history(id) ON DELETE CASCADE,
-- Microseconds since epoch.
date REAL NOT NULL,
type INTEGER NOT NULL,
-- Some visits are local. Some are remote ('mirrored'). This boolean flag is the split.
is_local TINYINT NOT NULL,
UNIQUE (siteID, date, type)
)
"""
let indexShouldUpload: String
if self.supportsPartialIndices {
// There's no point tracking rows that are not flagged for upload.
indexShouldUpload =
"CREATE INDEX IF NOT EXISTS idx_history_should_upload ON history (should_upload) WHERE should_upload = 1"
} else {
indexShouldUpload =
"CREATE INDEX IF NOT EXISTS idx_history_should_upload ON history (should_upload)"
}
let indexSiteIDDate =
"CREATE INDEX IF NOT EXISTS idx_visits_siteID_is_local_date ON visits (siteID, is_local, date)"
let faviconSites = """
CREATE TABLE IF NOT EXISTS favicon_sites (
id INTEGER PRIMARY KEY AUTOINCREMENT,
siteID INTEGER NOT NULL REFERENCES history(id) ON DELETE CASCADE,
faviconID INTEGER NOT NULL REFERENCES favicons(id) ON DELETE CASCADE,
UNIQUE (siteID, faviconID)
)
"""
let widestFavicons = """
CREATE VIEW IF NOT EXISTS view_favicons_widest AS
SELECT
favicon_sites.siteID AS siteID,
favicons.id AS iconID,
favicons.url AS iconURL,
favicons.date AS iconDate,
favicons.type AS iconType,
max(favicons.width) AS iconWidth
FROM favicon_sites, favicons
WHERE favicon_sites.faviconID = favicons.id
GROUP BY siteID
"""
let historyIDsWithIcon = """
CREATE VIEW IF NOT EXISTS view_history_id_favicon AS
SELECT history.id AS id, iconID, iconURL, iconDate, iconType, iconWidth
FROM history LEFT OUTER JOIN view_favicons_widest ON
history.id = view_favicons_widest.siteID
"""
let iconForURL = """
CREATE VIEW IF NOT EXISTS view_icon_for_url AS
SELECT history.url AS url, icons.iconID AS iconID
FROM history, view_favicons_widest AS icons
WHERE history.id = icons.siteID
"""
let bookmarks = """
CREATE TABLE IF NOT EXISTS bookmarks (
id INTEGER PRIMARY KEY AUTOINCREMENT,
guid TEXT NOT NULL UNIQUE,
type TINYINT NOT NULL,
url TEXT,
parent INTEGER REFERENCES bookmarks(id) NOT NULL,
faviconID INTEGER REFERENCES favicons(id) ON DELETE SET NULL,
title TEXT
)
"""
let queries = [
// This used to be done by FaviconsTable.
self.oldFaviconsSQL,
getDomainsTableCreationString(),
getHistoryTableCreationString(),
visits, bookmarks, faviconSites,
indexShouldUpload, indexSiteIDDate,
widestFavicons, historyIDsWithIcon, iconForURL,
getQueueTableCreationString(),
]
return self.run(db, queries: queries) &&
self.prepopulateRootFolders(db)
}
}
class BrowserSchemaV8: BaseHistoricalBrowserSchema {
override var version: Int { return 8 }
func prepopulateRootFolders(_ db: SQLiteDBConnection) -> Bool {
let type = BookmarkNodeType.folder.rawValue
let root = BookmarkRoots.RootID
let titleMobile = NSLocalizedString("Mobile Bookmarks", tableName: "Storage", comment: "The title of the folder that contains mobile bookmarks. This should match bookmarks.folder.mobile.label on Android.")
let titleMenu = NSLocalizedString("Bookmarks Menu", tableName: "Storage", comment: "The name of the folder that contains desktop bookmarks in the menu. This should match bookmarks.folder.menu.label on Android.")
let titleToolbar = NSLocalizedString("Bookmarks Toolbar", tableName: "Storage", comment: "The name of the folder that contains desktop bookmarks in the toolbar. This should match bookmarks.folder.toolbar.label on Android.")
let titleUnsorted = NSLocalizedString("Unsorted Bookmarks", tableName: "Storage", comment: "The name of the folder that contains unsorted desktop bookmarks. This should match bookmarks.folder.unfiled.label on Android.")
let args: Args = [
root, BookmarkRoots.RootGUID, type, "Root", root,
BookmarkRoots.MobileID, BookmarkRoots.MobileFolderGUID, type, titleMobile, root,
BookmarkRoots.MenuID, BookmarkRoots.MenuFolderGUID, type, titleMenu, root,
BookmarkRoots.ToolbarID, BookmarkRoots.ToolbarFolderGUID, type, titleToolbar, root,
BookmarkRoots.UnfiledID, BookmarkRoots.UnfiledFolderGUID, type, titleUnsorted, root,
]
let sql = """
INSERT INTO bookmarks
(id, guid, type, url, title, parent)
VALUES
-- Root
(?, ?, ?, NULL, ?, ?),
-- Mobile
(?, ?, ?, NULL, ?, ?),
-- Menu
(?, ?, ?, NULL, ?, ?),
-- Toolbar
(?, ?, ?, NULL, ?, ?),
-- Unsorted
(?, ?, ?, NULL, ?, ?)
"""
return self.run(db, sql: sql, args: args)
}
func getHistoryTableCreationString() -> String {
let sql = """
CREATE TABLE IF NOT EXISTS history (
id INTEGER PRIMARY KEY AUTOINCREMENT,
-- Not null, but the value might be replaced by the server's.
guid TEXT NOT NULL UNIQUE,
-- May only be null for deleted records.
url TEXT UNIQUE,
title TEXT NOT NULL,
-- Can be null. Integer milliseconds.
server_modified INTEGER,
-- Can be null. Client clock. In extremis only.
local_modified INTEGER,
-- Boolean. Locally deleted.
is_deleted TINYINT NOT NULL,
-- Boolean. Set when changed or visits added.
should_upload TINYINT NOT NULL,
domain_id INTEGER REFERENCES domains(id) ON DELETE CASCADE,
CONSTRAINT urlOrDeleted CHECK (url IS NOT NULL OR is_deleted = 1)
)
"""
return sql
}
func getDomainsTableCreationString() -> String {
let sql = """
CREATE TABLE IF NOT EXISTS domains (
id INTEGER PRIMARY KEY AUTOINCREMENT,
domain TEXT NOT NULL UNIQUE,
showOnTopSites TINYINT NOT NULL DEFAULT 1
)
"""
return sql
}
func getQueueTableCreationString() -> String {
let sql = """
CREATE TABLE IF NOT EXISTS queue (
url TEXT NOT NULL UNIQUE,
title TEXT
)
"""
return sql
}
override func create(_ db: SQLiteDBConnection) -> Bool {
let favicons = """
CREATE TABLE IF NOT EXISTS favicons (
id INTEGER PRIMARY KEY AUTOINCREMENT,
url TEXT NOT NULL UNIQUE,
width INTEGER,
height INTEGER,
type INTEGER NOT NULL,
date REAL NOT NULL
)
"""
// Right now we don't need to track per-visit deletions: Sync can't
// represent them! See Bug 1157553 Comment 6.
// We flip the should_upload flag on the history item when we add a visit.
// If we ever want to support logic like not bothering to sync if we added
// and then rapidly removed a visit, then we need an 'is_new' flag on each visit.
let visits = """
CREATE TABLE IF NOT EXISTS visits (
id INTEGER PRIMARY KEY AUTOINCREMENT,
siteID INTEGER NOT NULL REFERENCES history(id) ON DELETE CASCADE,
-- Microseconds since epoch.
date REAL NOT NULL,
type INTEGER NOT NULL,
-- Some visits are local. Some are remote ('mirrored'). This boolean flag is the split.
is_local TINYINT NOT NULL,
UNIQUE (siteID, date, type)
)
"""
let indexShouldUpload: String
if self.supportsPartialIndices {
// There's no point tracking rows that are not flagged for upload.
indexShouldUpload =
"CREATE INDEX IF NOT EXISTS idx_history_should_upload ON history (should_upload) WHERE should_upload = 1"
} else {
indexShouldUpload =
"CREATE INDEX IF NOT EXISTS idx_history_should_upload ON history (should_upload)"
}
let indexSiteIDDate =
"CREATE INDEX IF NOT EXISTS idx_visits_siteID_is_local_date ON visits (siteID, is_local, date)"
let faviconSites = """
CREATE TABLE IF NOT EXISTS favicon_sites (
id INTEGER PRIMARY KEY AUTOINCREMENT,
siteID INTEGER NOT NULL REFERENCES history(id) ON DELETE CASCADE,
faviconID INTEGER NOT NULL REFERENCES favicons(id) ON DELETE CASCADE,
UNIQUE (siteID, faviconID)
)
"""
let widestFavicons = """
CREATE VIEW IF NOT EXISTS view_favicons_widest AS
SELECT
favicon_sites.siteID AS siteID,
favicons.id AS iconID,
favicons.url AS iconURL,
favicons.date AS iconDate,
favicons.type AS iconType,
max(favicons.width) AS iconWidth
FROM favicon_sites, favicons
WHERE favicon_sites.faviconID = favicons.id
GROUP BY siteID
"""
let historyIDsWithIcon = """
CREATE VIEW IF NOT EXISTS view_history_id_favicon AS
SELECT history.id AS id, iconID, iconURL, iconDate, iconType, iconWidth
FROM history LEFT OUTER JOIN view_favicons_widest ON
history.id = view_favicons_widest.siteID
"""
let iconForURL = """
CREATE VIEW IF NOT EXISTS view_icon_for_url AS
SELECT history.url AS url, icons.iconID AS iconID
FROM history, view_favicons_widest AS icons
WHERE history.id = icons.siteID
"""
let bookmarks = """
CREATE TABLE IF NOT EXISTS bookmarks (
id INTEGER PRIMARY KEY AUTOINCREMENT,
guid TEXT NOT NULL UNIQUE,
type TINYINT NOT NULL,
url TEXT,
parent INTEGER REFERENCES bookmarks(id) NOT NULL,
faviconID INTEGER REFERENCES favicons(id) ON DELETE SET NULL,
title TEXT
)
"""
let queries: [String] = [
getDomainsTableCreationString(),
getHistoryTableCreationString(),
favicons,
visits,
bookmarks,
faviconSites,
indexShouldUpload,
indexSiteIDDate,
widestFavicons,
historyIDsWithIcon,
iconForURL,
getQueueTableCreationString(),
]
return self.run(db, queries: queries) &&
self.prepopulateRootFolders(db)
}
}
class BrowserSchemaV10: BaseHistoricalBrowserSchema {
override var version: Int { return 10 }
func prepopulateRootFolders(_ db: SQLiteDBConnection) -> Bool {
let type = BookmarkNodeType.folder.rawValue
let root = BookmarkRoots.RootID
let titleMobile = NSLocalizedString("Mobile Bookmarks", tableName: "Storage", comment: "The title of the folder that contains mobile bookmarks. This should match bookmarks.folder.mobile.label on Android.")
let titleMenu = NSLocalizedString("Bookmarks Menu", tableName: "Storage", comment: "The name of the folder that contains desktop bookmarks in the menu. This should match bookmarks.folder.menu.label on Android.")
let titleToolbar = NSLocalizedString("Bookmarks Toolbar", tableName: "Storage", comment: "The name of the folder that contains desktop bookmarks in the toolbar. This should match bookmarks.folder.toolbar.label on Android.")
let titleUnsorted = NSLocalizedString("Unsorted Bookmarks", tableName: "Storage", comment: "The name of the folder that contains unsorted desktop bookmarks. This should match bookmarks.folder.unfiled.label on Android.")
let args: Args = [
root, BookmarkRoots.RootGUID, type, "Root", root,
BookmarkRoots.MobileID, BookmarkRoots.MobileFolderGUID, type, titleMobile, root,
BookmarkRoots.MenuID, BookmarkRoots.MenuFolderGUID, type, titleMenu, root,
BookmarkRoots.ToolbarID, BookmarkRoots.ToolbarFolderGUID, type, titleToolbar, root,
BookmarkRoots.UnfiledID, BookmarkRoots.UnfiledFolderGUID, type, titleUnsorted, root,
]
let sql = """
INSERT INTO bookmarks
(id, guid, type, url, title, parent)
VALUES
-- Root
(?, ?, ?, NULL, ?, ?),
-- Mobile
(?, ?, ?, NULL, ?, ?),
-- Menu
(?, ?, ?, NULL, ?, ?),
-- Toolbar
(?, ?, ?, NULL, ?, ?),
-- Unsorted
(?, ?, ?, NULL, ?, ?)
"""
return self.run(db, sql: sql, args: args)
}
func getHistoryTableCreationString(forVersion version: Int = BrowserSchema.DefaultVersion) -> String {
let sql = """
CREATE TABLE IF NOT EXISTS history (
id INTEGER PRIMARY KEY AUTOINCREMENT,
-- Not null, but the value might be replaced by the server's.
guid TEXT NOT NULL UNIQUE,
-- May only be null for deleted records.
url TEXT UNIQUE,
title TEXT NOT NULL,
-- Can be null. Integer milliseconds.
server_modified INTEGER,
-- Can be null. Client clock. In extremis only.
local_modified INTEGER,
-- Boolean. Locally deleted.
is_deleted TINYINT NOT NULL,
-- Boolean. Set when changed or visits added.
should_upload TINYINT NOT NULL,
domain_id INTEGER REFERENCES domains(id) ON DELETE CASCADE,
CONSTRAINT urlOrDeleted CHECK (url IS NOT NULL OR is_deleted = 1)
)
"""
return sql
}
func getDomainsTableCreationString() -> String {
let sql = """
CREATE TABLE IF NOT EXISTS domains (
id INTEGER PRIMARY KEY AUTOINCREMENT,
domain TEXT NOT NULL UNIQUE,
showOnTopSites TINYINT NOT NULL DEFAULT 1
)
"""
return sql
}
func getQueueTableCreationString() -> String {
let sql = """
CREATE TABLE IF NOT EXISTS queue (
url TEXT NOT NULL UNIQUE,
title TEXT
)
"""
return sql
}
func getBookmarksMirrorTableCreationString() -> String {
// The stupid absence of naming conventions here is thanks to pre-Sync Weave. Sorry.
// For now we have the simplest possible schema: everything in one.
let sql = """
CREATE TABLE IF NOT EXISTS bookmarksMirror
-- Shared fields.
( id INTEGER PRIMARY KEY AUTOINCREMENT
, guid TEXT NOT NULL UNIQUE
-- Type enum. TODO: BookmarkNodeType needs to be extended.
, type TINYINT NOT NULL
-- Record/envelope metadata that'll allow us to do merges.
-- Milliseconds.
, server_modified INTEGER NOT NULL
-- Boolean
, is_deleted TINYINT NOT NULL DEFAULT 0
-- Boolean, 0 (false) if deleted.
, hasDupe TINYINT NOT NULL DEFAULT 0
-- GUID
, parentid TEXT
, parentName TEXT
-- Type-specific fields. These should be NOT NULL in many cases, but we're going
-- for a sparse schema, so this'll do for now. Enforce these in the application code.
-- LIVEMARKS
, feedUri TEXT, siteUri TEXT
-- SEPARATORS
, pos INT
-- FOLDERS, BOOKMARKS, QUERIES
, title TEXT, description TEXT
-- BOOKMARKS, QUERIES
, bmkUri TEXT, tags TEXT, keyword TEXT
-- QUERIES
, folderName TEXT, queryId TEXT
, CONSTRAINT parentidOrDeleted CHECK (parentid IS NOT NULL OR is_deleted = 1)
, CONSTRAINT parentNameOrDeleted CHECK (parentName IS NOT NULL OR is_deleted = 1)
)
"""
return sql
}
/**
* We need to explicitly store what's provided by the server, because we can't rely on
* referenced child nodes to exist yet!
*/
func getBookmarksMirrorStructureTableCreationString() -> String {
let sql = """
CREATE TABLE IF NOT EXISTS bookmarksMirrorStructure (
parent TEXT NOT NULL REFERENCES bookmarksMirror(guid) ON DELETE CASCADE,
-- Should be the GUID of a child.
child TEXT NOT NULL,
-- Should advance from 0.
idx INTEGER NOT NULL
)
"""
return sql
}
override func create(_ db: SQLiteDBConnection) -> Bool {
let favicons = """
CREATE TABLE IF NOT EXISTS favicons (
id INTEGER PRIMARY KEY AUTOINCREMENT,
url TEXT NOT NULL UNIQUE,
width INTEGER,
height INTEGER,
type INTEGER NOT NULL,
date REAL NOT NULL
)
"""
// Right now we don't need to track per-visit deletions: Sync can't
// represent them! See Bug 1157553 Comment 6.
// We flip the should_upload flag on the history item when we add a visit.
// If we ever want to support logic like not bothering to sync if we added
// and then rapidly removed a visit, then we need an 'is_new' flag on each visit.
let visits = """
CREATE TABLE IF NOT EXISTS visits (
id INTEGER PRIMARY KEY AUTOINCREMENT,
siteID INTEGER NOT NULL REFERENCES history(id) ON DELETE CASCADE,
-- Microseconds since epoch.
date REAL NOT NULL,
type INTEGER NOT NULL,
-- Some visits are local. Some are remote ('mirrored'). This boolean flag is the split.
is_local TINYINT NOT NULL,
UNIQUE (siteID, date, type)
)
"""
let indexShouldUpload: String
if self.supportsPartialIndices {
// There's no point tracking rows that are not flagged for upload.
indexShouldUpload =
"CREATE INDEX IF NOT EXISTS idx_history_should_upload ON history (should_upload) WHERE should_upload = 1"
} else {
indexShouldUpload =
"CREATE INDEX IF NOT EXISTS idx_history_should_upload ON history (should_upload)"
}
let indexSiteIDDate =
"CREATE INDEX IF NOT EXISTS idx_visits_siteID_is_local_date ON visits (siteID, is_local, date)"
let faviconSites = """
CREATE TABLE IF NOT EXISTS favicon_sites (
id INTEGER PRIMARY KEY AUTOINCREMENT,
siteID INTEGER NOT NULL REFERENCES history(id) ON DELETE CASCADE,
faviconID INTEGER NOT NULL REFERENCES favicons(id) ON DELETE CASCADE,
UNIQUE (siteID, faviconID)
)
"""
let widestFavicons = """
CREATE VIEW IF NOT EXISTS view_favicons_widest AS
SELECT
favicon_sites.siteID AS siteID,
favicons.id AS iconID,
favicons.url AS iconURL,
favicons.date AS iconDate,
favicons.type AS iconType,
max(favicons.width) AS iconWidth
FROM favicon_sites, favicons
WHERE favicon_sites.faviconID = favicons.id
GROUP BY siteID
"""
let historyIDsWithIcon = """
CREATE VIEW IF NOT EXISTS view_history_id_favicon AS
SELECT history.id AS id, iconID, iconURL, iconDate, iconType, iconWidth
FROM history LEFT OUTER JOIN view_favicons_widest ON
history.id = view_favicons_widest.siteID
"""
let iconForURL = """
CREATE VIEW IF NOT EXISTS view_icon_for_url AS
SELECT history.url AS url, icons.iconID AS iconID
FROM history, view_favicons_widest AS icons
WHERE history.id = icons.siteID
"""
let bookmarks = """
CREATE TABLE IF NOT EXISTS bookmarks (
id INTEGER PRIMARY KEY AUTOINCREMENT,
guid TEXT NOT NULL UNIQUE,
type TINYINT NOT NULL,
url TEXT,
parent INTEGER REFERENCES bookmarks(id) NOT NULL,
faviconID INTEGER REFERENCES favicons(id) ON DELETE SET NULL,
title TEXT
)
"""
let bookmarksMirror = getBookmarksMirrorTableCreationString()
let bookmarksMirrorStructure = getBookmarksMirrorStructureTableCreationString()
let indexStructureParentIdx =
"CREATE INDEX IF NOT EXISTS idx_bookmarksMirrorStructure_parent_idx ON bookmarksMirrorStructure (parent, idx)"
let queries: [String] = [
getDomainsTableCreationString(),
getHistoryTableCreationString(),
favicons,
visits,
bookmarks,
bookmarksMirror,
bookmarksMirrorStructure,
indexStructureParentIdx,
faviconSites,
indexShouldUpload,
indexSiteIDDate,
widestFavicons,
historyIDsWithIcon,
iconForURL,
getQueueTableCreationString(),
]
return self.run(db, queries: queries) &&
self.prepopulateRootFolders(db)
}
}
class TestSQLiteHistory: XCTestCase {
let files = MockFiles()
fileprivate func deleteDatabases() {
for v in ["6", "7", "8", "10", "6-data"] {
do {
try files.remove("browser-v\(v).db")
} catch {}
}
do {
try files.remove("browser.db")
try files.remove("historysynced.db")
} catch {}
}
override func tearDown() {
super.tearDown()
self.deleteDatabases()
}
override func setUp() {
super.setUp()
// Just in case tearDown didn't run or succeed last time!
self.deleteDatabases()
}
// Test that our visit partitioning for frecency is correct.
func testHistoryLocalAndRemoteVisits() {
let db = BrowserDB(filename: "browser.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
let history = SQLiteHistory(db: db, prefs: prefs)
let siteL = Site(url: "http://url1/", title: "title local only")
let siteR = Site(url: "http://url2/", title: "title remote only")
let siteB = Site(url: "http://url3/", title: "title local and remote")
siteL.guid = "locallocal12"
siteR.guid = "remoteremote"
siteB.guid = "bothbothboth"
let siteVisitL1 = SiteVisit(site: siteL, date: baseInstantInMicros + 1000, type: VisitType.link)
let siteVisitL2 = SiteVisit(site: siteL, date: baseInstantInMicros + 2000, type: VisitType.link)
let siteVisitR1 = SiteVisit(site: siteR, date: baseInstantInMicros + 1000, type: VisitType.link)
let siteVisitR2 = SiteVisit(site: siteR, date: baseInstantInMicros + 2000, type: VisitType.link)
let siteVisitR3 = SiteVisit(site: siteR, date: baseInstantInMicros + 3000, type: VisitType.link)
let siteVisitBL1 = SiteVisit(site: siteB, date: baseInstantInMicros + 4000, type: VisitType.link)
let siteVisitBR1 = SiteVisit(site: siteB, date: baseInstantInMicros + 5000, type: VisitType.link)
let deferred =
history.clearHistory()
>>> { history.addLocalVisit(siteVisitL1) }
>>> { history.addLocalVisit(siteVisitL2) }
>>> { history.addLocalVisit(siteVisitBL1) }
>>> { history.insertOrUpdatePlace(siteL.asPlace(), modified: baseInstantInMillis + 2) }
>>> { history.insertOrUpdatePlace(siteR.asPlace(), modified: baseInstantInMillis + 3) }
>>> { history.insertOrUpdatePlace(siteB.asPlace(), modified: baseInstantInMillis + 5) }
// Do this step twice, so we exercise the dupe-visit handling.
>>> { history.storeRemoteVisits([siteVisitR1, siteVisitR2, siteVisitR3], forGUID: siteR.guid!) }
>>> { history.storeRemoteVisits([siteVisitR1, siteVisitR2, siteVisitR3], forGUID: siteR.guid!) }
>>> { history.storeRemoteVisits([siteVisitBR1], forGUID: siteB.guid!) }
>>> {
history.getFrecentHistory().getSites(whereURLContains: nil, historyLimit: 3, bookmarksLimit: 0)
>>== { (sites: Cursor) -> Success in
XCTAssertEqual(3, sites.count)
// Two local visits beat a single later remote visit and one later local visit.
// Two local visits beat three remote visits.
XCTAssertEqual(siteL.guid!, sites[0]!.guid!)
XCTAssertEqual(siteB.guid!, sites[1]!.guid!)
XCTAssertEqual(siteR.guid!, sites[2]!.guid!)
return succeed()
}
// This marks everything as modified so we can fetch it.
>>> history.onRemovedAccount
// Now check that we have no duplicate visits.
>>> { history.getModifiedHistoryToUpload()
>>== { (places) -> Success in
if let (_, visits) = places.find({$0.0.guid == siteR.guid!}) {
XCTAssertEqual(3, visits.count)
} else {
XCTFail("Couldn't find site R.")
}
return succeed()
}
}
}
XCTAssertTrue(deferred.value.isSuccess)
}
func testUpgrades() {
let sources: [(Int, Schema)] = [
(6, BrowserSchemaV6()),
(7, BrowserSchemaV7()),
(8, BrowserSchemaV8()),
(10, BrowserSchemaV10()),
]
let destination = BrowserSchema()
for (version, schema) in sources {
var db = BrowserDB(filename: "browser-v\(version).db", schema: schema, files: files)
XCTAssertTrue(db.withConnection({ connection -> Int in
connection.version
}).value.successValue == schema.version, "Creating BrowserSchema at version \(version)")
db.forceClose()
db = BrowserDB(filename: "browser-v\(version).db", schema: destination, files: files)
XCTAssertTrue(db.withConnection({ connection -> Int in
connection.version
}).value.successValue == destination.version, "Upgrading BrowserSchema from version \(version) to version \(schema.version)")
db.forceClose()
}
}
func testUpgradesWithData() {
var db = BrowserDB(filename: "browser-v6-data.db", schema: BrowserSchemaV6(), files: files)
// Insert some data.
let queries = [
"INSERT INTO domains (id, domain) VALUES (1, 'example.com')",
"INSERT INTO history (id, guid, url, title, server_modified, local_modified, is_deleted, should_upload, domain_id) VALUES (5, 'guid', 'http://www.example.com', 'title', 5, 10, 0, 1, 1)",
"INSERT INTO visits (siteID, date, type, is_local) VALUES (5, 15, 1, 1)",
"INSERT INTO favicons (url, width, height, type, date) VALUES ('http://www.example.com/favicon.ico', 10, 10, 1, 20)",
"INSERT INTO favicon_sites (siteID, faviconID) VALUES (5, 1)",
"INSERT INTO bookmarks (guid, type, url, parent, faviconID, title) VALUES ('guid', 1, 'http://www.example.com', 0, 1, 'title')"
]
XCTAssertTrue(db.run(queries).value.isSuccess)
// And we can upgrade to the current version.
db = BrowserDB(filename: "browser-v6-data.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
let history = SQLiteHistory(db: db, prefs: prefs)
let results = history.getSitesByLastVisit(limit: 10, offset: 0).value.successValue
XCTAssertNotNil(results)
XCTAssertEqual(results![0]?.url, "http://www.example.com")
db.forceClose()
}
func testDomainUpgrade() {
let db = BrowserDB(filename: "browser.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
let history = SQLiteHistory(db: db, prefs: prefs)
let site = Site(url: "http://www.example.com/test1.1", title: "title one")
// Insert something with an invalid domain ID. We have to manually do this since domains are usually hidden.
let insertDeferred = db.withConnection { connection -> Void in
try connection.executeChange("PRAGMA foreign_keys = OFF")
let insert = "INSERT INTO history (guid, url, title, local_modified, is_deleted, should_upload, domain_id) VALUES (?, ?, ?, ?, ?, ?, ?)"
let args: Args = [Bytes.generateGUID(), site.url, site.title, Date.now(), 0, 0, -1]
try connection.executeChange(insert, withArgs: args)
}
XCTAssertTrue(insertDeferred.value.isSuccess)
// Now insert it again. This should update the domain.
history.addLocalVisit(SiteVisit(site: site, date: Date.nowMicroseconds(), type: VisitType.link)).succeeded()
// domain_id isn't normally exposed, so we manually query to get it.
let resultsDeferred = db.withConnection { connection -> Cursor<Int?> in
let sql = "SELECT domain_id FROM history WHERE url = ?"
let args: Args = [site.url]
return connection.executeQuery(sql, factory: { $0[0] as? Int }, withArgs: args)
}
let results = resultsDeferred.value.successValue!
let domain = results[0]! // Unwrap to get the first item from the cursor.
XCTAssertNil(domain)
}
func testDomains() {
let db = BrowserDB(filename: "browser.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
let history = SQLiteHistory(db: db, prefs: prefs)
let initialGuid = Bytes.generateGUID()
let site11 = Site(url: "http://www.example.com/test1.1", title: "title one")
let site12 = Site(url: "http://www.example.com/test1.2", title: "title two")
let site13 = Place(guid: initialGuid, url: "http://www.example.com/test1.3", title: "title three")
let site3 = Site(url: "http://www.example2.com/test1", title: "title three")
let expectation = self.expectation(description: "First.")
let clearTopSites = "DELETE FROM cached_top_sites"
let updateTopSites: [(String, Args?)] = [(clearTopSites, nil), (history.getFrecentHistory().updateTopSitesCacheQuery())]
func countTopSites() -> Deferred<Maybe<Cursor<Int>>> {
return db.runQuery("SELECT count(*) FROM cached_top_sites", args: nil, factory: { sdrow -> Int in
return sdrow[0] as? Int ?? 0
})
}
history.clearHistory().bind({ success in
return all([history.addLocalVisit(SiteVisit(site: site11, date: Date.nowMicroseconds(), type: VisitType.link)),
history.addLocalVisit(SiteVisit(site: site12, date: Date.nowMicroseconds(), type: VisitType.link)),
history.addLocalVisit(SiteVisit(site: site3, date: Date.nowMicroseconds(), type: VisitType.link))])
}).bind({ (results: [Maybe<()>]) in
return history.insertOrUpdatePlace(site13, modified: Date.nowMicroseconds())
}).bind({ guid -> Success in
XCTAssertEqual(guid.successValue!, initialGuid, "Guid is correct")
return db.run(updateTopSites)
}).bind({ success in
XCTAssertTrue(success.isSuccess, "update was successful")
return countTopSites()
}).bind({ (count: Maybe<Cursor<Int>>) -> Success in
XCTAssert(count.successValue![0] == 2, "2 sites returned")
return history.removeSiteFromTopSites(site11)
}).bind({ success -> Success in
XCTAssertTrue(success.isSuccess, "Remove was successful")
return db.run(updateTopSites)
}).bind({ success -> Deferred<Maybe<Cursor<Int>>> in
XCTAssertTrue(success.isSuccess, "update was successful")
return countTopSites()
})
.upon({ (count: Maybe<Cursor<Int>>) in
XCTAssert(count.successValue![0] == 1, "1 site returned")
expectation.fulfill()
})
waitForExpectations(timeout: 10.0) { error in
return
}
}
func testHistoryIsSynced() {
let db = BrowserDB(filename: "historysynced.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
let history = SQLiteHistory(db: db, prefs: prefs)
let initialGUID = Bytes.generateGUID()
let site = Place(guid: initialGUID, url: "http://www.example.com/test1.3", title: "title")
XCTAssertFalse(history.hasSyncedHistory().value.successValue ?? true)
XCTAssertTrue(history.insertOrUpdatePlace(site, modified: Date.now()).value.isSuccess)
XCTAssertTrue(history.hasSyncedHistory().value.successValue ?? false)
}
// This is a very basic test. Adds an entry, retrieves it, updates it,
// and then clears the database.
func testHistoryTable() {
let db = BrowserDB(filename: "browser.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
let history = SQLiteHistory(db: db, prefs: prefs)
let bookmarks = SQLiteBookmarks(db: db)
let site1 = Site(url: "http://url1/", title: "title one")
let site1Changed = Site(url: "http://url1/", title: "title one alt")
let siteVisit1 = SiteVisit(site: site1, date: Date.nowMicroseconds(), type: VisitType.link)
let siteVisit2 = SiteVisit(site: site1Changed, date: Date.nowMicroseconds() + 1000, type: VisitType.bookmark)
let site2 = Site(url: "http://url2/", title: "title two")
let siteVisit3 = SiteVisit(site: site2, date: Date.nowMicroseconds() + 2000, type: VisitType.link)
let expectation = self.expectation(description: "First.")
func done() -> Success {
expectation.fulfill()
return succeed()
}
func checkSitesByFrecency(_ f: @escaping (Cursor<Site>) -> Success) -> () -> Success {
return {
history.getFrecentHistory().getSites(whereURLContains: nil, historyLimit: 10, bookmarksLimit: 0)
>>== f
}
}
func checkSitesByDate(_ f: @escaping (Cursor<Site>) -> Success) -> () -> Success {
return {
history.getSitesByLastVisit(limit: 10, offset: 0)
>>== f
}
}
func checkSitesWithFilter(_ filter: String, f: @escaping (Cursor<Site>) -> Success) -> () -> Success {
return {
history.getFrecentHistory().getSites(whereURLContains: filter, historyLimit: 10, bookmarksLimit: 0)
>>== f
}
}
func checkDeletedCount(_ expected: Int) -> () -> Success {
return {
history.getDeletedHistoryToUpload()
>>== { guids in
XCTAssertEqual(expected, guids.count)
return succeed()
}
}
}
history.clearHistory()
>>> { history.addLocalVisit(siteVisit1) }
>>> checkSitesByFrecency { (sites: Cursor) -> Success in
XCTAssertEqual(1, sites.count)
XCTAssertEqual(site1.title, sites[0]!.title)
XCTAssertEqual(site1.url, sites[0]!.url)
sites.close()
return succeed()
}
>>> { history.addLocalVisit(siteVisit2) }
>>> checkSitesByFrecency { (sites: Cursor) -> Success in
XCTAssertEqual(1, sites.count)
XCTAssertEqual(site1Changed.title, sites[0]!.title)
XCTAssertEqual(site1Changed.url, sites[0]!.url)
sites.close()
return succeed()
}
>>> { history.addLocalVisit(siteVisit3) }
>>> checkSitesByFrecency { (sites: Cursor) -> Success in
XCTAssertEqual(2, sites.count)
// They're in order of frecency.
XCTAssertEqual(site1Changed.title, sites[0]!.title)
XCTAssertEqual(site2.title, sites[1]!.title)
return succeed()
}
>>> checkSitesByDate { (sites: Cursor<Site>) -> Success in
XCTAssertEqual(2, sites.count)
// They're in order of date last visited.
let first = sites[0]!
let second = sites[1]!
XCTAssertEqual(site2.title, first.title)
XCTAssertEqual(site1Changed.title, second.title)
XCTAssertTrue(siteVisit3.date == first.latestVisit!.date)
return succeed()
}
>>> checkSitesWithFilter("two") { (sites: Cursor<Site>) -> Success in
XCTAssertEqual(1, sites.count)
let first = sites[0]!
XCTAssertEqual(site2.title, first.title)
return succeed()
}
>>>
checkDeletedCount(0)
>>> { history.removeHistoryForURL("http://url2/") }
>>>
checkDeletedCount(1)
>>> checkSitesByFrecency { (sites: Cursor) -> Success in
XCTAssertEqual(1, sites.count)
// They're in order of frecency.
XCTAssertEqual(site1Changed.title, sites[0]!.title)
return succeed()
}
>>> { history.clearHistory() }
>>>
checkDeletedCount(0)
>>> checkSitesByDate { (sites: Cursor<Site>) -> Success in
XCTAssertEqual(0, sites.count)
return succeed()
}
>>> checkSitesByFrecency { (sites: Cursor<Site>) -> Success in
XCTAssertEqual(0, sites.count)
return succeed()
}
>>> done
waitForExpectations(timeout: 10.0) { error in
return
}
}
func testFaviconTable() {
let db = BrowserDB(filename: "browser.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
let history = SQLiteHistory(db: db, prefs: prefs)
let bookmarks = SQLiteBookmarks(db: db)
let expectation = self.expectation(description: "First.")
func done() -> Success {
expectation.fulfill()
return succeed()
}
func updateFavicon() -> Success {
let fav = Favicon(url: "http://url2/", date: Date())
fav.id = 1
let site = Site(url: "http://bookmarkedurl/", title: "My Bookmark")
return history.addFavicon(fav, forSite: site) >>> succeed
}
func checkFaviconForBookmarkIsNil() -> Success {
return bookmarks.bookmarksByURL("http://bookmarkedurl/".asURL!) >>== { results in
XCTAssertEqual(1, results.count)
XCTAssertNil(results[0]?.favicon)
return succeed()
}
}
func checkFaviconWasSetForBookmark() -> Success {
return history.getFaviconsForBookmarkedURL("http://bookmarkedurl/") >>== { results in
XCTAssertEqual(1, results.count)
if let actualFaviconURL = results[0]??.url {
XCTAssertEqual("http://url2/", actualFaviconURL)
}
return succeed()
}
}
func removeBookmark() -> Success {
return bookmarks.testFactory.removeByURL("http://bookmarkedurl/")
}
func checkFaviconWasRemovedForBookmark() -> Success {
return history.getFaviconsForBookmarkedURL("http://bookmarkedurl/") >>== { results in
XCTAssertEqual(0, results.count)
return succeed()
}
}
history.clearAllFavicons()
>>> bookmarks.clearBookmarks
>>> { bookmarks.addToMobileBookmarks("http://bookmarkedurl/".asURL!, title: "Title", favicon: nil) }
>>> checkFaviconForBookmarkIsNil
>>> updateFavicon
>>> checkFaviconWasSetForBookmark
>>> removeBookmark
>>> checkFaviconWasRemovedForBookmark
>>> done
waitForExpectations(timeout: 10.0) { error in
return
}
}
func testRemoveHistoryForUrl() {
let db = BrowserDB(filename: "browser.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
let history = SQLiteHistory(db: db, prefs: prefs)
history.setTopSitesCacheSize(20)
history.clearTopSitesCache().succeeded()
history.clearHistory().succeeded()
let url1 = "http://url1/"
let site1 = Site(url: "http://url1/", title: "title one")
let siteVisit1 = SiteVisit(site: site1, date: Date.nowMicroseconds(), type: VisitType.link)
let url2 = "http://url2/"
let site2 = Site(url: "http://url2/", title: "title two")
let siteVisit2 = SiteVisit(site: site2, date: Date.nowMicroseconds() + 2000, type: VisitType.link)
let url3 = "http://url3/"
let site3 = Site(url: url3, title: "title three")
let siteVisit3 = SiteVisit(site: site3, date: Date.nowMicroseconds() + 4000, type: VisitType.link)
history.addLocalVisit(siteVisit1).succeeded()
history.addLocalVisit(siteVisit2).succeeded()
history.addLocalVisit(siteVisit3).succeeded()
history.removeHistoryForURL(url1).succeeded()
history.removeHistoryForURL(url2).succeeded()
history.getDeletedHistoryToUpload()
>>== { guids in
XCTAssertEqual(2, guids.count)
}
}
func testTopSitesFrecencyOrder() {
let db = BrowserDB(filename: "browser.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
let history = SQLiteHistory(db: db, prefs: prefs)
history.setTopSitesCacheSize(20)
history.clearTopSitesCache().succeeded()
history.clearHistory().succeeded()
// Lets create some history. This will create 100 sites that will have 21 local and 21 remote visits
populateHistoryForFrecencyCalculations(history, siteCount: 100)
// Create a new site thats for an existing domain but a different URL.
let site = Site(url: "http://s\(5)ite\(5).com/foo-different-url", title: "A \(5) different url")
site.guid = "abc\(5)defhi"
history.insertOrUpdatePlace(site.asPlace(), modified: baseInstantInMillis - 20000).succeeded()
// Don't give it any remote visits. But give it 100 local visits. This should be the new Topsite!
for i in 0...100 {
addVisitForSite(site, intoHistory: history, from: .local, atTime: advanceTimestamp(baseInstantInMicros, by: 1000000 * i))
}
let expectation = self.expectation(description: "First.")
func done() -> Success {
expectation.fulfill()
return succeed()
}
func loadCache() -> Success {
return history.repopulate(invalidateTopSites: true, invalidateHighlights: true) >>> succeed
}
func checkTopSitesReturnsResults() -> Success {
return history.getTopSitesWithLimit(20) >>== { topSites in
XCTAssertEqual(topSites.count, 20)
XCTAssertEqual(topSites[0]!.guid, "abc\(5)defhi")
return succeed()
}
}
loadCache()
>>> checkTopSitesReturnsResults
>>> done
waitForExpectations(timeout: 10.0) { error in
return
}
}
func testTopSitesFiltersGoogle() {
let db = BrowserDB(filename: "browser.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
let history = SQLiteHistory(db: db, prefs: prefs)
history.setTopSitesCacheSize(20)
history.clearTopSitesCache().succeeded()
history.clearHistory().succeeded()
// Lets create some history. This will create 100 sites that will have 21 local and 21 remote visits
populateHistoryForFrecencyCalculations(history, siteCount: 100)
func createTopSite(url: String, guid: String) {
let site = Site(url: url, title: "Hi")
site.guid = guid
history.insertOrUpdatePlace(site.asPlace(), modified: baseInstantInMillis - 20000).succeeded()
// Don't give it any remote visits. But give it 100 local visits. This should be the new Topsite!
for i in 0...100 {
addVisitForSite(site, intoHistory: history, from: .local, atTime: advanceTimestamp(baseInstantInMicros, by: 1000000 * i))
}
}
createTopSite(url: "http://google.com", guid: "abcgoogle") // should not be a topsite
createTopSite(url: "http://www.google.com", guid: "abcgoogle1") // should not be a topsite
createTopSite(url: "http://google.co.za", guid: "abcgoogleza") // should not be a topsite
createTopSite(url: "http://docs.google.com", guid: "docsgoogle") // should be a topsite
let expectation = self.expectation(description: "First.")
func done() -> Success {
expectation.fulfill()
return succeed()
}
func loadCache() -> Success {
return history.repopulate(invalidateTopSites: true, invalidateHighlights: true) >>> succeed
}
func checkTopSitesReturnsResults() -> Success {
return history.getTopSitesWithLimit(20) >>== { topSites in
XCTAssertEqual(topSites[0]?.guid, "docsgoogle") // google docs should be the first topsite
// make sure all other google guids are not in the topsites array
topSites.forEach {
let guid: String = $0!.guid! // type checking is hard
XCTAssertNil(["abcgoogle", "abcgoogle1", "abcgoogleza"].index(of: guid))
}
XCTAssertEqual(topSites.count, 20)
return succeed()
}
}
loadCache()
>>> checkTopSitesReturnsResults
>>> done
waitForExpectations(timeout: 10.0) { error in
return
}
}
func testTopSitesCache() {
let db = BrowserDB(filename: "browser.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
let history = SQLiteHistory(db: db, prefs: prefs)
history.setTopSitesCacheSize(20)
history.clearTopSitesCache().succeeded()
history.clearHistory().succeeded()
// Make sure that we get back the top sites
populateHistoryForFrecencyCalculations(history, siteCount: 100)
// Add extra visits to the 5th site to bubble it to the top of the top sites cache
let site = Site(url: "http://s\(5)ite\(5).com/foo", title: "A \(5)")
site.guid = "abc\(5)def"
for i in 0...20 {
addVisitForSite(site, intoHistory: history, from: .local, atTime: advanceTimestamp(baseInstantInMicros, by: 1000000 * i))
}
let expectation = self.expectation(description: "First.")
func done() -> Success {
expectation.fulfill()
return succeed()
}
func loadCache() -> Success {
return history.repopulate(invalidateTopSites: true, invalidateHighlights: true) >>> succeed
}
func checkTopSitesReturnsResults() -> Success {
return history.getTopSitesWithLimit(20) >>== { topSites in
XCTAssertEqual(topSites.count, 20)
XCTAssertEqual(topSites[0]!.guid, "abc\(5)def")
return succeed()
}
}
func invalidateIfNeededDoesntChangeResults() -> Success {
return history.repopulate(invalidateTopSites: true, invalidateHighlights: true) >>> {
return history.getTopSitesWithLimit(20) >>== { topSites in
XCTAssertEqual(topSites.count, 20)
XCTAssertEqual(topSites[0]!.guid, "abc\(5)def")
return succeed()
}
}
}
func addVisitsToZerothSite() -> Success {
let site = Site(url: "http://s\(0)ite\(0).com/foo", title: "A \(0)")
site.guid = "abc\(0)def"
for i in 0...20 {
addVisitForSite(site, intoHistory: history, from: .local, atTime: advanceTimestamp(baseInstantInMicros, by: 1000000 * i))
}
return succeed()
}
func markInvalidation() -> Success {
history.setTopSitesNeedsInvalidation()
return succeed()
}
func checkSitesInvalidate() -> Success {
history.repopulate(invalidateTopSites: true, invalidateHighlights: true).succeeded()
return history.getTopSitesWithLimit(20) >>== { topSites in
XCTAssertEqual(topSites.count, 20)
XCTAssertEqual(topSites[0]!.guid, "abc\(5)def")
XCTAssertEqual(topSites[1]!.guid, "abc\(0)def")
return succeed()
}
}
loadCache()
>>> checkTopSitesReturnsResults
>>> invalidateIfNeededDoesntChangeResults
>>> markInvalidation
>>> addVisitsToZerothSite
>>> checkSitesInvalidate
>>> done
waitForExpectations(timeout: 10.0) { error in
return
}
}
func testPinnedTopSites() {
let db = BrowserDB(filename: "browser.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
let history = SQLiteHistory(db: db, prefs: prefs)
history.setTopSitesCacheSize(20)
history.clearTopSitesCache().succeeded()
history.clearHistory().succeeded()
// add 2 sites to pinned topsite
// get pinned site and make sure it exists in the right order
// remove pinned sites
// make sure pinned sites dont exist
// create pinned sites.
let site1 = Site(url: "http://s\(1)ite\(1).com/foo", title: "A \(1)")
site1.id = 1
site1.guid = "abc\(1)def"
addVisitForSite(site1, intoHistory: history, from: .local, atTime: Date.now())
let site2 = Site(url: "http://s\(2)ite\(2).com/foo", title: "A \(2)")
site2.id = 2
site2.guid = "abc\(2)def"
addVisitForSite(site2, intoHistory: history, from: .local, atTime: Date.now())
let expectation = self.expectation(description: "First.")
func done() -> Success {
expectation.fulfill()
return succeed()
}
func addPinnedSites() -> Success {
return history.addPinnedTopSite(site1) >>== {
sleep(1) // Sleep to prevent intermittent issue with sorting on the timestamp
return history.addPinnedTopSite(site2)
}
}
func checkPinnedSites() -> Success {
return history.getPinnedTopSites() >>== { pinnedSites in
XCTAssertEqual(pinnedSites.count, 2)
XCTAssertEqual(pinnedSites[0]!.url, site2.url)
XCTAssertEqual(pinnedSites[1]!.url, site1.url, "The older pinned site should be last")
return succeed()
}
}
func removePinnedSites() -> Success {
return history.removeFromPinnedTopSites(site2) >>== {
return history.getPinnedTopSites() >>== { pinnedSites in
XCTAssertEqual(pinnedSites.count, 1, "There should only be one pinned site")
XCTAssertEqual(pinnedSites[0]!.url, site1.url, "Site2 should be the only pin left")
return succeed()
}
}
}
func dupePinnedSite() -> Success {
return history.addPinnedTopSite(site1) >>== {
return history.getPinnedTopSites() >>== { pinnedSites in
XCTAssertEqual(pinnedSites.count, 1, "There should not be a dupe")
XCTAssertEqual(pinnedSites[0]!.url, site1.url, "Site2 should be the only pin left")
return succeed()
}
}
}
func removeHistory() -> Success {
return history.clearHistory() >>== {
return history.getPinnedTopSites() >>== { pinnedSites in
XCTAssertEqual(pinnedSites.count, 1, "Pinned sites should exist after a history clear")
return succeed()
}
}
}
addPinnedSites()
>>> checkPinnedSites
>>> removePinnedSites
>>> dupePinnedSite
>>> removeHistory
>>> done
waitForExpectations(timeout: 10.0) { error in
return
}
}
}
class TestSQLiteHistoryTransactionUpdate: XCTestCase {
func testUpdateInTransaction() {
let files = MockFiles()
let db = BrowserDB(filename: "browser.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
let history = SQLiteHistory(db: db, prefs: prefs)
history.clearHistory().succeeded()
let site = Site(url: "http://site/foo", title: "AA")
site.guid = "abcdefghiabc"
history.insertOrUpdatePlace(site.asPlace(), modified: 1234567890).succeeded()
let ts: MicrosecondTimestamp = baseInstantInMicros
let local = SiteVisit(site: site, date: ts, type: VisitType.link)
XCTAssertTrue(history.addLocalVisit(local).value.isSuccess)
}
}
class TestSQLiteHistoryFilterSplitting: XCTestCase {
let history: SQLiteHistory = {
let files = MockFiles()
let db = BrowserDB(filename: "browser.db", schema: BrowserSchema(), files: files)
let prefs = MockProfilePrefs()
return SQLiteHistory(db: db, prefs: prefs)
}()
func testWithSingleWord() {
let (fragment, args) = computeWhereFragmentWithFilter("foo", perWordFragment: "?", perWordArgs: { [$0] })
XCTAssertEqual(fragment, "?")
XCTAssert(stringArgsEqual(args, ["foo"]))
}
func testWithIdenticalWords() {
let (fragment, args) = computeWhereFragmentWithFilter("foo fo foo", perWordFragment: "?", perWordArgs: { [$0] })
XCTAssertEqual(fragment, "?")
XCTAssert(stringArgsEqual(args, ["foo"]))
}
func testWithDistinctWords() {
let (fragment, args) = computeWhereFragmentWithFilter("foo bar", perWordFragment: "?", perWordArgs: { [$0] })
XCTAssertEqual(fragment, "? AND ?")
XCTAssert(stringArgsEqual(args, ["foo", "bar"]))
}
func testWithDistinctWordsAndWhitespace() {
let (fragment, args) = computeWhereFragmentWithFilter(" foo bar ", perWordFragment: "?", perWordArgs: { [$0] })
XCTAssertEqual(fragment, "? AND ?")
XCTAssert(stringArgsEqual(args, ["foo", "bar"]))
}
func testWithSubstrings() {
let (fragment, args) = computeWhereFragmentWithFilter("foo bar foobar", perWordFragment: "?", perWordArgs: { [$0] })
XCTAssertEqual(fragment, "?")
XCTAssert(stringArgsEqual(args, ["foobar"]))
}
func testWithSubstringsAndIdenticalWords() {
let (fragment, args) = computeWhereFragmentWithFilter("foo bar foobar foobar", perWordFragment: "?", perWordArgs: { [$0] })
XCTAssertEqual(fragment, "?")
XCTAssert(stringArgsEqual(args, ["foobar"]))
}
fileprivate func stringArgsEqual(_ one: Args, _ other: Args) -> Bool {
return one.elementsEqual(other, by: { (oneElement: Any?, otherElement: Any?) -> Bool in
return (oneElement as! String) == (otherElement as! String)
})
}
}
| mpl-2.0 | 1068a4d4b76ec7617109399c4495763b | 40.162255 | 231 | 0.575496 | 5.139368 | false | false | false | false |
tardieu/swift | test/SILOptimizer/definite_init_diagnostics.swift | 1 | 33253 | // RUN: %target-swift-frontend -assume-parsing-unqualified-ownership-sil -emit-sil %s -parse-stdlib -o /dev/null -verify
import Swift
func markUsed<T>(_ t: T) {}
// These are tests for definite initialization, which is implemented by the
// memory promotion pass.
func test1() -> Int {
// expected-warning @+1 {{variable 'a' was never mutated; consider changing to 'let' constant}} {{3-6=let}}
var a : Int // expected-note {{variable defined here}}
return a // expected-error {{variable 'a' used before being initialized}}
}
func takes_inout(_ a: inout Int) {}
func takes_closure(_ fn: () -> ()) {}
class SomeClass {
var x : Int // expected-note {{'self.x' not initialized}}
var computedProperty : Int { return 42 }
init() { x = 0 }
init(b : Bool) {
if (b) {}
} // expected-error {{return from initializer without initializing all stored properties}}
func baseMethod() {}
}
struct SomeStruct { var x = 1 }
func test2() {
// inout.
var a1 : Int // expected-note {{variable defined here}}
takes_inout(&a1) // expected-error {{variable 'a1' passed by reference before being initialized}}
var a2 = 4
takes_inout(&a2) // ok.
var a3 : Int
a3 = 4
takes_inout(&a3) // ok.
// Address-of with Builtin.addressof.
var a4 : Int // expected-note {{variable defined here}}
Builtin.addressof(&a4) // expected-error {{address of variable 'a4' taken before it is initialized}}
// expected-warning @-1 {{result of call to 'addressof' is unused}}
// Closures.
// expected-warning @+1 {{variable 'b1' was never mutated}} {{3-6=let}}
var b1 : Int // expected-note {{variable defined here}}
takes_closure { // expected-error {{variable 'b1' captured by a closure before being initialized}}
markUsed(b1)
}
var b1a : Int // expected-note {{variable defined here}}
takes_closure { // expected-error {{variable 'b1a' captured by a closure before being initialized}}
b1a += 1
markUsed(b1a)
}
var b2 = 4
takes_closure { // ok.
markUsed(b2)
}
b2 = 1
var b3 : Int
b3 = 4
takes_closure { // ok.
markUsed(b3)
}
var b4 : Int?
takes_closure { // ok.
markUsed(b4!)
}
b4 = 7
// Structs
var s1 : SomeStruct
s1 = SomeStruct() // ok
_ = s1
var s2 : SomeStruct // expected-note {{variable defined here}}
s2.x = 1 // expected-error {{struct 's2' must be completely initialized before a member is stored to}}
// Classes
// expected-warning @+1 {{variable 'c1' was never mutated}} {{3-6=let}}
var c1 : SomeClass // expected-note {{variable defined here}}
markUsed(c1.x) // expected-error {{variable 'c1' used before being initialized}}
let c2 = SomeClass()
markUsed(c2.x) // ok
// Weak
weak var w1 : SomeClass?
_ = w1 // ok: default-initialized
weak var w2 = SomeClass()
_ = w2 // ok
// Unowned. This is immediately crashing code (it causes a retain of a
// released object) so it should be diagnosed with a warning someday.
// expected-warning @+1 {{variable 'u1' was never mutated; consider changing to 'let' constant}} {{11-14=let}}
unowned var u1 : SomeClass // expected-note {{variable defined here}}
_ = u1 // expected-error {{variable 'u1' used before being initialized}}
unowned let u2 = SomeClass()
_ = u2 // ok
}
// Tuple field sensitivity.
func test4() {
// expected-warning @+1 {{variable 't1' was never mutated; consider changing to 'let' constant}} {{3-6=let}}
var t1 = (1, 2, 3)
markUsed(t1.0 + t1.1 + t1.2) // ok
// expected-warning @+1 {{variable 't2' was never mutated; consider changing to 'let' constant}} {{3-6=let}}
var t2 : (Int, Int, Int) // expected-note 3 {{variable defined here}}
markUsed(t2.0) // expected-error {{variable 't2.0' used before being initialized}}
markUsed(t2.1) // expected-error {{variable 't2.1' used before being initialized}}
markUsed(t2.2) // expected-error {{variable 't2.2' used before being initialized}}
var t3 : (Int, Int, Int) // expected-note {{variable defined here}}
t3.0 = 1; t3.2 = 42
markUsed(t3.0)
markUsed(t3.1) // expected-error {{variable 't3.1' used before being initialized}}
markUsed(t3.2)
// Partially set, wholly read.
var t4 : (Int, Int, Int) // expected-note 1 {{variable defined here}}
t4.0 = 1; t4.2 = 42
_ = t4 // expected-error {{variable 't4.1' used before being initialized}}
// Subelement sets.
var t5 : (a : (Int, Int), b : Int) // expected-note {{variable defined here}}
t5.a = (1,2)
markUsed(t5.a.0)
markUsed(t5.a.1)
markUsed(t5.b) // expected-error {{variable 't5.b' used before being initialized}}
var t6 : (a : (Int, Int), b : Int) // expected-note {{variable defined here}}
t6.b = 12; t6.a.1 = 1
markUsed(t6.a.0) // expected-error {{variable 't6.a.0' used before being initialized}}
markUsed(t6.a.1)
markUsed(t6.b)
}
func tupleinout(_ a: inout (lo: Int, hi: Int)) {
markUsed(a.0) // ok
markUsed(a.1) // ok
}
// Address only types
func test5<T>(_ x: T, y: T) {
var a : ((T, T), T) // expected-note {{variable defined here}}
a.0 = (x, y)
_ = a // expected-error {{variable 'a.1' used before being initialized}}
}
struct IntFloatStruct { var a = 1, b = 2.0 }
func test6() -> Int {
var a = IntFloatStruct()
a.a = 1
a.b = 2
return a.a
}
// Control flow.
func test7(_ cond: Bool) {
var a : Int
if cond { a = 42 } else { a = 17 }
markUsed(a) // ok
var b : Int // expected-note {{variable defined here}}
if cond { } else { b = 17 }
markUsed(b) // expected-error {{variable 'b' used before being initialized}}
}
protocol SomeProtocol {
func protoMe()
}
protocol DerivedProtocol : SomeProtocol {}
func existentials(_ i: Int, dp: DerivedProtocol) {
// expected-warning @+1 {{variable 'a' was written to, but never read}}
var a : Any = ()
a = i
// expected-warning @+1 {{variable 'b' was written to, but never read}}
var b : Any
b = ()
// expected-warning @+1 {{variable 'c' was never used}} {{7-8=_}}
var c : Any // no uses.
// expected-warning @+1 {{variable 'd1' was never mutated}} {{3-6=let}}
var d1 : Any // expected-note {{variable defined here}}
_ = d1 // expected-error {{variable 'd1' used before being initialized}}
// expected-warning @+1 {{variable 'e' was never mutated}} {{3-6=let}}
var e : SomeProtocol // expected-note {{variable defined here}}
e.protoMe() // expected-error {{variable 'e' used before being initialized}}
var f : SomeProtocol = dp // ok, init'd by existential upcast.
// expected-warning @+1 {{variable 'g' was never mutated}} {{3-6=let}}
var g : DerivedProtocol // expected-note {{variable defined here}}
f = g // expected-error {{variable 'g' used before being initialized}}
_ = f
}
// Tests for top level code.
var g1 : Int // expected-note {{variable defined here}}
var g2 : Int = 42
func testTopLevelCode() { // expected-error {{variable 'g1' used by function definition before being initialized}}
markUsed(g1)
markUsed(g2)
}
var (g3,g4) : (Int,Int) // expected-note 2 {{variable defined here}}
class DITLC_Class {
init() { // expected-error {{variable 'g3' used by function definition before being initialized}}
markUsed(g3)
}
deinit { // expected-error {{variable 'g4' used by function definition before being initialized}}
markUsed(g4)
}
}
struct EmptyStruct {}
func useEmptyStruct(_ a: EmptyStruct) {}
func emptyStructTest() {
// <rdar://problem/20065892> Diagnostic for an uninitialized constant calls it a variable
let a : EmptyStruct // expected-note {{constant defined here}}
useEmptyStruct(a) // expected-error {{constant 'a' used before being initialized}}
var (b,c,d) : (EmptyStruct,EmptyStruct,EmptyStruct) // expected-note 2 {{variable defined here}}
c = EmptyStruct()
useEmptyStruct(b) // expected-error {{variable 'b' used before being initialized}}
useEmptyStruct(c)
useEmptyStruct(d) // expected-error {{variable 'd' used before being initialized}}
var (e,f) : (EmptyStruct,EmptyStruct)
(e, f) = (EmptyStruct(),EmptyStruct())
useEmptyStruct(e)
useEmptyStruct(f)
var g : (EmptyStruct,EmptyStruct)
g = (EmptyStruct(),EmptyStruct())
useEmptyStruct(g.0)
useEmptyStruct(g.1)
}
func takesTuplePair(_ a : inout (SomeClass, SomeClass)) {}
// This tests cases where a store might be an init or assign based on control
// flow path reaching it.
func conditionalInitOrAssign(_ c : Bool, x : Int) {
var t : Int // Test trivial types.
if c {
t = 0
}
if c {
t = x
}
t = 2
_ = t
// Nontrivial type
var sc : SomeClass
if c {
sc = SomeClass()
}
sc = SomeClass()
_ = sc
// Tuple element types
var tt : (SomeClass, SomeClass)
if c {
tt.0 = SomeClass()
} else {
tt.1 = SomeClass()
}
tt.0 = SomeClass()
tt.1 = tt.0
var t2 : (SomeClass, SomeClass) // expected-note {{variable defined here}}
t2.0 = SomeClass()
takesTuplePair(&t2) // expected-error {{variable 't2.1' passed by reference before being initialized}}
}
enum NotInitializedUnion {
init() {
} // expected-error {{return from enum initializer method without storing to 'self'}}
case X
case Y
}
extension NotInitializedUnion {
init(a : Int) {
} // expected-error {{return from enum initializer method without storing to 'self'}}
}
enum NotInitializedGenericUnion<T> {
init() {
} // expected-error {{return from enum initializer method without storing to 'self'}}
case X
}
class SomeDerivedClass : SomeClass {
var y : Int
override init() {
y = 42 // ok
super.init()
}
init(a : Bool) {
super.init() // expected-error {{property 'self.y' not initialized at super.init call}}
}
init(a : Bool, b : Bool) {
// x is a superclass member. It cannot be used before we are initialized.
x = 17 // expected-error {{use of 'self' in property access 'x' before super.init initializes self}}
y = 42
super.init()
}
init(a : Bool, b : Bool, c : Bool) {
y = 42
super.init()
}
init(a : Bool, b : Bool, c : Bool, d : Bool) {
y = 42
super.init()
super.init() // expected-error {{super.init called multiple times in initializer}}
}
init(a : Bool, b : Bool, c : Bool, d : Bool, e : Bool) {
super.init() // expected-error {{property 'self.y' not initialized at super.init call}}
super.init() // expected-error {{super.init called multiple times in initializer}}
}
init(a : Bool, b : Bool, c : Bool, d : Bool, e : Bool, f : Bool) {
y = 11
if a { super.init() }
x = 42 // expected-error {{use of 'self' in property access 'x' before super.init initializes self}}
} // expected-error {{super.init isn't called on all paths before returning from initializer}}
func someMethod() {}
init(a : Int) {
y = 42
super.init()
}
init(a : Int, b : Bool) {
y = 42
someMethod() // expected-error {{use of 'self' in method call 'someMethod' before super.init initializes self}}
super.init()
}
init(a : Int, b : Int) {
y = 42
baseMethod() // expected-error {{use of 'self' in method call 'baseMethod' before super.init initializes self}}
super.init()
}
init(a : Int, b : Int, c : Int) {
y = computedProperty // expected-error {{use of 'self' in property access 'computedProperty' before super.init initializes self}}
super.init()
}
}
//===----------------------------------------------------------------------===//
// Delegating initializers
//===----------------------------------------------------------------------===//
class DelegatingCtorClass {
var ivar: EmptyStruct
init() { ivar = EmptyStruct() }
convenience init(x: EmptyStruct) {
self.init()
_ = ivar // okay: ivar has been initialized by the delegation above
}
convenience init(x: EmptyStruct, y: EmptyStruct) {
_ = ivar // expected-error {{use of 'self' in property access 'ivar' before self.init initializes self}}
ivar = x // expected-error {{use of 'self' in property access 'ivar' before self.init initializes self}}
self.init()
}
convenience init(x: EmptyStruct, y: EmptyStruct, z: EmptyStruct) {
self.init()
self.init() // expected-error {{self.init called multiple times in initializer}}
}
convenience init(x: (EmptyStruct, EmptyStruct)) {
method() // expected-error {{use of 'self' in method call 'method' before self.init initializes self}}
self.init()
}
convenience init(c : Bool) {
if c {
return
}
self.init()
} // expected-error {{self.init isn't called on all paths before returning from initializer}}
convenience init(bool: Bool) {
doesNotReturn()
}
convenience init(double: Double) {
} // expected-error{{self.init isn't called on all paths before returning from initializer}}
func method() {}
}
struct DelegatingCtorStruct {
var ivar : EmptyStruct
init() { ivar = EmptyStruct() }
init(a : Double) {
self.init()
_ = ivar // okay: ivar has been initialized by the delegation above
}
init(a : Int) {
_ = ivar // expected-error {{'self' used before self.init call}}
self.init()
}
init(a : Float) {
self.init()
self.init() // expected-error {{self.init called multiple times in initializer}}
}
init(c : Bool) {
if c {
return
}
self.init()
} // expected-error {{self.init isn't called on all paths before returning from initializer}}
}
enum DelegatingCtorEnum {
case Dinosaur, Train, Truck
init() { self = .Train }
init(a : Double) {
self.init()
_ = self // okay: self has been initialized by the delegation above
self = .Dinosaur
}
init(a : Int) {
_ = self // expected-error {{'self' used before self.init call}}
self.init()
}
init(a : Float) {
self.init()
self.init() // expected-error {{self.init called multiple times in initializer}}
}
init(c : Bool) {
if c {
return
}
self.init()
} // expected-error {{self.init isn't called on all paths before returning from initializer}}
}
//===----------------------------------------------------------------------===//
// Delegating initializers vs extensions
//===----------------------------------------------------------------------===//
protocol TriviallyConstructible {
init()
func go(_ x: Int)
}
extension TriviallyConstructible {
init(down: Int) {
go(down) // expected-error {{'self' used before self.init call}}
self.init()
}
}
//===----------------------------------------------------------------------===//
// Various bugs
//===----------------------------------------------------------------------===//
// rdar://16119509 - Dataflow problem where we reject valid code.
class rdar16119509_Buffer {
init(x : Int) { }
}
class rdar16119509_Base {}
class rdar16119509_Derived : rdar16119509_Base {
override init() {
var capacity = 2
while capacity < 2 {
capacity <<= 1
}
buffer = rdar16119509_Buffer(x: capacity)
}
var buffer : rdar16119509_Buffer
}
// <rdar://problem/16797372> Bogus error: self.init called multiple times in initializer
extension Foo {
convenience init() {
for _ in 0..<42 {
}
self.init(a: 4)
}
}
class Foo {
init(a : Int) {}
}
func doesNotReturn() -> Never {
while true {}
}
func doesReturn() {}
func testNoReturn1(_ b : Bool) -> Any {
var a : Any
if b {
a = 42
} else {
doesNotReturn()
}
return a // Ok, because the noreturn call path isn't viable.
}
func testNoReturn2(_ b : Bool) -> Any {
var a : Any // expected-note {{variable defined here}}
if b {
a = 42
} else {
doesReturn()
}
// Not ok, since doesReturn() doesn't kill control flow.
return a // expected-error {{variable 'a' used before being initialized}}
}
class PerpetualMotion {
func start() -> Never {
repeat {} while true
}
static func stop() -> Never {
repeat {} while true
}
}
func testNoReturn3(_ b : Bool) -> Any {
let a : Int
switch b {
default:
PerpetualMotion().start()
}
return a
}
func testNoReturn4(_ b : Bool) -> Any {
let a : Int
switch b {
default:
PerpetualMotion.stop()
}
return a
}
// <rdar://problem/16687555> [DI] New convenience initializers cannot call inherited convenience initializers
class BaseWithConvenienceInits {
init(int: Int) {}
convenience init() {
self.init(int: 3)
}
}
class DerivedUsingConvenienceInits : BaseWithConvenienceInits {
convenience init(string: String) {
self.init()
}
}
// <rdar://problem/16660680> QoI: _preconditionFailure() in init method complains about super.init being called multiple times
class ClassWhoseInitDoesntReturn : BaseWithConvenienceInits {
init() {
_preconditionFailure("leave me alone dude");
}
}
// <rdar://problem/17233681> DI: Incorrectly diagnostic in delegating init with generic enum
enum r17233681Lazy<T> {
case Thunk(() -> T)
case Value(T)
init(value: T) {
self = .Value(value)
}
}
extension r17233681Lazy {
init(otherValue: T) {
self.init(value: otherValue)
}
}
// <rdar://problem/17556858> delegating init that delegates to @_transparent init fails
struct FortyTwo { }
extension Double {
init(v : FortyTwo) {
self.init(0.0)
}
}
// <rdar://problem/17686667> If super.init is implicitly inserted, DI diagnostics have no location info
class r17686667Base {}
class r17686667Test : r17686667Base {
var x: Int
override init() { // expected-error {{property 'self.x' not initialized at implicitly generated super.init call}}
}
}
// <rdar://problem/18199087> DI doesn't catch use of super properties lexically inside super.init call
class r18199087BaseClass {
let data: Int
init(val: Int) {
data = val
}
}
class r18199087SubClassA: r18199087BaseClass {
init() {
super.init(val: self.data) // expected-error {{use of 'self' in property access 'data' before super.init initializes self}}
}
}
// <rdar://problem/18414728> QoI: DI should talk about "implicit use of self" instead of individual properties in some cases
class rdar18414728Base {
var prop:String? { return "boo" }
// expected-note @+1 {{change 'let' to 'var' to make it mutable}} {{3-6=var}}
let aaaaa:String // expected-note 3 {{'self.aaaaa' not initialized}}
init() {
if let p1 = prop { // expected-error {{use of 'self' in property access 'prop' before all stored properties are initialized}}
aaaaa = p1
}
aaaaa = "foo" // expected-error {{immutable value 'self.aaaaa' may only be initialized once}}
}
init(a : ()) {
method1(42) // expected-error {{use of 'self' in method call 'method1' before all stored properties are initialized}}
aaaaa = "foo"
}
init(b : ()) {
final_method() // expected-error {{use of 'self' in method call 'final_method' before all stored properties are initialized}}
aaaaa = "foo"
}
init(c : ()) {
aaaaa = "foo"
final_method() // ok
}
func method1(_ a : Int) {}
final func final_method() {}
}
class rdar18414728Derived : rdar18414728Base {
var prop2:String? { return "boo" }
// expected-note @+1 2 {{change 'let' to 'var' to make it mutable}} {{3-6=var}} {{3-6=var}}
let aaaaa2:String
override init() {
if let p1 = prop2 { // expected-error {{use of 'self' in property access 'prop2' before super.init initializes self}}
aaaaa2 = p1
}
aaaaa2 = "foo" // expected-error {{immutable value 'self.aaaaa2' may only be initialized once}}
super.init()
}
override init(a : ()) {
method2() // expected-error {{use of 'self' in method call 'method2' before super.init initializes self}}
aaaaa2 = "foo"
super.init()
}
override init(b : ()) {
aaaaa2 = "foo"
method2() // expected-error {{use of 'self' in method call 'method2' before super.init initializes self}}
super.init()
}
override init(c : ()) {
super.init() // expected-error {{property 'self.aaaaa2' not initialized at super.init call}}
aaaaa2 = "foo" // expected-error {{immutable value 'self.aaaaa2' may only be initialized once}}
method2()
}
func method2() {}
}
struct rdar18414728Struct {
var computed:Int? { return 4 }
var i : Int // expected-note 2 {{'self.i' not initialized}}
var j : Int // expected-note {{'self.j' not initialized}}
init() {
j = 42
if let p1 = computed { // expected-error {{'self' used before all stored properties are initialized}}
i = p1
}
i = 1
}
init(a : ()) {
method(42) // expected-error {{'self' used before all stored properties are initialized}}
i = 1
j = 2
}
func method(_ a : Int) {}
}
extension Int {
mutating func mutate() {}
func inspect() {}
}
// <rdar://problem/19035287> let properties should only be initializable, not reassignable
struct LetProperties {
// expected-note @+1 {{change 'let' to 'var' to make it mutable}} {{3-6=var}}
let arr : [Int]
// expected-note @+1 2 {{change 'let' to 'var' to make it mutable}} {{3-6=var}} {{3-6=var}}
let (u, v) : (Int, Int)
// expected-note @+1 2 {{change 'let' to 'var' to make it mutable}} {{3-6=var}} {{3-6=var}}
let w : (Int, Int)
let x = 42
// expected-note @+1 {{change 'let' to 'var' to make it mutable}} {{3-6=var}}
let y : Int
let z : Int? // expected-note{{'self.z' not initialized}}
// Let properties can be initialized naturally exactly once along any given
// path through an initializer.
init(cond : Bool) {
if cond {
w.0 = 4
(u,v) = (4,2)
y = 71
} else {
y = 13
v = 2
u = v+1
w.0 = 7
}
w.1 = 19
z = nil
arr = []
}
// Multiple initializations are an error.
init(a : Int) {
y = a
y = a // expected-error {{immutable value 'self.y' may only be initialized once}}
u = a
v = a
u = a // expected-error {{immutable value 'self.u' may only be initialized once}}
v = a // expected-error {{immutable value 'self.v' may only be initialized once}}
w.0 = a
w.1 = a
w.0 = a // expected-error {{immutable value 'self.w.0' may only be initialized once}}
w.1 = a // expected-error {{immutable value 'self.w.1' may only be initialized once}}
arr = []
arr = [] // expected-error {{immutable value 'self.arr' may only be initialized once}}
} // expected-error {{return from initializer without initializing all stored properties}}
// inout uses of let properties are an error.
init() {
u = 1; v = 13; w = (1,2); y = 1 ; z = u
var variable = 42
swap(&u, &variable) // expected-error {{immutable value 'self.u' may not be passed inout}}
u.inspect() // ok, non mutating.
u.mutate() // expected-error {{mutating method 'mutate' may not be used on immutable value 'self.u'}}
arr = []
arr += [] // expected-error {{mutating operator '+=' may not be used on immutable value 'self.arr'}}
arr.append(4) // expected-error {{mutating method 'append' may not be used on immutable value 'self.arr'}}
arr[12] = 17 // expected-error {{mutating subscript 'subscript' may not be used on immutable value 'self.arr'}}
}
}
// <rdar://problem/19215313> let properties don't work with protocol method dispatch
protocol TestMutabilityProtocol {
func toIntMax()
mutating func changeToIntMax()
}
class C<T : TestMutabilityProtocol> {
let x : T
let y : T
init(a : T) {
x = a; y = a
x.toIntMax()
y.changeToIntMax() // expected-error {{mutating method 'changeToIntMax' may not be used on immutable value 'self.y'}}
}
}
struct MyMutabilityImplementation : TestMutabilityProtocol {
func toIntMax() {
}
mutating func changeToIntMax() {
}
}
// <rdar://problem/16181314> don't require immediate initialization of 'let' values
func testLocalProperties(_ b : Int) -> Int {
// expected-note @+1 {{change 'let' to 'var' to make it mutable}} {{3-6=var}}
let x : Int
let y : Int // never assigned is ok expected-warning {{immutable value 'y' was never used}} {{7-8=_}}
x = b
x = b // expected-error {{immutable value 'x' may only be initialized once}}
// This is ok, since it is assigned multiple times on different paths.
let z : Int
if true || false {
z = b
} else {
z = b
}
_ = z
return x
}
// Should be rejected as multiple assignment.
func testAddressOnlyProperty<T>(_ b : T) -> T {
// expected-note @+1 {{change 'let' to 'var' to make it mutable}} {{3-6=var}}
let x : T
let y : T
let z : T // never assigned is ok. expected-warning {{immutable value 'z' was never used}} {{7-8=_}}
x = b
y = b
x = b // expected-error {{immutable value 'x' may only be initialized once}}
var tmp = b
swap(&x, &tmp) // expected-error {{immutable value 'x' may not be passed inout}}
return y
}
// <rdar://problem/19254812> DI bug when referencing let member of a class
class r19254812Base {}
class r19254812Derived: r19254812Base{
let pi = 3.14159265359
init(x : ()) {
markUsed(pi) // ok, no diagnostic expected.
}
}
// <rdar://problem/19259730> Using mutating methods in a struct initializer with a let property is rejected
struct StructMutatingMethodTest {
let a, b: String // expected-note 2 {{'self.b' not initialized}}
init(x: String, y: String) {
a = x
b = y
mutate() // ok
}
init(x: String) {
a = x
mutate() // expected-error {{'self' used before all stored properties are initialized}}
b = x
}
init() {
a = ""
nonmutate() // expected-error {{'self' used before all stored properties are initialized}}
b = ""
}
mutating func mutate() {}
func nonmutate() {}
}
// <rdar://problem/19268443> DI should reject this call to transparent function
class TransparentFunction {
let x : Int
let y : Int
init() {
x = 42
x += 1 // expected-error {{mutating operator '+=' may not be used on immutable value 'self.x'}}
y = 12
myTransparentFunction(&y) // expected-error {{immutable value 'self.y' may not be passed inout}}
}
}
@_transparent
func myTransparentFunction(_ x : inout Int) {}
// <rdar://problem/19782264> Immutable, optional class members can't have their subproperties read from during init()
class MyClassWithAnInt {
let channelCount : Int = 42
}
class MyClassTestExample {
let clientFormat : MyClassWithAnInt!
init(){
clientFormat = MyClassWithAnInt()
_ = clientFormat.channelCount
}
}
// <rdar://problem/19746552> QoI: variable "used before being initialized" instead of "returned uninitialized" in address-only enum/struct
struct AddressOnlyStructWithInit<T, U> {
let a : T?
let b : U? // expected-note {{'self.b' not initialized}}
init(a : T) {
self.a = a
} // expected-error {{return from initializer without initializing all stored properties}}
}
enum AddressOnlyEnumWithInit<T> {
case X(T), Y
init() {
} // expected-error {{return from enum initializer method without storing to 'self'}}
}
// <rdar://problem/20135113> QoI: enum failable init that doesn't assign to self produces poor error
enum MyAwesomeEnum {
case One, Two
init?() {
}// expected-error {{return from enum initializer method without storing to 'self'}}
}
// <rdar://problem/20679379> DI crashes on initializers on protocol extensions
extension SomeProtocol {
init?() {
let a = self // expected-error {{variable 'self' used before being initialized}}
self = a
}
init(a : Int) {
} // expected-error {{protocol extension initializer never chained to 'self.init'}}
init(c : Float) {
protoMe() // expected-error {{variable 'self' used before being initialized}}
} // expected-error {{protocol extension initializer never chained to 'self.init'}}
}
// Lvalue check when the archetypes are not the same.
struct LValueCheck<T> {
// expected-note @+1 {{change 'let' to 'var' to make it mutable}} {{3-6=var}}
let x = 0 // expected-note {{initial value already provided in 'let' declaration}}
}
extension LValueCheck {
init(newY: Int) {
x = 42 // expected-error {{immutable value 'self.x' may only be initialized once}}
}
}
// <rdar://problem/20477982> Accessing let-property with default value in init() can throw spurious error
struct DontLoadFullStruct {
let x: Int = 1
let y: Int
init() {
y = x // ok!
}
}
func testReassignment() {
let c : Int // expected-note {{change 'let' to 'var' to make it mutable}} {{3-6=var}}
c = 12
c = 32 // expected-error {{immutable value 'c' may only be initialized once}}
_ = c
}
// <rdar://problem/21295093> Swift protocol cannot implement default initializer
protocol ProtocolInitTest {
init()
init(a : Int)
var i: Int { get set }
}
extension ProtocolInitTest {
init() {
} // expected-error {{protocol extension initializer never chained to 'self.init'}}
init(b : Float) {
self.init(a: 42) // ok
}
// <rdar://problem/21684596> QoI: Poor DI diagnostic in protocol extension initializer
init(test1 ii: Int) {
i = ii // expected-error {{'self' used before self.init call}}
self.init()
}
init(test2 ii: Int) {
self = unsafeBitCast(0, to: Self.self)
i = ii
}
init(test3 ii: Int) {
i = ii // expected-error {{'self' used before chaining to another self.init requirement}}
self = unsafeBitCast(0, to: Self.self)
}
init(test4 ii: Int) {
i = ii // expected-error {{'self' used before chaining to another self.init requirement}}
} // expected-error {{protocol extension initializer never chained to 'self.init'}}
}
// <rdar://problem/22436880> Function accepting UnsafeMutablePointer is able to change value of immutable value
func bug22436880(_ x: UnsafeMutablePointer<Int>) {}
func test22436880() {
let x: Int
x = 1
bug22436880(&x) // expected-error {{immutable value 'x' may not be passed inout}}
}
// sr-184
let x: String? // expected-note 2 {{constant defined here}}
print(x?.characters.count as Any) // expected-error {{constant 'x' used before being initialized}}
print(x!) // expected-error {{constant 'x' used before being initialized}}
// <rdar://problem/22723281> QoI: [DI] Misleading error from Swift compiler when using an instance method in init()
protocol PMI {
func getg()
}
extension PMI {
func getg() {}
}
class WS: PMI {
final let x: String // expected-note {{'self.x' not initialized}}
init() {
getg() // expected-error {{use of 'self' in method call 'getg' before all stored properties are initialized}}
self.x = "foo"
}
}
// <rdar://problem/23013334> DI QoI: Diagnostic claims that property is being used when it actually isn't
class r23013334 {
var B: Int // expected-note {{'self.B' not initialized}}
var A: String
init(A: String) throws {
self.A = A
self.A.withCString { cString -> () in // expected-error {{'self' captured by a closure before all members were initialized}}
print(self.A)
return ()
}
self.B = 0
}
}
class r23013334Derived : rdar16119509_Base {
var B: Int // expected-note {{'self.B' not initialized}}
var A: String
init(A: String) throws {
self.A = A
self.A.withCString { cString -> () in // expected-error {{'self' captured by a closure before all members were initialized}}
print(self.A)
return ()
}
self.B = 0
}
}
// sr-1469
struct SR1469_Struct1 {
let a: Int
let b: Int // expected-note {{'self.b' not initialized}}
init?(x: Int, y: Int) {
self.a = x
if y == 42 {
return // expected-error {{return from initializer without initializing all stored properties}}
}
// many lines later
self.b = y
}
}
struct SR1469_Struct2 {
let a: Int
let b: Int // expected-note {{'self.b' not initialized}}
init?(x: Int, y: Int) {
self.a = x
return // expected-error {{return from initializer without initializing all stored properties}}
}
}
struct SR1469_Struct3 {
let a: Int
let b: Int // expected-note {{'self.b' not initialized}}
init?(x: Int, y: Int) {
self.a = x
if y == 42 {
self.b = y
return
}
} // expected-error {{return from initializer without initializing all stored properties}}
}
enum SR1469_Enum1 {
case A, B
init?(x: Int) {
if x == 42 {
return // expected-error {{return from enum initializer method without storing to 'self'}}
}
// many lines later
self = .A
}
}
enum SR1469_Enum2 {
case A, B
init?() {
return // expected-error {{return from enum initializer method without storing to 'self'}}
}
}
enum SR1469_Enum3 {
case A, B
init?(x: Int) {
if x == 42 {
self = .A
return
}
} // expected-error {{return from enum initializer method without storing to 'self'}}
}
| apache-2.0 | 7c366e1b50345ac93c3f9d9f6a0e4c3b | 25.645032 | 138 | 0.618892 | 3.572902 | false | false | false | false |
thomas-mcdonald/SoundTop | SoundTop/STTrack.swift | 1 | 2813 | // STTrack.swift
//
// Copyright (c) 2015 Thomas McDonald
//
// Redistribution and use in source and binary forms, with or without
// modification, are permitted provided that the following conditions are met:
//
// Redistributions of source code must retain the above copyright notice, this
// list of conditions and the following disclaimer. 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. Neither the name of the 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 AVFoundation
import Cocoa
class STTrack: NSObject, NSCopying {
var artworkURL : NSString?
var title : NSString?
var artist : NSString?
var streamURL : NSString?
private var clientStreamURL : NSString {
get {
return (self.streamURL! as String) + "?client_id=027aa73b22641da241a74cfdd3c5210b"
}
}
var largeAlbumArt : NSString? {
get {
return self.artworkURL?.stringByReplacingOccurrencesOfString("large", withString: "t500x500")
}
}
var badgeAlbumArt: NSString? {
get {
return self.artworkURL?.stringByReplacingOccurrencesOfString("large", withString: "t300x300")
}
}
init(title : NSString?, artist : NSString?, artworkURL: NSString?, streamURL: NSString?) {
self.artworkURL = artworkURL
self.title = title
self.artist = artist
self.streamURL = streamURL
}
func playerItem() -> AVPlayerItem {
let url = NSURL(string: clientStreamURL as String)!
let asset = AVAsset.init(URL: url)
return AVPlayerItem.init(asset: asset)
}
func copyWithZone(zone: NSZone) -> AnyObject {
return STTrack(title: title, artist: artist, artworkURL: artworkURL, streamURL: streamURL)
}
}
| bsd-3-clause | 245aeeb63726797deaa689ba404489dc | 38.619718 | 105 | 0.715251 | 4.634267 | false | false | false | false |
Bersaelor/SwiftyHYGDB | Sources/SwiftyHYGDB/Indexer.swift | 1 | 1070 | //
// ValueIndexer.swift
// SwiftyHYGDB
//
// Created by Konrad Feiler on 01.10.17.
//
import Foundation
protocol IndexerValue: Hashable {
func isValid() -> Bool
}
struct Indexer<Value: IndexerValue> {
private var collectedValues = [Value: Int16]()
mutating func index(for value: Value?) -> Int16 {
guard let value = value, value.isValid() else { return Int16(SwiftyHYGDB.missingValueIndex) }
if let existingValueNr = collectedValues[value] {
return existingValueNr
} else {
let spectralTypeNr = Int16(collectedValues.count)
collectedValues[value] = spectralTypeNr
return spectralTypeNr
}
}
func indexedValues() -> [Value] {
return collectedValues.sorted(by: { (a, b) -> Bool in
return a.value < b.value
}).map { $0.key }
}
}
extension Indexer {
init(existingValues: [Value]) {
for (key, value) in existingValues.enumerated().map({ ($1, Int16($0)) }) {
collectedValues[key] = value
}
}
}
| mit | 0a284cdba177941ddf3073bf05b682ec | 25.097561 | 101 | 0.600935 | 3.848921 | false | false | false | false |
Lasithih/LIHAlert | Pod/Classes/LIHAlertManager.swift | 1 | 7020 | //
// LIHAlertManager.swift
// LIHAlert
//
// Created by Lasith Hettiarachchi on 10/15/15.
// Copyright © 2015 Lasith Hettiarachchi. All rights reserved.
//
import Foundation
import UIKit
@objc open class LIHAlertManager: NSObject {
open class func getTextAlert(message: String) -> LIHAlert {
let alertTextAlert: LIHAlert = LIHAlert()
alertTextAlert.alertType = LIHAlertType.text
alertTextAlert.contentText = message
alertTextAlert.alertColor = UIColor(red: 102.0/255.0, green: 197.0/255.0, blue: 241.0/255.0, alpha: 1.0)
alertTextAlert.alertHeight = 50.0
alertTextAlert.alertAlpha = 1.0
alertTextAlert.autoCloseEnabled=true
alertTextAlert.contentTextColor = UIColor.white
alertTextAlert.hasNavigationBar = true
alertTextAlert.paddingTop = 0.0
alertTextAlert.animationDuration = 0.35
alertTextAlert.autoCloseTimeInterval = 1.5
return alertTextAlert
}
open class func getTextWithTitleAlert(title: String, message:String) -> LIHAlert {
let alertTextAlert: LIHAlert = LIHAlert()
alertTextAlert.alertType = LIHAlertType.textWithTitle
alertTextAlert.contentText = message
alertTextAlert.titleText = title
alertTextAlert.contentTextFont = UIFont.systemFont(ofSize: 15)
alertTextAlert.alertColor = UIColor.orange
alertTextAlert.alertHeight = 85.0
alertTextAlert.alertAlpha = 1.0
alertTextAlert.autoCloseEnabled=true
alertTextAlert.contentTextColor = UIColor.white
alertTextAlert.titleTextColor = UIColor.white
alertTextAlert.hasNavigationBar = true
alertTextAlert.paddingTop = 0.0
alertTextAlert.animationDuration = 0.35
alertTextAlert.autoCloseTimeInterval = 2.5
return alertTextAlert
}
open class func getProcessingAlert(message: String) -> LIHAlert {
let processingAlert: LIHAlert = LIHAlert()
processingAlert.alertType = LIHAlertType.textWithLoading
processingAlert.contentText = message
processingAlert.alertColor = UIColor.gray
processingAlert.alertHeight = 50.0
processingAlert.alertAlpha = 1.0
processingAlert.autoCloseEnabled=false
processingAlert.contentTextColor = UIColor.white
processingAlert.hasNavigationBar = true
processingAlert.paddingTop = 0.0
processingAlert.animationDuration = 0.35
processingAlert.autoCloseTimeInterval = 2.5
return processingAlert
}
open class func getCustomViewAlert(customView: UIView) -> LIHAlert {
let customViewAlert: LIHAlert = LIHAlert()
customViewAlert.alertType = LIHAlertType.custom
customViewAlert.alertView = customView
customViewAlert.autoCloseEnabled=true
customViewAlert.hasNavigationBar = true
customViewAlert.animationDuration = 0.35
customViewAlert.autoCloseTimeInterval = 2.5
return customViewAlert
}
open class func getSuccessAlert(message: String) -> LIHAlert {
let successAlert: LIHAlert = LIHAlert()
successAlert.alertType = LIHAlertType.textWithIcon
successAlert.icon = UIImage(named: "SuccessIcon")
successAlert.contentText = message
successAlert.alertColor = UIColor(red: 17.0/255.0, green: 201.0/255.0, blue: 3.0/255.0, alpha: 1.0)
successAlert.alertHeight = 70.0
successAlert.alertAlpha = 1.0
successAlert.autoCloseEnabled=true
successAlert.contentTextColor = UIColor.white
successAlert.hasNavigationBar = true
successAlert.paddingTop = 0.0
successAlert.animationDuration = 0.35
successAlert.autoCloseTimeInterval = 2.5
return successAlert
}
open class func getErrorAlert(message: String) -> LIHAlert {
let errorAlert: LIHAlert = LIHAlert()
errorAlert.alertType = LIHAlertType.textWithIcon
errorAlert.icon = UIImage(named: "ErrorIcon")
errorAlert.contentText = message
errorAlert.alertColor = UIColor(red: 201.0/255.0, green: 3.0/255.0, blue: 3.0/255.0, alpha: 1.0)
errorAlert.alertHeight = 70.0
errorAlert.alertAlpha = 1.0
errorAlert.autoCloseEnabled=true
errorAlert.contentTextColor = UIColor.white
errorAlert.hasNavigationBar = true
errorAlert.paddingTop = 0.0
errorAlert.animationDuration = 0.35
errorAlert.autoCloseTimeInterval = 2.5
return errorAlert
}
open class func getTextWithButtonAlert(message: String, buttonText: String) -> LIHAlert {
let textWithButtonAlert: LIHAlert = LIHAlert()
textWithButtonAlert.alertType = LIHAlertType.textWithButton
textWithButtonAlert.contentText = message
textWithButtonAlert.buttonText = buttonText
textWithButtonAlert.buttonColor = UIColor(red: 22.0/255.0, green: 40.0/255.0, blue: 114.0/255.0, alpha: 1.0)
textWithButtonAlert.buttonWidth = 620.0
textWithButtonAlert.alertColor = UIColor(red: 22.0/255.0, green: 40.0/255.0, blue: 114.0/255.0, alpha: 1.0)
textWithButtonAlert.alertHeight = 130.0
textWithButtonAlert.alertAlpha = 1.0
textWithButtonAlert.autoCloseEnabled=false
textWithButtonAlert.contentTextColor = UIColor.white
textWithButtonAlert.hasNavigationBar = true
textWithButtonAlert.paddingTop = 0.0
textWithButtonAlert.animationDuration = 0.35
textWithButtonAlert.autoCloseTimeInterval = 2.5
return textWithButtonAlert
}
open class func getTextWithTwoButtonsAlert(message: String, buttonOneText: String, buttonTwoText: String) -> LIHAlert {
let textWithButtonsAlert: LIHAlert = LIHAlert()
textWithButtonsAlert.alertType = LIHAlertType.textWithTwoButtons
textWithButtonsAlert.contentText = message
textWithButtonsAlert.alertColor = UIColor(red: 22.0/255.0, green: 40.0/255.0, blue: 114.0/255.0, alpha: 1.0)
textWithButtonsAlert.buttonOneText = buttonOneText
textWithButtonsAlert.buttonOneColor = UIColor(red: 22.0/255.0, green: 40.0/255.0, blue: 114.0/255.0, alpha: 1.0)
textWithButtonsAlert.buttonTwoText = buttonTwoText
textWithButtonsAlert.buttonTwoColor = UIColor(red: 22.0/255.0, green: 40.0/255.0, blue: 114.0/255.0, alpha: 1.0)
textWithButtonsAlert.alertHeight = 130.0
textWithButtonsAlert.alertAlpha = 1.0
textWithButtonsAlert.autoCloseEnabled=false
textWithButtonsAlert.contentTextColor = UIColor.white
textWithButtonsAlert.hasNavigationBar = true
textWithButtonsAlert.paddingTop = 0.0
textWithButtonsAlert.animationDuration = 0.35
textWithButtonsAlert.autoCloseTimeInterval = 2.5
return textWithButtonsAlert
}
}
| mit | fe7021adcb7d66a44ba08103a984b5a0 | 39.80814 | 123 | 0.684713 | 4.243652 | false | false | false | false |
mafmoff/RxRSSFeed | RxRSSFeed/Const/Const.swift | 2 | 446 | //
// Const.swift
// MAF-SwiftCompe
//
// Created by SaikaYamamoto on 2015/09/23.
// Copyright (c) 2015年 SaikaYamamoto. All rights reserved.
//
import UIKit
/*
* Const
*/
/// googleajaxfeed Path
let GOOGLE_FEED_PATH = "http://ajax.googleapis.com/ajax/services/feed/load?v=1.0&q="
/// Theme Color
let THEME_COLOR = UIColor.colorWithHex("FB5363", alpha: 1.0)
/// Point Color
let POINT_COLOR = UIColor.colorWithHex("929292", alpha: 1.0)
| mit | ee680a3ac41790462a0ed54f1bdeb08d | 20.142857 | 84 | 0.689189 | 2.792453 | false | false | false | false |
midoks/Swift-Learning | GitHubStar/GitHubStar/GitHubStar/Controllers/common/base/GsHomeViewController.swift | 1 | 7804 | //
// GsHomeViewController.swift
// GitHubStar
//
// Created by midoks on 16/4/5.
// Copyright © 2016年 midoks. All rights reserved.
//
import UIKit
class GsHomeViewController: UIViewController {
var _tableView: UITableView?
var _refresh = UIRefreshControl()
var _headView = GsHomeHeadView()
var _backView = UIView()
var _tabBarH:CGFloat = 0
deinit {
print("deinit GsHomeViewController")
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
self.navigationController?.navigationBar.setBackgroundImage(UIImage(), for: .default)
self.navigationController?.navigationBar.shadowImage = UIImage()
self.navigationController?.navigationBar.isTranslucent = false
self.resetView()
}
override func viewDidAppear(_ animated: Bool) {
super.viewDidAppear(animated)
}
override func viewWillDisappear(_ animated: Bool) {
super.viewWillDisappear(animated)
self.navigationController?.navigationBar.setBackgroundImage(nil, for: .default)
self.navigationController?.navigationBar.shadowImage = nil
self.navigationController?.navigationBar.isTranslucent = true
}
override func viewDidLoad() {
super.viewDidLoad()
initTableView()
initTableHeadView()
initRefreshView()
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
}
private func initTableView(){
_tableView = UITableView(frame: self.view.frame, style: UITableViewStyle.grouped)
_tableView?.frame.size.height -= 64
_tableView?.dataSource = self
_tableView?.delegate = self
self.view.addSubview(_tableView!)
}
private func initRefreshView(){
_refresh.addTarget(self, action: #selector(self.refreshUrl), for: .valueChanged)
_refresh.tintColor = UIColor.white
_tableView!.addSubview(_refresh)
_tableView?.contentOffset.y -= 64
_refresh.beginRefreshing()
refreshUrl()
}
func startRefresh(){
_tableView?.contentOffset.y -= 64
_refresh.beginRefreshing()
}
func endRefresh(){
_refresh.endRefreshing()
}
private func initTableHeadView(){
_backView = UIView(frame: CGRect(x: 0, y: -self.view.frame.height, width: self.view.frame.width, height: self.view.frame.height))
_backView.backgroundColor = UIColor.primaryColor()
_tableView?.addSubview(_backView)
_headView = GsHomeHeadView(frame: CGRect(x: 0, y: 0, width: self.view.frame.width, height: 90))
_headView.backgroundColor = UIColor.primaryColor()
_headView.icon.backgroundColor = UIColor.white
_tableView?.tableHeaderView = _headView
}
func refreshUrl(){
_refresh.endRefreshing()
}
}
extension GsHomeViewController {
func getNavBarHeight() -> CGFloat {
return UIApplication.shared.statusBarFrame.height + (navigationController?.navigationBar.frame.height)!
}
func resetView(){
let root = self.getRootVC()
_tabBarH = self.getNavBarHeight()
let w = root.view.frame.width < root.view.frame.height
? root.view.frame.width : root.view.frame.height
let h = root.view.frame.height > root.view.frame.width
? root.view.frame.height : root.view.frame.width
if UIDevice.current.orientation.isPortrait {
_tableView?.frame = CGRect(x: 0, y: 0, width: w, height: h - _tabBarH)
} else if UIDevice.current.orientation.isLandscape {
_tableView?.frame = CGRect(x: 0, y: 0, width: h, height: w - _tabBarH)
}
_backView.frame = CGRect(x: 0, y: -root.view.frame.height, width: root.view.frame.width, height: root.view.frame.height)
}
}
extension GsHomeViewController {
func setAvatar(url:String){
self.asynTask {
self._headView.icon.MDCacheImage(url: url, defaultImage: "avatar_default")
}
}
func setName(name:String){
self.asynTask {
self._headView.name.text = name
let size = self._headView.getLabelSize(label: self._headView.name)
self._headView.name.frame.size.height = size.height
self._headView.frame.size.height = 90 + size.height + 5
self._tableView?.tableHeaderView = self._headView
}
}
func setDesc(desc:String){
self.asynTask {
self._headView.desc.text = desc
self._headView.desc.frame.origin.y = self._headView.frame.size.height
let size = self._headView.getLabelSize(label: self._headView.desc)
self._headView.frame.size.height = self._headView.frame.size.height + size.height + 5
self._tableView?.tableHeaderView = self._headView
}
}
func setStarStatus(status:Bool){
self.asynTask {
self._headView.addIconStar()
}
}
func removeStarStatus(){
self.asynTask {
self._headView.removeIconStar()
}
}
func setIconView(icon:[GsIconView]){
self.asynTask {
for i in self._headView.listIcon {
i.removeFromSuperview()
}
for i in self._headView.listLine {
i.removeFromSuperview()
}
self._headView.listIcon.removeAll()
self._headView.listLine.removeAll()
for i in icon {
self._headView.addIcon(icon: i)
}
self._headView.frame.size.height = self._headView.frame.size.height + 70
self._tableView?.tableHeaderView = self._headView
}
}
}
extension GsHomeViewController {
func scrollViewDidScroll(scrollView: UIScrollView) {
if scrollView.contentOffset.y > 0 {
self.navigationController?.navigationBar.shadowImage = nil
} else {
self.navigationController?.navigationBar.shadowImage = UIImage()
}
}
}
extension GsHomeViewController{
override func viewWillTransition(to size: CGSize, with coordinator: UIViewControllerTransitionCoordinator) {
super.viewWillTransition(to: size, with: coordinator)
_backView.frame = CGRect(x: 0, y: -size.height, width: size.width, height: size.height)
_tabBarH = self.getNavBarHeight()
if _tabBarH > 32 { //print("竖屏")
_tableView?.frame.size = CGSize(width: size.width, height: size.height + _tabBarH / 2)
} else { //print("横屏")
_tableView?.frame.size = CGSize(width: size.width, height: size.height - _tabBarH)
}
}
}
//Mark: - UITableViewDataSource && UITableViewDelegate -
extension GsHomeViewController:UITableViewDataSource, UITableViewDelegate {
private func numberOfSectionsInTableView(tableView: UITableView) -> Int {
return 2
}
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
if section == 0 {
return 0
}
return 1
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = UITableViewCell(style: .default, reuseIdentifier: nil)
cell.textLabel?.text = "home"
return cell
}
}
| apache-2.0 | 90f5541abeeb8c52b0480196f056d576 | 28.518939 | 137 | 0.59361 | 4.804562 | false | false | false | false |
chashmeetsingh/Youtube-iOS | YouTube Demo/HomeController.swift | 1 | 6074 | //
// ViewController.swift
// YouTube Demo
//
// Created by Chashmeet Singh on 06/01/17.
// Copyright © 2017 Chashmeet Singh. All rights reserved.
//
import UIKit
class HomeController: UICollectionViewController, UICollectionViewDelegateFlowLayout {
let cellId = "cellId"
let trendingCellId = "trendingCellId"
let subscriptionCellId = "subscriptionCellId"
let titles = ["Home", "Trending", "Subscriptions", "Account"]
override func viewDidLoad() {
super.viewDidLoad()
navigationController?.navigationBar.isTranslucent = false
let titleLabel = UILabel(frame: CGRect(x: 0, y: 0, width: view.frame.width - 32, height: view.frame.height))
titleLabel.text = " Home"
titleLabel.textColor = .white
titleLabel.font = UIFont.systemFont(ofSize: 20)
navigationItem.titleView = titleLabel
setupCollectionView()
setupMenuBar()
setupNavBarButtons()
}
func setupCollectionView() {
if let flowLayout = collectionView?.collectionViewLayout as? UICollectionViewFlowLayout {
flowLayout.scrollDirection = .horizontal
flowLayout.minimumLineSpacing = 0
}
collectionView?.backgroundColor = .white
collectionView?.register(FeedCell.self, forCellWithReuseIdentifier: cellId)
collectionView?.register(TrendingCell.self, forCellWithReuseIdentifier: trendingCellId)
collectionView?.register(SubscriptionCell.self, forCellWithReuseIdentifier: subscriptionCellId)
collectionView?.contentInset = UIEdgeInsets(top: 50, left: 0, bottom: 0, right: 0)
collectionView?.scrollIndicatorInsets = UIEdgeInsets(top: 50, left: 0, bottom: 0, right: 0)
collectionView?.isPagingEnabled = true
}
lazy var menuBar: MenuBar = {
let menuBar = MenuBar()
menuBar.homeController = self
return menuBar
}()
private func setupMenuBar() {
navigationController?.hidesBarsOnSwipe = true
let redView = UIView()
redView.backgroundColor = UIColor.rgb(red: 230, green: 32, blue: 31)
view.addSubview(redView)
view.addConstraintsWithFormat(format: "H:|[v0]|", view: redView)
view.addConstraintsWithFormat(format: "V:[v0(50)]", view: redView)
view.addSubview(menuBar)
view.addConstraintsWithFormat(format: "H:|[v0]|", view: menuBar)
view.addConstraintsWithFormat(format: "V:[v0(50)]", view: menuBar)
menuBar.topAnchor.constraint(equalTo: topLayoutGuide.bottomAnchor).isActive = true
}
override func scrollViewDidScroll(_ scrollView: UIScrollView) {
menuBar.horizontalbarLeftAnchorConstraint?.constant = scrollView.contentOffset.x / 4
}
private func setupNavBarButtons() {
let searchImage = UIImage(named: "search")?.withRenderingMode(.alwaysOriginal)
let searchBarButton = UIBarButtonItem(image: searchImage, style: .plain, target: self, action: #selector(handleSearch))
let settingsImage = UIImage(named: "settings")?.withRenderingMode(.alwaysOriginal)
let settingsBarButton = UIBarButtonItem(image: settingsImage, style: .plain, target: self, action: #selector(handleMore))
navigationItem.rightBarButtonItems = [settingsBarButton, searchBarButton]
}
func handleSearch() {
scrollToMenuIndex(menuIndex: 2)
}
func scrollToMenuIndex(menuIndex: Int) {
let indexPath = IndexPath(item: menuIndex, section: 0)
collectionView?.scrollToItem(at: indexPath, at: .centeredHorizontally, animated: true)
setTitleForIndex(index: menuIndex)
}
private func setTitleForIndex(index: Int) {
if let titleLabel = navigationItem.titleView as? UILabel {
titleLabel.text = " \(titles[index])"
}
}
lazy var settingsLauncher: SettingsLauncher = {
let vc = SettingsLauncher()
vc.homeController = self
return vc
}()
func handleMore() {
settingsLauncher.showSettings()
}
func showControllerForSetting(_ setting: Setting) {
let vc = UIViewController()
vc.navigationItem.title = setting.name.rawValue
vc.view.backgroundColor = .white
navigationController?.navigationBar.tintColor = .white
navigationController?.navigationBar.titleTextAttributes = [NSForegroundColorAttributeName : UIColor.white]
self.navigationController?.pushViewController(vc, animated: true)
}
override func scrollViewWillEndDragging(_ scrollView: UIScrollView, withVelocity velocity: CGPoint, targetContentOffset: UnsafeMutablePointer<CGPoint>) {
let index: Int = Int(targetContentOffset.pointee.x / view.frame.width)
let indexPath = IndexPath(item: index, section: 0)
menuBar.collectionView.selectItem(at: indexPath, animated: true, scrollPosition: .centeredHorizontally)
setTitleForIndex(index: index)
}
override func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return 4
}
override func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
let identifier: String
if indexPath.item == 1 {
identifier = trendingCellId
} else if indexPath.item == 2 {
identifier = subscriptionCellId
} else {
identifier = cellId
}
let cell = collectionView.dequeueReusableCell(withReuseIdentifier: identifier, for: indexPath) as! FeedCell
return cell
}
func collectionView(_ collectionView: UICollectionView, layout collectionViewLayout: UICollectionViewLayout, sizeForItemAt indexPath: IndexPath) -> CGSize {
return CGSize(width: view.frame.width, height: view.frame.height - 50)
}
}
| mit | e04e36f4c1ffe27a951c427faf3c34cb | 37.194969 | 160 | 0.66524 | 5.393428 | false | false | false | false |
fernandomarins/food-drivr-pt | hackathon-for-hunger/MetaData.swift | 1 | 1134 | //
// MetaData.swift
// hackathon-for-hunger
//
// Created by Ian Gristock on 4/1/16.
// Copyright © 2016 Hacksmiths. All rights reserved.
//
import Foundation
import RealmSwift
import ObjectMapper
class MetaData: Object, Mappable {
typealias JsonDict = [String: AnyObject]
var images = List<Image>()
var donationDescription: String? = nil
convenience init(dict: JsonDict) {
self.init()
addImages(dict["images"] as? [JsonDict])
if let description = dict["description"] as? String {
donationDescription = description
}
}
func addImages(images: [JsonDict]?) {
if let newImages = images{
for newImage in newImages {
if let imageUrl = newImage["url"] {
self.images.append(Image(value: ["url": imageUrl]))
}
}
}
}
required convenience init?(_ map: Map) {
self.init()
}
func mapping(map: Map) {
donationDescription <- map["description"]
images <- (map["images"], ListTransform<Image>())
}
} | mit | 12f5c6579105e4678f0a3e32c2195a95 | 23.652174 | 71 | 0.563107 | 4.324427 | false | false | false | false |
tomomura/TimeSheet | Classes/Controllers/Intros/FTIntrosCompleteViewController.swift | 1 | 2595 | //
// FTIntrosCompleteViewController.swift
// TimeSheet
//
// Created by TomomuraRyota on 2015/05/03.
// Copyright (c) 2015年 TomomuraRyota. All rights reserved.
//
import UIKit
class FTIntrosCompleteViewController: FTIntrosPageDataViewController {
@IBOutlet weak var completeButton: UIButton!
@IBOutlet weak var descriptionLabel: UILabel!
@IBOutlet weak var statusImage: UIImageView!
// MARK: - View Life Cycles
override func viewDidLoad() {
super.viewDidLoad()
self.pageIndex = 2
self.descriptionLabel.text = "使う準備が整いました"
self.completeButton.setAttributedTitle(NSAttributedString(string: "時間の管理をはじめる"), forState: UIControlState.Normal)
}
override func viewWillAppear(animated: Bool) {
super.viewWillAppear(animated)
if self.user!.name != nil && !self.user!.name!.isEmpty {
self.showCompleteMessages()
} else {
self.showNameEmptyMessages()
}
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
}
// MARK: - Helper Methods
/**
エラーメッセージを表示する
*/
func showNameEmptyMessages() {
self.statusImage.image = UIImage(named: "x-mark")
self.descriptionLabel.text = "名前が未入力です"
self.descriptionLabel.textColor = .redColor()
self.completeButton.hidden = true
}
/**
完了メッセージを表示する
*/
func showCompleteMessages() {
self.statusImage.image = UIImage(named: "complete")
self.descriptionLabel.text = "ようこそ「\(self.user!.name!)」さん\n使う準備が整いました"
self.descriptionLabel.textColor = .whiteColor()
self.completeButton.hidden = false
}
// MARK: - IBActions
/**
完了ボタンを押下した際に呼び出される
データを保存して、ダッシュボード画面へ遷移する
:param: sender <#sender description#>
*/
@IBAction func onClickComplete(sender: AnyObject) {
NSManagedObjectContext.MR_defaultContext().MR_saveToPersistentStoreWithCompletion { (result, error) -> Void in
let storyboard : UIStoryboard! = UIStoryboard(name: "Dashboards", bundle: nil)
let initialViewCtl = storyboard.instantiateInitialViewController() as! UIViewController
self.presentViewController(initialViewCtl, animated: true, completion: nil)
}
}
} | mit | 3c9b03fa31571c7d864ca0e3824d8181 | 29 | 121 | 0.646264 | 4.387037 | false | false | false | false |
whiteshadow-gr/HatForIOS | HAT/Objects/File Upload Object/HATFileUploadPermissions.swift | 1 | 1987 | /**
* Copyright (C) 2018 HAT Data Exchange Ltd
*
* SPDX-License-Identifier: MPL2
*
* This file is part of the Hub of All Things project (HAT).
*
* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/
*/
import SwiftyJSON
// MARK: Struct
public struct HATFileUploadPermissions {
// MARK: - Coding Keys
/**
The JSON fields used by the hat
The Fields are the following:
* `userID` in JSON is `userID`
* `contentReadable` in JSON is `contentReadable`
*/
private enum CodingKeys: String, CodingKey {
case userID
case contentReadable
}
// MARK: - Variables
/// The user id that uploaded the file
public var userID: String = ""
/// Is the content readable
public var contentReadable: String = ""
// MARK: - Initialisers
/**
The default initialiser. Initialises everything to default values.
*/
public init() {
userID = ""
}
/**
It initialises everything from the received JSON file from the HAT
- dict: The JSON file received
*/
public init(from dict: Dictionary<String, JSON>) {
self.init()
if let tempUserID: String = dict["userID"]?.stringValue {
userID = tempUserID
}
if let tempContentReadable: String = dict["contentReadable"]?.stringValue {
contentReadable = tempContentReadable
}
}
// MARK: - JSON Mapper
/**
Returns the object as Dictionary, JSON
- returns: Dictionary<String, String>
*/
public func toJSON() -> Dictionary<String, Any> {
return [
"userID": self.userID,
"contentReadable": self.contentReadable,
"unixTimeStamp": Int(HATFormatterHelper.formatDateToEpoch(date: Date())!)!
]
}
}
| mpl-2.0 | 87d7f25c4e46ae5a221ad3c03804d46e | 21.83908 | 86 | 0.601912 | 4.495475 | false | false | false | false |
Subsets and Splits