repo_name
stringlengths 7
91
| path
stringlengths 8
658
| copies
stringclasses 125
values | size
stringlengths 3
6
| content
stringlengths 118
674k
| license
stringclasses 15
values | hash
stringlengths 32
32
| line_mean
float64 6.09
99.2
| line_max
int64 17
995
| alpha_frac
float64 0.3
0.9
| ratio
float64 2
9.18
| autogenerated
bool 1
class | config_or_test
bool 2
classes | has_no_keywords
bool 2
classes | has_few_assignments
bool 1
class |
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
bobbymay/HouseAds | Ads/Ad Files/Ads.swift | 1 | 3477 | import UIKit
/// Wrapper to control everything
class Ads: NSObject {
static var started = false
private static let wall = BannerWall()
private static let purchase = AdsPurchase()
/// Was in-app purchase used to remove ads
static var removed: Bool {
return UserDefaults.standard.bool(forKey: "AdsPurchased")
}
/// In-house banner showing
static var showing: Bool {
return TopBanner.showing
}
/// Brings in-house banner to the front of the screen
static func bringToFront() {
if TopBanner.showing, let topBanner = UIApplication.shared.delegate?.window??.rootViewController?.view.viewWithTag(5000) {
UIApplication.shared.delegate?.window??.rootViewController?.view.bringSubview(toFront: topBanner)
}
}
/// Returns the height of in-house banner
static var height: CGFloat {
guard TopBanner.showing else { return 0.0 }
return TopBanner.height + Screen.statusBarHeight
}
/// Starts everything
static func start() {
if !Ads.started {
started = true
let starts = UserDefaults.standard.integer(forKey: "adStarts") + 1
UserDefaults.standard.set(starts, forKey: ("adStarts"))
if Internet.available {
Banners.getFile()
} else {
// if there is no Internet, monitor it, when there is a connection getFile() will be called
Internet().monitorInternet()
// creates banner if exist
if let mb = UserDefaults.standard.dictionary(forKey: "MyBanners") {
if !Ads.removed && !TopBanner.created && mb.count > 0 && Banners.count > 0 {
_ = TopBanner()
}
}
}
}
// if changing the orientation is not supported, deleted this and change this class to struct
UIDevice.current.beginGeneratingDeviceOrientationNotifications()
NotificationCenter.default.addObserver(self, selector: #selector(Ads.orientationChanged(notification:)), name: NSNotification.Name.UIDeviceOrientationDidChange, object: nil)
}
/// Shows wall of banners
static func showWall() {
if !BannerWall.showing && Banners.count > 0 {
wall.show()
}
}
/**
Remove ads by purchase
- Parameters:
- frame: Frame of button or view that removes ads. This is mostly used for iPad pop-up controller
*/
static func buy(frame: CGRect) {
purchase.removeAds(frame: frame)
}
/// Ads have been purchased to be removed
static func purchased() {
UserDefaults.standard.set(true, forKey: "AdsPurchased")
if let topBanner = UIApplication.shared.delegate?.window??.rootViewController?.view.viewWithTag(5000) {
topBanner.removeFromSuperview()
TopBanner.removed()
}
if let adsRemoveButton = UIApplication.shared.delegate?.window??.rootViewController?.view.viewWithTag(5005) {
adsRemoveButton.removeFromSuperview()
}
if let tableRemoveButton = UIApplication.shared.delegate?.window??.rootViewController?.view.viewWithTag(8000)?.viewWithTag(8001) {
tableRemoveButton.removeFromSuperview()
}
if BannerWall.showing { BannerWall.resize() }
}
/// Handles orientation changes (delete if not supported)
@objc static func orientationChanged(notification: NSNotification) {
if TopBanner.showing, let topBanner = UIApplication.shared.delegate?.window??.rootViewController?.view.viewWithTag(5000) {
topBanner.frame = CGRect.center(x: Screen.width/2, y: topBanner.frame.size.height/2 + Screen.statusBarHeight, width: topBanner.frame.size.width, height: topBanner.frame.size.height)
}
if BannerWall.showing { BannerWall.resize() }
}
}
| mit | 332e92fe28b6b177a43f5624cd01cd7c | 25.953488 | 184 | 0.719586 | 3.964652 | false | false | false | false |
apegroup/APECountdownView | Source/CountdownNumberView.swift | 1 | 4984 | // CountdownNumberView.swift
//
// The MIT License (MIT)
//
// Copyright (c) 2016 apegroup
//
// 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.
/**
A view with a number and a block.
*/
@IBDesignable class CountdownNumberView: UIView {
/**
Label of the number. Do not change this text instead use text property of CountdownNumberView.
*/
var label: UILabel!
/**
Color of the first gradient.
*/
var gradientColor1 = UIColor(red: 0.290, green: 0.290, blue: 0.290, alpha: 1.000)
/**
Color of the second gradient.
*/
var gradientColor2 = UIColor(red: 0.153, green: 0.153, blue: 0.153, alpha: 1.000)
/**
Color of the third gradient.
*/
var gradientColor3 = UIColor(red: 0.071, green: 0.071, blue: 0.071, alpha: 1.000)
/**
Color of the fourth gradient.
*/
var gradientColor4 = UIColor(red: 0.004, green: 0.004, blue: 0.004, alpha: 1.000)
private var clipView: UIView!
/**
The number in the view.
*/
@IBInspectable var text: String? {
didSet {
// Only change when it's a new text
if label.text == text {
return
}
// Don't animate the first time
if label.text != nil {
label.slideInFromTop()
}
label.text = text
}
}
required init(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)!
createSubviews()
}
override init(frame: CGRect) {
super.init(frame: frame)
createSubviews()
}
private func createSubviews() {
clipView = UIView()
clipView.clipsToBounds = true
addSubview(clipView)
label = UILabel()
label.textColor = UIColor.whiteColor()
label.font = UIFont.boldSystemFontOfSize(16)
label.textAlignment = NSTextAlignment.Center
clipView.addSubview(label)
}
override func drawRect(rect: CGRect) {
// General Declarations
let context = UIGraphicsGetCurrentContext()
// Gradient Declarations
let gradientColors = [gradientColor1.CGColor, gradientColor2.CGColor, gradientColor3.CGColor, gradientColor4.CGColor]
let gradient = CGGradientCreateWithColors(CGColorSpaceCreateDeviceRGB(), gradientColors, [0, 0.49, 0.51, 1])!
// Shadow Declarations
let shadow = NSShadow()
shadow.shadowColor = UIColor.blackColor().colorWithAlphaComponent(0.3)
shadow.shadowOffset = CGSize(width: 0, height: 3)
shadow.shadowBlurRadius = 3
// Rectangle Drawing
let bezierFrame = CGRect(x: 3, y: 0, width: bounds.size.width - 6, height: bounds.size.height - 6)
let rectanglePath = UIBezierPath(roundedRect: bezierFrame, cornerRadius: 5)
CGContextSaveGState(context)
CGContextSetShadowWithColor(context, shadow.shadowOffset, shadow.shadowBlurRadius, (shadow.shadowColor as! UIColor).CGColor)
CGContextBeginTransparencyLayer(context, nil)
rectanglePath.addClip()
let gradientPointStart = CGPoint(x: CGRectGetMidX(bounds), y: CGRectGetMinY(bounds))
let gradientPointEnd = CGPoint(x: CGRectGetMidX(bounds), y: CGRectGetMaxY(bounds))
CGContextDrawLinearGradient(context, gradient, gradientPointStart, gradientPointEnd, CGGradientDrawingOptions())
CGContextEndTransparencyLayer(context)
CGContextRestoreGState(context)
}
override func layoutSubviews() {
super.layoutSubviews()
backgroundColor = UIColor.clearColor()
let labelFrame = CGRectMake(0, 1, bounds.size.width, bounds.size.height - 9)
label.frame = labelFrame
clipView.frame = labelFrame
}
override func prepareForInterfaceBuilder() {
super.prepareForInterfaceBuilder()
text = "0"
}
}
| mit | 559f86201bf901a4bdf831786d604099 | 34.6 | 132 | 0.651083 | 4.724171 | false | false | false | false |
iwheelbuy/VK | VK/Method/Utils/VK+Method+Utils+GetLinkStats.swift | 1 | 3032 | //import Foundation
//
//public extension Method.Utils {
// /// Возвращает статистику переходов по сокращенной ссылке.
// public struct GetLinkStats {
// /// Интервал
// public enum Interval: String, Decodable {
// /// Час
// case hour
// /// День
// case day
// /// Неделя
// case week
// /// Месяц
// case month
// /// Все время с момента создания ссылки
// case forever
// }
// /// Ответ
// public struct Response: Decodable {
// /// Входной параметр key
// public let key: String
// /// Массив объектов, данные о статистике
// public let stats: [Object.ShortenedLinkStats]
// }
// /// Ключ доступа к приватной статистике
// public let access_key: String?
// /// Возвращать расширенную статистику (пол/возраст/страна/город)
// public let extended: Bool
// /// Единица времени для подсчета статистики
// public let interval: Method.Utils.GetLinkStats.Interval
// /// Длительность периода для получения статистики в выбранных единицах (из параметра interval)
// public let intervals_count: UInt
// /// Содержательная часть (символы после "vk.cc")
// public let key: String
// /// Пользовательские данные
// public let user: App.User
//
// public init(access_key: String? = nil, extended: Bool = false, interval: Method.Utils.GetLinkStats.Interval = .day, intervals_count: UInt = 1, key: String, user: App.User) {
// self.access_key = access_key
// self.extended = extended
// self.interval = interval
// self.intervals_count = intervals_count
// self.key = key
// self.user = user
// }
// }
//}
//
//extension Method.Utils.GetLinkStats: ApiType {
//
// public var method_name: String {
// return "utils.getLinkStats"
// }
//
// public var parameters: [String: String] {
// var dictionary = App.parameters
// dictionary["access_token"] = user.token
// dictionary["access_key"] = access_key
// dictionary["interval"] = interval.rawValue
// dictionary["intervals_count"] = "\(intervals_count)"
// dictionary["extended"] = extended ? "1" : "0"
// dictionary["key"] = key
// return dictionary
// }
//}
//
//extension Method.Utils.GetLinkStats: StrategyType {
//
// public var api: AnyApi<Method.Utils.GetLinkStats.Response> {
// return AnyApi(api: self)
// }
//}
| mit | 5904a4cef5a47cdb9745b1b0104888e6 | 35.109589 | 183 | 0.562974 | 3.35369 | false | false | false | false |
Tricertops/YAML | Sources/Parsing/Parser+Mark.swift | 1 | 2073 | //
// Parser+Mark.swift
// YAML.framework
//
// Created by Martin Kiss on 14 May 2016.
// https://github.com/Tricertops/YAML
//
// The MIT License (MIT)
// Copyright © 2016 Martin Kiss
//
extension Parser.Mark {
func indexInString(_ string: String) -> String.UTF8Index {
let start = string.utf8.startIndex
let end = string.utf8.endIndex
return string.utf8.index(start, offsetBy: Int(self.location), limitedBy: end)!
}
init(_ mark: yaml_mark_t) {
self.location = UInt(mark.index)
self.line = UInt(mark.line)
self.column = UInt(mark.column)
}
}
extension Parser.Mark: Comparable { }
public func == (left: Parser.Mark, right: Parser.Mark) -> Bool {
return left.location == right.location
}
public func < (left: Parser.Mark, right: Parser.Mark) -> Bool {
return left.location < right.location
}
extension Parser.Mark.Range {
func rangeInString(_ string: String) -> Swift.Range<String.UTF8Index> {
let start = self.start.indexInString(string)
let end = self.end.indexInString(string)
return start ..< end
}
func substringFromString(_ string: String) -> String {
let range = self.rangeInString(string)
return String(string.utf8[range])!
}
static func union(_ ranges: Parser.Mark.Range? ...) -> Parser.Mark.Range {
var start: Parser.Mark?
var end: Parser.Mark?
for optionalRange in ranges {
guard let range = optionalRange else { continue }
if start == nil { start = range.start }
if end == nil { end = range.end }
start = min(start!, range.start)
end = max(end!, range.end)
}
assert(start != nil, "Misuse of range union.")
assert(start != nil, "Misuse of range union.")
return Parser.Mark.Range(start: start!, end: end!)
}
}
func ... (start: Parser.Mark, end: Parser.Mark) -> Parser.Mark.Range {
return Parser.Mark.Range(start: start, end: end)
}
| mit | f283ad32b034fe2aa8948711a17c6d48 | 25.564103 | 86 | 0.597973 | 3.767273 | false | false | false | false |
samodom/TestableUIKit | TestableUIKit/UIResponder/UIView/UIWebView/UIWebViewGoForwardSpy.swift | 1 | 1679 | //
// UIWebViewGoForwardSpy.swift
// TestableUIKit
//
// Created by Sam Odom on 2/21/17.
// Copyright © 2017 Swagger Soft. All rights reserved.
//
import UIKit
import TestSwagger
import FoundationSwagger
public extension UIWebView {
private static let goForwardCalledKeyString = UUIDKeyString()
private static let goForwardCalledKey =
ObjectAssociationKey(goForwardCalledKeyString)
private static let goForwardCalledReference =
SpyEvidenceReference(key: goForwardCalledKey)
private static let goForwardCoselectors = SpyCoselectors(
methodType: .instance,
original: #selector(UIWebView.goForward),
spy: #selector(UIWebView.spy_goForward)
)
/// Spy controller for ensuring that a web view has had `goForward` called on it.
public enum GoForwardSpyController: SpyController {
public static let rootSpyableClass: AnyClass = UIWebView.self
public static let vector = SpyVector.direct
public static let coselectors: Set = [goForwardCoselectors]
public static let evidence: Set = [goForwardCalledReference]
public static let forwardsInvocations = true
}
/// Spy method that replaces the true implementation of `goForward`
dynamic public func spy_goForward() {
goForwardCalled = true
}
/// Indicates whether the `goForward` method has been called on this object.
public final var goForwardCalled: Bool {
get {
return loadEvidence(with: UIWebView.goForwardCalledReference) as? Bool ?? false
}
set {
saveEvidence(newValue, with: UIWebView.goForwardCalledReference)
}
}
}
| mit | 8743af2d136adf5ab5b6c5af1203cf62 | 28.964286 | 91 | 0.70143 | 5.293375 | false | false | false | false |
mohamede1945/quran-ios | Quran/TranslationsVersionUpdaterInteractor.swift | 2 | 6530 | //
// TranslationsVersionUpdaterInteractor.swift
// Quran
//
// Created by Mohamed Afifi on 3/12/17.
//
// Quran for iOS is a Quran reading application for iOS.
// Copyright (C) 2017 Quran.com
//
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//
import BatchDownloader
import PromiseKit
import Zip
class TranslationsVersionUpdaterInteractor: Interactor {
private let simplePersistence: SimplePersistence
private let persistence: ActiveTranslationsPersistence
private let downloader: DownloadManager
private let versionPersistenceCreator: AnyCreator<String, DatabaseVersionPersistence>
init(simplePersistence: SimplePersistence,
persistence: ActiveTranslationsPersistence,
downloader: DownloadManager,
versionPersistenceCreator: AnyCreator<String, DatabaseVersionPersistence>) {
self.simplePersistence = simplePersistence
self.persistence = persistence
self.downloader = downloader
self.versionPersistenceCreator = versionPersistenceCreator
}
func execute(_ translations: [Translation]) -> Promise<[TranslationFull]> {
let update = Promise(value: translations)
.then(execute: unzipIfNeeded) // unzip if needed
.then(execute: updateInstalledVersions) // update versions
let downloads = downloader.getOnGoingDownloads()
return when(fulfilled: update, downloads)
.then(execute: createTranslations)
}
private func createTranslations(translations: [Translation], downloadsBatches: [DownloadBatchResponse]) -> [TranslationFull] {
let downloads = downloadsBatches.filter { $0.isTranslation }
let downloadsByFile = downloads.flatGroup { $0.requests.first?.destinationPath.stringByDeletingPathExtension ?? "_" }
return translations.map { translation -> TranslationFull in
// downloading...
let responses = translation.possibleFileNames.flatMap {
downloadsByFile[Files.translationsPathComponent.stringByAppendingPath($0.stringByDeletingPathExtension)]
}
if let response = responses.first {
return TranslationFull(translation: translation, response: response)
}
// not downloaded
return TranslationFull(translation: translation, response: nil)
}
}
private func updateInstalledVersions(translations: [Translation]) throws -> [Translation] {
var updatedTranslations: [Translation] = []
for var translation in translations {
let fileURL = Files.translationsURL.appendingPathComponent(translation.fileName)
let isReachable = fileURL.isReachable
let previousInstalledVersion = translation.installedVersion
// installed on the latest version & the db file exists
if translation.version != translation.installedVersion && isReachable {
let versionPersistence = versionPersistenceCreator.create(fileURL.absoluteString)
do {
let version = try versionPersistence.getTextVersion()
translation.installedVersion = version
} catch {
// if an error occurred while getting the version
// that means the db file is corrupted.
translation.installedVersion = nil
}
} else if translation.installedVersion != nil && !isReachable {
translation.installedVersion = nil
}
if previousInstalledVersion != translation.installedVersion {
try persistence.update(translation)
// remove the translation from selected translations
if translation.installedVersion == nil {
var selectedTranslations = simplePersistence.valueForKey(.selectedTranslations)
if let index = selectedTranslations.index(of: translation.id) {
selectedTranslations.remove(at: index)
simplePersistence.setValue(selectedTranslations, forKey: .selectedTranslations)
}
}
}
updatedTranslations.append(translation)
}
return updatedTranslations
}
private func unzipIfNeeded(translations: [Translation]) throws -> [Translation] {
for translation in translations {
// installed on the latest version
guard translation.version != translation.installedVersion else {
continue
}
/* states:
Is Zip, zip exists , db exists
false, x , false // Not Downloaded
fasle, x , true // need to check version (might be download/updgrade)
true, false , false // Not Downloaded
true, false , true // need to check version (might be download/updgrade)
true, true , false // Unzip, delete zip, check version
true, true , true // Unzip, delete zip, check version | Probably upgrade
*/
// unzip if needed
let raw = translation.rawFileName
let isZip = raw.hasSuffix(Files.translationCompressedFileExtension)
if isZip {
let zipFile = Files.translationsURL.appendingPathComponent(raw)
if zipFile.isReachable {
// delete the zip in both cases (success or failure)
// success: to save space
// failure: to redownload it again
defer {
try? FileManager.default.removeItem(at: zipFile)
}
try attempt(times: 3) {
try Zip.unzipFile(zipFile, destination: Files.translationsURL, overwrite: true, password: nil, progress: nil)
}
}
}
}
return translations
}
}
| gpl-3.0 | e9393e9675af8eeb97a16789cbf909b8 | 43.421769 | 133 | 0.624962 | 5.678261 | false | false | false | false |
doronkatz/firefox-ios | Storage/Bookmarks/Bookmarks.swift | 6 | 18552 | /* 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 UIKit
import Shared
import Deferred
import SwiftyJSON
private let log = Logger.syncLogger
public protocol SearchableBookmarks: class {
func bookmarksByURL(_ url: URL) -> Deferred<Maybe<Cursor<BookmarkItem>>>
}
public protocol SyncableBookmarks: class, ResettableSyncStorage, AccountRemovalDelegate {
// TODO
func isUnchanged() -> Deferred<Maybe<Bool>>
func getLocalDeletions() -> Deferred<Maybe<[(GUID, Timestamp)]>>
func treesForEdges() -> Deferred<Maybe<(local: BookmarkTree, buffer: BookmarkTree)>>
func treeForMirror() -> Deferred<Maybe<BookmarkTree>>
func applyLocalOverrideCompletionOp(_ op: LocalOverrideCompletionOp, itemSources: ItemSources) -> Success
}
public let NotificationBookmarkBufferValidated = Notification.Name("NotificationBookmarkBufferValidated")
public protocol BookmarkBufferStorage: class {
func isEmpty() -> Deferred<Maybe<Bool>>
func applyRecords(_ records: [BookmarkMirrorItem]) -> Success
func doneApplyingRecordsAfterDownload() -> Success
func validate() -> Success
func getBufferedDeletions() -> Deferred<Maybe<[(GUID, Timestamp)]>>
func applyBufferCompletionOp(_ op: BufferCompletionOp, itemSources: ItemSources) -> Success
// Only use for diagnostics.
func synchronousBufferCount() -> Int?
}
public protocol MirrorItemSource: class {
func getMirrorItemWithGUID(_ guid: GUID) -> Deferred<Maybe<BookmarkMirrorItem>>
func getMirrorItemsWithGUIDs<T: Collection>(_ guids: T) -> Deferred<Maybe<[GUID: BookmarkMirrorItem]>> where T.Iterator.Element == GUID
func prefetchMirrorItemsWithGUIDs<T: Collection>(_ guids: T) -> Success where T.Iterator.Element == GUID
}
public protocol BufferItemSource: class {
func getBufferItemWithGUID(_ guid: GUID) -> Deferred<Maybe<BookmarkMirrorItem>>
func getBufferItemsWithGUIDs<T: Collection>(_ guids: T) -> Deferred<Maybe<[GUID: BookmarkMirrorItem]>> where T.Iterator.Element == GUID
func prefetchBufferItemsWithGUIDs<T: Collection>(_ guids: T) -> Success where T.Iterator.Element == GUID
}
public protocol LocalItemSource: class {
func getLocalItemWithGUID(_ guid: GUID) -> Deferred<Maybe<BookmarkMirrorItem>>
func getLocalItemsWithGUIDs<T: Collection>(_ guids: T) -> Deferred<Maybe<[GUID: BookmarkMirrorItem]>> where T.Iterator.Element == GUID
func prefetchLocalItemsWithGUIDs<T: Collection>(_ guids: T) -> Success where T.Iterator.Element == GUID
}
open class ItemSources {
open let local: LocalItemSource
open let mirror: MirrorItemSource
open let buffer: BufferItemSource
public init(local: LocalItemSource, mirror: MirrorItemSource, buffer: BufferItemSource) {
self.local = local
self.mirror = mirror
self.buffer = buffer
}
open func prefetchWithGUIDs<T: Collection>(_ guids: T) -> Success where T.Iterator.Element == GUID {
return self.local.prefetchLocalItemsWithGUIDs(guids)
>>> { self.mirror.prefetchMirrorItemsWithGUIDs(guids) }
>>> { self.buffer.prefetchBufferItemsWithGUIDs(guids) }
}
}
public struct BookmarkRoots {
// These match Places on desktop.
public static let RootGUID = "root________"
public static let MobileFolderGUID = "mobile______"
public static let MenuFolderGUID = "menu________"
public static let ToolbarFolderGUID = "toolbar_____"
public static let UnfiledFolderGUID = "unfiled_____"
public static let FakeDesktopFolderGUID = "desktop_____" // Pseudo. Never mentioned in a real record.
// This is the order we use.
public static let RootChildren: [GUID] = [
BookmarkRoots.MenuFolderGUID,
BookmarkRoots.ToolbarFolderGUID,
BookmarkRoots.UnfiledFolderGUID,
BookmarkRoots.MobileFolderGUID,
]
public static let DesktopRoots: [GUID] = [
BookmarkRoots.MenuFolderGUID,
BookmarkRoots.ToolbarFolderGUID,
BookmarkRoots.UnfiledFolderGUID,
]
public static let Real = Set<GUID>([
BookmarkRoots.RootGUID,
BookmarkRoots.MobileFolderGUID,
BookmarkRoots.MenuFolderGUID,
BookmarkRoots.ToolbarFolderGUID,
BookmarkRoots.UnfiledFolderGUID,
])
public static let All = Set<GUID>([
BookmarkRoots.RootGUID,
BookmarkRoots.MobileFolderGUID,
BookmarkRoots.MenuFolderGUID,
BookmarkRoots.ToolbarFolderGUID,
BookmarkRoots.UnfiledFolderGUID,
BookmarkRoots.FakeDesktopFolderGUID,
])
/**
* Sync records are a horrible mess of Places-native GUIDs and Sync-native IDs.
* For example:
* {"id":"places",
* "type":"folder",
* "title":"",
* "description":null,
* "children":["menu________","toolbar_____",
* "tags________","unfiled_____",
* "jKnyPDrBQSDg","T6XK5oJMU8ih"],
* "parentid":"2hYxKgBwvkEH"}"
*
* We thus normalize on the extended Places IDs (with underscores) for
* local storage, and translate to the Sync IDs when creating an outbound
* record.
* We translate the record's ID and also its parent. Evidence suggests that
* we don't need to translate children IDs.
*
* TODO: We don't create outbound records yet, so that's why there's no
* translation in that direction yet!
*/
public static func translateIncomingRootGUID(_ guid: GUID) -> GUID {
return [
"places": RootGUID,
"root": RootGUID,
"mobile": MobileFolderGUID,
"menu": MenuFolderGUID,
"toolbar": ToolbarFolderGUID,
"unfiled": UnfiledFolderGUID
][guid] ?? guid
}
public static func translateOutgoingRootGUID(_ guid: GUID) -> GUID {
return [
RootGUID: "places",
MobileFolderGUID: "mobile",
MenuFolderGUID: "menu",
ToolbarFolderGUID: "toolbar",
UnfiledFolderGUID: "unfiled"
][guid] ?? guid
}
/*
public static let TagsFolderGUID = "tags________"
public static let PinnedFolderGUID = "pinned______"
*/
static let RootID = 0
static let MobileID = 1
static let MenuID = 2
static let ToolbarID = 3
static let UnfiledID = 4
}
/**
* This partly matches Places's nsINavBookmarksService, just for sanity.
*
* It is further extended to support the types that exist in Sync, so we can use
* this to store mirrored rows.
*
* These are only used at the DB layer.
*/
public enum BookmarkNodeType: Int {
case bookmark = 1
case folder = 2
case separator = 3
case dynamicContainer = 4
case livemark = 5
case query = 6
// No microsummary: those turn into bookmarks.
}
public func == (lhs: BookmarkMirrorItem, rhs: BookmarkMirrorItem) -> Bool {
if lhs.type != rhs.type ||
lhs.guid != rhs.guid ||
lhs.serverModified != rhs.serverModified ||
lhs.isDeleted != rhs.isDeleted ||
lhs.hasDupe != rhs.hasDupe ||
lhs.pos != rhs.pos ||
lhs.faviconID != rhs.faviconID ||
lhs.localModified != rhs.localModified ||
lhs.parentID != rhs.parentID ||
lhs.parentName != rhs.parentName ||
lhs.feedURI != rhs.feedURI ||
lhs.siteURI != rhs.siteURI ||
lhs.title != rhs.title ||
lhs.description != rhs.description ||
lhs.bookmarkURI != rhs.bookmarkURI ||
lhs.tags != rhs.tags ||
lhs.keyword != rhs.keyword ||
lhs.folderName != rhs.folderName ||
lhs.queryID != rhs.queryID {
return false
}
if let lhsChildren = lhs.children, let rhsChildren = rhs.children {
return lhsChildren == rhsChildren
}
return lhs.children == nil && rhs.children == nil
}
public struct BookmarkMirrorItem: Equatable {
public let guid: GUID
public let type: BookmarkNodeType
public var serverModified: Timestamp
public let isDeleted: Bool
public let hasDupe: Bool
public let parentID: GUID?
public let parentName: String?
// Livemarks.
public let feedURI: String?
public let siteURI: String?
// Separators.
let pos: Int?
// Folders, livemarks, bookmarks and queries.
public let title: String?
let description: String?
// Bookmarks and queries.
let bookmarkURI: String?
let tags: String?
let keyword: String?
// Queries.
let folderName: String?
let queryID: String?
// Folders.
public let children: [GUID]?
// Internal stuff.
let faviconID: Int?
public let localModified: Timestamp?
let syncStatus: SyncStatus?
public func copyWithParentID(_ parentID: GUID, parentName: String?) -> BookmarkMirrorItem {
return BookmarkMirrorItem(
guid: self.guid,
type: self.type,
serverModified: self.serverModified,
isDeleted: self.isDeleted,
hasDupe: self.hasDupe,
parentID: parentID,
parentName: parentName,
feedURI: self.feedURI,
siteURI: self.siteURI,
pos: self.pos,
title: self.title,
description: self.description,
bookmarkURI: self.bookmarkURI,
tags: self.tags,
keyword: self.keyword,
folderName: self.folderName,
queryID: self.queryID,
children: self.children,
faviconID: self.faviconID,
localModified: self.localModified,
syncStatus: self.syncStatus)
}
// Ignores internal metadata and GUID; a pure value comparison.
// Does compare child GUIDs!
public func sameAs(_ rhs: BookmarkMirrorItem) -> Bool {
if self.type != rhs.type ||
self.isDeleted != rhs.isDeleted ||
self.pos != rhs.pos ||
self.parentID != rhs.parentID ||
self.parentName != rhs.parentName ||
self.feedURI != rhs.feedURI ||
self.siteURI != rhs.siteURI ||
self.title != rhs.title ||
(self.description ?? "") != (rhs.description ?? "") ||
self.bookmarkURI != rhs.bookmarkURI ||
self.tags != rhs.tags ||
self.keyword != rhs.keyword ||
self.folderName != rhs.folderName ||
self.queryID != rhs.queryID {
return false
}
if let lhsChildren = self.children, let rhsChildren = rhs.children {
return lhsChildren == rhsChildren
}
return self.children == nil && rhs.children == nil
}
public func asJSON() -> JSON {
return self.asJSONWithChildren(self.children)
}
public func asJSONWithChildren(_ children: [GUID]?) -> JSON {
var out: [String: Any] = [:]
out["id"] = BookmarkRoots.translateOutgoingRootGUID(self.guid)
func take(_ key: String, _ val: String?) {
guard let val = val else {
return
}
out[key] = val
}
if self.isDeleted {
out["deleted"] = true
return JSON(out)
}
out["hasDupe"] = self.hasDupe
// TODO: this should never be nil!
if let parentID = self.parentID {
out["parentid"] = BookmarkRoots.translateOutgoingRootGUID(parentID)
take("parentName", titleForSpecialGUID(parentID) ?? self.parentName ?? "")
}
func takeBookmarkFields() {
take("title", self.title)
take("bmkUri", self.bookmarkURI)
take("description", self.description)
if let tags = self.tags {
let tagsJSON = JSON(parseJSON: tags)
if let tagsArray = tagsJSON.array, tagsArray.every({ $0.type == SwiftyJSON.Type.string }) {
out["tags"] = tagsArray
} else {
out["tags"] = []
}
} else {
out["tags"] = []
}
take("keyword", self.keyword)
}
func takeFolderFields() {
take("title", titleForSpecialGUID(self.guid) ?? self.title)
take("description", self.description)
if let children = children {
if BookmarkRoots.RootGUID == self.guid {
// Only the root contains roots, and so only its children
// need to be translated.
out["children"] = children.map(BookmarkRoots.translateOutgoingRootGUID)
} else {
out["children"] = children
}
}
}
switch self.type {
case .query:
out["type"] = "query"
take("folderName", self.folderName)
take("queryId", self.queryID)
takeBookmarkFields()
case .bookmark:
out["type"] = "bookmark"
takeBookmarkFields()
case .livemark:
out["type"] = "livemark"
take("siteUri", self.siteURI)
take("feedUri", self.feedURI)
takeFolderFields()
case .folder:
out["type"] = "folder"
takeFolderFields()
case .separator:
out["type"] = "separator"
if let pos = self.pos {
out["pos"] = pos
}
case .dynamicContainer:
// Sigh.
preconditionFailure("DynamicContainer not supported.")
}
return JSON(out)
}
// The places root is a folder but has no parentName.
public static func folder(_ guid: GUID, modified: Timestamp, hasDupe: Bool, parentID: GUID, parentName: String?, title: String, description: String?, children: [GUID]) -> BookmarkMirrorItem {
let id = BookmarkRoots.translateIncomingRootGUID(guid)
let parent = BookmarkRoots.translateIncomingRootGUID(parentID)
return BookmarkMirrorItem(guid: id, type: .folder, serverModified: modified,
isDeleted: false, hasDupe: hasDupe, parentID: parent, parentName: parentName,
feedURI: nil, siteURI: nil,
pos: nil,
title: title, description: description,
bookmarkURI: nil, tags: nil, keyword: nil,
folderName: nil, queryID: nil,
children: children,
faviconID: nil, localModified: nil, syncStatus: nil)
}
public static func livemark(_ guid: GUID, modified: Timestamp, hasDupe: Bool, parentID: GUID, parentName: String?, title: String?, description: String?, feedURI: String, siteURI: String) -> BookmarkMirrorItem {
let id = BookmarkRoots.translateIncomingRootGUID(guid)
let parent = BookmarkRoots.translateIncomingRootGUID(parentID)
return BookmarkMirrorItem(guid: id, type: .livemark, serverModified: modified,
isDeleted: false, hasDupe: hasDupe, parentID: parent, parentName: parentName,
feedURI: feedURI, siteURI: siteURI,
pos: nil,
title: title, description: description,
bookmarkURI: nil, tags: nil, keyword: nil,
folderName: nil, queryID: nil,
children: nil,
faviconID: nil, localModified: nil, syncStatus: nil)
}
public static func separator(_ guid: GUID, modified: Timestamp, hasDupe: Bool, parentID: GUID, parentName: String?, pos: Int) -> BookmarkMirrorItem {
let id = BookmarkRoots.translateIncomingRootGUID(guid)
let parent = BookmarkRoots.translateIncomingRootGUID(parentID)
return BookmarkMirrorItem(guid: id, type: .separator, serverModified: modified,
isDeleted: false, hasDupe: hasDupe, parentID: parent, parentName: parentName,
feedURI: nil, siteURI: nil,
pos: pos,
title: nil, description: nil,
bookmarkURI: nil, tags: nil, keyword: nil,
folderName: nil, queryID: nil,
children: nil,
faviconID: nil, localModified: nil, syncStatus: nil)
}
public static func bookmark(_ guid: GUID, modified: Timestamp, hasDupe: Bool, parentID: GUID, parentName: String?, title: String, description: String?, URI: String, tags: String, keyword: String?) -> BookmarkMirrorItem {
let id = BookmarkRoots.translateIncomingRootGUID(guid)
let parent = BookmarkRoots.translateIncomingRootGUID(parentID)
return BookmarkMirrorItem(guid: id, type: .bookmark, serverModified: modified,
isDeleted: false, hasDupe: hasDupe, parentID: parent, parentName: parentName,
feedURI: nil, siteURI: nil,
pos: nil,
title: title, description: description,
bookmarkURI: URI, tags: tags, keyword: keyword,
folderName: nil, queryID: nil,
children: nil,
faviconID: nil, localModified: nil, syncStatus: nil)
}
public static func query(_ guid: GUID, modified: Timestamp, hasDupe: Bool, parentID: GUID, parentName: String?, title: String, description: String?, URI: String, tags: String, keyword: String?, folderName: String?, queryID: String?) -> BookmarkMirrorItem {
let id = BookmarkRoots.translateIncomingRootGUID(guid)
let parent = BookmarkRoots.translateIncomingRootGUID(parentID)
return BookmarkMirrorItem(guid: id, type: .query, serverModified: modified,
isDeleted: false, hasDupe: hasDupe, parentID: parent, parentName: parentName,
feedURI: nil, siteURI: nil,
pos: nil,
title: title, description: description,
bookmarkURI: URI, tags: tags, keyword: keyword,
folderName: folderName, queryID: queryID,
children: nil,
faviconID: nil, localModified: nil, syncStatus: nil)
}
public static func deleted(_ type: BookmarkNodeType, guid: GUID, modified: Timestamp) -> BookmarkMirrorItem {
let id = BookmarkRoots.translateIncomingRootGUID(guid)
return BookmarkMirrorItem(guid: id, type: type, serverModified: modified,
isDeleted: true, hasDupe: false, parentID: nil, parentName: nil,
feedURI: nil, siteURI: nil,
pos: nil,
title: nil, description: nil,
bookmarkURI: nil, tags: nil, keyword: nil,
folderName: nil, queryID: nil,
children: nil,
faviconID: nil, localModified: nil, syncStatus: nil)
}
}
| mpl-2.0 | af7187b8b661c573fc1d1a60f53da62f | 36.554656 | 260 | 0.620095 | 4.885963 | false | false | false | false |
xedin/swift | stdlib/public/core/UnicodeHelpers.swift | 2 | 13165 | //===----------------------------------------------------------------------===//
//
// 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
//
//===----------------------------------------------------------------------===//
//
// Low-level helper functions and utilities for interpreting Unicode
//
@inlinable
@inline(__always)
internal func _decodeUTF8(_ x: UInt8) -> Unicode.Scalar {
_internalInvariant(UTF8.isASCII(x))
return Unicode.Scalar(_unchecked: UInt32(x))
}
@inlinable
@inline(__always)
internal func _decodeUTF8(_ x: UInt8, _ y: UInt8) -> Unicode.Scalar {
_internalInvariant(_utf8ScalarLength(x) == 2)
_internalInvariant(UTF8.isContinuation(y))
let x = UInt32(x)
let value = ((x & 0b0001_1111) &<< 6) | _continuationPayload(y)
return Unicode.Scalar(_unchecked: value)
}
@inlinable
@inline(__always)
internal func _decodeUTF8(
_ x: UInt8, _ y: UInt8, _ z: UInt8
) -> Unicode.Scalar {
_internalInvariant(_utf8ScalarLength(x) == 3)
_internalInvariant(UTF8.isContinuation(y) && UTF8.isContinuation(z))
let x = UInt32(x)
let value = ((x & 0b0000_1111) &<< 12)
| (_continuationPayload(y) &<< 6)
| _continuationPayload(z)
return Unicode.Scalar(_unchecked: value)
}
@inlinable
@inline(__always)
internal func _decodeUTF8(
_ x: UInt8, _ y: UInt8, _ z: UInt8, _ w: UInt8
) -> Unicode.Scalar {
_internalInvariant(_utf8ScalarLength(x) == 4)
_internalInvariant(
UTF8.isContinuation(y) && UTF8.isContinuation(z)
&& UTF8.isContinuation(w))
let x = UInt32(x)
let value = ((x & 0b0000_1111) &<< 18)
| (_continuationPayload(y) &<< 12)
| (_continuationPayload(z) &<< 6)
| _continuationPayload(w)
return Unicode.Scalar(_unchecked: value)
}
internal func _decodeScalar(
_ utf16: UnsafeBufferPointer<UInt16>, startingAt i: Int
) -> (Unicode.Scalar, scalarLength: Int) {
let high = utf16[i]
if i + 1 >= utf16.count {
_internalInvariant(!UTF16.isLeadSurrogate(high))
_internalInvariant(!UTF16.isTrailSurrogate(high))
return (Unicode.Scalar(_unchecked: UInt32(high)), 1)
}
if !UTF16.isLeadSurrogate(high) {
_internalInvariant(!UTF16.isTrailSurrogate(high))
return (Unicode.Scalar(_unchecked: UInt32(high)), 1)
}
let low = utf16[i+1]
_internalInvariant(UTF16.isLeadSurrogate(high))
_internalInvariant(UTF16.isTrailSurrogate(low))
return (UTF16._decodeSurrogates(high, low), 2)
}
@inlinable
internal func _decodeScalar(
_ utf8: UnsafeBufferPointer<UInt8>, startingAt i: Int
) -> (Unicode.Scalar, scalarLength: Int) {
let cu0 = utf8[_unchecked: i]
let len = _utf8ScalarLength(cu0)
switch len {
case 1: return (_decodeUTF8(cu0), len)
case 2: return (_decodeUTF8(cu0, utf8[_unchecked: i &+ 1]), len)
case 3: return (_decodeUTF8(
cu0, utf8[_unchecked: i &+ 1], utf8[_unchecked: i &+ 2]), len)
case 4:
return (_decodeUTF8(
cu0,
utf8[_unchecked: i &+ 1],
utf8[_unchecked: i &+ 2],
utf8[_unchecked: i &+ 3]),
len)
default: Builtin.unreachable()
}
}
@inlinable
internal func _decodeScalar(
_ utf8: UnsafeBufferPointer<UInt8>, endingAt i: Int
) -> (Unicode.Scalar, scalarLength: Int) {
let len = _utf8ScalarLength(utf8, endingAt: i)
let (scalar, scalarLen) = _decodeScalar(utf8, startingAt: i &- len)
_internalInvariant(len == scalarLen)
return (scalar, len)
}
@inlinable @inline(__always)
internal func _utf8ScalarLength(_ x: UInt8) -> Int {
_internalInvariant(!UTF8.isContinuation(x))
if UTF8.isASCII(x) { return 1 }
// TODO(String micro-performance): check codegen
return (~x).leadingZeroBitCount
}
@inlinable @inline(__always)
internal func _utf8ScalarLength(
_ utf8: UnsafeBufferPointer<UInt8>, endingAt i: Int
) -> Int {
var len = 1
while UTF8.isContinuation(utf8[_unchecked: i &- len]) {
len &+= 1
}
_internalInvariant(len == _utf8ScalarLength(utf8[i &- len]))
return len
}
@inlinable
@inline(__always)
internal func _continuationPayload(_ x: UInt8) -> UInt32 {
return UInt32(x & 0x3F)
}
@inlinable @inline(__always)
internal func _scalarAlign(
_ utf8: UnsafeBufferPointer<UInt8>, _ idx: Int
) -> Int {
var i = idx
while _slowPath(UTF8.isContinuation(utf8[_unchecked: i])) {
i &-= 1
_internalInvariant(i >= 0,
"Malformed contents: starts with continuation byte")
}
return i
}
//
// Scalar helpers
//
extension _StringGuts {
@inlinable
@inline(__always) // fast-path: fold common fastUTF8 check
internal func scalarAlign(_ idx: Index) -> Index {
// TODO(String performance): isASCII check
if _slowPath(idx.transcodedOffset != 0 || idx._encodedOffset == 0) {
// Transcoded indices are already scalar aligned
return String.Index(_encodedOffset: idx._encodedOffset)
}
if _slowPath(self.isForeign) {
return foreignScalarAlign(idx)
}
return self.withFastUTF8 { utf8 in
let i = _scalarAlign(utf8, idx._encodedOffset)
// If no alignment is performed, keep grapheme cache
if i == idx._encodedOffset {
return idx
}
return Index(_encodedOffset: i)
}
}
@inlinable
internal func fastUTF8ScalarLength(startingAt i: Int) -> Int {
_internalInvariant(isFastUTF8)
let len = _utf8ScalarLength(self.withFastUTF8 { $0[i] })
_internalInvariant((1...4) ~= len)
return len
}
@inlinable
internal func fastUTF8ScalarLength(endingAt i: Int) -> Int {
_internalInvariant(isFastUTF8)
return self.withFastUTF8 { utf8 in
_internalInvariant(i == utf8.count || !UTF8.isContinuation(utf8[i]))
var len = 1
while UTF8.isContinuation(utf8[i &- len]) {
_internalInvariant(i &- len > 0)
len += 1
}
_internalInvariant(len <= 4)
return len
}
}
@inlinable
internal func fastUTF8Scalar(startingAt i: Int) -> Unicode.Scalar {
_internalInvariant(isFastUTF8)
return self.withFastUTF8 { _decodeScalar($0, startingAt: i).0 }
}
@usableFromInline
@_effects(releasenone)
internal func isOnUnicodeScalarBoundary(_ i: String.Index) -> Bool {
// TODO(String micro-performance): check isASCII
// Beginning and end are always scalar aligned; mid-scalar never is
guard i.transcodedOffset == 0 else { return false }
if i == self.startIndex || i == self.endIndex { return true }
if _fastPath(isFastUTF8) {
return self.withFastUTF8 {
return !UTF8.isContinuation($0[i._encodedOffset])
}
}
return i == foreignScalarAlign(i)
}
}
//
// Error-correcting helpers (U+FFFD for unpaired surrogates) for accessing
// contents of foreign strings
//
extension _StringGuts {
@_effects(releasenone)
private func _getForeignCodeUnit(at i: Int) -> UInt16 {
#if _runtime(_ObjC)
// Currently, foreign means NSString
return _cocoaStringSubscript(_object.cocoaObject, i)
#else
fatalError("No foreign strings on Linux in this version of Swift")
#endif
}
@usableFromInline
@_effects(releasenone)
internal func foreignErrorCorrectedScalar(
startingAt idx: String.Index
) -> (Unicode.Scalar, scalarLength: Int) {
_internalInvariant(idx.transcodedOffset == 0)
_internalInvariant(idx._encodedOffset < self.count)
let start = idx._encodedOffset
let leading = _getForeignCodeUnit(at: start)
if _fastPath(!UTF16.isSurrogate(leading)) {
return (Unicode.Scalar(_unchecked: UInt32(leading)), 1)
}
// Validate foreign strings on-read: trailing surrogates are invalid,
// leading need following trailing
//
// TODO(String performance): Consider having a valid performance flag
// available to check, and assert it's not set in the condition here.
let nextOffset = start &+ 1
if _slowPath(UTF16.isTrailSurrogate(leading) || nextOffset == self.count) {
return (Unicode.Scalar._replacementCharacter, 1)
}
let trailing = _getForeignCodeUnit(at: nextOffset)
if _slowPath(!UTF16.isTrailSurrogate(trailing)) {
return (Unicode.Scalar._replacementCharacter, 1)
}
return (UTF16._decodeSurrogates(leading, trailing), 2)
}
@_effects(releasenone)
internal func foreignErrorCorrectedScalar(
endingAt idx: String.Index
) -> (Unicode.Scalar, scalarLength: Int) {
_internalInvariant(idx.transcodedOffset == 0)
_internalInvariant(idx._encodedOffset <= self.count)
_internalInvariant(idx._encodedOffset > 0)
let end = idx._encodedOffset
let trailing = _getForeignCodeUnit(at: end &- 1)
if _fastPath(!UTF16.isSurrogate(trailing)) {
return (Unicode.Scalar(_unchecked: UInt32(trailing)), 1)
}
// Validate foreign strings on-read: trailing surrogates are invalid,
// leading need following trailing
//
// TODO(String performance): Consider having a valid performance flag
// available to check, and assert it's not set in the condition here.
let priorOffset = end &- 2
if _slowPath(UTF16.isLeadSurrogate(trailing) || priorOffset < 0) {
return (Unicode.Scalar._replacementCharacter, 1)
}
let leading = _getForeignCodeUnit(at: priorOffset)
if _slowPath(!UTF16.isLeadSurrogate(leading)) {
return (Unicode.Scalar._replacementCharacter, 1)
}
return (UTF16._decodeSurrogates(leading, trailing), 2)
}
@_effects(releasenone)
internal func foreignErrorCorrectedUTF16CodeUnit(
at idx: String.Index
) -> UInt16 {
_internalInvariant(idx.transcodedOffset == 0)
_internalInvariant(idx._encodedOffset < self.count)
let start = idx._encodedOffset
let cu = _getForeignCodeUnit(at: start)
if _fastPath(!UTF16.isSurrogate(cu)) {
return cu
}
// Validate foreign strings on-read: trailing surrogates are invalid,
// leading need following trailing
//
// TODO(String performance): Consider having a valid performance flag
// available to check, and assert it's not set in the condition here.
if UTF16.isLeadSurrogate(cu) {
let nextOffset = start &+ 1
guard nextOffset < self.count,
UTF16.isTrailSurrogate(_getForeignCodeUnit(at: nextOffset))
else { return UTF16._replacementCodeUnit }
} else {
let priorOffset = start &- 1
guard priorOffset >= 0,
UTF16.isLeadSurrogate(_getForeignCodeUnit(at: priorOffset))
else { return UTF16._replacementCodeUnit }
}
return cu
}
@usableFromInline @inline(never) // slow-path
@_effects(releasenone)
internal func foreignScalarAlign(_ idx: Index) -> Index {
_internalInvariant(idx._encodedOffset < self.count)
let ecCU = foreignErrorCorrectedUTF16CodeUnit(at: idx)
if _fastPath(!UTF16.isTrailSurrogate(ecCU)) {
return idx
}
_internalInvariant(idx._encodedOffset > 0,
"Error-correction shouldn't give trailing surrogate at position zero")
return String.Index(_encodedOffset: idx._encodedOffset &- 1)
}
@usableFromInline @inline(never)
@_effects(releasenone)
internal func foreignErrorCorrectedGrapheme(
startingAt start: Int, endingAt end: Int
) -> Character {
#if _runtime(_ObjC)
_internalInvariant(self.isForeign)
// Both a fast-path for single-code-unit graphemes and validation:
// ICU treats isolated surrogates as isolated graphemes
let count = end &- start
if start &- end == 1 {
return Character(String(self.foreignErrorCorrectedScalar(
startingAt: String.Index(_encodedOffset: start)
).0))
}
// TODO(String performance): Stack buffer if small enough
var cus = Array<UInt16>(repeating: 0, count: count)
cus.withUnsafeMutableBufferPointer {
_cocoaStringCopyCharacters(
from: self._object.cocoaObject,
range: start..<end,
into: $0.baseAddress._unsafelyUnwrappedUnchecked)
}
return cus.withUnsafeBufferPointer {
return Character(String._uncheckedFromUTF16($0))
}
#else
fatalError("No foreign strings on Linux in this version of Swift")
#endif
}
}
// Higher level aggregate operations. These should only be called when the
// result is the sole operation done by a caller, otherwise it's always more
// efficient to use `withFastUTF8` in the caller.
extension _StringGuts {
@inlinable @inline(__always)
internal func errorCorrectedScalar(
startingAt i: Int
) -> (Unicode.Scalar, scalarLength: Int) {
if _fastPath(isFastUTF8) {
return withFastUTF8 { _decodeScalar($0, startingAt: i) }
}
return foreignErrorCorrectedScalar(
startingAt: String.Index(_encodedOffset: i))
}
@inlinable @inline(__always)
internal func errorCorrectedCharacter(
startingAt start: Int, endingAt end: Int
) -> Character {
if _fastPath(isFastUTF8) {
return withFastUTF8(range: start..<end) { utf8 in
return Character(unchecked: String._uncheckedFromUTF8(utf8))
}
}
return foreignErrorCorrectedGrapheme(startingAt: start, endingAt: end)
}
}
| apache-2.0 | 1f31d3d3cca6d07b28983c87a109cbb7 | 30.420048 | 80 | 0.672465 | 3.949895 | false | false | false | false |
devxoul/URLNavigator | Example/Sources/Navigator/NavigationMap.swift | 1 | 1841 | //
// NavigationMap.swift
// URLNavigatorExample
//
// Created by Suyeol Jeon on 7/12/16.
// Copyright © 2016 Suyeol Jeon. All rights reserved.
//
import SafariServices
import UIKit
import URLNavigator
enum NavigationMap {
static func initialize(navigator: NavigatorProtocol) {
navigator.register("navigator://user/<username>") { url, values, context in
guard let username = values["username"] as? String else { return nil }
return UserViewController(navigator: navigator, username: username)
}
navigator.register("http://<path:_>", self.webViewControllerFactory)
navigator.register("https://<path:_>", self.webViewControllerFactory)
navigator.handle("navigator://alert", self.alert(navigator: navigator))
navigator.handle("navigator://<path:_>") { (url, values, context) -> Bool in
// No navigator match, do analytics or fallback function here
print("[Navigator] NavigationMap.\(#function):\(#line) - global fallback function is called")
return true
}
}
private static func webViewControllerFactory(
url: URLConvertible,
values: [String: Any],
context: Any?
) -> UIViewController? {
guard let url = url.urlValue else { return nil }
return SFSafariViewController(url: url)
}
private static func alert(navigator: NavigatorProtocol) -> URLOpenHandlerFactory {
return { url, values, context in
guard let title = url.queryParameters["title"] else { return false }
let message = url.queryParameters["message"]
let alertController = UIAlertController(title: title, message: message, preferredStyle: .alert)
alertController.addAction(UIAlertAction(title: "OK", style: .default, handler: nil))
navigator.present(alertController, wrap: nil, from: nil, animated: true, completion: nil)
return true
}
}
}
| mit | 625d16fa5f1a1920beede4cca49cd497 | 35.8 | 101 | 0.702174 | 4.466019 | false | false | false | false |
RevenueCat/purchases-ios | Tests/UnitTests/SubscriberAttributes/AttributionDataMigratorTests.swift | 1 | 42052 | import Nimble
import StoreKit
import XCTest
@testable import RevenueCat
// swiftlint:disable identifier_name
class AttributionDataMigratorTests: TestCase {
static let defaultIdfa = "00000000-0000-0000-0000-000000000000"
static let defaultIdfv = "A9CFE78C-51F8-4808-94FD-56B4535753C6"
static let defaultIp = "192.168.1.130"
static let defaultNetworkId = "20f0c0000aca0b00000fb0000c0f0f00"
static let defaultRCNetworkId = "10f0c0000aca0b00000fb0000c0f0f00"
var attributionDataMigrator: AttributionDataMigrator!
override func setUp() {
super.setUp()
attributionDataMigrator = AttributionDataMigrator()
}
func testAdjustAttributionIsConverted() {
let adjustData = adjustData()
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: adjustData, network: AttributionNetwork.adjust.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.adjustID.key: AttributionKey.Adjust.id.rawValue,
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.Adjust.network.rawValue,
ReservedSubscriberAttribute.campaign.key: AttributionKey.Adjust.campaign.rawValue,
ReservedSubscriberAttribute.adGroup.key: AttributionKey.Adjust.adGroup.rawValue,
ReservedSubscriberAttribute.creative.key: AttributionKey.Adjust.creative.rawValue
]
checkConvertedAttributes(converted: converted, original: adjustData, expectedMapping: expectedMapping)
}
func testAdjustAttributionConversionDiscardsNSNullValues() {
let adjustData = adjustData(
withIdfa: .nsNull,
adjustId: .nsNull,
networkID: .nsNull,
idfv: .nsNull,
ip: .nsNull,
campaign: .nsNull,
adGroup: .nsNull,
creative: .nsNull,
network: .nsNull
)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: adjustData, network: AttributionNetwork.adjust.rawValue)
expect(converted.count) == 0
}
func testAdjustAttributionConversionGivesPreferenceToAdIdOverRCNetworkID() {
let adjustData = adjustData(adjustId: .defaultValue, networkID: .defaultValue)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: adjustData, network: AttributionNetwork.adjust.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.adjustID.key: AttributionKey.Adjust.id.rawValue,
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.Adjust.network.rawValue,
ReservedSubscriberAttribute.campaign.key: AttributionKey.Adjust.campaign.rawValue,
ReservedSubscriberAttribute.adGroup.key: AttributionKey.Adjust.adGroup.rawValue,
ReservedSubscriberAttribute.creative.key: AttributionKey.Adjust.creative.rawValue
]
checkConvertedAttributes(converted: converted, original: adjustData, expectedMapping: expectedMapping)
}
func testAdjustAttributionConversionRemovesNSNullRCNetworkID() {
let adjustData = adjustData(adjustId: .notPresent, networkID: .nsNull)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: adjustData, network: AttributionNetwork.adjust.rawValue)
expect(converted.count) != 0
expect(converted[ReservedSubscriberAttribute.adjustID.key]).to(beNil())
}
func testAdjustAttributionConversionDiscardsRCNetworkIDCorrectly() {
let adjustData = adjustData(adjustId: .notPresent, networkID: .defaultValue)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: adjustData, network: AttributionNetwork.adjust.rawValue)
expect(converted.count) != 0
expect(converted[ReservedSubscriberAttribute.adjustID.key]).to(beNil())
}
func testAdjustAttributionConversionWorksIfStandardKeysAreNotPassed() {
let adjustData = adjustData(
withIdfa: .notPresent,
adjustId: .notPresent,
networkID: .notPresent,
idfv: .notPresent,
ip: .notPresent,
campaign: .notPresent,
adGroup: .notPresent,
creative: .notPresent,
network: .notPresent
)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: adjustData, network: AttributionNetwork.adjust.rawValue)
expect(converted.count) == 0
}
func testAppsFlyerAttributionIsProperlyConverted() {
let appsFlyerData = appsFlyerData()
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.AppsFlyer.id.rawValue,
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.AppsFlyer.channel.rawValue,
ReservedSubscriberAttribute.campaign.key: AttributionKey.AppsFlyer.campaign.rawValue,
ReservedSubscriberAttribute.adGroup.key: AttributionKey.AppsFlyer.adSet.rawValue,
ReservedSubscriberAttribute.ad.key: AttributionKey.AppsFlyer.ad.rawValue,
ReservedSubscriberAttribute.keyword.key: AttributionKey.AppsFlyer.adKeywords.rawValue,
ReservedSubscriberAttribute.creative.key: AttributionKey.AppsFlyer.adId.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerAttributionDiscardsNSNullValues() {
let appsFlyerData = appsFlyerData(
withIDFA: .nsNull,
appsFlyerId: .nsNull,
networkID: .nsNull,
idfv: .nsNull,
channel: .nsNull,
mediaSource: .nsNull,
adKey: .nsNull,
adGroup: .nsNull,
adId: .nsNull,
campaign: .nsNull,
adSet: .nsNull,
adKeywords: .nsNull,
ip: .nsNull
)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) == 0
}
func testAppsFlyerAttributionConversionGivesPreferenceToAdIdOverRCNetworkID() {
let appsFlyerData = appsFlyerData(appsFlyerId: .defaultValue, networkID: .defaultValue)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.AppsFlyer.id.rawValue,
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.AppsFlyer.channel.rawValue,
ReservedSubscriberAttribute.campaign.key: AttributionKey.AppsFlyer.campaign.rawValue,
ReservedSubscriberAttribute.adGroup.key: AttributionKey.AppsFlyer.adSet.rawValue,
ReservedSubscriberAttribute.ad.key: AttributionKey.AppsFlyer.ad.rawValue,
ReservedSubscriberAttribute.keyword.key: AttributionKey.AppsFlyer.adKeywords.rawValue,
ReservedSubscriberAttribute.creative.key: AttributionKey.AppsFlyer.adId.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerAttributionConversionRemovesNSNullRCNetworkID() {
let appsFlyerData = appsFlyerData(appsFlyerId: .notPresent, networkID: .nsNull)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
expect(converted[ReservedSubscriberAttribute.appsFlyerID.key]).to(beNil())
}
func testAppsFlyerAttributionConversionUsesRCNetworkIDIfNoAppsFlyerID() {
let appsFlyerData = appsFlyerData(appsFlyerId: .notPresent, networkID: .defaultValue)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.networkID.rawValue,
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.AppsFlyer.channel.rawValue,
ReservedSubscriberAttribute.campaign.key: AttributionKey.AppsFlyer.campaign.rawValue,
ReservedSubscriberAttribute.adGroup.key: AttributionKey.AppsFlyer.adSet.rawValue,
ReservedSubscriberAttribute.ad.key: AttributionKey.AppsFlyer.ad.rawValue,
ReservedSubscriberAttribute.keyword.key: AttributionKey.AppsFlyer.adKeywords.rawValue,
ReservedSubscriberAttribute.creative.key: AttributionKey.AppsFlyer.adId.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerAttributionConversionWorksIfStandardKeysAreNotPassed() {
let appsFlyerData = appsFlyerData(
withIDFA: .notPresent,
appsFlyerId: .notPresent,
networkID: .notPresent,
idfv: .notPresent,
channel: .notPresent,
mediaSource: .notPresent,
adKey: .notPresent,
adGroup: .notPresent,
adId: .notPresent,
campaign: .notPresent,
adSet: .notPresent,
adKeywords: .notPresent,
ip: .notPresent
)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) == 0
}
func testAppsFlyerAttributionConvertsMediaSourceAttribution() {
let appsFlyerData = appsFlyerData(channel: .notPresent, mediaSource: .defaultValue)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.AppsFlyer.id.rawValue,
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.AppsFlyer.mediaSource.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerAttributionConvertsMediaSourceIfChannelIsNSNull() {
let appsFlyerData = appsFlyerData(channel: .nsNull, mediaSource: .defaultValue)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.AppsFlyer.id.rawValue,
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.AppsFlyer.mediaSource.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerAttributionGivesPreferenceToChannelOverMediaSourceWhenConvertingMediaSourceSubscriberAttribute() {
let appsFlyerData = appsFlyerData(channel: .defaultValue, mediaSource: .defaultValue)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.AppsFlyer.id.rawValue,
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.AppsFlyer.channel.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerConversionUsesChannelAsMediaSourceSubscriberAttributeIfThereIsNoMediaSourceAttribution() {
let appsFlyerData = appsFlyerData(channel: .defaultValue, mediaSource: .notPresent)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.AppsFlyer.id.rawValue,
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.AppsFlyer.channel.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerConversionUsesChannelAsMediaSourceSubscriberAttributeIfMediaSourceAttributionIsNSNull() {
let appsFlyerData = appsFlyerData(channel: .defaultValue, mediaSource: .nsNull)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.AppsFlyer.id.rawValue,
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.AppsFlyer.channel.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerAttributionConvertsAdGroupAttribution() {
let appsFlyerData = appsFlyerData(adKey: .notPresent, adGroup: .defaultValue)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.AppsFlyer.id.rawValue,
ReservedSubscriberAttribute.ad.key: AttributionKey.AppsFlyer.adGroup.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerAttributionConvertsAdGroupIfAdIsNSNull() {
let appsFlyerData = appsFlyerData(adKey: .nsNull, adGroup: .defaultValue)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.AppsFlyer.id.rawValue,
ReservedSubscriberAttribute.ad.key: AttributionKey.AppsFlyer.adGroup.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
// swiftlint:disable:next line_length
func testAppsFlyerAttributionGivesPreferenceToAdIfThereIsAdAndAdGroupAttributionWhenConvertingAdSubscriberAttribute() {
let appsFlyerData = appsFlyerData(adKey: .defaultValue, adGroup: .defaultValue)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.AppsFlyer.id.rawValue,
ReservedSubscriberAttribute.ad.key: AttributionKey.AppsFlyer.ad.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerConversionUsesAdAsAdSubscriberAttributeIfThereIsNoAdGroupAttribution() {
let appsFlyerData = appsFlyerData(adKey: .defaultValue, adGroup: .notPresent)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.AppsFlyer.id.rawValue,
ReservedSubscriberAttribute.ad.key: AttributionKey.AppsFlyer.ad.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerConversionUsesAdSubscriberAttributeIfAdGroupAttributionIsNSNull() {
let appsFlyerData = appsFlyerData(adKey: .defaultValue, adGroup: .nsNull)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.AppsFlyer.id.rawValue,
ReservedSubscriberAttribute.ad.key: AttributionKey.AppsFlyer.ad.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerAttributionIsProperlyConvertedIfInsideDataKeyInDictionary() {
var appsFlyerDataWithInnerJSON: [String: Any] = ["status": 1]
let appsFlyerData: [String: Any] = appsFlyerData()
var appsFlyerDataClean: [String: Any] = [:]
for (key, value) in appsFlyerData {
if key.starts(with: "rc_") {
appsFlyerDataWithInnerJSON[key] = value
} else {
appsFlyerDataClean[key] = value
}
}
appsFlyerDataWithInnerJSON["data"] = appsFlyerDataClean
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.AppsFlyer.id.rawValue,
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.AppsFlyer.channel.rawValue,
ReservedSubscriberAttribute.campaign.key: AttributionKey.AppsFlyer.campaign.rawValue,
ReservedSubscriberAttribute.adGroup.key: AttributionKey.AppsFlyer.adSet.rawValue,
ReservedSubscriberAttribute.ad.key: AttributionKey.AppsFlyer.ad.rawValue,
ReservedSubscriberAttribute.keyword.key: AttributionKey.AppsFlyer.adKeywords.rawValue,
ReservedSubscriberAttribute.creative.key: AttributionKey.AppsFlyer.adId.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerAttributionIsProperlyConvertedIfInsideDataKeyInDictionaryAndRCNetworkID() {
var appsFlyerDataWithInnerJSON: [String: Any] = ["status": 1]
let appsFlyerData: [String: Any] = appsFlyerData(appsFlyerId: .notPresent, networkID: .defaultValue)
var appsFlyerDataClean: [String: Any] = [:]
for (key, value) in appsFlyerData {
if key.starts(with: "rc_") {
appsFlyerDataWithInnerJSON[key] = value
} else {
appsFlyerDataClean[key] = value
}
}
appsFlyerDataWithInnerJSON["data"] = appsFlyerDataClean
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.networkID.rawValue,
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.AppsFlyer.channel.rawValue,
ReservedSubscriberAttribute.campaign.key: AttributionKey.AppsFlyer.campaign.rawValue,
ReservedSubscriberAttribute.adGroup.key: AttributionKey.AppsFlyer.adSet.rawValue,
ReservedSubscriberAttribute.ad.key: AttributionKey.AppsFlyer.ad.rawValue,
ReservedSubscriberAttribute.keyword.key: AttributionKey.AppsFlyer.adKeywords.rawValue,
ReservedSubscriberAttribute.creative.key: AttributionKey.AppsFlyer.adId.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testAppsFlyerAttributionIsProperlyConvertedIfInsideDataKeyInDictionaryAndAndAppsFlyerIsNull() {
var appsFlyerDataWithInnerJSON: [String: Any] = ["status": 1]
let appsFlyerData: [String: Any] = appsFlyerData(appsFlyerId: .nsNull, networkID: .defaultValue)
var appsFlyerDataClean: [String: Any] = [:]
for (key, value) in appsFlyerData {
if key.starts(with: "rc_") {
appsFlyerDataWithInnerJSON[key] = value
} else {
appsFlyerDataClean[key] = value
}
}
appsFlyerDataWithInnerJSON["data"] = appsFlyerDataClean
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: appsFlyerData, network: AttributionNetwork.appsFlyer.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.appsFlyerID.key: AttributionKey.networkID.rawValue,
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.AppsFlyer.channel.rawValue,
ReservedSubscriberAttribute.campaign.key: AttributionKey.AppsFlyer.campaign.rawValue,
ReservedSubscriberAttribute.adGroup.key: AttributionKey.AppsFlyer.adSet.rawValue,
ReservedSubscriberAttribute.ad.key: AttributionKey.AppsFlyer.ad.rawValue,
ReservedSubscriberAttribute.keyword.key: AttributionKey.AppsFlyer.adKeywords.rawValue,
ReservedSubscriberAttribute.creative.key: AttributionKey.AppsFlyer.adId.rawValue
]
checkConvertedAttributes(converted: converted, original: appsFlyerData, expectedMapping: expectedMapping)
}
func testBranchAttributionIsConverted() {
let branchData = branchData()
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: branchData, network: AttributionNetwork.branch.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.mediaSource.key: AttributionKey.Branch.channel.rawValue,
ReservedSubscriberAttribute.campaign.key: AttributionKey.Branch.campaign.rawValue
]
checkConvertedAttributes(converted: converted, original: branchData, expectedMapping: expectedMapping)
}
func testBranchAttributionConversionDiscardsNSNullValues() {
let branchData = branchData(withIDFA: .nsNull, idfv: .nsNull, ip: .nsNull, channel: .nsNull,
campaign: .nsNull)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: branchData, network: AttributionNetwork.branch.rawValue)
expect(converted.count) == 0
}
func testBranchAttributionConversionWorksIfStandardKeysAreNotPassed() {
let branchData = branchData(withIDFA: .notPresent, idfv: .notPresent, ip: .notPresent, channel: .notPresent,
campaign: .notPresent)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: branchData, network: AttributionNetwork.branch.rawValue)
expect(converted.count) == 0
}
func testTenjinAttributionIsConverted() {
let tenjinData = facebookOrTenjinData()
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: tenjinData, network: AttributionNetwork.tenjin.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
}
func testTenjinAttributionConversionDiscardsNSNullValues() {
let tenjinData = facebookOrTenjinData(withIDFA: .nsNull, idfv: .nsNull, ip: .nsNull)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: tenjinData, network: AttributionNetwork.tenjin.rawValue)
expect(converted.count) == 0
}
func testTenjinAttributionConversionWorksIfStandardKeysAreNotPassed() {
let tenjinData = facebookOrTenjinData(withIDFA: .notPresent, idfv: .notPresent, ip: .notPresent)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: tenjinData, network: AttributionNetwork.tenjin.rawValue)
expect(converted.count) == 0
}
func testFacebookAttributionIsConverted() {
let facebookData = facebookOrTenjinData()
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: facebookData, network: AttributionNetwork.facebook.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
}
func testFacebookAttributionConversionDiscardsNSNullValues() {
let facebookData = facebookOrTenjinData(withIDFA: .nsNull, idfv: .nsNull, ip: .nsNull)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: facebookData, network: AttributionNetwork.facebook.rawValue)
expect(converted.count) == 0
}
func testFacebookAttributionConversionWorksIfStandardKeysAreNotPassed() {
let facebookData = facebookOrTenjinData(withIDFA: .notPresent, idfv: .notPresent, ip: .notPresent)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: facebookData, network: AttributionNetwork.facebook.rawValue)
expect(converted.count) == 0
}
func testMParticleAttributionIsConverted() {
let mparticleData = mParticleData()
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: mparticleData, network: AttributionNetwork.mParticle.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.mpParticleID.key: AttributionKey.MParticle.id.rawValue
]
checkConvertedAttributes(converted: converted, original: mparticleData, expectedMapping: expectedMapping)
}
func testMParticleAttributionConversionDiscardsNSNullValues() {
let mparticleData = mParticleData(withIDFA: .nsNull, idfv: .nsNull, mParticleId: .nsNull, networkID: .nsNull,
ip: .nsNull)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: mparticleData, network: AttributionNetwork.adjust.rawValue)
expect(converted.count) == 0
}
func testMParticleAttributionConversionGivesPreferenceToRCNetworkIDOverMParticleId() {
let mparticleData = mParticleData(mParticleId: .defaultValue, networkID: .defaultValue)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: mparticleData, network: AttributionNetwork.mParticle.rawValue)
expect(converted.count) != 0
checkCommonAttributes(in: converted)
let expectedMapping = [
ReservedSubscriberAttribute.mpParticleID.key: AttributionKey.networkID.rawValue
]
checkConvertedAttributes(converted: converted, original: mparticleData, expectedMapping: expectedMapping)
}
func testMParticleAttributionConversionRemovesNSNullRCNetworkID() {
let mparticleData = mParticleData(mParticleId: .notPresent, networkID: .nsNull)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: mparticleData, network: AttributionNetwork.mParticle.rawValue)
expect(converted.count) != 0
expect(converted[ReservedSubscriberAttribute.mpParticleID.key]).to(beNil())
}
func testMParticleAttributionConversionUsesMParticleIDIfNoRCNetworkID() {
let mparticleData = mParticleData(mParticleId: .defaultValue, networkID: .notPresent)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: mparticleData, network: AttributionNetwork.mParticle.rawValue)
expect(converted.count) != 0
let expectedMapping = [
ReservedSubscriberAttribute.mpParticleID.key: AttributionKey.MParticle.id.rawValue
]
checkConvertedAttributes(converted: converted, original: mparticleData, expectedMapping: expectedMapping)
}
func testMParticleAttributionConversionWorksIfStandardKeysAreNotPassed() {
let mparticleData = mParticleData(withIDFA: .notPresent, idfv: .notPresent, mParticleId: .notPresent,
networkID: .notPresent, ip: .notPresent)
let converted = attributionDataMigrator.convertToSubscriberAttributes(
attributionData: mparticleData, network: AttributionNetwork.adjust.rawValue)
expect(converted.count) == 0
}
}
private enum KeyPresence {
case defaultValue, nsNull, notPresent
}
private extension AttributionDataMigratorTests {
func checkConvertedAttributes(
converted: [String: Any],
original: [String: Any],
expectedMapping: [String: String]
) {
for (subscriberAttribute, attributionKey) in expectedMapping {
expect((converted[subscriberAttribute] as? String)) == (original[attributionKey] as? String)
}
}
func checkCommonAttributes(in converted: [String: Any],
idfa: KeyPresence = .defaultValue,
idfv: KeyPresence = .defaultValue,
ip: KeyPresence = .defaultValue) {
let idfaValue = converted[ReservedSubscriberAttribute.idfa.key]
switch idfa {
case .defaultValue:
expect(idfaValue as? String) == AttributionDataMigratorTests.defaultIdfa
case .nsNull:
expect(idfaValue).to(beAKindOf(NSNull.self))
case .notPresent:
expect(idfaValue).to(beNil())
}
let idfvValue = converted[ReservedSubscriberAttribute.idfv.key]
switch idfv {
case .defaultValue:
expect(idfvValue as? String) == AttributionDataMigratorTests.defaultIdfv
case .nsNull:
expect(idfvValue).to(beAKindOf(NSNull.self))
case .notPresent:
expect(idfvValue).to(beNil())
}
let ipValue = converted[ReservedSubscriberAttribute.ip.key]
switch ip {
case .defaultValue:
expect(ipValue as? String) == AttributionDataMigratorTests.defaultIp
case .nsNull:
expect(ipValue).to(beAKindOf(NSNull.self))
case .notPresent:
expect(ipValue).to(beNil())
}
}
func adjustData(withIdfa idfa: KeyPresence = .defaultValue,
adjustId: KeyPresence = .defaultValue,
networkID: KeyPresence = .notPresent,
idfv: KeyPresence = .defaultValue,
ip: KeyPresence = .defaultValue,
campaign: KeyPresence = .defaultValue,
adGroup: KeyPresence = .defaultValue,
creative: KeyPresence = .defaultValue,
network: KeyPresence = .defaultValue) -> [String: Any] {
var data: [String: Any] = [
"clickLabel": "clickey",
"trackerToken": "6abc940",
"trackerName": "Instagram Profile::IG Spanish"
]
updateMapping(inData: &data, keyPresence: idfa, key: AttributionKey.idfa.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIdfa)
updateMapping(inData: &data, keyPresence: idfv, key: AttributionKey.idfv.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIdfv)
updateMapping(inData: &data, keyPresence: adjustId, key: AttributionKey.Adjust.id.rawValue,
defaultValue: AttributionDataMigratorTests.defaultNetworkId)
updateMapping(inData: &data, keyPresence: networkID, key: AttributionKey.networkID.rawValue,
defaultValue: AttributionDataMigratorTests.defaultRCNetworkId)
updateMapping(inData: &data, keyPresence: ip, key: AttributionKey.ip.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIp)
updateMapping(inData: &data, keyPresence: campaign, key: AttributionKey.Adjust.campaign.rawValue,
defaultValue: "IG Spanish")
updateMapping(inData: &data, keyPresence: adGroup, key: AttributionKey.Adjust.adGroup.rawValue,
defaultValue: "an_ad_group")
updateMapping(inData: &data, keyPresence: creative, key: AttributionKey.Adjust.creative.rawValue,
defaultValue: "a_creative")
updateMapping(inData: &data, keyPresence: network, key: AttributionKey.Adjust.network.rawValue,
defaultValue: "Instagram Profile")
return data
}
func appsFlyerData(withIDFA idfa: KeyPresence = .defaultValue,
appsFlyerId: KeyPresence = .defaultValue,
networkID: KeyPresence = .notPresent,
idfv: KeyPresence = .defaultValue,
channel: KeyPresence = .defaultValue,
mediaSource: KeyPresence = .notPresent,
adKey: KeyPresence = .defaultValue,
adGroup: KeyPresence = .notPresent,
adId: KeyPresence = .defaultValue,
campaign: KeyPresence = .defaultValue,
adSet: KeyPresence = .defaultValue,
adKeywords: KeyPresence = .defaultValue,
ip: KeyPresence = .defaultValue) -> [String: Any] {
var data: [String: Any] = [
"adset_id": "23847301359550211",
"campaign_id": "23847301359200211",
"click_time": "2021-05-04 18:08:51.000",
"iscache": false,
"adgroup_id": "238473013556789090",
"is_mobile_data_terms_signed": true,
"match_type": "srn",
"agency": NSNull(),
"retargeting_conversion_type": "none",
"install_time": "2021-05-04 18:20:45.050",
"af_status": "Non-organic",
"http_referrer": NSNull(),
"is_paid": true,
"is_first_launch": false,
"is_fb": true,
"af_siteid": NSNull(),
"af_message": "organic install"
]
updateMapping(inData: &data, keyPresence: idfa, key: AttributionKey.idfa.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIdfa)
updateMapping(inData: &data, keyPresence: idfv, key: AttributionKey.idfv.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIdfv)
updateMapping(inData: &data, keyPresence: appsFlyerId, key: AttributionKey.AppsFlyer.id.rawValue,
defaultValue: AttributionDataMigratorTests.defaultNetworkId)
updateMapping(inData: &data, keyPresence: networkID, key: AttributionKey.networkID.rawValue,
defaultValue: AttributionDataMigratorTests.defaultRCNetworkId)
updateMapping(inData: &data, keyPresence: channel, key: AttributionKey.AppsFlyer.channel.rawValue,
defaultValue: "Facebook")
updateMapping(inData: &data, keyPresence: mediaSource, key: AttributionKey.AppsFlyer.mediaSource.rawValue,
defaultValue: "Facebook Ads")
updateMapping(inData: &data, keyPresence: adKey, key: AttributionKey.AppsFlyer.ad.rawValue,
defaultValue: "ad.mp4")
updateMapping(inData: &data, keyPresence: adGroup, key: AttributionKey.AppsFlyer.adGroup.rawValue,
defaultValue: "1111 - tm - aaa - US - 999 v1")
updateMapping(inData: &data, keyPresence: adId, key: AttributionKey.AppsFlyer.adId.rawValue,
defaultValue: "23847301457860211")
updateMapping(inData: &data, keyPresence: campaign, key: AttributionKey.AppsFlyer.campaign.rawValue,
defaultValue: "0111 - mm - aaa - US - best creo 10 - Copy")
updateMapping(inData: &data, keyPresence: adSet, key: AttributionKey.AppsFlyer.adSet.rawValue,
defaultValue: "0005 - tm - aaa - US - best 8")
updateMapping(inData: &data, keyPresence: adKeywords, key: AttributionKey.AppsFlyer.adKeywords.rawValue,
defaultValue: "keywords for ad")
updateMapping(inData: &data, keyPresence: ip, key: AttributionKey.ip.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIp)
return data
}
func branchData(withIDFA idfa: KeyPresence = .defaultValue,
idfv: KeyPresence = .defaultValue,
ip: KeyPresence = .defaultValue,
channel: KeyPresence = .defaultValue,
campaign: KeyPresence = .defaultValue) -> [String: Any] {
var data: [String: Any] = [
"+is_first_session": false,
"+clicked_branch_link": false
]
updateMapping(inData: &data, keyPresence: idfa, key: AttributionKey.idfa.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIdfa)
updateMapping(inData: &data, keyPresence: idfv, key: AttributionKey.idfv.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIdfv)
updateMapping(inData: &data, keyPresence: ip, key: AttributionKey.ip.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIp)
updateMapping(inData: &data, keyPresence: channel, key: AttributionKey.Branch.channel.rawValue,
defaultValue: "Facebook")
updateMapping(inData: &data, keyPresence: campaign, key: AttributionKey.Branch.campaign.rawValue,
defaultValue: "Facebook Ads 01293")
return data
}
func mParticleData(withIDFA idfa: KeyPresence = .defaultValue,
idfv: KeyPresence = .defaultValue,
mParticleId: KeyPresence = .defaultValue,
networkID: KeyPresence = .notPresent,
ip: KeyPresence = .defaultValue) -> [String: Any] {
var data: [String: Any] = [:]
updateMapping(inData: &data, keyPresence: idfa, key: AttributionKey.idfa.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIdfa)
updateMapping(inData: &data, keyPresence: idfv, key: AttributionKey.idfv.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIdfv)
updateMapping(inData: &data, keyPresence: mParticleId, key: AttributionKey.MParticle.id.rawValue,
defaultValue: AttributionDataMigratorTests.defaultNetworkId)
updateMapping(inData: &data, keyPresence: networkID, key: AttributionKey.networkID.rawValue,
defaultValue: AttributionDataMigratorTests.defaultRCNetworkId)
updateMapping(inData: &data, keyPresence: ip, key: AttributionKey.ip.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIp)
return data
}
func facebookOrTenjinData(
withIDFA idfa: KeyPresence = .defaultValue,
idfv: KeyPresence = .defaultValue,
ip: KeyPresence = .defaultValue
) -> [String: Any] {
var data: [String: Any] = [:]
updateMapping(inData: &data, keyPresence: idfa, key: AttributionKey.idfa.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIdfa)
updateMapping(inData: &data, keyPresence: idfv, key: AttributionKey.idfv.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIdfv)
updateMapping(inData: &data, keyPresence: ip, key: AttributionKey.ip.rawValue,
defaultValue: AttributionDataMigratorTests.defaultIp)
return data
}
private func updateMapping(
inData: inout [String: Any],
keyPresence: KeyPresence,
key: String,
defaultValue: String
) {
switch keyPresence {
case .defaultValue:
inData[key] = defaultValue
case .nsNull:
inData[key] = NSNull()
case .notPresent:
break
}
}
}
| mit | ca5bf7333f2139b0d48424c870543423 | 52.433291 | 123 | 0.694854 | 4.735052 | false | true | false | false |
StreamOneNL/iOS-SDK | StreamOneSDK/Request.swift | 1 | 5262 | //
// Request.swift
// StreamOneSDK
//
// Created by Nicky Gerritsen on 25-07-15.
// Copyright © 2015 StreamOne. All rights reserved.
//
import Foundation
import Alamofire
/**
Execute a request to the StreamOne API
This class represents a request to the StreamOne API. To execute a new request, first construct
an instance of this class by specifying the command and action to the constructor. The various
arguments and options of the request can then be specified and then the request can be actually
sent to the StreamOne API server by executing the request. Requests will always be sent asynchronously
and a callback will be called upon completion
This class only supports version 3 of the StreamOne API. All configuration is done using the
Config class.
This class inherits from RequestBase, which is a very basic request-class implementing
only the basics of setting arguments and parameters, and generic signing of requests. This
class adds specific signing for users, applications and sessions, as well as a basic caching
mechanism.
*/
public class Request : RequestBase {
/**
Initialize a request for a given command and action
- Parameter command: The command to use
- Parameter action: The action to use
- Parameter config: The configuration to use
*/
public override init(command: String, action: String, config: Config) {
super.init(command: command, action: action, config: config)
// Check if a default account is specified and set it as a parameter. Can later be overridden
if let account = config.defaultAccountId {
parameters["account"] = account
}
// Set correct authentication_type parameter
switch config.authenticationType {
case .User(id: _, psk: _):
parameters["authentication_type"] = "user"
case .Application(id: _, psk: _):
parameters["authentication_type"] = "application"
}
}
/**
Retrieve the parameters used for signing
- Returns: A dictionary containing the parameters needed for signing
*/
override func parametersForSigning() -> [String : String] {
var parameters = super.parametersForSigning()
switch (config.authenticationType) {
case let .User(id: id, psk: _):
parameters["user"] = id
case let .Application(id: id, psk: _):
parameters["application"] = id
}
return parameters
}
/**
Execute the prepared request
If the request can be retrieved from the cache, it will do so.
Otherwise, this will sign the request, send it to the API server, and process the response.
When done, it will call the provided callback with the response.
Note that the callback will be called on the same thread as the caller of this function.
- Parameter callback: The callback to call when processing the response is done
*/
override public func execute(callback: (response: Response) -> Void) {
if let response = retrieveFromCache() {
callback(response: response)
} else {
super.execute(callback)
}
}
/**
Process the result from a request
This will cache the response if possible before calling the callback
- Parameter result: The result from a HTTP request
- Parameter callback: The callback to call when processing the result is done
*/
override func processResult(result: Result<AnyObject, NSError>, callback: (response: Response) -> Void) {
super.processResult(result) { (response) -> Void in
self.saveCache(response)
callback(response: response)
}
}
/**
Determine the key to use for caching
- Returns: the key to use for caching
*/
internal func cacheKey() -> String {
return "s1:request:\(path())?\(parameters.urlEncode())#\(arguments.urlEncode())"
}
/**
Attempt to retrieve the response for this request from the cache
- Returns: The cached response if it was found in the cache; nil otherwise
*/
internal func retrieveFromCache() -> Response? {
let cache = config.requestCache
let cachedData = cache.getKey(cacheKey())
if let cachedData = cachedData {
let result = Result<AnyObject, NSError>.Success(cachedData)
var response = Response(result: result)
response.fromCache = true
response.cacheAge = cache.ageOfKey(cacheKey())
return response
}
return nil
}
/**
Save the result of the current request to the cache
This method only saves to cache if the request is cacheable, and if the request was not
retrieved from the cache.
*/
internal func saveCache(response: Response) {
if response.cacheable && !response.fromCache {
switch response.result {
case let .Success(object):
let cache = config.requestCache
cache.setKey(cacheKey(), value: object)
default:
break
}
}
}
} | mit | 59f38f7bd22f4e8e85411a865567d67d | 33.618421 | 109 | 0.641133 | 4.991461 | false | true | false | false |
TrustWallet/trust-wallet-ios | TrustTests/Factories/TokenObject.swift | 1 | 611 | // Copyright DApps Platform Inc. All rights reserved.
import Foundation
@testable import Trust
import TrustCore
extension TokenObject {
static func make(
contract: Address = EthereumAddress.zero,
name: String = "Viktor",
coin: Coin = .ethereum,
type: TokenObjectType = .coin,
symbol: String = "VIK",
value: String = ""
) -> TokenObject {
return TokenObject(
contract: contract.description,
name: name,
coin: coin,
type: type,
symbol: symbol,
value: value
)
}
}
| gpl-3.0 | 82e1144d283a1577938d00d9c309017b | 23.44 | 53 | 0.559738 | 4.593985 | false | false | false | false |
rogertjr/chatty | Chatty/Chatty/View/ReceiverCell.swift | 1 | 836 | //
// ReceiverCell.swift
// Chatty
//
// Created by Roger on 01/09/17.
// Copyright © 2017 Decodely. All rights reserved.
//
import UIKit
class ReceiverCell: UITableViewCell {
@IBOutlet weak var message: UITextView!
@IBOutlet weak var messageBackground: UIImageView!
func clearCellData() {
self.message.text = nil
self.message.isHidden = false
self.messageBackground.image = nil
}
override func awakeFromNib() {
super.awakeFromNib()
self.selectionStyle = .none
self.message.textContainerInset = UIEdgeInsetsMake(5, 5, 5, 5)
self.messageBackground.layer.cornerRadius = 15
self.messageBackground.clipsToBounds = true
}
override func setSelected(_ selected: Bool, animated: Bool) {
super.setSelected(selected, animated: animated)
// Configure the view for the selected state
}
}
| gpl-3.0 | d274fdff488a40d21dc780a87ec29276 | 22.194444 | 65 | 0.71976 | 3.812785 | false | false | false | false |
jdpepperman/Emma-zing | Symbol.swift | 1 | 1749 | //
// Symbol.swift
// Emma-zing
//
// Created by Joshua Pepperman on 11/24/14.
// Copyright (c) 2014 Joshua Pepperman. All rights reserved.
//
import SpriteKit
enum SymbolType: Int, Printable {
case Unknown = 0, MyloXyloto, HurtsLikeHeaven, Paradise, CharlieBrown, UsAgainstTheWorld, MMIX, EveryTeardropIsAWaterfall, MajorMinus, UFO, PrincessOfChina, UpInFlames, AHopefulTransmission, DontLetItBreakYourHeart, UpWithTheBirds
var spriteName: String
{
let spriteNames = [
"MyloXyloto",
"HurtsLikeHeaven",
"Paradise",
"CharlieBrown",
"UsAgainstTheWorld",
"MMIX",
"EveryTeardropIsAWaterfall",
"MajorMinus",
"UFO",
"PrincessOfChina",
"UpInFlames",
"AHopefullTransmission",
"DontLetItBreakYourHeart",
"UpWithTheBirds"]
return spriteNames[rawValue - 1]
}
var highlightedSpriteName: String {
return spriteName + "-Highlighted"
}
var description: String {
return spriteName
}
static func random() -> SymbolType {
return SymbolType(rawValue: Int(arc4random_uniform(6)) + 1)!
}
static func random(listToChooseFrom: [Int]) -> SymbolType
{
var index = Int(arc4random_uniform(UInt32(listToChooseFrom.count))) //5)) + 1
return SymbolType(rawValue: listToChooseFrom[index])!
}
}
class Symbol: Printable, Hashable {
var column: Int
var row: Int
let symbolType: SymbolType
var sprite: SKSpriteNode?
var description: String {
return "type:\(symbolType) square:(\(column),\(row))"
}
var hashValue: Int {
return row*10 + column
}
init(column: Int, row: Int, symbolType: SymbolType) {
self.column = column
self.row = row
self.symbolType = symbolType
}
}
func ==(lhs: Symbol, rhs: Symbol) -> Bool {
return lhs.column == rhs.column && lhs.row == rhs.row
} | gpl-2.0 | 8c8bcbf39d2aff08ecd5b844ca15006f | 21.727273 | 231 | 0.7004 | 2.994863 | false | false | false | false |
snakenet-org/snJSON | snJson/JsonObject.swift | 1 | 8507 | //
// JsonObject.swift
// json-swift
//
// Created by Marc Fiedler on 08/07/15.
// Copyright (c) 2015 snakeNet.org. All rights reserved.
//
import UIKit
/// Errors that can occur in the JSON Object
public enum JsonError: ErrorType {
case Unknown
case SyntaxError
case InvalidData
case InvalidType
case IndexNotFound
case NetworkError
}
/// A JSON Object. Each Object is also an Element in JSON
public class JsonObject {
public static let version = 3
// MARK: - Public API / Members -
/// Type of the element. Is defined in JsonElement.Types
public var type: Int!
public var string: String?
public var int: Int?
public var double: Double?
public var dict: NSDictionary?
public var array: NSArray?
/// Element types
public struct Types{
// mostly for the value part of a pair or a value
// part of an Array or a Dict
public static let Unknown: Int = -1
public static let Integer: Int = 1
public static let String: Int = 2
public static let Double: Int = 3
public static let Array: Int = 4
public static let Dictionary: Int = 5
}
// MARK: - Privates
private var mData = Dictionary<String, JsonObject>()
// MARK: - Public API / Methods
/// empty initializer
public init(){
// every initial object is always a dict.
self.type = Types.Dictionary
// MARK: - Maybe change this in the future?
}
public init(data: NSData) throws {
do{
try serialize(data)
} catch let error as JsonError {
// rethrow from here
throw error
}
}
public init(str: NSString) throws {
// convert the NSString to NSData (for JSONObjectWithData, if that works, serialize the string
if let data: NSData = str.dataUsingEncoding(NSUTF8StringEncoding) {
do{
try serialize(data)
} catch let error as JsonError {
// rethrow from here
throw error
}
}
else{
// throw an invalid data error if dataUsingEncoding fails
throw JsonError.InvalidData
}
}
public init(obj: AnyObject) throws {
do{
try parse(obj)
}
catch let error as JsonError {
throw error
}
}
private func serialize(data: NSData) throws {
// get the data out of the NSString and serialize it correctly
var jsonData: AnyObject?
do {
jsonData = try NSJSONSerialization.JSONObjectWithData(data, options: NSJSONReadingOptions.MutableContainers)
} catch {
throw JsonError.SyntaxError
}
// if everything went good, parse the JSON Data
do{
try parse(jsonData)
}
catch let error as JsonError {
throw error
}
}
private func parse(val: AnyObject?) throws {
self.type = Types.Unknown
if let _ = val as? Int {
type = Types.Integer
self.int = (val as! Int)
// while we are at it, convert the int also to a string
self.string = String( val as! Int )
}
if let _ = val as? Double {
type = Types.Double
self.double = (val as! Double)
// save the same as a string value es well
self.string = String( stringInterpolationSegment: val as! Double)
}
if let _ = val as? String {
type = Types.String
self.string = (val as! String)
}
if let vArr: NSArray = val as? NSArray {
type = Types.Array
var count: Int = 0
for vl in vArr {
do{
try set("\(count)", val: vl)
}
catch let error as JsonError{
throw error
}
count++
}
self.array = vArr
}
if let vDict = val as? NSDictionary {
type = Types.Dictionary
for (key, val) in vDict {
do{
try set(key as! String, val: val)
}
catch let error as JsonError{
throw error
}
}
self.dict = vDict
}
// check if a type was assigned or not
if( self.type == Types.Unknown ){
throw JsonError.InvalidType
}
}
private func getJsonArray() -> Array<AnyObject> {
var jsonArray = Array<AnyObject>()
for( _, val ) in mData {
switch( val.type ){
case Types.Array:
jsonArray.append( val.getJsonArray() )
case Types.Dictionary:
jsonArray.append( val.getJsonDict() )
case Types.Double:
jsonArray.append( val.double! )
case Types.String:
jsonArray.append( val.string! )
case Types.Integer:
jsonArray.append( val.int! )
default:
print("Error, default in getJsonArray")
}
}
return jsonArray
}
private func getJsonDict() -> Dictionary<String, AnyObject>{
var jsonDict = Dictionary<String, AnyObject>()
for( key, val ) in mData {
switch( val.type ){
case Types.Array:
jsonDict[key] = val.getJsonArray()
case Types.Dictionary:
jsonDict[key] = val.getJsonDict()
case Types.String:
jsonDict[key] = val.string
case Types.Integer:
jsonDict[key] = val.int
case Types.Double:
jsonDict[key] = val.double
default:
print("Error, default in getJsonDict")
}
}
return jsonDict
}
public func getJsonString() -> String {
var jsonString: String = String()
// just define the start point according to the type of this object
if( type == Types.Array ){
let jsonArray = getJsonArray()
if NSJSONSerialization.isValidJSONObject(jsonArray) {
if let data = try? NSJSONSerialization.dataWithJSONObject(jsonArray, options: NSJSONWritingOptions.PrettyPrinted) {
if let string = NSString(data: data, encoding: NSUTF8StringEncoding) {
jsonString = string as String
}
}
}
}
else{
let jsonDict = getJsonDict()
if NSJSONSerialization.isValidJSONObject(jsonDict) {
if let data = try? NSJSONSerialization.dataWithJSONObject(jsonDict, options: NSJSONWritingOptions.PrettyPrinted) {
if let string = NSString(data: data, encoding: NSUTF8StringEncoding) {
jsonString = string as String
}
}
}
}
return jsonString
}
public subscript(key: AnyObject) -> AnyObject? {
get{
return get(key)
}
set(val){
do{
try set(key, val: val!)
} catch {
// MARK :- This might be better to throw as well??
print("Error, could not set value")
}
}
}
public subscript(key: AnyObject) -> JsonObject? {
return get(key)
}
public func get(key: AnyObject) -> JsonObject? {
let empty: JsonObject? = nil
guard let data: JsonObject = mData["\(key)"] else {
// return nil if this key does not exist
print("JsonObject [get] - Data not found")
return empty
}
return data
}
public func set(key: AnyObject, val: AnyObject) throws {
do{
mData["\(key)"] = try JsonObject(obj: val)
}
catch let error as JsonError{
throw error
}
}
} | mit | 9020874df4464074e20091dfdd695800 | 27.454849 | 131 | 0.49712 | 5.199878 | false | false | false | false |
practicalswift/swift | test/TBD/struct.swift | 7 | 8095 | // RUN: %target-swift-frontend -emit-ir -o/dev/null -parse-as-library -module-name test -validate-tbd-against-ir=all %s
// RUN: %target-swift-frontend -emit-ir -o/dev/null -parse-as-library -module-name test -validate-tbd-against-ir=all %s -enable-resilience
// RUN: %target-swift-frontend -emit-ir -o/dev/null -parse-as-library -module-name test -validate-tbd-against-ir=all %s -enable-testing
// RUN: %target-swift-frontend -emit-ir -o/dev/null -parse-as-library -module-name test -validate-tbd-against-ir=all %s -enable-resilience -enable-testing
// RUN: %target-swift-frontend -emit-ir -o/dev/null -parse-as-library -module-name test -validate-tbd-against-ir=all %s -O
// RUN: %target-swift-frontend -emit-ir -o/dev/null -parse-as-library -module-name test -validate-tbd-against-ir=all %s -enable-resilience -O
// RUN: %target-swift-frontend -emit-ir -o/dev/null -parse-as-library -module-name test -validate-tbd-against-ir=all %s -enable-testing -O
// RUN: %target-swift-frontend -emit-ir -o/dev/null -parse-as-library -module-name test -validate-tbd-against-ir=all %s -enable-resilience -enable-testing -O
// RUN: %empty-directory(%t)
// RUN: %target-swift-frontend -typecheck -parse-as-library -module-name test %s -emit-tbd -emit-tbd-path %t/typecheck.tbd
// RUN: %target-swift-frontend -emit-ir -parse-as-library -module-name test %s -emit-tbd -emit-tbd-path %t/emit-ir.tbd
// RUN: diff -u %t/typecheck.tbd %t/emit-ir.tbd
public struct StructPublicNothing {}
public struct StructPublicInit {
public init() {}
public init(public_: Int) {}
internal init(internal_: Int) {}
private init(private_: Int) {}
}
public struct StructPublicMethods {
public init() {}
public func publicMethod() {}
internal func internalMethod() {}
private func privateMethod() {}
}
public struct StructPublicProperties {
public let publicLet: Int = 0
internal let internalLet: Int = 0
private let privateLet: Int = 0
public var publicVar: Int = 0
internal var internalVar: Int = 0
private var privateVar: Int = 0
public var publicVarGet: Int { return 0 }
internal var internalVarGet: Int { return 0 }
private var privateVarGet: Int { return 0 }
public var publicVarGetSet: Int {
get { return 0 }
set {}
}
internal var internalVarGetSet: Int {
get { return 0 }
set {}
}
private var privateVarGetSet: Int {
get { return 0 }
set {}
}
}
public struct StructPublicSubscripts {
public subscript(publicGet _: Int) -> Int { return 0 }
internal subscript(internalGet _: Int) -> Int { return 0 }
private subscript(privateGet _: Int) -> Int { return 0 }
public subscript(publicGetSet _: Int) -> Int {
get {return 0 }
set {}
}
internal subscript(internalGetSet _: Int) -> Int {
get {return 0 }
set {}
}
private subscript(privateGetSet _: Int) -> Int {
get {return 0 }
set {}
}
}
public struct StructPublicStatics {
public static func publicStaticFunc() {}
internal static func internalStaticFunc() {}
private static func privateStaticFunc() {}
public static let publicLet: Int = 0
internal static let internalLet: Int = 0
private static let privateLet: Int = 0
public static var publicVar: Int = 0
internal static var internalVar: Int = 0
private static var privateVar: Int = 0
public static var publicVarGet: Int { return 0 }
internal static var internalVarGet: Int { return 0 }
private static var privateVarGet: Int { return 0 }
public static var publicVarGetSet: Int {
get { return 0 }
set {}
}
internal static var internalVarGetSet: Int {
get { return 0 }
set {}
}
private static var privateVarGetSet: Int {
get { return 0 }
set {}
}
}
public struct StructPublicGeneric<T, U, V> {
public var publicVar: T
internal var internalVar: U
private var privateVar: V
public var publicVarConcrete: Int = 0
internal var internalVarConcrete: Int = 0
private var privateVarConcrete: Int = 0
public init<S>(t: T, u: U, v: V, _: S) {
publicVar = t
internalVar = u
privateVar = v
}
public func publicGeneric<A>(_: A) {}
internal func internalGeneric<A>(_: A) {}
private func privateGeneric<A>(_: A) {}
public static func publicStaticGeneric<A>(_: A) {}
internal static func internalStaticGeneric<A>(_: A) {}
private static func privateStaticGeneric<A>(_: A) {}
}
internal struct StructInternalNothing {}
internal struct StructInternalInit {
internal init() {}
internal init(internal_: Int) {}
private init(private_: Int) {}
}
internal struct StructInternalMethods {
internal init() {}
internal func internalMethod() {}
private func privateMethod() {}
}
internal struct StructInternalProperties {
internal let internalLet: Int = 0
private let privateLet: Int = 0
internal var internalVar: Int = 0
private var privateVar: Int = 0
internal var internalVarGet: Int { return 0 }
private var privateVarGet: Int { return 0 }
internal var internalVarGetSet: Int {
get { return 0 }
set {}
}
private var privateVarGetSet: Int {
get { return 0 }
set {}
}
}
internal struct StructInternalSubscripts {
internal subscript(internalGet _: Int) -> Int { return 0 }
private subscript(privateGet _: Int) -> Int { return 0 }
internal subscript(internalGetSet _: Int) -> Int {
get {return 0 }
set {}
}
private subscript(privateGetSet _: Int) -> Int {
get {return 0 }
set {}
}
}
internal struct StructInternalStatics {
internal static func internalStaticFunc() {}
private static func privateStaticFunc() {}
internal static let internalLet: Int = 0
private static let privateLet: Int = 0
internal static var internalVar: Int = 0
private static var privateVar: Int = 0
internal static var internalVarGet: Int { return 0 }
private static var privateVarGet: Int { return 0 }
internal static var internalVarGetSet: Int {
get { return 0 }
set {}
}
private static var privateVarGetSet: Int {
get { return 0 }
set {}
}
}
internal struct StructInternalGeneric<T, U, V> {
internal var internalVar: U
private var privateVar: V
internal var internalVarConcrete: Int = 0
private var privateVarConcrete: Int = 0
internal init<S>(t: T, u: U, v: V, _: S) {
internalVar = u
privateVar = v
}
internal func internalGeneric<A>(_: A) {}
private func privateGeneric<A>(_: A) {}
internal static func internalStaticGeneric<A>(_: A) {}
private static func privateStaticGeneric<A>(_: A) {}
}
private struct StructPrivateNothing {}
private struct StructPrivateInit {
private init() {}
private init(private_: Int) {}
}
private struct StructPrivateMethods {
private init() {}
private func privateMethod() {}
}
private struct StructPrivateProperties {
private let privateLet: Int = 0
private var privateVar: Int = 0
private var privateVarGet: Int { return 0 }
private var privateVarGetSet: Int {
get { return 0 }
set {}
}
}
private struct StructPrivateSubscripts {
private subscript(privateGet _: Int) -> Int { return 0 }
private subscript(privateGetSet _: Int) -> Int {
get {return 0 }
set {}
}
}
private struct StructPrivateStatics {
private static func privateStaticFunc() {}
private static let privateLet: Int = 0
private static var privateVar: Int = 0
private static var privateVarGet: Int { return 0 }
private static var privateVarGetSet: Int {
get { return 0 }
set {}
}
}
private struct StructPrivateGeneric<T, U, V> {
private var privateVar: V
private var privateVarConcrete: Int = 0
private init<S>(t: T, u: U, v: V, _: S) {
privateVar = v
}
private func privateGeneric<A>(_: A) {}
private static func privateStaticGeneric<A>(_: A) {}
}
| apache-2.0 | fb571343e8de446b19ea3db7fda01598 | 27.205575 | 157 | 0.656455 | 4.05358 | false | true | false | false |
iosClassForBeginner/photoFrame-en | photoFrame-en/ViewController.swift | 1 | 1976 | //
// ViewController.swift
// photoFrame-en
//
// Created by Wataru Maeda on 2016/12/16.
// Copyright © 2016 Wataru Maeda. All rights reserved.
//
import UIKit
class ViewController: UIViewController
{
@IBOutlet var myScroll: UIScrollView!
override func viewDidLoad()
{
super.viewDidLoad()
// Specify x-axis, y-axis, width, height of the photo frame
var x = 0 as CGFloat
let y = 0 as CGFloat
let w = myScroll.frame.size.width
let h = myScroll.frame.size.height
// 1st photo
let myImageView1 = UIImageView()
myImageView1.frame = CGRect(x: x, y: y, width: w, height: h)
myImageView1.image = UIImage(named: "your-photo-1.jpg")
myImageView1.contentMode = .scaleAspectFill
myImageView1.clipsToBounds = true
myScroll.addSubview(myImageView1)
// 2nd photo
x += w
let myImageView2 = UIImageView()
myImageView2.frame = CGRect(x: x, y: y, width: w, height: h)
myImageView2.image = UIImage(named: "your-photo-2.jpg")
myImageView2.contentMode = .scaleAspectFill
myImageView2.clipsToBounds = true
myScroll!.addSubview(myImageView2)
// 3rd photo
x += w
let myImageView3 = UIImageView()
myImageView3.frame = CGRect(x: x, y: y, width: w, height: h)
myImageView3.image = UIImage(named: "your-photo-3.jpg")
myImageView3.contentMode = .scaleAspectFill
myImageView3.clipsToBounds = true
myScroll.addSubview(myImageView3)
// Specify scroll bounds (3 times wider than original width due to usage of 3 photos)
myScroll.contentSize.width = w * 3
// Paging enabled
myScroll.isPagingEnabled = true
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
}
| mit | af870491e4145d89cee01b1de73ca13e | 29.384615 | 93 | 0.617215 | 4.398664 | false | false | false | false |
toshiapp/toshi-ios-client | Toshi/Controllers/Dapps/Views/DappsTableHeaderView.swift | 1 | 11515 | // Copyright (c) 2018 Token Browser, Inc
//
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//
// You should have received a copy of the GNU General Public License
// along with this program. If not, see <http://www.gnu.org/licenses/>.
import UIKit
import QuartzCore
protocol DappsSearchHeaderViewDelegate: class {
func didRequireCollapsedState(_ headerView: DappsTableHeaderView)
func didRequireDefaultState(_ headerView: DappsTableHeaderView)
func dappsSearchDidUpdateSearchText(_ headerView: DappsTableHeaderView, searchText: String)
}
final class DappsTableHeaderView: UIView {
let collapsedStateScrollPercentage: CGFloat = 1
let expandedStateScrollPercentage: CGFloat = 0
private var screenWidth = UIScreen.main.bounds.width
private(set) lazy var sizeRange: ClosedRange<CGFloat> = -280 ... (-59 - UIApplication.shared.statusBarFrame.height)
private weak var delegate: DappsSearchHeaderViewDelegate?
private lazy var minTextFieldWidth: CGFloat = screenWidth - (2 * 40)
private lazy var maxTextFieldWidth: CGFloat = screenWidth - (2 * 15)
private var heightConstraint: NSLayoutConstraint?
private var searchStackBottomConstraint: NSLayoutConstraint?
private var searchStackLeftConstraint: NSLayoutConstraint?
private var searchStackRightConstraint: NSLayoutConstraint?
private var searchStackHeightConstraint: NSLayoutConstraint?
private var shouldShowCancelButton = false
private lazy var expandedBackgroundView: UIView = {
let backgroundView = UIView()
backgroundView.backgroundColor = Theme.tintColor
backgroundView.isUserInteractionEnabled = false
backgroundView.clipsToBounds = true
return backgroundView
}()
private lazy var bubblesImageView: UIImageView = {
let bubblesImageView = UIImageView(image: ImageAsset.bubbles)
return bubblesImageView
}()
private lazy var collapsedBackgroundView: UIView = {
let backgroundView = UIView()
backgroundView.backgroundColor = .white
backgroundView.isUserInteractionEnabled = false
backgroundView.alpha = 0.0
return backgroundView
}()
private lazy var titleLabel: UILabel = {
let label = UILabel()
label.textColor = Theme.viewBackgroundColor
label.text = Localized.dapps_search_header_title
label.font = Theme.semibold(size: 20)
label.textAlignment = .center
return label
}()
private lazy var iconImageView: UIImageView = {
let imageView = UIImageView()
imageView.size(CGSize(width: 48, height: 48))
imageView.contentMode = .scaleAspectFit
imageView.image = ImageAsset.logo
return imageView
}()
private(set) lazy var searchTextField: InsetTextField = {
let textField = InsetTextField(xInset: 20, yInset: 0)
textField.delegate = self
textField.autocapitalizationType = .none
textField.autocorrectionType = .no
textField.attributedPlaceholder = NSAttributedString(string: Localized.dapps_search_placeholder, attributes: [.foregroundColor: Theme.greyTextColor])
textField.borderStyle = .none
textField.layer.cornerRadius = 5
return textField
}()
private lazy var searchTextFieldBackgroundView: UIView = {
let backgroundView = UIView()
backgroundView.backgroundColor = Theme.searchBarColor
backgroundView.alpha = 0.0
backgroundView.isUserInteractionEnabled = false
backgroundView.layer.cornerRadius = 5
return backgroundView
}()
private lazy var cancelButton: UIButton = {
let cancelButton = UIButton()
cancelButton.setTitle(Localized.cancel_action_title, for: .normal)
cancelButton.setTitleColor(Theme.tintColor, for: .normal)
cancelButton.addTarget(self, action: #selector(didTapCancelButton), for: .touchUpInside)
cancelButton.setContentCompressionResistancePriority(.required, for: .horizontal)
return cancelButton
}()
private lazy var searchFieldStackView: UIStackView = {
let stackView = UIStackView()
stackView.axis = .horizontal
stackView.alignment = .center
stackView.spacing = 6 // prevents jump when typing begins
stackView.addSubview(searchTextFieldBackgroundView)
stackView.addArrangedSubview(searchTextField)
searchTextField.topToSuperview()
searchTextField.bottomToSuperview()
searchTextFieldBackgroundView.edges(to: searchTextField)
stackView.addArrangedSubview(cancelButton)
cancelButton.topToSuperview()
cancelButton.bottomToSuperview()
cancelButton.isHidden = true
return stackView
}()
// MARK: - Initialization
/// Designated initializer
///
/// - Parameters:
/// - frame: The frame to pass through to super.
/// - delegate: The delegate to notify of changes.
init(frame: CGRect, delegate: DappsSearchHeaderViewDelegate) {
self.delegate = delegate
super.init(frame: frame)
backgroundColor = .clear
addSubviewsAndConstraints()
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
// MARK: - View Setup
private func addSubviewsAndConstraints() {
heightConstraint = height(280)
addSubview(expandedBackgroundView)
expandedBackgroundView.edges(to: self)
expandedBackgroundView.addSubview(bubblesImageView)
bubblesImageView.bottom(to: expandedBackgroundView)
bubblesImageView.centerX(to: expandedBackgroundView)
addSubview(collapsedBackgroundView)
collapsedBackgroundView.edges(to: self)
let separatorView = BorderView()
collapsedBackgroundView.addSubview(separatorView)
separatorView.addHeightConstraint()
separatorView.edgesToSuperview(excluding: .top)
addSubview(searchFieldStackView)
addSubview(iconImageView)
addSubview(titleLabel)
iconImageView.size(CGSize(width: 48, height: 48))
iconImageView.centerX(to: self)
iconImageView.bottomToTop(of: titleLabel, offset: -(.mediumInterItemSpacing))
titleLabel.left(to: self, offset: .mediumInterItemSpacing)
titleLabel.right(to: self, offset: -(.mediumInterItemSpacing))
titleLabel.bottomToTop(of: searchFieldStackView, offset: -(CGFloat.giantInterItemSpacing))
searchStackLeftConstraint = searchFieldStackView.left(to: self, offset: 40)
searchStackRightConstraint = searchFieldStackView.right(to: self, offset: -40)
searchStackHeightConstraint = searchFieldStackView.height(56)
searchStackBottomConstraint = searchFieldStackView.bottom(to: self, offset: -(.giantInterItemSpacing))
}
func adjustNonAnimatedProperties(to percentage: CGFloat) {
let diff = (sizeRange.lowerBound - sizeRange.upperBound) * -1
let height = (sizeRange.lowerBound + (percentage * diff)) * -1
heightConstraint?.constant = height
searchStackHeightConstraint?.constant = resize(1 - percentage, in: 36 ... 56)
searchStackLeftConstraint?.constant = resize(1 - percentage, in: 15 ... 40)
searchStackRightConstraint?.constant = resize(percentage, in: -40 ... -15)
searchStackBottomConstraint?.constant = percentage.map(from: 0 ... 1, to: -40 ... -15)
if percentage >= 1 && shouldShowCancelButton {
cancelButton.isHidden = false
shouldShowCancelButton = false
}
}
func adjustAnimatedProperties(to percentage: CGFloat) {
expandedBackgroundView.alpha = fadeOut(percentage, in: 0.77 ... 1)
collapsedBackgroundView.alpha = fadeIn(percentage, in: 0.77 ... 1)
iconImageView.alpha = fadeOut(percentage, in: 0.0 ... 0.46)
titleLabel.alpha = fadeOut(percentage, in: 0.0 ... 0.46)
let shadowOpacity = Float((1 - percentage).map(from: 0 ... 1, to: 0 ... 0.3))
searchTextField.addShadow(xOffset: 1, yOffset: 1, radius: 3, opacity: shadowOpacity)
searchTextField.backgroundColor = UIColor.white.withAlphaComponent(fadeOut(percentage, in: 0.89 ... 1))
searchTextFieldBackgroundView.alpha = fadeIn(percentage, in: 0.89 ... 1)
searchTextField.xInset = (1 - percentage).map(from: 0 ... 1, to: 14 ... 19)
}
func didScroll(to percentage: CGFloat) {
adjustAnimatedProperties(to: percentage)
adjustNonAnimatedProperties(to: percentage)
}
func cancelSearch() {
hideCancelButton()
searchTextField.resignFirstResponder()
searchTextField.text = nil
delegate?.didRequireDefaultState(self)
}
func showCancelButton() {
layoutIfNeeded()
cancelButton.isHidden = false
UIView.animate(withDuration: 0.2) {
self.layoutIfNeeded()
}
shouldShowCancelButton = false
}
private func hideCancelButton() {
layoutIfNeeded()
cancelButton.isHidden = true
UIView.animate(withDuration: 0.2) {
self.layoutIfNeeded()
}
}
private func resize(_ percentage: CGFloat, in range: ClosedRange<CGFloat>) -> CGFloat {
return percentage.map(from: 0 ... 1, to: range).clamp(to: range)
}
private func fadeIn(_ percentage: CGFloat, in range: ClosedRange<CGFloat>) -> CGFloat {
return percentage.clamp(to: range).map(from: range, to: 0 ... 1)
}
private func fadeOut(_ percentage: CGFloat, in range: ClosedRange<CGFloat>) -> CGFloat {
return 1 - percentage.clamp(to: range).map(from: range, to: 0 ... 1)
}
override func point(inside point: CGPoint, with event: UIEvent?) -> Bool {
// Point inside is overriden to enable swiping on the header
if searchFieldStackView.frame.contains(point) {
return true
} else {
return false
}
}
@objc private func didTapCancelButton() {
hideCancelButton()
searchTextField.resignFirstResponder()
searchTextField.text = nil
delegate?.didRequireDefaultState(self)
}
}
extension DappsTableHeaderView: UITextFieldDelegate {
func textFieldShouldBeginEditing(_ textField: UITextField) -> Bool {
delegate?.didRequireCollapsedState(self)
if frame.height > -sizeRange.upperBound {
shouldShowCancelButton = true
} else {
showCancelButton()
}
return true
}
func textField(_ textField: UITextField, shouldChangeCharactersIn range: NSRange, replacementString string: String) -> Bool {
if let text = textField.text,
let textRange = Range(range, in: text) {
let updatedText = text.replacingCharacters(in: textRange,
with: string)
delegate?.dappsSearchDidUpdateSearchText(self, searchText: updatedText)
}
return true
}
}
| gpl-3.0 | 57918673dc2389183409bb8cdbb5a140 | 34.984375 | 157 | 0.682241 | 5.168312 | false | false | false | false |
loganisitt/SLPagingViewSwift | Demos/TwitterLike/TwitterLike/AppDelegate.swift | 1 | 6268 | //
// AppDelegate.swift
// TwitterLike
//
// Created by Stefan Lage on 10/01/15.
// Copyright (c) 2015 Stefan Lage. All rights reserved.
//
import UIKit
@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate, UITableViewDelegate, UITableViewDataSource {
var window: UIWindow?
var nav: UINavigationController?
var controller: SLPagingViewSwift?
var dataSource: NSMutableArray?
func application(application: UIApplication, didFinishLaunchingWithOptions launchOptions: [NSObject: AnyObject]?) -> Bool {
self.window = UIWindow(frame: UIScreen.mainScreen().bounds)
self.dataSource = NSMutableArray(array: ["Hello world!", "Shaqtin' a fool!", "YEAHHH!",
"Hello world!", "Shaqtin' a fool!", "YEAHHH!",
"Hello world!", "Shaqtin' a fool!", "YEAHHH!",
"Hello world!", "Shaqtin' a fool!", "YEAHHH!",
"Hello world!", "Shaqtin' a fool!", "YEAHHH!"])
var navTitleLabel1 = UILabel()
navTitleLabel1.text = "Home"
navTitleLabel1.font = UIFont(name: "Helvetica", size: 20)
navTitleLabel1.textColor = UIColor.whiteColor()
var navTitleLabel2 = UILabel()
navTitleLabel2.text = "Discover"
navTitleLabel2.font = UIFont(name: "Helvetica", size: 20)
navTitleLabel2.textColor = UIColor.whiteColor()
var navTitleLabel3 = UILabel()
navTitleLabel3.text = "Activity"
navTitleLabel3.font = UIFont(name: "Helvetica", size: 20)
navTitleLabel3.textColor = UIColor.whiteColor()
controller = SLPagingViewSwift(items: [navTitleLabel1, navTitleLabel2, navTitleLabel3], views: [self.tableView(), self.tableView(), self.tableView()], showPageControl: true, navBarBackground: UIColor(red: 0.33, green: 0.68, blue: 0.91, alpha: 1.0))
controller?.currentPageControlColor = UIColor.whiteColor()
controller?.tintPageControlColor = UIColor(white: 0.799, alpha: 1.0)
controller?.pagingViewMovingRedefine = ({ scrollView, subviews in
var i = 0
var xOffset = scrollView.contentOffset.x
for v in subviews {
var lbl = v as! UILabel
var alpha = CGFloat(0)
if(lbl.frame.origin.x > 45 && lbl.frame.origin.x < 145) {
alpha = 1.0 - (xOffset - (CGFloat(i)*320.0)) / 320.0
}
else if (lbl.frame.origin.x > 145 && lbl.frame.origin.x < 245) {
alpha = (xOffset - (CGFloat(i)*320.0)) / 320.0 + 1.0
}
else if(lbl.frame.origin.x == 145){
alpha = 1.0
}
lbl.alpha = CGFloat(alpha)
i++
}
})
controller?.didChangedPage = ({ currentIndex in
println(currentIndex)
})
self.nav = UINavigationController(rootViewController: self.controller!)
self.window?.rootViewController = self.nav
self.window?.backgroundColor = UIColor.whiteColor()
self.window?.makeKeyAndVisible()
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 throttle down OpenGL ES frame rates. 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 inactive 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:.
}
func tableView() -> UITableView {
var frame = CGRectMake(0, 0, 320, 568)
frame.size.height -= 44
var tableView = UITableView(frame: frame, style: .Plain)
tableView.delegate = self
tableView.dataSource = self
tableView.scrollsToTop = false
return tableView
}
// MARK: - UITableView DataSource
func numberOfSectionsInTableView(tableView: UITableView) -> Int {
return 1
}
func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return self.dataSource!.count
}
func tableView(tableView: UITableView, heightForRowAtIndexPath indexPath: NSIndexPath) -> CGFloat {
return 120.0
}
func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
var cellIdentifier = "cellIdentifier"
var cell: UITableViewCell? = tableView.dequeueReusableCellWithIdentifier(cellIdentifier) as? UITableViewCell
if cell == nil {
cell = UITableViewCell(style: .Default, reuseIdentifier: cellIdentifier)
cell?.textLabel?.numberOfLines = 0
}
cell!.imageView?.image = UIImage(named: NSString(format: "avatar_%d.jpg", indexPath.row % 3) as String)
cell!.textLabel!.text = self.dataSource?.objectAtIndex(indexPath.row) as? String
return cell!
}
}
| mit | d6c2edbd5d944934c444ded84ef70020 | 44.093525 | 285 | 0.650447 | 4.912226 | false | false | false | false |
iOSWizards/AwesomeMedia | Example/Pods/AwesomeCore/AwesomeCore/Classes/API/AwesomeCore+Events.swift | 1 | 1991 | //
// AwesomeCore+Events.swift
// Pods
//
// Created by Evandro Harrison Hoffmann on 6/18/18.
//
import Foundation
public enum EventCode: String {
case mvu
}
public extension AwesomeCore {
public static func fetchAttendees(eventSlug: EventCode = .mvu, isFirstPage: Bool = true, params: AwesomeCoreNetworkServiceParams = .standard, response: @escaping ([Attendee], ErrorData?) -> Void) {
AttendeeBO.fetchAttendees(eventSlug: eventSlug, isFirstPage: isFirstPage, params: params, response: response)
}
public static func fetchFilteredAttendeesByTag(eventSlug: EventCode = .mvu, params: AwesomeCoreNetworkServiceParams = .standard, response: @escaping ([Attendee], ErrorData?) -> Void) {
AttendeeBO.fetchFilteredAttendeesByTag(eventSlug: eventSlug, params: params, response: response)
}
public static func fetchEventPurchaseStatus(eventSlug: EventCode = .mvu, params: AwesomeCoreNetworkServiceParams = .standard, response: @escaping (Bool?, ErrorData?) -> Void) {
EventPurchaseStatusBO.fetchPurchaseStatus(eventSlug: eventSlug, params: params, response: response)
}
public static func patchTravelDates(eventSlug: EventCode = .mvu, arrivalDate: String, departureDate: String, forcingUpdate: Bool = false, response: @escaping (Bool, ErrorData?) -> Void) {
EventRegistrationBO.patchTravelDates(eventSlug: eventSlug, arrivalDate: arrivalDate, departureDate: departureDate, forcingUpdate: forcingUpdate, response: response)
}
public static func fetchHomeUserProfile(forcingUpdate: Bool, response: @escaping (HomeUserProfile?, ErrorData?)-> Void) {
UserProfileBO.fetchHomeUserProfile(forcingUpdate: forcingUpdate, response: response)
}
public static func fetchPurchaseStatus(eventSlug: EventCode = .mvu, response: @escaping (PurchaseStatus?, ErrorData?)-> Void) {
PurchaseStatusBO.fetchPurchaseStatus(eventSlug: eventSlug, params: .standard, response: response)
}
}
| mit | 5c0c04e05350ccd6b7df09e76a734dc3 | 50.051282 | 201 | 0.742341 | 4.209302 | false | false | false | false |
CoderST/XMLYDemo | XMLYDemo/XMLYDemo/Class/Main/View/STTabBar.swift | 1 | 3626 | //
// STTarBar.swift
// XMLYDemo
//
// Created by xiudou on 2016/12/21.
// Copyright © 2016年 CoderST. All rights reserved.
//
import UIKit
/// 定义协议
protocol STTabbarDelegate : class{
func didSelectButtonAtIndex(_ stTabbar : STTabBar, index : Int)
}
class STTabBar: UIView {
// MARK:- 变量
weak var delegate : STTabbarDelegate?
fileprivate var selectedButton : STButton?
// MARK:- 懒加载
fileprivate lazy var playButton : UIButton = {
let playButton = UIButton(type: .custom)
playButton.setBackgroundImage(UIImage(named: "tabbar_np_play"), for: UIControlState())
playButton.setBackgroundImage(UIImage(named: "tabbar_np_play"), for: .highlighted)
if let currentBackgroundImage = playButton.currentBackgroundImage {
playButton.bounds = CGRect(x: 0, y: 0, width: currentBackgroundImage.size.width, height: currentBackgroundImage.size.height);
playButton.bounds = CGRect(x: 0, y: 0, width: currentBackgroundImage.size.width, height: currentBackgroundImage.size.height)
}
playButton.addTarget(self, action: #selector(STTabBar.playButtonAction(_:)), for: .touchDown)
return playButton
}()
fileprivate lazy var itemButtonArray : [STButton] = [STButton]()
// 生命周期
override init(frame: CGRect) {
super.init(frame: frame)
if (!iOS7) {
if let backImage = UIImage(named: "tabbar_background"){
backgroundColor = UIColor(patternImage: backImage)
}
}
backgroundColor = UIColor(patternImage: UIImage(named: "tabbar_bg")!)
addSubview(playButton)
}
// 布局子空间
override func layoutSubviews() {
super.layoutSubviews()
let width = frame.size.width
let height = frame.size.height
playButton.center = CGPoint(x: width * 0.5, y: height * 0.5)
let buttonWidth = width / CGFloat(subviews.count)
let buttonHeight = height
let buttonY : CGFloat = 0
for (index,button) in itemButtonArray.enumerated(){
button.tag = index
var buttonX = CGFloat(index) * buttonWidth
if index > 1 {
buttonX = buttonX + buttonWidth
}
button.frame = CGRect(x: buttonX, y: buttonY, width: buttonWidth, height: buttonHeight)
}
}
func creatTabbarItem(_ item : UITabBarItem) {
setupUI(item)
}
@objc fileprivate func playButtonAction(_ button : UIButton){
print("playButtonAction")
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
}
extension STTabBar {
fileprivate func setupUI(_ item : UITabBarItem) {
guard let tabbarButton = STButton.creatButton(item) else { return }
tabbarButton.addTarget(self, action: #selector(STTabBar.tabbarButtonAction(_:)), for: .touchDown)
addSubview(tabbarButton)
itemButtonArray.append(tabbarButton)
if (itemButtonArray.count == 1) {
selectedButton = tabbarButton
tabbarButtonAction(tabbarButton)
}
}
@objc fileprivate func tabbarButtonAction(_ button : STButton){
delegate?.didSelectButtonAtIndex(self, index: button.tag)
selectedButton!.isSelected = false;
button.isSelected = true;
selectedButton = button;
}
}
| mit | c835fa15f29121a6f0f016b52e53dbbc | 29.398305 | 137 | 0.60329 | 4.738441 | false | false | false | false |
tomboates/BrilliantSDK | Pod/Classes/Survey.swift | 1 | 3666 | //
// Survey.swift
// Pods
//
// Created by Phillip Connaughton on 12/5/15.
//
//
import Foundation
class Survey: NSObject
{
var surveyId: UUID!
var dismissAction: String?
var userAccountCreation: Date?
var triggerTimestamp : Date?
var event: String?
var comment: String?
var customerUserId: String?
var userType: String?
var completedTimestamp: Date?
var npsRating: Int?
static let triggerTimestampKey = "trigger_timestamp"
static let dismissActionKey = "dismiss_action"
static let completedTimestampKey = "completed_timestamp"
static let npsRatingKey = "nps_rating"
static let commentsKey = "comments"
static let userAccountCreationKey = "user_account_creation"
static let eventKey = "event"
static let customerUserIdKey = "user_id"
static let userTypeKey = "user_type"
static let surveyIdKey = "survey_id"
init(surveyId: UUID){
self.surveyId = surveyId
}
init(map:[String: AnyObject])
{
self.triggerTimestamp = map[Survey.triggerTimestampKey] as? Date
self.dismissAction = map[Survey.dismissActionKey] as? String
self.completedTimestamp = map[Survey.completedTimestampKey] as? Date
self.npsRating = map[Survey.npsRatingKey] as? Int
self.comment = map[Survey.commentsKey] as? String
self.userAccountCreation = map[Survey.userAccountCreationKey] as? Date
self.event = map[Survey.eventKey] as? String
self.customerUserId = map[Survey.customerUserIdKey] as? String
self.userType = map[Survey.userTypeKey] as? String
self.surveyId = UUID(uuidString: map[Survey.surveyIdKey] as! String)
}
func serialize() -> [String: AnyObject]
{
var map = [String: AnyObject]()
map[Survey.triggerTimestampKey] = self.triggerTimestamp as AnyObject?
map[Survey.dismissActionKey] = self.dismissAction as AnyObject?
map[Survey.completedTimestampKey] = self.completedTimestamp as AnyObject?
map[Survey.npsRatingKey] = self.npsRating as AnyObject?
map[Survey.commentsKey] = self.comment as AnyObject?
map[Survey.userAccountCreationKey] = self.userAccountCreation as AnyObject?
map[Survey.eventKey] = self.event as AnyObject?
map[Survey.customerUserIdKey] = self.customerUserId as AnyObject?
map[Survey.userTypeKey] = self.userType as AnyObject?
map[Survey.surveyIdKey] = self.surveyId.uuidString as AnyObject?
return map
}
func serializeForSurvey() -> [String: String]
{
var map = [String: String]()
if(self.triggerTimestamp != nil)
{
map[Survey.triggerTimestampKey] = String(self.triggerTimestamp!.timeIntervalSince1970)
}
map[Survey.dismissActionKey] = self.dismissAction
if(self.completedTimestamp != nil)
{
map[Survey.completedTimestampKey] = String(self.completedTimestamp!.timeIntervalSince1970)
}
if(self.npsRating != nil)
{
map[Survey.npsRatingKey] = String(self.npsRating!)
}
map[Survey.commentsKey] = self.comment
if(self.userAccountCreation == nil)
{
map[Survey.userAccountCreationKey] = String(self.userAccountCreation!.timeIntervalSince1970)
}
map[Survey.eventKey] = self.event
map[Survey.customerUserIdKey] = self.customerUserId
map[Survey.userTypeKey] = self.userType
map[Survey.surveyIdKey] = self.surveyId.uuidString
return map
}
}
| mit | 1153f09c17a079a299d28cdfdf40c136 | 33.261682 | 104 | 0.651937 | 4.343602 | false | false | false | false |
kallahir/AlbumTrackr-iOS | AlbumTracker/Release.swift | 1 | 1880 | //
// Release.swift
// AlbumTracker
//
// Created by Itallo Rossi Lucas on 5/15/16.
// Copyright © 2016 AlbumTrackr. All rights reserved.
//
import CoreData
class Release: NSManagedObject {
@NSManaged var releaseGroupId: NSNumber
@NSManaged var releaseGroupGid: String?
@NSManaged var releaseDate: NSDate
@NSManaged var name: String?
@NSManaged var imagePath: String?
@NSManaged var primaryType: String?
@NSManaged var secondaryType: String?
@NSManaged var isAlbum: Bool
struct Keys {
static let releaseGroupId = "releaseGroupId"
static let releaseGroupGid = "releaseGroupGid"
static let releaseDate = "releaseDate"
static let name = "name"
static let imagePath = "imagePath"
static let primaryType = "primaryType"
static let secondaryType = "secondaryType"
static let isAlbum = "isAlbum"
}
override init(entity: NSEntityDescription, insertIntoManagedObjectContext context: NSManagedObjectContext?) {
super.init(entity: entity, insertIntoManagedObjectContext: context)
}
init(dictionary: [String : AnyObject], context: NSManagedObjectContext) {
let entity = NSEntityDescription.entityForName("Release", inManagedObjectContext: context)!
super.init(entity: entity,insertIntoManagedObjectContext: context)
releaseGroupId = dictionary[Keys.releaseGroupId] as! NSNumber
releaseGroupGid = dictionary[Keys.releaseGroupGid] as? String
releaseDate = dictionary[Keys.releaseDate] as! NSDate
name = dictionary[Keys.name] as? String
imagePath = dictionary[Keys.imagePath] as? String
primaryType = dictionary[Keys.primaryType] as? String
secondaryType = dictionary[Keys.secondaryType] as? String
isAlbum = dictionary[Keys.isAlbum] as! Bool
}
} | agpl-3.0 | cb4ba76edd4c78d8402afdd54e33c5c1 | 36.6 | 113 | 0.695583 | 4.744949 | false | false | false | false |
otakisan/SmartToDo | SmartToDo/Views/TaskListTableViewController.swift | 1 | 13017 | //
// TaskListTableViewController.swift
// SmartToDo
//
// Created by takashi on 2014/09/15.
// Copyright (c) 2014年 ti. All rights reserved.
//
import UIKit
import GoogleMobileAds
class TaskListTableViewController: UITableViewController {
var taskStoreService : TaskStoreService = TaskStoreService()
var tasks : [ToDoTaskEntity] = []
var dayOfTask = NSDate()
lazy var prepareForSegueFuncTable : [String:(UIStoryboardSegue,AnyObject!)->Void] = self.initPrepareForSegueFuncTable()
var isShowAd = false
var interstitial : GADInterstitial?
private func initPrepareForSegueFuncTable() -> [String:(UIStoryboardSegue,AnyObject!)->Void] {
let funcTable : [String:(UIStoryboardSegue,AnyObject!)->Void] = [
"showToDoEditorV1Segue" : self.prepareForShowToDoEditorV1Segue,
"showToUnfinishedTaskListSegue" : self.prepareForShowToUnfinishedTaskListSegue
]
return funcTable
}
override func viewDidLoad() {
super.viewDidLoad()
// Uncomment the following line to preserve selection between presentations
// self.clearsSelectionOnViewWillAppear = false
self.loadAd()
// タイトル
self.setTitle()
// ナビゲーションバーボタンを構成
self.configureRightBarButtonItem()
self.configureLeftBarButtonItem()
self.tableView.registerNib(UINib(nibName: "TaskListTableViewCell", bundle: nil), forCellReuseIdentifier: "taskListTableViewCell")
// self.taskStoreService.clearAllTasks() // テスト上、初期化したい場合はコールする
// 本リストに列挙するタスクを取得
self.tasks = self.taskStoreService.getTasks(self.dayOfTask)
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
override func viewWillAppear(animated: Bool) {
super.viewWillAppear(animated)
let prevTaskCount = self.tasks.count
self.reloadTaskList()
// タスク数に変更があった場合にのみ広告を表示
if prevTaskCount != self.tasks.count {
self.showAd()
}
}
// MARK: - Table view data source
override func numberOfSectionsInTableView(tableView: UITableView) -> Int {
// #warning Potentially incomplete method implementation.
// Return the number of sections.
return 1
}
override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
// #warning Incomplete method implementation.
// Return the number of rows in the section.
return self.tasks.count
}
override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
var cell = tableView.dequeueReusableCellWithIdentifier("taskListTableViewCell", forIndexPath: indexPath) as! TaskListTableViewCell
// Configure the cell...
let task = self.tasks[indexPath.row]
cell.taskTitleLabel.text = task.title
cell.taskProgressView.progress = Float(task.progress)
cell.taskId = task.id
return cell
}
override func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath) {
// self.performSegueWithIdentifier("showToDoEditorSegue", sender: self)
self.performSegueWithIdentifier("showToDoEditorV1Segue", sender: self)
}
override func tableView(tableView: UITableView, commitEditingStyle editingStyle: UITableViewCellEditingStyle, forRowAtIndexPath indexPath: NSIndexPath) {
if editingStyle == .Delete {
let deleteLog = deleteTask(indexPath)
self.showMessageDialog(NSLocalizedString("didDelete", comment: ""), message: String(format: NSLocalizedString("didDeleteMessage", comment: ""), deleteLog.id, deleteLog.title))
} else if editingStyle == .Insert {
// Create a new instance of the appropriate class, insert it into the array, and add a new row to the table view
}
}
private func deleteTask(indexPath : NSIndexPath) -> (id : String, title: String) {
// 先に行数の元となる配列から要素を削除し、numberOfRowsInSectionで削除後の行数を返却するようにする
// 先に削除しないと、deleteRowsAtIndexPathsでエラーになる
let rowIndexDeleting = indexPath.row
let taskIdDeleting = tasks[rowIndexDeleting].id
let taskTitleDeleting = tasks[rowIndexDeleting].title
let taskEntityDeleting = tasks.removeAtIndex(rowIndexDeleting)
// Delete the row from the data source
tableView.deleteRowsAtIndexPaths([indexPath], withRowAnimation: .Fade)
// 念のため、前の処理が全部成功してから実際に削除する
self.taskStoreService.deleteEntity(taskEntityDeleting)
return (taskIdDeleting, taskTitleDeleting)
}
private func showMessageDialog(title : String, message : String) {
ViewUtility.showMessageDialog(self, title: title, message: message)
}
/*
// Override to support conditional editing of the table view.
override func tableView(tableView: UITableView!, canEditRowAtIndexPath indexPath: NSIndexPath!) -> Bool {
// Return NO if you do not want the specified item to be editable.
return true
}
*/
/*
// Override to support editing the table view.
override func tableView(tableView: UITableView!, commitEditingStyle editingStyle: UITableViewCellEditingStyle, forRowAtIndexPath indexPath: NSIndexPath!) {
if editingStyle == .Delete {
// Delete the row from the data source
tableView.deleteRowsAtIndexPaths([indexPath], withRowAnimation: .Fade)
} else if editingStyle == .Insert {
// Create a new instance of the appropriate class, insert it into the array, and add a new row to the table view
}
}
*/
/*
// Override to support rearranging the table view.
override func tableView(tableView: UITableView!, moveRowAtIndexPath fromIndexPath: NSIndexPath!, toIndexPath: NSIndexPath!) {
}
*/
/*
// Override to support conditional rearranging of the table view.
override func tableView(tableView: UITableView!, canMoveRowAtIndexPath indexPath: NSIndexPath!) -> Bool {
// Return NO if you do not want the item to be re-orderable.
return true
}
*/
// MARK: - Navigation
// In a storyboard-based application, you will often want to do a little preparation before navigation
override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject!) {
self.prepareForSegueFuncTable[segue.identifier!]!(segue, sender)
}
private func prepareForShowToDoEditorV1Segue(segue: UIStoryboardSegue, sender: AnyObject!){
// セルをタップした場合は、そのセルからIDを取得し、taskIdにセット
// 新規追加:タスクIDは空。締切日の初期値を渡す
var vc = segue.destinationViewController as! ToDoEditorV1ViewController
if let selectedIndex = self.tableView.indexPathForSelectedRow?.row {
var indexPath = NSIndexPath(forRow: selectedIndex, inSection: 0)
vc.taskId = (self.tableView.cellForRowAtIndexPath(indexPath) as! TaskListTableViewCell).taskId
}else{
vc.initialValues = ["dueDate":self.dayOfTask]
}
// 遷移先のレフトボタンを構成する(自分に制御を移すため)
if var nvc = self.navigationController {
var bckItem = UIBarButtonItem(title: NSLocalizedString("BackToList", comment: ""), style: UIBarButtonItemStyle.Bordered, target: self, action: "didBack:")
vc.navigationItem.leftBarButtonItem = bckItem
}
// 戻ってきた時に広告を表示する
self.isShowAd = true
}
private func prepareForShowToUnfinishedTaskListSegue(segue: UIStoryboardSegue, sender: AnyObject!){
// 遷移先のレフトボタンを構成する(自分に制御を移すため)
var vc = segue.destinationViewController as! UnfinishedTaskListTableViewController
vc.dueDateOfCopy = self.dayOfTask
if var nvc = self.navigationController {
var bckItem = UIBarButtonItem(title: NSLocalizedString("BackToList", comment: ""), style: UIBarButtonItemStyle.Bordered, target: self, action: "didBack:")
vc.navigationItem.leftBarButtonItem = bckItem
}
}
@IBAction private func didBack(sender : AnyObject){
self.navigationController?.popViewControllerAnimated(true)
// 保存しなかった変更は消す
self.taskStoreService.rollback()
}
func reloadTaskList(){
self.tasks = self.taskStoreService.getTasks(self.dayOfTask)
self.tableView.reloadData()
}
/**
ナビゲーションバーの右ボタンを構成します
*/
private func configureRightBarButtonItem(){
let datePartOfNow = DateUtility.firstEdgeOfDay(NSDate())
if datePartOfNow.compare(self.dayOfTask) == NSComparisonResult.OrderedAscending ||
datePartOfNow.compare(self.dayOfTask) == NSComparisonResult.OrderedSame
{
self.appendCopyButtonIntoNavigationBar()
self.appendAddButtonIntoNavigationBar()
}
}
private func appendAddButtonIntoNavigationBar() {
let addBarButtonItem = UIBarButtonItem(barButtonSystemItem: UIBarButtonSystemItem.Add, target: self, action: "touchUpInsideAddButton:")
self.appendRightBarButtonItem(addBarButtonItem)
}
private func appendCopyButtonIntoNavigationBar() {
let barButton = UIBarButtonItem(barButtonSystemItem: UIBarButtonSystemItem.Action, target: self, action: "touchUpInsideCopyButton:")
self.appendRightBarButtonItem(barButton)
}
private func appendEditButtonIntoNavigationBar() {
var inoutparam : [UIBarButtonItem]? = self.navigationItem.leftBarButtonItems
self.appendBarButtonItem(&inoutparam, barButtonItem: self.editButtonItem())
}
private func appendRightBarButtonItem(barButtonItem : UIBarButtonItem) {
if self.navigationItem.rightBarButtonItems != nil {
self.navigationItem.rightBarButtonItems!.append(barButtonItem)
}
else{
self.navigationItem.rightBarButtonItems = [barButtonItem]
}
}
private func todayOrFuture() -> Bool {
let datePartOfNow = DateUtility.firstEdgeOfDay(NSDate())
return datePartOfNow.compare(self.dayOfTask) == NSComparisonResult.OrderedAscending ||
datePartOfNow.compare(self.dayOfTask) == NSComparisonResult.OrderedSame
}
private func configureLeftBarButtonItem(){
if self.todayOrFuture() {
self.appendEditButtonIntoNavigationBar()
}
}
private func appendBarButtonItem(inout barButtonItems : [UIBarButtonItem]?, barButtonItem : UIBarButtonItem){
if barButtonItems != nil {
barButtonItems!.append(barButtonItem)
}
else{
barButtonItems = [barButtonItem]
}
}
private func setTitle() {
let dateFormatter = NSDateFormatter()
dateFormatter.dateFormat = "yyyy/MM/dd"
self.navigationItem.title = dateFormatter.stringFromDate(self.dayOfTask)
}
@IBAction func touchUpInsideAddButton(sender : AnyObject){
print("add called.", terminator: "")
self.performSegueWithIdentifier("showToDoEditorV1Segue", sender: self)
}
@IBAction func touchUpInsideCopyButton(sender : AnyObject){
self.performSegueWithIdentifier("showToUnfinishedTaskListSegue", sender: self)
}
private func loadAd() {
self.interstitial = GADInterstitial(adUnitID: "ca-app-pub-3119454746977531/6858726401")
let gadRequest = GADRequest()
self.interstitial?.loadRequest(gadRequest)
self.interstitial?.delegate = self
}
private func showAd() {
if self.isShowAd && self.interstitial!.isReady {
self.interstitial?.presentFromRootViewController(self)
}
}
}
extension TaskListTableViewController : GADInterstitialDelegate {
func interstitialDidDismissScreen(ad: GADInterstitial!){
self.loadAd()
}
func interstitialWillPresentScreen(ad: GADInterstitial!) {
self.isShowAd = false
}
func interstitial(ad: GADInterstitial!, didFailToReceiveAdWithError error: GADRequestError!){
print(error)
}
} | mit | a9b014086a9ba4060897aeb831551a77 | 36.39759 | 187 | 0.672896 | 5.09647 | false | false | false | false |
Kievkao/YoutubeClassicPlayer | ClassicalPlayer/Screens/Playback/PlaybackViewController.swift | 1 | 2658 | //
// PlaybackViewController.swift
// ClassicalPlayer
//
// Created by Kravchenko, Andrii on 11/8/16.
// Copyright © 2016 Kievkao. All rights reserved.
//
import UIKit
import XCDYouTubeKit
import RxFlow
import RxSwift
import RxCocoa
final class PlaybackViewController: UIViewController {
private let disposeBag = DisposeBag()
@IBOutlet weak var composerNameLabel: UILabel!
@IBOutlet weak var videoTitleLabel: UILabel!
@IBOutlet weak var videoContainerView: UIView!
fileprivate lazy var activityIndicator: UIActivityIndicatorView = {
let indicator = UIActivityIndicatorView()
indicator.activityIndicatorViewStyle = .gray
indicator.center = view.center
indicator.hidesWhenStopped = true
return indicator
}()
var viewModel: PlaybackViewModelProtocol!
override func viewDidLoad() {
super.viewDidLoad()
bindViewModel()
}
private func setupUI() {
composerNameLabel.text = viewModel.composerName
}
private func bindViewModel() {
viewModel.progressSubject
.bind(to: rx.progress)
.disposed(by: disposeBag)
viewModel.video.subscribe(onNext: { [weak self] video in
guard let strongSelf = self else { return }
strongSelf.videoTitleLabel.text = video.title
PlaybackHolder.shared.videoController = XCDYouTubeVideoPlayerViewController()
PlaybackHolder.shared.videoController.videoIdentifier = video.videoId
PlaybackHolder.shared.videoController.present(in: strongSelf.videoContainerView)
PlaybackHolder.shared.videoController.moviePlayer.play()
strongSelf.setupUI()
}).disposed(by: disposeBag)
}
//MARK: Actions
@IBAction func previousButtonAction(_ sender: UIButton) {
viewModel.getPreviousVideo()
}
@IBAction func nextButtonAction(_ sender: UIButton) {
viewModel.getNextVideo()
}
}
extension PlaybackViewController: StoryboardBased {
static func instantiate() -> PlaybackViewController {
return UIStoryboard(name: "Main", bundle: nil).instantiateViewController(withIdentifier: "PlaybackViewController") as! PlaybackViewController
}
}
extension Reactive where Base: PlaybackViewController {
var progress: Binder<Bool> {
return Binder(self.base) { controller, inProgress in
if inProgress {
controller.activityIndicator.startAnimating()
} else {
controller.activityIndicator.stopAnimating()
}
}
}
}
| mit | eb967d01c3140a2ce4d1670af3077c87 | 29.193182 | 149 | 0.66767 | 5.324649 | false | false | false | false |
ochan1/OC-PublicCode | Sections Practice/Sections Practice/ViewController.swift | 1 | 2037 | //
// ViewController.swift
// Sections Practice
//
// Created by Oscar Chan on 6/29/17.
// Copyright © 2017 Oscar Chan. All rights reserved.
//
import UIKit
class ViewController: UIViewController, UITableViewDataSource, UITableViewDelegate {
@IBOutlet weak var tableView: UITableView!
let sectionTitles: [String] = ["In Progress", "Completed", "Others"]
let s1Data: [String] = ["Row 1", "Row 2", "Row 3"]
let s2Data: [String] = ["Row 1", "Row 2", "Row 3"]
let s3Data: [String] = ["Row 1", "Row 2", "Row 3"]
var sectionData: [Int: [String]] = [:]
override func viewDidLoad() {
super.viewDidLoad()
tableView.delegate = self
tableView.dataSource = self
sectionData = [0:s1Data, 1:s2Data, 2:s3Data]
}
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return (sectionData[section]?.count)!
}
/*
func tableView(_ tableView: UITableView, titleForHeaderInSection section: Int) -> String? {
return sections[section]
}
*/
func tableView(_ tableView: UITableView, viewForHeaderInSection section: Int) -> UIView? {
let view = UIView()
// let label = UILabel()
// label.text = sectionTitles[section]
// label.frame = CGRect(x: 45, y: 5, width: 100, height: 35)
// view.addSubview(label)
return view
}
func tableView(_ tableView: UITableView, heightForHeaderInSection section: Int) -> CGFloat {
return 45
}
func numberOfSections(in tableView: UITableView) -> Int {
return sectionTitles.count
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
var cell = tableView.dequeueReusableCell(withIdentifier: "cell")
if cell == nil
{
cell = UITableViewCell(style: .default, reuseIdentifier: "cell");
}
cell!.textLabel?.text = sectionData[indexPath.section]![indexPath.row]
return cell!
}
}
| mit | be43894456e82f390246bec1a6c3d79d | 32.377049 | 100 | 0.626719 | 4.341151 | false | false | false | false |
CalebKierum/SwiftSoundManager | Example Project/SoundManager/GameScene.swift | 1 | 4609 | //
// GameScene.swift
// SoundManager
//
// Created by Caleb Kierum on 3/30/16.
// Copyright (c) 2016 Broccoli Presentations. All rights reserved.
//
import SpriteKit
class GameScene: SKScene {
var b1 = Button(imageNamed: "play.png")
var b2 = Button(imageNamed: "play.png")
var b3 = Button(imageNamed: "play.png")
var switchB = Button(imageNamed: "play.png")
var death = Button(imageNamed: "play.png")
var game = Button(imageNamed: "play.png")
var width:CGFloat = 0
var height:CGFloat = 0
override func didMoveToView(view: SKView) {
width = view.frame.size.width
height = view.frame.size.height
_prepB(b1)
_prepB(b2)
_prepB(b3)
b1.position = CGPointMake(width / 4, height / 2)
b1.text("Growl")
b2.position = CGPointMake((width / 4) * 2, height / 2)
b2.text("Growl2")
b3.position = CGPointMake((width / 4) * 3, height / 2)
b3.text("Marimba")
_prepB(switchB)
_prepB(death)
_prepB(game)
switchB.position = CGPointMake(width / 2, height - (height / 6))
switchB.text("Switch!")
death.position = CGPointMake((width / 3) * 2, height / 6)
death.text("Death")
game.position = CGPointMake((width / 3), height / 6)
game.text("Game")
Sequencer.begin(false)
SoundEffects.addEffect("Growl1", fileName: "se2", type: "wav")
var volumeDown = SoundSettings()
volumeDown.setVolume(0.5)
SoundEffects.addEffect("Growl2", fileName: "se3", type: "wav", settings: volumeDown)
SoundEffects.addEffect("Marimba", fileName: "se1", type: "wav", playsFrequently: true)
}
func _prepB(obj: SKSpriteNode)
{
obj.size = CGSizeMake((height / 10) * 4, height / 6)
self.addChild(obj)
}
override func touchesBegan(touches: Set<UITouch>, withEvent event: UIEvent?) {
let p = touches.first!.locationInNode(self)
b1.checkClick(p)
b2.checkClick(p)
b3.checkClick(p)
switchB.checkClick(p)
game.checkClick(p)
death.checkClick(p)
}
override func touchesEnded(touches: Set<UITouch>, withEvent event: UIEvent?) {
let p = touches.first!.locationInNode(self)
if (b1.up(p))
{
SoundEffects.play("Growl1")
}
if (b2.up(p))
{
SoundEffects.play("Growl2")
}
if (b3.up(p))
{
SoundEffects.play("Marimba")
print("Marimba")
}
if (switchB.up(p))
{
Sequencer.toggle()
}
if (game.up(p))
{
Sequencer.game()
}
if (death.up(p))
{
Sequencer.death()
}
}
}
class Button:SKSpriteNode {
private var down:Bool = false
private var label:SKLabelNode?
private func text(message: String)
{
label?.removeFromParent()
let newThing = SKLabelNode(fontNamed: "ArialHebrew-Bold")
newThing.text = message
newThing.fontSize = self.size.height * 0.5
newThing.fontColor = UIColor.blackColor()
newThing.zPosition += 10
newThing.horizontalAlignmentMode = SKLabelHorizontalAlignmentMode.Center
newThing.verticalAlignmentMode = SKLabelVerticalAlignmentMode.Center
self.addChild(newThing)
label = newThing
}
private func checkClick(pos: CGPoint) -> Bool
{
if (self.alpha > 0.9)
{
let left = position.x - (size.width / 2.0)
let right = position.x + (size.width / 2.0)
let top = position.y + (size.height / 2.0)
let bottom = position.y - (size.height / 2.0)
let c1 = (left < pos.x) && (pos.x < right)
let c2 = (bottom < pos.y) && (pos.y < top)
down = c1 && c2
return down
}
return false
}
private func shade()
{
if (down)
{
color = UIColor.blackColor()
colorBlendFactor = 0.2
}
}
private func unshade()
{
colorBlendFactor = 0.0
}
func down(pos: CGPoint)
{
if (checkClick(pos))
{
shade()
}
}
func up(pos: CGPoint) -> Bool
{
unshade()
if (down && checkClick(pos))
{
return true
}
return false
}
} | mit | ad2dde9fbc94ba6f219199731ffd8e0a | 25.494253 | 94 | 0.525711 | 3.899323 | false | false | false | false |
qq565999484/RXSwiftDemo | SWIFT_RX_RAC_Demo/SWIFT_RX_RAC_Demo/RegisterViewController.swift | 1 | 6318 | //
// RegisterViewController.swift
// SWIFT_RX_RAC_Demo
// -----------------------分割线来袭-----------------------
// _ooOoo_
// o8888888o
// 88" . "88
// (| -_- |)
// O\ = /O
// ____/`---'\____
// .' \\| |// `.
// / \\||| : |||// \
// / _||||| -:- |||||- \
// | | \\\ - /// | |
// | \_| ''\---/'' | |
// \ .-\__ `-` ___/-. /
// ___`. .' /--.--\ `. . __
// ."" '< `.___\_<|>_/___.' >'"".
// | | : `- \`.;`\ _ /`;.`/ - ` : | |
// \ \ `-. \_ __\ /__ _/ .-` / /
// ======`-.____`-.___\_____/___.-`____.-'======
// `=---='
// ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
// 佛祖镇楼 BUG辟易
// 佛曰:
// 写字楼里写字间,写字间里程序员;
// 程序人员写程序,又拿程序换酒钱。
// 酒醒只在网上坐,酒醉还来网下眠;
// 酒醉酒醒日复日,网上网下年复年。
// 但愿老死电脑间,不愿鞠躬老板前;
// 奔驰宝马贵者趣,公交自行程序员。
// 别人笑我忒疯癫,我笑自己命太贱;
// 不见满街漂亮妹,哪个归得程序员?
// -----------------------分割线来袭-----------------------
//
// Created by chenyihang on 2017/6/6.
// Copyright © 2017年 chenyihang. All rights reserved.
//
import UIKit
#if !RX_NO_MODULE
import RxSwift
import RxCocoa
#endif
extension String{
var trim: String {
let whitespace = NSCharacterSet.whitespacesAndNewlines
var tempArray = self.components(separatedBy: whitespace)
tempArray = tempArray.filter{
$0 != ""
}
return tempArray.joined()
}
}
class RegisterViewController: UIViewController {
@IBOutlet weak var usernameTextField: UITextField!
@IBOutlet weak var usernameLabel: UILabel!
@IBOutlet weak var passwordTextField: UITextField!
@IBOutlet weak var passwordLabel: UILabel!
@IBOutlet weak var repeatPasswordTextField: UITextField!
@IBOutlet weak var repeatPasswordLabel: UILabel!
@IBOutlet weak var registerButton: UIButton!
@IBOutlet weak var loginButton: UIBarButtonItem!
let disposeBag = DisposeBag()
override func viewDidLoad() {
super.viewDidLoad()
let viewModel = RegisterViewModel()
//原来那个方法是给 TF设定绑定事件
//将TF的文本观察者绑定到VM的username上
usernameTextField.rx.text.orEmpty
.bind(to: viewModel.username)
.addDisposableTo(disposeBag)
usernameTextField.rx.text.orEmpty.subscribe { (text) in
print(text.element!.trim.characters.count)
print(text.element!.characters.count)
}.addDisposableTo(disposeBag)
passwordTextField.rx.text.orEmpty
.bind(to: viewModel.password)
.addDisposableTo(disposeBag)
repeatPasswordTextField.rx.text.orEmpty
.bind(to: viewModel.repeartPassword)
.addDisposableTo(disposeBag)
registerButton.rx.tap
.bind(to:viewModel.registerTaps)
.addDisposableTo(disposeBag)
viewModel.usernameUsable
.bind(to: usernameLabel.rx.validationResult)
.addDisposableTo(disposeBag)
viewModel.usernameUsable
.bind(to: passwordTextField.rx.inputEnabled)
.addDisposableTo(disposeBag)
viewModel.passwordUsable
.bind(to: passwordLabel.rx.validationResult)
.addDisposableTo(disposeBag)
viewModel.passwordUsable
.bind(to: repeatPasswordTextField.rx.inputEnabled)
.addDisposableTo(disposeBag)
viewModel.repeatPasswordUsable
.bind(to: repeatPasswordLabel.rx.validationResult)
.addDisposableTo(disposeBag)
viewModel.registerButtonEnabled
.subscribe(onNext:{[unowned self] valid in
self.registerButton.isEnabled = valid
self.registerButton.alpha = valid ? 1.0 : 0.5
})
.addDisposableTo(disposeBag)
viewModel.registerResult
.subscribe(onNext:{[unowned self] result in
switch result{
case let .ok(message):
self.showAlert(message: message)
case .empty:
self.showAlert(message: "")
case let .failed(message):
self.showAlert(message: message)
}
})
.addDisposableTo(disposeBag)
viewModel.registerResult
.bind(to: loginButton.rx.tapEnabled)
.addDisposableTo(disposeBag)
// Do any additional setup after loading the view.
}
open func showAlert(message: String) {
let action = UIAlertAction(title: "确定", style: .default, handler: nil)
let alertViewController = UIAlertController(title: nil, message: message, preferredStyle: .alert)
alertViewController.addAction(action)
present(alertViewController, 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 prepare(for segue: UIStoryboardSegue, sender: Any?) {
// Get the new view controller using segue.destinationViewController.
// Pass the selected object to the new view controller.
}
*/
}
| apache-2.0 | efc5ecc2876b6c31e33ed055230be4cf | 31.254054 | 106 | 0.496229 | 4.541096 | false | false | false | false |
mircealungu/Zeeguu-API-iOS | ZeeguuAPI/ZeeguuAPI/Bookmark.swift | 2 | 7504 | //
// Bookmark.swift
// Zeeguu Reader
//
// Created by Jorrit Oosterhof on 03-01-16.
// Copyright © 2015 Jorrit Oosterhof.
//
// 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.
//
// 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
/// The `Bookmark` class represents a bookmark. It holds the `date`, `word`, `translation` and more about the bookmark.
public class Bookmark: ZGSerializable {
// MARK: Properties -
/// The id of this bookmark
public var id: String
/// The date of this bookmark
public var date: NSDate
/// The word that was translated
public var word: String
/// The language of `Bookmark.word`
public var wordLanguage: String
/// The translation(s) of `Bookmark.word`
public var translation: [String]
/// The language of `Bookmark.translation`
public var translationLanguage: String
/// The title of the article in which `Bookmark.word` was translated
public var title: String
/// The context in which `Bookmark.word` was translated
public var context: String?
/// The url of the article in which `Bookmark.word` was translated
public var url: String
// MARK: Constructors -
/**
Construct a new `Bookmark` object.
- parameter id: The id of this bookmark
- parameter title: The title of the article in which `word` was translated
- parameter context: The context in which `word` was translated
- parameter url: The url of the article in which `word` was translated
- parameter bookmarkDate: The date of the bookmark
- parameter word: The translated word
- parameter wordLanguage: The language of `word`
- parameter translation: The translation(s)
- parameter translationLanguage: The language of `translation`
*/
public init(id: String, title: String, context: String? = nil, url: String, bookmarkDate: String, word: String, wordLanguage: String, translation: [String], translationLanguage: String) {
self.id = id
self.title = title
self.context = context
self.url = url
self.word = word
self.wordLanguage = wordLanguage
self.translation = translation
self.translationLanguage = translationLanguage
let formatter = NSDateFormatter()
formatter.locale = NSLocale(localeIdentifier: "EN-US")
formatter.dateFormat = "EEEE, dd MMMM y"
let date = formatter.dateFromString(bookmarkDate)
self.date = date!
}
/**
Construct a new `Bookmark` object from the data in the dictionary.
- parameter dictionary: The dictionary that contains the data from which to construct an `Bookmark` object.
*/
@objc public required init?(dictionary dict: [String : AnyObject]) {
guard let id = dict["id"] as? String,
title = dict["title"] as? String,
url = dict["url"] as? String,
date = dict["date"] as? NSDate,
word = dict["word"] as? String,
wordLanguage = dict["wordLanguage"] as? String,
translation = dict["translation"] as? [String],
translationLanguage = dict["translationLanguage"] as? String else {
return nil
}
self.id = id
self.title = title
self.url = url
self.date = date
self.word = word
self.wordLanguage = wordLanguage
self.translation = translation
self.translationLanguage = translationLanguage
self.context = dict["context"] as? String
}
// MARK: Methods -
/**
The dictionary representation of this `Bookmark` object.
- returns: A dictionary that contains all data of this `Bookmark` object.
*/
@objc public func dictionaryRepresentation() -> [String: AnyObject] {
var dict = [String: AnyObject]()
dict["id"] = self.id
dict["title"] = self.title
dict["url"] = self.url
dict["date"] = self.date
dict["word"] = self.word
dict["wordLanguage"] = self.wordLanguage
dict["translation"] = self.translation
dict["translationLanguage"] = self.translationLanguage
dict["context"] = self.context
return dict
}
/// Deletes this bookmark.
///
/// - parameter completion: A block that will receive a boolean indicating if the bookmark could be deleted or not.
public func delete(completion: (success: Bool) -> Void) {
ZeeguuAPI.sharedAPI().deleteBookmarkWithID(self.id) { (success) in
completion(success: success)
}
}
/// Adds a translation to this bookmark.
///
/// - parameter translation: The translation to add to this bookmark.
/// - parameter completion: A block that will receive a boolean indicating if the translation could be added or not.
public func addTranslation(translation: String, completion: (success: Bool) -> Void) {
ZeeguuAPI.sharedAPI().addNewTranslationToBookmarkWithID(self.id, translation: translation) { (success) in
completion(success: success)
}
}
/// Deletes a translation from this bookmark.
///
/// - parameter translation: The translation to remove from this bookmark.
/// - parameter completion: A block that will receive a boolean indicating if the translation could be deleted or not.
public func deleteTranslation(translation: String, completion: (success: Bool) -> Void) {
ZeeguuAPI.sharedAPI().deleteTranslationFromBookmarkWithID(self.id, translation: translation) { (success) in
completion(success: success)
}
}
/// Retrieves all translations for this bookmark.
///
/// - parameter completion: A block that will receive a dictionary with the translations.
public func getTranslations(completion: (dict: JSON?) -> Void) {
ZeeguuAPI.sharedAPI().getTranslationsForBookmarkWithID(self.id) { (dict) in
completion(dict: dict)
}
}
}
| mit | 521fff6f1dbe3ebc23540801baa57d39 | 37.280612 | 188 | 0.728109 | 3.953109 | false | false | false | false |
fdzsergio/Reductio | Source/Summarizer.swift | 1 | 1334 | /**
This file is part of the Reductio package.
(c) Sergio Fernández <[email protected]>
For the full copyright and license information, please view the LICENSE
file that was distributed with this source code.
*/
import Foundation
internal final class Summarizer {
private let phrases: [Sentence]
private let rank = TextRank<Sentence>()
init(text: String) {
self.phrases = text.sentences.map(Sentence.init)
}
func execute() -> [String] {
buildGraph()
return rank.execute()
.sorted { $0.1 > $1.1 }
.map { $0.0.text }
}
private func buildGraph() {
let combinations = self.phrases.combinations(length: 2)
combinations.forEach { combo in
add(edge: combo.first!, node: combo.last!)
}
}
private func add(edge pivotal: Sentence, node: Sentence) {
let pivotalWordCount: Float = pivotal.words.count
let nodeWordCount: Float = node.words.count
// calculate weight by co-occurrence of words between sentences
var score: Float = pivotal.words.filter { node.words.contains($0) }.count
score = score / (log(pivotalWordCount) + log(nodeWordCount))
rank.add(edge: pivotal, to: node, weight: score)
rank.add(edge: node, to: pivotal, weight: score)
}
}
| mit | 02b8cbd270e4f0476e75c622cc816866 | 27.978261 | 81 | 0.634659 | 3.819484 | false | false | false | false |
Ben21hao/edx-app-ios-enterprise-new | Source/ContainerNavigationController.swift | 3 | 2669 | //
// ContainerNavigationController.swift
// edX
//
// Created by Akiva Leffert on 6/29/15.
// Copyright (c) 2015 edX. All rights reserved.
//
import UIKit
/// A controller should implement this protocol to indicate that it wants to be responsible
/// for its own status bar styling instead of leaving it up to its container, which is the default
/// behavior.
/// It is deliberately empty and just exists so controllers can declare they want this behavior.
protocol StatusBarOverriding {
}
/// A controller should implement this protocol to indicate that it wants to be responsible
/// for its own interface orientation instead of using the defaults.
/// It is deliberately empty and just exists so controllers can declare they want this behavior.
@objc protocol InterfaceOrientationOverriding {
}
/// A simple UINavigationController subclass that can forward status bar
/// queries to its children should they opt into that by implementing the ContainedNavigationController protocol
class ForwardingNavigationController: UINavigationController {
override func childViewControllerForStatusBarStyle() -> UIViewController? {
if let controller = viewControllers.last as? StatusBarOverriding as? UIViewController {
return controller
}
else {
return super.childViewControllerForStatusBarStyle()
}
}
override func childViewControllerForStatusBarHidden() -> UIViewController? {
if let controller = viewControllers.last as? StatusBarOverriding as? UIViewController {
return controller
}
else {
return super.childViewControllerForStatusBarHidden()
}
}
override func shouldAutorotate() -> Bool {
if let controller = viewControllers.last as? InterfaceOrientationOverriding as? UIViewController {
return controller.shouldAutorotate()
}
else {
return super.shouldAutorotate()
}
}
override func supportedInterfaceOrientations() -> UIInterfaceOrientationMask {
if let controller = viewControllers.last as? InterfaceOrientationOverriding as? UIViewController {
return controller.supportedInterfaceOrientations()
}
else {
return .Portrait
}
}
override func preferredInterfaceOrientationForPresentation() -> UIInterfaceOrientation {
if let controller = viewControllers.last as? InterfaceOrientationOverriding as? UIViewController {
return controller.preferredInterfaceOrientationForPresentation()
}
else {
return .Portrait
}
}
}
| apache-2.0 | 89962fea64f653554ace37ea1a1dfd70 | 36.069444 | 112 | 0.702885 | 6.178241 | false | false | false | false |
tatsu/OpenSphericalCamera | OpenSphericalCamera/LivePreviewDelegate.swift | 1 | 2015 | //
// LivePreviewDelegate.swift
// OpenSphericalCamera
//
// Created by Tatsuhiko Arai on 9/3/16.
// Copyright © 2016 Tatsuhiko Arai. All rights reserved.
//
import Foundation
class LivePreviewDelegate: NSObject, URLSessionDataDelegate {
let JPEG_SOI: [UInt8] = [0xFF, 0xD8]
let JPEG_EOI: [UInt8] = [0xFF, 0xD9]
let completionHandler: ((Data?, URLResponse?, Error?) -> Void)
var dataBuffer = Data()
init(completionHandler: @escaping ((Data?, URLResponse?, Error?) -> Void)) {
self.completionHandler = completionHandler
}
@objc func urlSession(_ session: URLSession, dataTask: URLSessionDataTask, didReceive data: Data) {
dataBuffer.append(data)
repeat {
var soi: Int?
var eoi: Int?
var i = 0
dataBuffer.withUnsafeBytes { (bytes: UnsafePointer<UInt8>) -> Void in
while i < dataBuffer.count - 1 {
if JPEG_SOI[0] == bytes[i] && JPEG_SOI[1] == bytes[i + 1] {
soi = i
i += 1
break
}
i += 1
}
while i < dataBuffer.count - 1 {
if JPEG_EOI[0] == bytes[i] && JPEG_EOI[1] == bytes[i + 1] {
i += 1
eoi = i
break
}
i += 1
}
}
guard let start = soi, let end = eoi else {
return
}
let frameData = dataBuffer.subdata(in: start..<(end + 1))
self.completionHandler(frameData, nil, nil)
dataBuffer = dataBuffer.subdata(in: (end + 1)..<dataBuffer.count)
} while dataBuffer.count >= 4
}
@objc func urlSession(_ session: URLSession, task: URLSessionTask, didCompleteWithError error: Error?) {
session.invalidateAndCancel()
self.completionHandler(nil, nil, error)
}
}
| mit | c3483e3246ca55a533820851ac2da86f | 29.984615 | 108 | 0.504965 | 4.359307 | false | false | false | false |
airbnb/lottie-ios | Sources/Private/MainThread/NodeRenderSystem/NodeProperties/ValueContainer.swift | 3 | 789 | //
// ValueContainer.swift
// lottie-swift
//
// Created by Brandon Withrow on 1/30/19.
//
import CoreGraphics
import Foundation
/// A container for a node value that is Typed to T.
class ValueContainer<T>: AnyValueContainer {
// MARK: Lifecycle
init(_ value: T) {
outputValue = value
}
// MARK: Internal
private(set) var lastUpdateFrame = CGFloat.infinity
fileprivate(set) var needsUpdate = true
var value: Any {
outputValue as Any
}
var outputValue: T {
didSet {
needsUpdate = false
}
}
func setValue(_ value: Any, forFrame: CGFloat) {
if let typedValue = value as? T {
needsUpdate = false
lastUpdateFrame = forFrame
outputValue = typedValue
}
}
func setNeedsUpdate() {
needsUpdate = true
}
}
| apache-2.0 | d6870f08ccfeda45f26d00f7331fd988 | 15.787234 | 53 | 0.64512 | 3.964824 | false | false | false | false |
airbnb/lottie-ios | Sources/Private/Model/DotLottie/DotLottieImageProvider.swift | 2 | 2005 | //
// DotLottieImageProvider.swift
// Lottie
//
// Created by Evandro Hoffmann on 20/10/22.
//
import Foundation
#if os(iOS) || os(tvOS) || os(watchOS) || targetEnvironment(macCatalyst)
import UIKit
#elseif os(macOS)
import AppKit
#endif
// MARK: - DotLottieImageProvider
/// An image provider that loads the images from a DotLottieFile into memory
class DotLottieImageProvider: AnimationImageProvider {
// MARK: Lifecycle
/// Initializes an image provider with a specific filepath.
///
/// - Parameter filepath: The absolute filepath containing the images.
///
init(filepath: String) {
self.filepath = URL(fileURLWithPath: filepath)
loadImages()
}
init(filepath: URL) {
self.filepath = filepath
loadImages()
}
// MARK: Internal
let filepath: URL
func imageForAsset(asset: ImageAsset) -> CGImage? {
images[asset.name]
}
// MARK: Private
/// This is intentionally a Dictionary instead of an NSCache. Files from a decompressed dotLottie zip archive
/// are only valid are deleted after being read into memory. If we used an NSCache then the OS could evict
/// the cache entries when under memory pressure, and we would have no way to reload them later.
/// - Ideally we would have a way to remove image data when under memory pressure, but this would require
/// re-decompressing the dotLottie file when requesting an image that has been loaded but then removed.
private var images = [String: CGImage]()
private func loadImages() {
filepath.urls.forEach {
#if os(iOS) || os(tvOS) || os(watchOS) || targetEnvironment(macCatalyst)
if
let data = try? Data(contentsOf: $0),
let image = UIImage(data: data)?.cgImage
{
images[$0.lastPathComponent] = image
}
#elseif os(macOS)
if
let data = try? Data(contentsOf: $0),
let image = NSImage(data: data)?.lottie_CGImage
{
images[$0.lastPathComponent] = image
}
#endif
}
}
}
| apache-2.0 | d8936789b5b0c627e6fe6e957fb0edcf | 26.465753 | 111 | 0.672818 | 4.247881 | false | false | false | false |
Kratos28/KPageView | KPageViewSwift/KPageView/HYPageView/KPageView.swift | 1 | 8284 | //
// KPageView.swift
// KPageView
//
// Created by Kratos on 17/4/8.
// Copyright © 2017年 Kratos. All rights reserved.
//
import UIKit
protocol KPageViewDataSource : class {
func numberOfSectionsInPageView(_ pageView : KPageView) -> Int
func pageView(_ pageView : KPageView, numberOfItemsInSection section: Int) -> Int
func pageView(_ pageView : KPageView, cellForItemAtIndexPath indexPath : IndexPath) -> UICollectionViewCell
}
@objc protocol KPageViewDelegate : class {
@objc optional func pageView(_ pageView : KPageView, didSelectedAtIndexPath indexPath : IndexPath)
}
class KPageView: UIView {
// 在swift中, 如果子类有自定义构造函数, 或者重新父类的构造函数, 那么必须实现父类中使用required修饰的构造函数
weak var dataSource : KPageViewDataSource?
weak var delegate : KPageViewDelegate?
// MARK: 定义属性
fileprivate var style : KPageStyle
fileprivate var titles : [String]
fileprivate var childVcs : [UIViewController]!
fileprivate var parentVc : UIViewController!
fileprivate var layout : KPageViewLayout!
fileprivate var collectionView : UICollectionView!
fileprivate var pageControl : UIPageControl!
fileprivate lazy var currentSection : Int = 0
fileprivate lazy var titleView : KTitleView = {
let titleFrame = CGRect(x: 0, y: 0, width: self.bounds.width, height: self.style.titleHeight)
let titleView = KTitleView(frame: titleFrame, style: self.style, titles: self.titles)
titleView.backgroundColor = UIColor.blue
return titleView
}()
// MARK: 构造函数
init(frame: CGRect, style : KPageStyle, titles : [String], childVcs : [UIViewController], parentVc : UIViewController) {
// 在super.init()之前, 需要保证所有的属性有被初始化
// self.不能省略: 在函数中, 如果和成员属性产生歧义
self.style = style
self.titles = titles
self.childVcs = childVcs
self.parentVc = parentVc
super.init(frame: frame)
setupContentUI()
}
init(frame: CGRect, style : KPageStyle, titles : [String], layout : KPageViewLayout) {
self.style = style
self.titles = titles
self.layout = layout
super.init(frame: frame)
setupCollectionUI()
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
}
// MARK:- 初始化UI界面
extension KPageView {
// MARK: 初始化控制器的UI
fileprivate func setupContentUI() {
self.addSubview(titleView)
// 1.创建KContentView
let contentFrame = CGRect(x: 0, y: style.titleHeight, width: bounds.width, height: bounds.height - style.titleHeight)
let contentView = KContentView(frame: contentFrame, childVcs: childVcs, parentVc : parentVc) as KContentView
contentView.backgroundColor = UIColor.randomColor
addSubview(contentView)
// 2.让KTitleView&KContentView进行交互
titleView.delegate = contentView
contentView.delegate = titleView
}
// MARK: 初始化collectionView的UI
fileprivate func setupCollectionUI() {
// 1.添加titleView
self.addSubview(titleView)
// 2.添加collectionView
let collectionFrame = CGRect(x: 0, y: style.titleHeight, width: bounds.width, height: bounds.height - style.titleHeight - style.pageControlHeight)
collectionView = UICollectionView(frame: collectionFrame, collectionViewLayout: layout)
collectionView.isPagingEnabled = true
collectionView.scrollsToTop = false
collectionView.showsHorizontalScrollIndicator = false
collectionView.dataSource = self
collectionView.delegate = self
addSubview(collectionView)
// 3.添加UIPageControl
let pageControlFrame = CGRect(x: 0, y: collectionView.frame.maxY, width: bounds.width, height: style.pageControlHeight)
pageControl = UIPageControl(frame: pageControlFrame)
pageControl.numberOfPages = 4
addSubview(pageControl)
pageControl.isEnabled = false
// 4.监听titleView的点击
titleView.delegate = self
}
}
// MARK:- UICollectionView的数据源
extension KPageView : UICollectionViewDataSource {
func numberOfSections(in collectionView: UICollectionView) -> Int {
return dataSource?.numberOfSectionsInPageView(self) ?? 0
}
func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
let itemCount = dataSource?.pageView(self, numberOfItemsInSection: section) ?? 0
if section == 0 {
pageControl.numberOfPages = (itemCount - 1) / (layout.cols * layout.rows) + 1
}
return itemCount
}
func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
return dataSource!.pageView(self, cellForItemAtIndexPath: indexPath)
}
}
extension KPageView : UICollectionViewDelegate {
func collectionView(_ collectionView: UICollectionView, didSelectItemAt indexPath: IndexPath) {
delegate?.pageView?(self, didSelectedAtIndexPath: indexPath)
}
func scrollViewDidEndDecelerating(_ scrollView: UIScrollView) {
collectionViewDidEndScroll()
}
func scrollViewDidEndDragging(_ scrollView: UIScrollView, willDecelerate decelerate: Bool) {
if !decelerate {
collectionViewDidEndScroll()
}
}
func collectionViewDidEndScroll() {
// 1.获取当前显示页中的某一个cell的indexPath
let point = CGPoint(x: layout.sectionInset.left + collectionView.contentOffset.x, y: layout.sectionInset.top)
guard let indexPath = collectionView.indexPathForItem(at: point) else {
return
}
// 2.如果发现组(section)发生了改变, 那么重新设置pageControl的numberOfPages
if indexPath.section != currentSection {
// 2.1.改变pageControl的numberOfPages
let itemCount = dataSource?.pageView(self, numberOfItemsInSection: indexPath.section) ?? 0
pageControl.numberOfPages = (itemCount - 1) / (layout.rows * layout.cols) + 1
// 2.2.记录最新的currentSection
currentSection = indexPath.section
// 2.3.让titleView选中最新的title
titleView.setCurrentIndex(currentIndex: currentSection)
}
// 3.显示pageControl正确的currentPage
let pageIndex = indexPath.item / 8
pageControl.currentPage = pageIndex
}
}
// MARK:- 实现KTitleView的代理方法
extension KPageView : KTitleViewDelegate {
func titleView(_ titleView: KTitleView, currentIndex: Int) {
// 1.滚动到正确的位置
let indexPath = IndexPath(item: 0, section: currentIndex)
collectionView.scrollToItem(at: indexPath, at: .left, animated: false)
// 2.微调collectionView -- contentOffset
collectionView.contentOffset.x -= layout.sectionInset.left
// 3.改变pageControl的numberOfPages
let itemCount = dataSource?.pageView(self, numberOfItemsInSection: currentIndex) ?? 0
pageControl.numberOfPages = (itemCount - 1) / (layout.rows * layout.cols) + 1
pageControl.currentPage = 0
// 4.记录最新的currentSection
currentSection = currentIndex
}
}
// MARK:- 对外提供的函数
extension KPageView {
func registerCell(_ cellClass : AnyClass?, identifier : String) {
collectionView.register(cellClass, forCellWithReuseIdentifier: identifier)
}
func registerNib(_ nib : UINib?, identifier : String) {
collectionView.register(nib, forCellWithReuseIdentifier: identifier)
}
func dequeueReusableCell(withReuseIdentifier : String, for indexPath : IndexPath) -> UICollectionViewCell {
return collectionView.dequeueReusableCell(withReuseIdentifier: withReuseIdentifier, for: indexPath)
}
}
| mit | 0e39fb943b983518573527b74bf0145a | 33.362445 | 154 | 0.670479 | 5.119714 | false | false | false | false |
indragiek/Ares | client/AresKit/FileTransferContext.swift | 1 | 814 | //
// FileTransferContext.swift
// Ares
//
// Created by Indragie on 1/31/16.
// Copyright © 2016 Indragie Karunaratne. All rights reserved.
//
import Foundation
private let ArchivedFilePathKey = "filePath";
public struct FileTransferContext {
public let filePath: String
init(filePath: String) {
self.filePath = filePath
}
init?(data: NSData) {
if let dict = NSKeyedUnarchiver.unarchiveObjectWithData(data) as? [String: AnyObject],
filePath = dict[ArchivedFilePathKey] as? String {
self.filePath = filePath
} else {
return nil
}
}
func archive() -> NSData {
let dict: NSDictionary = [ArchivedFilePathKey: filePath]
return NSKeyedArchiver.archivedDataWithRootObject(dict)
}
}
| mit | 50038084876db1ca46ed281a150f5ca9 | 23.636364 | 94 | 0.634686 | 4.59322 | false | false | false | false |
Sebastian-Hojas/FlexPomo | FlexPomo/View/StatusBarViewController.swift | 1 | 1776 | //
// StatusBarViewController.swift
// FlexPomo
//
// Created by Sebastian Hojas on 11/01/2017.
// Copyright © 2017 Sebastian Hojas. All rights reserved.
//
import Foundation
import Cocoa
import ReactiveCocoa
import ReactiveSwift
class StatusBarViewController: NSObject
{
let FPS = 4.0
let statusItem = NSStatusBar.system().statusItem(withLength: NSVariableStatusItemLength)
var statusBarViewModel: StatusBarViewModel?
override func awakeFromNib() {
statusBarViewModel = ViewModels.shared.statusBarViewModel
statusItem.button?.action = #selector(StatusBarViewController.statusBarClicked(sender:))
statusItem.button?.target = self
statusItem.button?.sendAction(on: [.leftMouseUp, .rightMouseUp])
timer(interval: .milliseconds(Int(1000.0/FPS)), on: QueueScheduler(qos: .background))
.throttle(1.0/FPS, on: QueueScheduler(qos: .background))
.take(during: reactive.lifetime)
.observe(on: UIScheduler())
.startWithValues { [weak self] _ in
let string = self?.statusBarViewModel?.title ?? "X"
let attributedString = NSMutableAttributedString(string: string)
attributedString.addAttribute(NSKernAttributeName, value: 1, range: NSMakeRange(0, string.characters.count))
self?.statusItem.button?.attributedTitle = attributedString
}
}
func statusBarClicked(sender: NSStatusBarButton) {
guard let event = NSApp?.currentEvent else { return }
switch event.type {
case .leftMouseUp:
statusBarViewModel?.action()
case .rightMouseUp:
print("Right click")
default:
break
}
}
}
| mit | f50afca42d09d9e5e20223ed4b55c4e8 | 33.803922 | 124 | 0.652394 | 4.971989 | false | false | false | false |
luckymore0520/GreenTea | Loyalty/Cards/ViewModel/LoyaltyCoinDataSource.swift | 1 | 1285 | //
// LoyaltyCoinDataSource.swift
// Loyalty
//
// Created by WangKun on 16/4/18.
// Copyright © 2016年 WangKun. All rights reserved.
//
import UIKit
class LoyaltyCoinDataSource: NSObject,RatioPresentable {
var currentCount: Int
var totalCount: Int
init(collectionView:UICollectionView,ratioPresentable:RatioPresentable) {
self.currentCount = ratioPresentable.currentCount
self.totalCount = ratioPresentable.totalCount
super.init()
collectionView.dataSource = self
collectionView.registerReusableCell(MoneyCollectionViewCell.self)
}
}
extension LoyaltyCoinDataSource:UICollectionViewDataSource {
func numberOfSectionsInCollectionView(collectionView: UICollectionView) -> Int {
return 1
}
func collectionView(collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return self.totalCount
}
func collectionView(collectionView: UICollectionView, cellForItemAtIndexPath indexPath: NSIndexPath) -> UICollectionViewCell {
let cell = collectionView.dequeueReusableCell(indexPath: indexPath) as MoneyCollectionViewCell
cell.updateLabelState(indexPath.row + 1, isCollected: indexPath.row <= self.currentCount - 1)
return cell
}
} | mit | b407ec3d13237649b065330a0e94bf89 | 31.897436 | 130 | 0.73947 | 5.254098 | false | false | false | false |
marinehero/LeetCode-Solutions-in-Swift | Solutions/Solutions/Easy/Easy_008_String_to_Integer_atoi.swift | 3 | 2994 | /*
https://oj.leetcode.com/problems/string-to-integer-atoi/
#8 String to Integer (atoi)
Level: easy
Implement atoi to convert a string to an integer.
Hint: Carefully consider all possible input cases. If you want a challenge, please do not see below and ask yourself what are the possible input cases.
Notes: It is intended for this problem to be specified vaguely (ie, no given input specs). You are responsible to gather all the input requirements up front.
Update (2015-02-10):
The signature of the C++ function had been updated. If you still see your function signature accepts a const char * argument, please click the reload button to reset your code definition.
Requirements for atoi:
The function first discards as many whitespace characters as necessary until the first non-whitespace character is found. Then, starting from this character, takes an optional initial plus or minus sign followed by as many numerical digits as possible, and interprets them as a numerical value.
The string can contain additional characters after those that form the integral number, which are ignored and have no effect on the behavior of this function.
If the first sequence of non-whitespace characters in str is not a valid integral number, or if no such sequence exists because either str is empty or it contains only whitespace characters, no conversion is performed.
If no valid conversion could be performed, a zero value is returned. If the correct value is out of the range of representable values, INT_MAX (2147483647) or INT_MIN (-2147483648) is returned.
Inspired by @yuruofeifei at https://oj.leetcode.com/discuss/8886/my-simple-solution
*/
// Helper
private extension String {
subscript (index: Int) -> Character {
return self[self.startIndex.advancedBy(index)]
}
}
class Easy_008_String_to_Integer_atoi {
// O (N)
class func atoi(str: String) -> Int {
var sign: Bool = true, len: Int = str.characters.count, base: Int = 0
for j in 0..<len {
let zeroString: String = String("0")
let zeroValue: Int = Int(zeroString.utf8[zeroString.utf8.startIndex])
if base == 0 && str[j] == " " || str[j] == "+" {
continue
} else if base == 0 && str[j] == "-" {
sign = false
continue
} else {
let integerValue: Int = Int(str.utf8[str.utf8.startIndex.advancedBy(j)]) - zeroValue
if integerValue >= 0 && integerValue <= 9 {
if base > Int.max/10 || (base == Int.max/10 && integerValue > 7) {
if sign {
return Int.max
} else {
return Int.min
}
}
base = integerValue + 10 * base
}
}
}
if sign {
return base
} else {
return 0 - base
}
}
} | mit | 090ec3d042b7e88252a4ada776f10a1e | 41.785714 | 294 | 0.629927 | 4.396476 | false | false | false | false |
Ben21hao/edx-app-ios-new | Source/TDUserCenterViewController/Views/TDUserCenterView.swift | 1 | 7301 | //
// TDUserCenterView.swift
// edX
//
// Created by Elite Edu on 17/4/14.
// Copyright © 2017年 edX. All rights reserved.
//
import UIKit
class TDUserCenterView: UIView,UITableViewDataSource {
internal let tableView = UITableView()
internal var score = Double()//宝典
internal var statusCode = Int() //认证状态 400 未认证,200 提交成功 ,201 已认证,202 认证失败
internal var coupons = Double()//优惠券
internal var orders = Double()//订单
private let toolModel = TDBaseToolModel.init()
private var isHidePuchase = true //默认隐藏内购
typealias clickHeaderImageBlock = () -> ()
var clickHeaderImageHandle : clickHeaderImageBlock?
var userProfile: UserProfile?
var networkManager: NetworkManager?
override init(frame: CGRect) {
super.init(frame: frame)
setViewConstraint()
toolModel.showPurchase()
toolModel.judHidePurchseHandle = {(isHide:Bool?)in //yes 不用内购;no 使用内购
self.isHidePuchase = isHide!
}
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
//MARK: UI
func setViewConstraint() {
self.backgroundColor = OEXStyles.sharedStyles().baseColor5()
self.tableView.backgroundColor = OEXStyles.sharedStyles().baseColor6()
self.tableView.tableFooterView = UIView.init()
self.tableView.dataSource = self
self.tableView.separatorInset = UIEdgeInsetsMake(0, 0, 0, 0)
self.addSubview(self.tableView)
self.tableView.snp_makeConstraints { (make) in
make.left.right.top.bottom.equalTo(self)
}
}
func populateFields(profile: UserProfile, editable : Bool, networkManager : NetworkManager) {
//认证状态 -- 400 未认证,200 提交成功 ,201 已认证,202 认证失败
statusCode = profile.statusCode!
self.userProfile = profile
self.networkManager = networkManager
self.score = profile.remainscore! //学习宝典
self.coupons = profile.coupon! //优惠券
self.orders = profile.order! //未支付订单
self.tableView.reloadData()
}
//MARK: tableview Datasource
func numberOfSectionsInTableView(tableView: UITableView) -> Int {
return 3
}
func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
if section == 0 {
return 1
} else if section == 1 {
if self.isHidePuchase == true {
return 3
} else {
return 1
}
} else {
return 2
}
}
func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
//邮箱或手机
let baseTool = TDBaseToolModel.init()
if indexPath.section == 0 {
let cell = TDUserMessageCell.init(style: .Default, reuseIdentifier: "UserMessageCell")
cell.accessoryType = .DisclosureIndicator
cell.selectionStyle = .None
let tap = UITapGestureRecognizer.init(target: self, action: #selector(gotoAuthenVc))
cell.headerImageView.addGestureRecognizer(tap)
if self.userProfile != nil {
//用户名
if self.userProfile!.nickname != nil {
cell.nameLabel.text = self.userProfile!.nickname
} else {
if self.userProfile!.name != self.userProfile!.username {
cell.nameLabel.text = self.userProfile!.name
} else {
cell.nameLabel.text = Strings.noName
}
}
if self.userProfile!.phone != nil {
let newStr = baseTool.setPhoneStyle(self.userProfile!.phone)
cell.acountLabel.text = newStr
} else {
let newStr = baseTool.setEmailStyle(self.userProfile!.email)
cell.acountLabel.text = newStr
}
if self.networkManager != nil {
cell.headerImageView.remoteImage = self.userProfile?.image(self.networkManager!)
}
if statusCode == 400 || statusCode == 202 {
cell.statusLabel.text = Strings.tdUnvertified
cell.statusLabel.backgroundColor = OEXStyles.sharedStyles().baseColor6()
cell.statusLabel.textColor = OEXStyles.sharedStyles().baseColor8()
} else if statusCode == 200 {
cell.statusLabel.text = Strings.tdProcessing
cell.statusLabel.backgroundColor = OEXStyles.sharedStyles().baseColor2()
cell.statusLabel.textColor = UIColor.whiteColor()
} else if statusCode == 201 {
cell.statusLabel.text = Strings.tdVertified
cell.statusLabel.backgroundColor = OEXStyles.sharedStyles().baseColor4()
cell.statusLabel.textColor = UIColor.whiteColor()
}
}
return cell
} else {
let cell = TDUserCeterCell.init(style: .Default, reuseIdentifier: "UserCenterCell")
cell.accessoryType = .DisclosureIndicator
var imageStr : String
var titleStr : String
if indexPath.section == 1 {
switch indexPath.row {
case 0:
titleStr = Strings.studyCoins
cell.messageLabel.attributedText = baseTool.setDetailString(Strings.nowHave(count: String(format: "%.2f",score)), withFont: 12, withColorStr: "#A7A4A4")
imageStr = "baodian"
case 1:
titleStr = Strings.couponPaper
cell.messageLabel.text = Strings.couponNumber(count:String(format: "%.0f",coupons))
imageStr = "coupons"
default:
titleStr = Strings.courseOrder
cell.messageLabel.text = Strings.orderCount(count: String(format: "%.0f",orders))
imageStr = "Page"
}
} else {
switch indexPath.row {
case 0:
titleStr = "讲座"
cell.messageLabel.text = "讲座预约报名"
imageStr = "lecture_image"
default:
titleStr = "助教服务"
cell.messageLabel.text = "助教服务订单列表"
imageStr = "assistant_image"
}
}
cell.titleLabel.text = titleStr
cell.iconImageView.image = UIImage.init(named: imageStr)
return cell
}
}
func gotoAuthenVc() {
if (clickHeaderImageHandle != nil) {
clickHeaderImageHandle!()
}
}
}
| apache-2.0 | 14ed12fb9538341181f5f8548cd0e4b4 | 35.546392 | 172 | 0.541185 | 5.093391 | false | false | false | false |
kylehickinson/FastImage | FastImage/Size Decoders/JPGSizeDecoder.swift | 1 | 4352 | //
// JPGSizeDecoder.swift
// FastImage
//
// Created by Kyle Hickinson on 2019-03-23.
// Copyright © 2019 Kyle Hickinson. All rights reserved.
//
import Foundation
/// JPEG Size decoder
///
/// File structure: http://www.fileformat.info/format/jpeg/egff.htm
/// JPEG Tags: https://www.sno.phy.queensu.ca/~phil/exiftool/TagNames/JPEG.html
final class JPGSizeDecoder: ImageSizeDecoder {
static var imageFormat: FastImage.ImageFormat {
return .jpg
}
static func isDecoder(for data: Data) throws -> Bool {
let signature: [UInt8] = [0xFF, 0xD8]
return try data.readBytes(0..<2) == signature
}
private enum SearchState {
case findHeader
case determineFrameType
case skipFrame
case foundSOF
case foundEOI
}
static func size(for data: Data) throws -> CGSize {
var searchState: SearchState = .findHeader
var offset = 2
var imageOrientation: UIImage.Orientation?
while offset < data.count {
switch searchState {
case .findHeader:
while try data.read(offset) != 0xFF {
offset += 1
}
searchState = .determineFrameType
case .determineFrameType:
// We've found a data marker, now we determine what type of data we're looking at.
// FF E0 -> FF EF are 'APPn', and include lots of metadata like EXIF, etc.
//
// What we want to find is one of the SOF (Start of Frame) header, cause' it includes
// width and height (what we want!)
//
// JPEG Metadata Header Table
// http://www.xbdev.net/image_formats/jpeg/tut_jpg/jpeg_file_layout.php
// Each of these SOF data markers have the same data structure:
// struct {
// UInt16 header; // e.g. FFC0
// UInt16 frameLength;
// UInt8 samplePrecision;
// UInt16 imageHeight;
// UInt16 imageWidth;
// ... // we only care about this part
// }
let sample = try data.read(offset)
offset += 1
// Technically we should check if this has EXIF data here (looking for FFE1 marker)…
// Maybe TODO later
switch sample {
case 0xE1:
let exifLength = CFSwapInt16BigToHost(try data.read(from: offset, length: 2))
let exifString = String(bytes: try data.readBytes(offset+2..<offset+6), encoding: .ascii)
if exifString == "Exif" {
let exifData = data.advanced(by: offset + 8)
if let exif = try? Exif(data: exifData), imageOrientation == nil {
#if swift(>=5.0)
imageOrientation = exif.orientation
#else
imageOrientation = exif?.orientation
#endif
}
}
offset += Int(exifLength)
searchState = .findHeader
case 0xE0...0xEF:
// Technically we should check if this has EXIF data here (looking for FFE1 marker)…
searchState = .skipFrame
case 0xC0...0xC3, 0xC5...0xC7, 0xC9...0xCB, 0xCD...0xCF:
searchState = .foundSOF
case 0xFF:
searchState = .determineFrameType
case 0xD9:
// We made it to the end of the file somehow without finding the size? Likely a corrupt file
searchState = .foundEOI
default:
// Since we don't handle every header case default to skipping an unknown data marker
searchState = .skipFrame
}
case .skipFrame:
let frameLength = Int(CFSwapInt16BigToHost(try data.read(offset..<offset+2) as UInt16))
offset += frameLength - 1
searchState = .findHeader
case .foundSOF:
offset += 3
let height = try data.read(offset..<offset+2) as UInt16
let width = try data.read(offset+2..<offset+4) as UInt16
if let orientation = imageOrientation, orientation.rawValue >= 5 {
// Rotated
return CGSize(
width: CGFloat(CFSwapInt16BigToHost(height)),
height: CGFloat(CFSwapInt16BigToHost(width))
)
}
return CGSize(
width: CGFloat(CFSwapInt16BigToHost(width)),
height: CGFloat(CFSwapInt16BigToHost(height))
)
case .foundEOI:
throw SizeNotFoundError(data: data)
}
}
throw SizeNotFoundError(data: data)
}
}
| mit | 681770112bdc5b476aa958ac43f924e6 | 33.776 | 102 | 0.599494 | 4.085526 | false | false | false | false |
LYM-mg/MGDYZB | MGDYZB简单封装版/MGDYZB/Class/Profile/Setting/C/QRCodeViewController.swift | 1 | 15381 | //
// QRCodeViewController.swift
// ProductionReport
//
// Created by i-Techsys.com on 16/12/29.
// Copyright © 2016年 i-Techsys. All rights reserved.
//
import UIKit
import MobileCoreServices
class QRCodeViewController: UIViewController {
fileprivate lazy var isHiddenNavBar: Bool = false // 是否隐藏导航栏
fileprivate lazy var imageView: UIImageView = {
let imageView = UIImageView(frame: CGRect(x: 0, y: 0, width: 200, height: 200))
imageView.isUserInteractionEnabled = true
imageView.center = self.view.center
imageView.addGestureRecognizer(UILongPressGestureRecognizer(target: self, action: #selector(QRCodeViewController.longClick(longPress:))))
imageView.addGestureRecognizer(UITapGestureRecognizer(target: self, action: #selector(QRCodeViewController.tapClick(tap:))))
self.view.addSubview(imageView)
return imageView
}()
override func viewDidLoad() {
super.viewDidLoad()
view.backgroundColor = UIColor.orange
setUpMainView()
}
override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
let label = UILabel(frame: CGRect(x: 20, y: 80, width: 300, height: 100))
label.text = "我说:不知道为什么,水平菜"
label.sizeToFit()
label.frame.size.width += CGFloat(30)
label.frame.size.height += CGFloat(30)
label.layer.cornerRadius = 20
label.layer.masksToBounds = true
label.backgroundColor = UIColor(red: 0, green: 0, blue: 0, alpha: 0.5)
let attrStr = NSMutableAttributedString(string: label.text!)
attrStr.setAttributes([NSAttributedString.Key.backgroundColor: UIColor.red], range: NSMakeRange(0, attrStr.length))
attrStr.setAttributes([NSAttributedString.Key.foregroundColor: UIColor.orange], range: NSMakeRange(0, 3))
attrStr.setAttributes([NSAttributedString.Key.foregroundColor: UIColor.blue], range: NSMakeRange(3, 10))
// UIColor(red: 32, green: 43, blue: 120, alpha: 0.5)
label.textAlignment = .center
label.attributedText = attrStr
self.view.addSubview(label)
isHiddenNavBar = !isHiddenNavBar
UIView.animate(withDuration: 1.0) {
self.navigationController?.setNavigationBarHidden(self.isHiddenNavBar, animated: true)
}
}
}
// MARK: - 设置UI
extension QRCodeViewController {
fileprivate func setUpMainView() {
let backBtn = UIButton(type: .custom)
backBtn.showsTouchWhenHighlighted = true
backBtn.setTitle("❎", for: .normal)
backBtn.sizeToFit()
backBtn.frame.origin = CGPoint(x: 20, y: 30)
backBtn.addTarget(self, action: #selector(QRCodeViewController.backBtnClick), for: .touchUpInside)
if self.navigationController == nil {
self.view.addSubview(backBtn)
}
self.navigationItem.rightBarButtonItem = UIBarButtonItem(barButtonSystemItem: .camera, target: self, action: #selector(takePhotoFromAlbun))
imageView.image = creatQRCByString(QRCStr: "https://github.com/LYM-mg/MGDYZB", QRCImage: "placehoderImage")
}
@objc fileprivate func backBtnClick() {
self.dismiss(animated: true, completion: nil)
}
}
// MARK: - 扫描系统相片中二维码和录制视频
extension QRCodeViewController: UIImagePickerControllerDelegate,UINavigationControllerDelegate {
@objc fileprivate func takePhotoFromAlbun() {
let alertController = UIAlertController(title: nil, message: nil, preferredStyle: .actionSheet)
let cancelAction = UIAlertAction(title: "取消", style: .cancel) { (action) in }
let OKAction = UIAlertAction(title: "拍照", style: .default) { (action) in
self.openCamera(.camera)
}
let videotapeAction = UIAlertAction(title: "录像", style: .default) { (action) in
self.openCamera(.camera, title: "录像")
}
let destroyAction = UIAlertAction(title: "从相册上传", style: .default) { (action) in
print(action)
self.openCamera(.photoLibrary)
}
alertController.addAction(cancelAction)
alertController.addAction(OKAction)
alertController.addAction(videotapeAction)
alertController.addAction(destroyAction)
// 判断是否为pad 弹出样式
present(alertController, animated: true, completion: nil)
}
/**
* 打开照相机/打开相册
*/
func openCamera(_ type: UIImagePickerController.SourceType,title: String? = "") {
if !UIImagePickerController.isSourceTypeAvailable(type) {
self.showInfo(info: "Camera不可用")
return
}
let ipc = UIImagePickerController()
ipc.sourceType = type
ipc.allowsEditing = true
ipc.delegate = self
if title == "录像" {
ipc.videoMaximumDuration = 60 * 3
ipc.videoQuality = .typeIFrame1280x720
ipc.mediaTypes = [(kUTTypeMovie as String)]
// 可选,视频最长的录制时间,这里是20秒,默认为10分钟(600秒)
ipc.videoMaximumDuration = 20
// 可选,设置视频的质量,默认就是TypeMedium
// ipc.videoQuality = UIImagePickerControllerQualityType.typeMedium
}
present(ipc, animated: true, completion: nil)
}
func imagePickerController(_ picker: UIImagePickerController, didFinishPickingMediaWithInfo info: [UIImagePickerController.InfoKey: Any]) {
let mediaType = info[UIImagePickerController.InfoKey.mediaType] as! String
//判读是否是视频还是图片
if mediaType == kUTTypeMovie as String {
let moviePath = info[UIImagePickerController.InfoKey.mediaURL] as? URL
//获取路径
let moviePathString = moviePath!.relativePath
if UIVideoAtPathIsCompatibleWithSavedPhotosAlbum(moviePathString){
UISaveVideoAtPathToSavedPhotosAlbum(moviePathString, self, #selector(QRCodeViewController.video(_:didFinishSavingWithError:contextInfo:)), nil)
}
print("视频")
} else {
print("图片")
let image = info[UIImagePickerController.InfoKey.originalImage] as? UIImage
imageView.image = image
getQRCodeInfo(image: image!)
}
picker.dismiss(animated: true, completion: nil)
}
@objc func video(_ videoPath: String, didFinishSavingWithError error: Error?, contextInfo: UnsafeMutableRawPointer) {
guard error == nil else{
self.showMessage(info: "保存视频失败")
return
}
self.showMessage(info: "保存视频成功")
}
}
// MARK: - 生成二维码和手势点击
extension QRCodeViewController {
/// 生成一张二维码图片
/**
- parameter QRCStr:网址URL
- parameter QRCImage:图片名称
*/
fileprivate func creatQRCByString(QRCStr: String?, QRCImage: String?) -> UIImage? {
if let QRCStr = QRCStr {
let stringData = QRCStr.data(using: .utf8, allowLossyConversion: false)
// 创建一个二维码滤镜
guard let filter = CIFilter(name: "CIQRCodeGenerator") else { return nil }
// 恢复滤镜的默认属性
filter.setDefaults()
filter.setValue(stringData, forKey: "inputMessage")
filter.setValue("H", forKey: "inputCorrectionLevel")
let qrCIImage = filter.outputImage
// 创建一个颜色滤镜,黑白色
guard let colorFilter = CIFilter(name: "CIFalseColor") else { return nil }
colorFilter.setDefaults()
colorFilter.setValue(qrCIImage, forKey: "inputImage")
let r = CGFloat(arc4random_uniform(256))/255.0
let g = CGFloat(arc4random_uniform(256))/255.0
let b = CGFloat(arc4random_uniform(256))/255.0
colorFilter.setValue(CIColor(red: r, green: g, blue: b), forKey: "inputColor0")
colorFilter.setValue(CIColor(red: b, green: g, blue: r), forKey: "inputColor1")
let codeImage = UIImage(ciImage: (colorFilter.outputImage!
.transformed(by: CGAffineTransform(scaleX: 5, y: 5))))
// 通常,二维码都是定制的,中间都会放想要表达意思的图片
if let QRCImage = UIImage(named: QRCImage!) {
let rect = CGRect(x: 0, y: 0, width: codeImage.size.width, height: codeImage.size.height)
// 开启上下文
let context = UIGraphicsGetCurrentContext()
UIGraphicsBeginImageContextWithOptions(rect.size, true, 1.0)
codeImage.draw(in: rect)
let iconSize = CGSize(width: codeImage.size.width*0.25, height: codeImage.size.height*0.25)
let iconOrigin = CGPoint(x: (codeImage.size.width-iconSize.width)/2, y: (codeImage.size.height-iconSize.height)/2)
QRCImage.draw(in: CGRect(origin: iconOrigin, size: iconSize))
guard let resultImage = UIGraphicsGetImageFromCurrentImageContext() else { return nil }
context?.setFillColor(red: 0, green: 0, blue: 0, alpha: 0.8)
context?.addEllipse(in: rect)
context?.drawPath(using: CGPathDrawingMode.fill)
// 结束上下文
UIGraphicsEndImageContext()
return resultImage
}
return codeImage
}
return nil
}
@objc fileprivate func longClick(longPress: UILongPressGestureRecognizer) {
showAlertVc(ges: longPress)
}
@objc fileprivate func tapClick(tap: UITapGestureRecognizer) {
showAlertVc(ges: tap)
}
fileprivate func showAlertVc(ges: UIGestureRecognizer) {
let alertVc = UIAlertController(title: nil, message: nil, preferredStyle: .actionSheet)
let qrcAction = UIAlertAction(title: "保存图片", style: .default) { (action) in
self.saveImage()
}
let saveAction = UIAlertAction(title: "识别图中二维码", style: .default) {[unowned self] (action) in
self.getQRCodeInfo(image: self.imageView.image!)
}
let cancelAction = UIAlertAction(title: "取消", style: .cancel, handler: nil)
alertVc.addAction(qrcAction)
alertVc.addAction(saveAction)
alertVc.addAction(cancelAction)
// 判断是否为pad 弹出样式
if let popPresenter = alertVc.popoverPresentationController {
popPresenter.sourceView = ges.view;
popPresenter.sourceRect = (ges.view?.bounds)!
}
DispatchQueue.main.asyncAfter(deadline: .now() + 0.5) {
self.present(alertVc, animated: true, completion: nil)
}
}
/// 取得图片中的信息
fileprivate func getQRCodeInfo(image: UIImage) {
// 1.创建扫描器
guard let detector = CIDetector(ofType: CIDetectorTypeQRCode, context: nil, options: nil) else { return }
// 2.扫描结果
guard let ciImage = CIImage(image: image) else { return }
let features = detector.features(in: ciImage)
// 3.遍历扫描结果
for f in features {
guard let feature = f as? CIQRCodeFeature else { return }
if (feature.messageString?.isEmpty)! {
return
}
// 如果是网址就跳转
if feature.messageString!.contains("http://") || feature.messageString!.contains("https://") {
let url = URL(string: feature.messageString!)
if UIApplication.shared.canOpenURL(url!) {
UIApplication.shared.openURL(url!)
}
} else { // 其他信息 弹框显示
debugPrint(feature.messageString)
}
}
}
fileprivate func saveImage() {
// UIImageWriteToSavedPhotosAlbum(imageView.image!, self, #selector(image(image:didFinishSavingWithError:contextInfo:)), nil)
// 将图片保存到相册中
// - (void)image:(UIImage *)image didFinishSavingWithError:(NSError *)error contextInfo:(void *)contextInfo;
UIImageWriteToSavedPhotosAlbum(imageView.image!, self, #selector(QRCodeViewController.image(_:didFinishSavingWithError:contextInfo:)), nil)
}
// MARK:- 保存图片的方法
@objc func image(_ image: UIImage, didFinishSavingWithError error: Error?, contextInfo: UnsafeMutableRawPointer) {
guard error == nil else{
self.showMessage(info: "保存图片失败")
return
}
self.showMessage(info: "保存图片成功")
}
fileprivate func showMessage(info: String) {
let alertView = UIAlertView(title: nil, message: info, delegate: nil, cancelButtonTitle: "好的")
alertView.show()
}
}
// MARK: - 生成条形码
extension QRCodeViewController {
/// 生成一张条形码方法
/**
- parameter QRCStr:网址URL
- parameter QRCImage:图片名称
*/
fileprivate func barCodeImageWithInfo(info: String?) -> UIImage? {
// 创建条形码
// 创建一个二维码滤镜
guard let filter = CIFilter(name: "CICode128BarcodeGenerator") else { return nil }
// 恢复滤镜的默认属性
filter.setDefaults()
// 将字符串转换成NSData
let data = info?.data(using: .utf8)
// 通过KVO设置滤镜inputMessage数据
filter.setValue(data, forKey: "inputMessage")
// 获得滤镜输出的图像
let outputImage = filter.outputImage
// 将CIImage 转换为UIImage
let image = UIImage(cgImage: outputImage as! CGImage)
// 如果需要将image转NSData保存,则得用下面的方式先转换为CGImage,否则NSData 会为nil
// CIContext *context = [CIContext contextWithOptions:nil];
// CGImageRef imageRef = [context createCGImage:outputImage fromRect:outputImage.extent];
//
// UIImage *image = [UIImage imageWithCGImage:imageRef];
return image
}
}
func resizeQRCodeImage(_ image: CIImage, withSize size: CGFloat) -> UIImage {
let extent = image.extent.integral
let scale = min(size / extent.width, size / extent.height)
let width = extent.width*scale
let height = extent.height*scale
let colorSpaceRef: CGColorSpace? = CGColorSpaceCreateDeviceGray()
let contextRef = CGContext(data: nil, width: Int(width), height: Int(height), bitsPerComponent: 8, bytesPerRow: 0, space: colorSpaceRef!, bitmapInfo: CGBitmapInfo.init(rawValue: 0).rawValue)
let context = CIContext(options: nil)
let imageRef: CGImage = context.createCGImage(image, from: extent)!
contextRef!.interpolationQuality = CGInterpolationQuality.init(rawValue: 0)!
contextRef?.scaleBy(x: scale, y: scale)
contextRef?.draw(imageRef, in: extent)
let imageRefResized: CGImage = contextRef!.makeImage()!
return UIImage(cgImage: imageRefResized)
}
| mit | 93e2f1d8095ab3ee20a1543e512d5ef6 | 40.396011 | 194 | 0.629594 | 4.628863 | false | false | false | false |
benlangmuir/swift | test/Generics/trivial_reduction.swift | 6 | 675 | // RUN: %target-swift-frontend -typecheck %s -debug-generic-signatures 2>&1 | %FileCheck %s
// CHECK-LABEL: trivial_reduction.(file).P1@
// CHECK-LABEL: Requirement signature: <Self where Self == Self.[P1]C.[P1]C, Self.[P1]C : P1, Self.[P1]C == Self.[P1]R>
protocol P1 {
associatedtype R : P1 where R.R == Self
associatedtype C : P1 where C.C == Self, C.R == Self, R.C.R.C == Self
}
// CHECK-LABEL: trivial_reduction.(file).P2@
// CHECK-LABEL: Requirement signature: <Self where Self == Self.[P2]C, Self.[P2]C == Self.[P2]R>
protocol P2 {
associatedtype R : P2 where R.R == Self
associatedtype C : P2 where C.C.C == Self, C.C.R.C.C.R == Self, R.C.R.C.R.C == Self
}
| apache-2.0 | 78a70d1ea11d608fdb1c89b1fa0b6784 | 44 | 119 | 0.647407 | 2.667984 | false | false | false | false |
fedtuck/Spine | Spine/ResourceCollection.swift | 1 | 6960 | //
// ResourceCollection.swift
// Spine
//
// Created by Ward van Teijlingen on 30-12-14.
// Copyright (c) 2014 Ward van Teijlingen. All rights reserved.
//
import Foundation
import BrightFutures
/**
A ResourceCollection represents a collection of resources.
It contains a URL where the resources can be fetched.
For collections that can be paginated, pagination data is stored as well.
*/
public class ResourceCollection: NSObject, NSCoding {
/// Whether the resources for this collection are loaded
public var isLoaded: Bool
/// The URL of the current page in this collection.
public var resourcesURL: NSURL?
/// The URL of the next page in this collection.
public var nextURL: NSURL?
/// The URL of the previous page in this collection.
public var previousURL: NSURL?
/// The loaded resources
public internal(set) var resources: [ResourceProtocol] = []
// MARK: Initializers
public init(resources: [ResourceProtocol], resourcesURL: NSURL? = nil) {
self.resources = resources
self.resourcesURL = resourcesURL
self.isLoaded = !isEmpty(resources)
}
// MARK: NSCoding
public required init(coder: NSCoder) {
isLoaded = coder.decodeBoolForKey("isLoaded")
resourcesURL = coder.decodeObjectForKey("resourcesURL") as? NSURL
resources = coder.decodeObjectForKey("resources") as! [ResourceProtocol]
}
public func encodeWithCoder(coder: NSCoder) {
coder.encodeBool(isLoaded, forKey: "isLoaded")
coder.encodeObject(resourcesURL, forKey: "resourcesURL")
coder.encodeObject(resources, forKey: "resources")
}
// MARK: Subscript and count
/// Returns the loaded resource at the given index.
public subscript (index: Int) -> ResourceProtocol {
return resources[index]
}
/// Returns a loaded resource identified by the given type and id,
/// or nil if no loaded resource was found.
public subscript (type: String, id: String) -> ResourceProtocol? {
return resources.filter { $0.id == id && $0.type == type }.first
}
/// Returns how many resources are loaded.
public var count: Int {
return resources.count
}
/**
Calls the passed callback if the resources are loaded.
:param: callback A function taking an array of Resource objects.
:returns: This collection.
*/
public func ifLoaded(callback: ([ResourceProtocol]) -> Void) -> Self {
if isLoaded {
callback(resources)
}
return self
}
/**
Calls the passed callback if the resources are not loaded.
:param: callback A function
:returns: This collection
*/
public func ifNotLoaded(callback: () -> Void) -> Self {
if !isLoaded {
callback()
}
return self
}
}
extension ResourceCollection: SequenceType {
public typealias Generator = IndexingGenerator<[ResourceProtocol]>
public func generate() -> Generator {
return resources.generate()
}
}
/**
A LinkedResourceCollection represents a collection of resources that is linked from another resource.
The main differences with ResourceCollection is that it is mutable,
and the addition of `linkage`, and a self `URL` property.
A LinkedResourceCollection keeps track of resources that are added to and removed from the collection.
This allows Spine to make partial updates to the collection when it is persisted.
*/
public class LinkedResourceCollection: ResourceCollection {
/// The type/id pairs of resources present in this link.
public var linkage: [ResourceIdentifier]?
/// The URL of the link object of this collection.
public var linkURL: NSURL?
/// Resources added to this linked collection, but not yet persisted.
public internal(set) var addedResources: [ResourceProtocol] = []
/// Resources removed from this linked collection, but not yet persisted.
public internal(set) var removedResources: [ResourceProtocol] = []
public required init() {
super.init(resources: [], resourcesURL: nil)
}
public init(resourcesURL: NSURL?, linkURL: NSURL?, linkage: [ResourceIdentifier]?) {
super.init(resources: [], resourcesURL: resourcesURL)
self.linkURL = linkURL
self.linkage = linkage
}
public convenience init(resourcesURL: NSURL?, linkURL: NSURL?, homogenousType: ResourceType, IDs: [String]) {
self.init(resourcesURL: resourcesURL, linkURL: linkURL, linkage: IDs.map { ResourceIdentifier(type: homogenousType, id: $0) })
}
public required init(coder: NSCoder) {
super.init(coder: coder)
linkURL = coder.decodeObjectForKey("linkURL") as? NSURL
addedResources = coder.decodeObjectForKey("addedResources") as! [ResourceProtocol]
removedResources = coder.decodeObjectForKey("removedResources") as! [ResourceProtocol]
if let encodedLinkage = coder.decodeObjectForKey("linkage") as? [NSDictionary] {
linkage = encodedLinkage.map { ResourceIdentifier(dictionary: $0) }
}
}
public override func encodeWithCoder(coder: NSCoder) {
super.encodeWithCoder(coder)
coder.encodeObject(linkURL, forKey: "linkURL")
coder.encodeObject(addedResources, forKey: "addedResources")
coder.encodeObject(removedResources, forKey: "removedResources")
if let linkage = linkage {
let encodedLinkage = linkage.map { $0.toDictionary() }
coder.encodeObject(encodedLinkage, forKey: "linkage")
}
}
// MARK: Mutators
/**
Adds the given resource to this collection. This marks the resource as added.
:param: resource The resource to add.
*/
public func addResource(resource: ResourceProtocol) {
resources.append(resource)
addedResources.append(resource)
removedResources = removedResources.filter { $0 !== resource }
}
/**
Adds the given resources to this collection. This marks the resources as added.
:param: resources The resources to add.
*/
public func addResources(resources: [ResourceProtocol]) {
for resource in resources {
addResource(resource)
}
}
/**
Removes the given resource from this collection. This marks the resource as removed.
:param: resource The resource to remove.
*/
public func removeResource(resource: ResourceProtocol) {
resources = resources.filter { $0 !== resource }
addedResources = addedResources.filter { $0 !== resource }
removedResources.append(resource)
}
/**
Adds the given resource to this collection, but does not mark it as added.
:param: resource The resource to add.
*/
internal func addResourceAsExisting(resource: ResourceProtocol) {
resources.append(resource)
removedResources = removedResources.filter { $0 !== resource }
addedResources = addedResources.filter { $0 !== resource }
}
}
extension LinkedResourceCollection: ExtensibleCollectionType {
public var startIndex: Int { return resources.startIndex }
public var endIndex: Int { return resources.endIndex }
public func reserveCapacity(n: Int) {
resources.reserveCapacity(n)
}
public func append(newElement: ResourceProtocol) {
addResource(newElement)
}
public func extend<S : SequenceType where S.Generator.Element == ResourceProtocol>(seq: S) {
for element in seq {
addResource(element)
}
}
} | mit | 96263851689c7440887c87367bc2252c | 28.371308 | 128 | 0.736207 | 3.961298 | false | false | false | false |
ngageoint/geopackage-mapcache-ios | mapcache-ios/data/MCTileServerRepository.swift | 1 | 20916 | //
// MCWMSUtil.swift
// mapcache-ios
//
// Created by Tyler Burgett on 9/28/20.
// Copyright © 2020 NGA. All rights reserved.
//
import Foundation
@objc class MCTileServerRepository: NSObject, XMLParserDelegate, URLSessionDelegate {
@objc static let shared = MCTileServerRepository()
private override init() {
super.init()
self.loadUserDefaults()
}
var tileServers: [String:MCTileServer] = [:]
var layers: [MCLayer] = []
// Objects for keeping track of which tile server and or layer are being used as basemaps managed by the settings view controller and displayed on the map.
/** Object for keeping track of the user basemap. */
@objc var baseMapServer:MCTileServer = MCTileServer.init();
/** In the case of a WMS server you will also need to set which layer the user wanted to use as a basemap. Not needed and can be left as default for XYZ servers. */
@objc var baseMapLayer:MCLayer = MCLayer.init();
// URL query parameters
let getCapabilities = "request=GetCapabilities"
let getMap = "request=GetMap"
let service = "service=WMS"
let version = "version=1.3.0"
let bboxTemplate = "bbox={minLon},{minLat},{maxLon},{maxLat}"
let webMercatorEPSG = "crs=EPSG:3857"
// a few constants that identify what element names we're looking for inside the XML
let layerKey = "Layer"
let getMapKey = "GetMap"
let formatKey = "Format"
let dictionaryKeys = Set<String>(["CRS", "Name", "Title", "Name", "Format"])
let userDefaults = UserDefaults.standard;
var layerDictionary = NSMutableDictionary()
var formats: [String] = []
var currentValue = String() // the current value that the parser is handling
var currentTag = String()
var parentTag = String()
var topLevelLayer = MCLayer()
var currentLayer = MCLayer()
var urlString = ""
var level = 0
var tagStack: [String] = []
var layerTitleStack: [String] = []
var username = ""
var password = ""
@objc func tileServerForURL(urlString: String) -> MCTileServer {
if let tileServer:MCTileServer = self.tileServers[urlString] {
return tileServer
}
return MCTileServer.init(serverName: "")
}
@objc func isValidServerURL(urlString: String, completion: @escaping (MCTileServerResult) -> Void) {
self.isValidServerURL(urlString: urlString, username: "", password: "", completion: completion)
}
@objc func isValidServerURL(urlString: String, username:String, password:String, completion: @escaping (MCTileServerResult) -> Void) {
var tryXYZ = false;
var tryWMS = false;
var editedURLString = urlString
let tileServer = MCTileServer.init(serverName: urlString)
tileServer.url = urlString;
if (urlString.contains("{z}") && urlString.contains("{y}") && urlString.contains("{x}")) {
editedURLString.replaceSubrange(editedURLString.range(of: "{x}")!, with: "0")
editedURLString.replaceSubrange(editedURLString.range(of: "{y}")!, with: "0")
editedURLString.replaceSubrange(editedURLString.range(of: "{z}")!, with: "0")
tryXYZ = true
} else {
tryWMS = true
}
guard let url:URL = URL.init(string: editedURLString) else {
tileServer.serverType = .error
let result = MCTileServerResult.init(tileServer, self.generateError(message: "Invalid URL", errorType: MCServerErrorType.MCURLInvalid))
completion(result)
return
}
if (tryXYZ) {
URLSession.shared.downloadTask(with: url) { (location, response, error) in
do {
if let e = error {
tileServer.serverType = .error
let result = MCTileServerResult.init(tileServer, self.generateError(message: e.localizedDescription, errorType: MCServerErrorType.MCTileServerNoResponse))
completion(result)
return
}
guard let tile = UIImage.init(data: try Data.init(contentsOf: location!)) else {
tileServer.serverType = .error
let result = MCTileServerResult.init(tileServer, self.generateError(message: "Unable to get tile", errorType: MCServerErrorType.MCNoData))
completion(result)
return
}
tileServer.serverType = .xyz
completion(MCTileServerResult.init(tileServer, self.generateError(message: "No error", errorType: MCServerErrorType.MCNoError)))
} catch {
tileServer.serverType = .error
let result = MCTileServerResult.init(tileServer, self.generateError(message: "No response from server", errorType: MCServerErrorType.MCTileServerNoResponse))
completion(result)
}
}.resume()
} else if (tryWMS) {
self.getCapabilites(url: urlString, username: username, password: password, completion: completion)
} else {
tileServer.serverType = .error
let error:MCServerError = MCServerError.init(domain: "MCTileServerRepository", code: MCServerErrorType.MCURLInvalid.rawValue, userInfo: ["message" : "Invalid URL"])
completion(MCTileServerResult.init(tileServer, error))
}
}
@objc public func getCapabilites(url:String, completion: @escaping (MCTileServerResult) -> Void) {
self.getCapabilites(url: url, username: "", password: "", completion: completion)
}
@objc public func getCapabilites(url:String, username:String, password:String, completion: @escaping (MCTileServerResult) -> Void) {
self.username = username
self.password = password
let tileServer = MCTileServer.init(serverName: self.urlString)
tileServer.url = url
guard let wmsURL:URL = URL.init(string: url) else {
tileServer.serverType = .error
let result = MCTileServerResult.init(tileServer, self.generateError(message: "Invalid URL", errorType: MCServerErrorType.MCURLInvalid))
completion(result)
return
}
if wmsURL.host == nil || wmsURL.scheme == nil {
tileServer.serverType = .error
let result = MCTileServerResult.init(tileServer, self.generateError(message: "Invalid URL", errorType: MCServerErrorType.MCURLInvalid))
completion(result)
return
}
var baseURL:String = wmsURL.scheme! + "://" + wmsURL.host!
if let port = wmsURL.port {
baseURL = baseURL + ":\(port)"
}
if wmsURL.path != "" {
baseURL = baseURL + wmsURL.path
}
var builtURL = URLComponents(string: baseURL)
builtURL?.queryItems = [
URLQueryItem(name: "request", value: "GetCapabilities"),
URLQueryItem(name: "service", value: "WMS"),
URLQueryItem(name: "version", value: "1.3.0")
]
let builtURLString = builtURL!.string!
tileServer.builtURL = builtURLString
self.layers = []
let sessionConfig = URLSessionConfiguration.default
var urlRequest = URLRequest.init(url: (builtURL?.url)!)
urlRequest.httpMethod = "GET"
if username != "" && password != "" {
let loginString = String(format: "%@:%@", username, password)
let loginData = loginString.data(using: String.Encoding.utf8)!
let base64LoginString = loginData.base64EncodedString()
sessionConfig.httpAdditionalHeaders = ["Authorization":"Basic \(base64LoginString)"]
}
let session = URLSession(configuration: sessionConfig, delegate: self, delegateQueue: .main)
let task = session.dataTask(with: urlRequest) { data, response, error in
if let error = error {
print("Connection Error \(error.localizedDescription)")
completion(MCTileServerResult.init(tileServer, self.generateError(message: error.localizedDescription, errorType: .MCNoError)))
}
if let urlResponse = response as? HTTPURLResponse {
if urlResponse.statusCode == 401 {
completion(MCTileServerResult.init(tileServer, self.generateError(message: error?.localizedDescription ?? "Login to download tiles", errorType: .MCUnauthorized)))
return
} else if urlResponse.statusCode != 200 {
completion(MCTileServerResult.init(tileServer, self.generateError(message: error?.localizedDescription ?? "Server error", errorType: .MCTileServerParseError)))
return
} else {
}
}
guard let data = data, error == nil else {
completion(MCTileServerResult.init(tileServer, self.generateError(message: error?.localizedDescription ?? "Server error", errorType: .MCTileServerParseError)))
return
}
let parser = XMLParser(data: data)
parser.delegate = self
if parser.parse() {
print("have \(self.layers.count) layers")
for layer in self.layers {
print("Title: \(layer.title)")
print("Name: \(layer.name)")
print("CRS: \(layer.crs)")
print("Format: \(layer.format)\n\n")
}
tileServer.serverType = .wms
tileServer.builtURL = (builtURL?.string)!
tileServer.layers = self.layers
self.layers = []
completion(MCTileServerResult.init(tileServer, self.generateError(message: "No error", errorType: MCServerErrorType.MCNoError)))
} else if (parser.parserError != nil) {
print("Parser error")
tileServer.serverType = .error
self.layers = []
let error:MCServerError = MCServerError.init(domain: "MCTileServerRepository", code: MCServerErrorType.MCURLInvalid.rawValue, userInfo: ["message" : "invalid URL"])
completion(MCTileServerResult.init(tileServer, error))
}
}
task.resume()
}
func buildMapCacheURLs(url:String) {
if var components = URLComponents(string: url) {
print("building url..")
for layer in layers {
components.queryItems = [
URLQueryItem(name: "service", value: "WMS"),
URLQueryItem(name: "request", value: "GetMap"),
URLQueryItem(name: "layers", value: layer.name),
URLQueryItem(name: "styles", value: ""),
URLQueryItem(name: "format", value: layer.format),
URLQueryItem(name: "transparent", value: "true"),
URLQueryItem(name: "version", value: "1.3.0"),
URLQueryItem(name: "width", value: "256"),
URLQueryItem(name: "height", value: "256"),
URLQueryItem(name: "crs", value: "3857"),
URLQueryItem(name: "bbox", value: "{minLon},{minLat},{maxLon},{maxLat}")
]
print(components.url!.absoluteString)
}
}
}
// MARK: URLSessionDelegate
func urlSession(_ session: URLSession, didReceive challenge: URLAuthenticationChallenge, completionHandler: @escaping (URLSession.AuthChallengeDisposition, URLCredential?) -> Void) {
//let credentials = URLCredential(user: self.username, password: self.password, persistence: .forSession)
completionHandler(.useCredential, URLCredential())
}
// MARK: WMS XML parsing
func parserDidStartDocument(_ parser: XMLParser) {
print("parserDidStartDocument")
}
func parser(_ parser: XMLParser, didStartElement elementName: String, namespaceURI: String?, qualifiedName qName: String?, attributes attributeDict: [String : String]) {
level += 1
tagStack.append(elementName)
if elementName == layerKey {
if (topLevelLayer.title == "") {
topLevelLayer = currentLayer
layers.append(topLevelLayer)
}
currentLayer = MCLayer()
}
currentValue = ""
}
func parser(_ parser: XMLParser, foundCharacters string: String) {
currentValue += string
}
func parser(_ parser: XMLParser, didEndElement elementName: String, namespaceURI: String?, qualifiedName qName: String?) {
level -= 1
if elementName == layerKey {
if (currentLayer.title != "") {
currentLayer.titles = self.layerTitleStack
layers.append(currentLayer)
self.layerTitleStack.popLast()
} else {
if (self.layerTitleStack.count > 0) {
self.layerTitleStack.popLast()
}
}
currentLayer = MCLayer()
} else if dictionaryKeys.contains(elementName) {
if elementName == "CRS" {
currentLayer.crs = "EPSG:3857"
} else if elementName == "Title" {
if (tagStack.count > 2 && tagStack[tagStack.count - 2] == "Layer"){
print("topLevelLayer.title: \(self.topLevelLayer.title) currentValue: \(currentValue)")
currentLayer.title = currentValue
self.layerTitleStack.append(currentValue)
}
} else if elementName == "Name" {
if (tagStack.count > 2 && tagStack[tagStack.count - 2] == "Layer"){
currentLayer.name = currentValue
}
} else if elementName == "Format" && currentLayer.format == "" {
if currentValue == "image/jpeg" {
currentLayer.format = "image/jpeg"
} else if currentValue == "image/png" {
currentLayer.format = "image/png"
}
} else {
//print("hmm, something unexpected found \(currentValue)")
}
} else if elementName == formatKey {
formats.append(currentValue)
}
currentValue = String()
tagStack.popLast()
}
func parser(_ parser: XMLParser, parseErrorOccurred parseError: Error) {
print(parseError)
currentValue = String()
}
func generateError(message:String, errorType: MCServerErrorType) -> MCServerError {
return MCServerError.init(domain: "MCTileServerRepository", code: errorType.rawValue, userInfo: ["message" : message])
}
@objc func saveToUserDefaults(serverName:String, url:String, tileServer:MCTileServer) -> Bool {
tileServer.serverName = serverName
if var savedServers = self.userDefaults.dictionary(forKey: MC_SAVED_TILE_SERVER_URLS) {
savedServers[serverName] = url
self.userDefaults.setValue(savedServers, forKey: MC_SAVED_TILE_SERVER_URLS)
self.tileServers[serverName] = tileServer
return true
} else if self.userDefaults.dictionary(forKey: MC_SAVED_TILE_SERVER_URLS) == nil {
let savedServers = NSMutableDictionary()
savedServers[serverName] = url
self.userDefaults.setValue(savedServers, forKey: MC_SAVED_TILE_SERVER_URLS)
self.tileServers[serverName] = tileServer
return true
}
return false
}
@objc func setBasemap(tileServer:MCTileServer?, layer:MCLayer?) {
if let updatedServer = tileServer, let updatedLayer = layer {
self.baseMapServer = updatedServer
self.baseMapLayer = updatedLayer
saveBasemapToUserDefaults(serverName: updatedServer.serverName, layerName: updatedLayer.name)
} else {
saveBasemapToUserDefaults(serverName: "", layerName: "")
self.baseMapServer = MCTileServer()
self.baseMapLayer = MCLayer()
}
}
@objc func saveBasemapToUserDefaults(serverName:String, layerName:String) {
self.userDefaults.setValue(serverName, forKey: MC_USER_BASEMAP_SERVER_NAME)
self.userDefaults.setValue(layerName, forKey: MC_USER_BASEMAP_LAYER_NAME)
self.userDefaults.synchronize()
}
@objc func removeTileServerFromUserDefaults(serverName:String) {
// get the defaults
if var savedServers = self.userDefaults.dictionary(forKey: MC_SAVED_TILE_SERVER_URLS) {
savedServers.removeValue(forKey: serverName)
self.tileServers.removeValue(forKey: serverName)
self.userDefaults.setValue(savedServers, forKey: MC_SAVED_TILE_SERVER_URLS)
}
// check if the server that was deleted was a being used as a basemap, and if so delete it
if let currentBasemap:String = self.userDefaults.object(forKey: MC_USER_BASEMAP_SERVER_NAME) as? String {
if (currentBasemap.elementsEqual(serverName)) {
self.saveBasemapToUserDefaults(serverName: "", layerName: "")
}
}
}
// Load or refresh the tile server list from UserDefaults.
@objc func loadUserDefaults() {
let savedBasemapServerName = self.userDefaults.string(forKey: MC_USER_BASEMAP_SERVER_NAME)
let savedBasemapLayerName = self.userDefaults.string(forKey: MC_USER_BASEMAP_LAYER_NAME)
if let savedServers = self.userDefaults.dictionary(forKey: MC_SAVED_TILE_SERVER_URLS) {
for serverName in savedServers.keys {
if let serverURL = savedServers[serverName] {
print("\(serverName) \(serverURL)")
self.isValidServerURL(urlString: serverURL as! String) { (tileServerResult) in
let serverError:MCServerError = tileServerResult.failure as! MCServerError
if (serverError.code == MCServerErrorType.MCNoError.rawValue) {
print("MCTileServerRepository:loadUserDefaults - Valid URL")
if let tileServer = tileServerResult.success as? MCTileServer {
tileServer.serverName = serverName
self.tileServers[serverName] = tileServer
if tileServer.serverName == savedBasemapServerName {
self.baseMapServer = tileServer
if tileServer.serverType == MCTileServerType.wms {
for layer in tileServer.layers {
if layer.name == savedBasemapLayerName {
self.baseMapLayer = layer
}
}
}
}
NotificationCenter.default.post(name: Notification.Name(MC_USER_BASEMAP_LOADED_FROM_DEFAULTS), object: nil)
}
} else if serverError.code == MCServerErrorType.MCUnauthorized.rawValue {
let tileServer = tileServerResult.success as? MCTileServer
tileServer?.serverName = serverName
tileServer?.serverType = .authRequired
self.tileServers[serverName] = tileServer
} else {
let tileServer = tileServerResult.success as? MCTileServer
tileServer?.serverName = serverName
tileServer?.serverType = .error
self.tileServers[serverName] = tileServer
}
}
}
}
}
}
@objc func getTileServers() -> [String:MCTileServer] {
return self.tileServers
}
}
| mit | 59eacaa83274978a252bea0141a8132b | 42.75523 | 186 | 0.568013 | 4.971476 | false | false | false | false |
khizkhiz/swift | test/Interpreter/enum_resilience.swift | 2 | 8916 | // RUN: rm -rf %t && mkdir %t
// RUN: %target-build-swift -emit-library -Xfrontend -enable-resilience -c %S/../Inputs/resilient_struct.swift -o %t/resilient_struct.o
// RUN: %target-build-swift -emit-module -Xfrontend -enable-resilience -c %S/../Inputs/resilient_struct.swift -o %t/resilient_struct.o
// RUN: %target-build-swift -emit-library -Xfrontend -enable-resilience -c %S/../Inputs/resilient_enum.swift -I %t/ -o %t/resilient_enum.o
// RUN: %target-build-swift -emit-module -Xfrontend -enable-resilience -c %S/../Inputs/resilient_enum.swift -I %t/ -o %t/resilient_enum.o
// RUN: %target-build-swift %s -Xlinker %t/resilient_struct.o -Xlinker %t/resilient_enum.o -I %t -L %t -o %t/main
// RUN: %target-run %t/main
// REQUIRES: executable_test
import StdlibUnittest
// Also import modules which are used by StdlibUnittest internally. This
// workaround is needed to link all required libraries in case we compile
// StdlibUnittest with -sil-serialize-all.
import SwiftPrivate
#if _runtime(_ObjC)
import ObjectiveC
#endif
import resilient_enum
import resilient_struct
var ResilientEnumTestSuite = TestSuite("ResilientEnum")
ResilientEnumTestSuite.test("ResilientEmptyEnum") {
let e = ResilientEmptyEnum.X
let n: Int
switch e {
case .X: n = 0
default: n = -1
}
expectEqual(n, 0)
}
ResilientEnumTestSuite.test("ResilientSingletonEnum") {
let o: AnyObject = ArtClass()
let e = ResilientSingletonEnum.X(o)
let n: Int
switch e {
case .X(let oo):
n = 0
expectTrue(o === oo)
default:
n = -1
}
expectEqual(n, 0)
}
ResilientEnumTestSuite.test("ResilientSingletonGenericEnum") {
let o = ArtClass()
let e = ResilientSingletonGenericEnum.X(o)
let n: Int
switch e {
case .X(let oo):
n = 0
expectEqual(o === oo, true)
default:
n = -1
}
expectEqual(n, 0)
}
ResilientEnumTestSuite.test("ResilientNoPayloadEnum") {
let a: [ResilientNoPayloadEnum] = [.A, .B, .C]
let b: [Int] = a.map {
switch $0 {
case .A:
return 0
case .B:
return 1
case .C:
return 2
default:
return -1
}
}
expectEqual(b, [0, 1, 2])
}
ResilientEnumTestSuite.test("ResilientSinglePayloadEnum") {
let o = ArtClass()
let a: [ResilientSinglePayloadEnum] = [.A, .B, .C, .X(o)]
let b: [Int] = a.map {
switch $0 {
case .A:
return 0
case .B:
return 1
case .C:
return 2
case .X(let oo):
expectTrue(o === oo)
return 3
default:
return -1
}
}
expectEqual(b, [0, 1, 2, 3])
}
ResilientEnumTestSuite.test("ResilientSinglePayloadGenericEnum") {
let o = ArtClass()
let a: [ResilientSinglePayloadGenericEnum<ArtClass>] = [.A, .B, .C, .X(o)]
let b: [Int] = a.map {
switch $0 {
case .A:
return 0
case .B:
return 1
case .C:
return 2
case .X(let oo):
expectTrue(o === oo)
return 3
default:
return -1
}
}
expectEqual(b, [0, 1, 2, 3])
}
ResilientEnumTestSuite.test("ResilientMultiPayloadEnum") {
let a: [ResilientMultiPayloadEnum] =
[.A, .B, .C, .X(1), .Y(2)]
let b: [Int] = a.map {
switch $0 {
case .A:
return 0
case .B:
return 1
case .C:
return 2
case .X(let x):
expectEqual(x, 1)
return 3
case .Y(let y):
expectEqual(y, 2)
return 4
default:
return -1
}
}
expectEqual(b, [0, 1, 2, 3, 4])
}
ResilientEnumTestSuite.test("ResilientMultiPayloadEnumRoundTrip") {
let a = [0, 1, 2, 3, 4]
let b = a.map { makeResilientMultiPayloadEnum(1122, i: $0) }
let c: [Int] = b.map {
switch $0 {
case .A:
return 0
case .B:
return 1
case .C:
return 2
case .X(let x):
expectEqual(x, 1122)
return 3
case .Y(let y):
expectEqual(y, 1122)
return 4
default:
return -1
}
}
expectEqual(c, a)
}
ResilientEnumTestSuite.test("ResilientMultiPayloadEnumSpareBits") {
let o1 = ArtClass()
let o2 = ArtClass()
let a: [ResilientMultiPayloadEnumSpareBits] =
[.A, .B, .C, .X(o1), .Y(o2)]
let b: [Int] = a.map {
switch $0 {
case .A:
return 0
case .B:
return 1
case .C:
return 2
case .X(let oo1):
expectTrue(oo1 === o1)
return 3
case .Y(let oo2):
expectTrue(oo2 === o2)
return 4
default:
return -1
}
}
expectEqual(b, [0, 1, 2, 3, 4])
}
ResilientEnumTestSuite.test("ResilientMultiPayloadEnumSpareBitsRoundTrip") {
let o = ArtClass()
let a = [0, 1, 2, 3, 4]
let b = a.map { makeResilientMultiPayloadEnumSpareBits(o, i: $0) }
let c: [Int] = b.map {
switch $0 {
case .A:
return 0
case .B:
return 1
case .C:
return 2
case .X(let oo):
expectTrue(oo === o)
return 3
case .Y(let oo):
expectTrue(oo === o)
return 4
default:
return -1
}
}
expectEqual(c, a)
}
ResilientEnumTestSuite.test("ResilientMultiPayloadEnumSpareBitsAndExtraBits") {
let o = ArtClass()
let s: SevenSpareBits = (false, 1, 2, 3, 4, 5, 6, 7)
let a: [ResilientMultiPayloadEnumSpareBitsAndExtraBits]
= [.P1(s), .P2(o), .P3(o), .P4(o), .P5(o), .P6(o), .P7(o), .P8(o)]
let b: [Int] = a.map {
switch $0 {
case .P1(let ss):
// FIXME: derive Equatable conformances for arbitrary tuples :-)
expectEqual(ss.0, s.0)
expectEqual(ss.1, s.1)
expectEqual(ss.2, s.2)
expectEqual(ss.3, s.3)
expectEqual(ss.4, s.4)
expectEqual(ss.5, s.5)
expectEqual(ss.6, s.6)
expectEqual(ss.7, s.7)
return 0
case .P2(let oo):
expectTrue(oo === o)
return 1
case .P3(let oo):
expectTrue(oo === o)
return 2
case .P4(let oo):
expectTrue(oo === o)
return 3
case .P5(let oo):
expectTrue(oo === o)
return 4
case .P6(let oo):
expectTrue(oo === o)
return 5
case .P7(let oo):
expectTrue(oo === o)
return 6
case .P8(let oo):
expectTrue(oo === o)
return 7
default:
return -1
}
}
expectEqual(b, [0, 1, 2, 3, 4, 5, 6, 7])
}
ResilientEnumTestSuite.test("ResilientMultiPayloadGenericEnum") {
let o1 = ArtClass()
let o2 = ArtClass()
let a: [ResilientMultiPayloadGenericEnum<ArtClass>] =
[.A, .B, .C, .X(o1), .Y(o2)]
let b: [Int] = a.map {
switch $0 {
case .A:
return 0
case .B:
return 1
case .C:
return 2
case .X(let oo1):
expectTrue(oo1 === o1)
return 3
case .Y(let oo2):
expectTrue(oo2 === o2)
return 4
default:
return -1
}
}
expectEqual(b, [0, 1, 2, 3, 4])
}
public func getMetadata() -> Any.Type {
return Shape.self
}
ResilientEnumTestSuite.test("DynamicLayoutMetatype") {
do {
var output = ""
let expected = "- resilient_enum.Shape #0\n"
dump(getMetadata(), to: &output)
expectEqual(output, expected)
}
do {
expectEqual(true, getMetadata() == getMetadata())
}
}
ResilientEnumTestSuite.test("DynamicLayoutSinglePayload") {
let s = Size(w: 10, h: 20)
let a: [SimpleShape] = [.KleinBottle, .Triangle(s)]
let b: [Int] = a.map {
switch $0 {
case .KleinBottle:
return 0
case .Triangle(let s):
expectEqual(s.w, 10)
expectEqual(s.h, 20)
return 1
}
}
expectEqual(b, [0, 1])
}
ResilientEnumTestSuite.test("DynamicLayoutMultiPayload") {
let s = Size(w: 10, h: 20)
let a: [Shape] = [.Point, .Rect(s), .RoundedRect(s, s)]
let b: [Int] = a.map {
switch $0 {
case .Point:
return 0
case .Rect(let s):
expectEqual(s.w, 10)
expectEqual(s.h, 20)
return 1
case .RoundedRect(let s, let ss):
expectEqual(s.w, 10)
expectEqual(s.h, 20)
expectEqual(ss.w, 10)
expectEqual(ss.h, 20)
return 2
}
}
expectEqual(b, [0, 1, 2])
}
ResilientEnumTestSuite.test("DynamicLayoutMultiPayload2") {
let c = Color(r: 1, g: 2, b: 3)
let a: [CustomColor] = [.Black, .White, .Custom(c), .Bespoke(c, c)]
let b: [Int] = a.map {
switch $0 {
case .Black:
return 0
case .White:
return 1
case .Custom(let c):
expectEqual(c.r, 1)
expectEqual(c.g, 2)
expectEqual(c.b, 3)
return 2
case .Bespoke(let c, let cc):
expectEqual(c.r, 1)
expectEqual(c.g, 2)
expectEqual(c.b, 3)
expectEqual(cc.r, 1)
expectEqual(cc.g, 2)
expectEqual(cc.b, 3)
return 3
}
}
expectEqual(b, [0, 1, 2, 3])
}
// Make sure case numbers round-trip if payload has zero size
ResilientEnumTestSuite.test("ResilientEnumWithEmptyCase") {
let a: [ResilientEnumWithEmptyCase] = getResilientEnumWithEmptyCase()
let b: [Int] = a.map {
switch $0 {
case .A:
return 0
case .B:
return 1
case .Empty:
return 2
default:
return -1
}
}
expectEqual(b, [0, 1, 2])
}
runAllTests()
| apache-2.0 | e700f6b87d2321ec96a67149d12a5cb8 | 20.536232 | 138 | 0.582773 | 3.152758 | false | true | false | false |
szukuro/spacecat-swift | Space Cat/SpaceDogNode.swift | 1 | 2106 | //
// SpaceDogNode.swift
// Space Cat
//
// Created by László Györi on 24/07/14.
// Copyright (c) 2014 László Györi. All rights reserved.
//
import UIKit
import SpriteKit
enum SpaceDogType : Int {
case SpaceDogTypeA = 0
case SpaceDogTypeB = 1
}
class SpaceDogNode: SKSpriteNode {
class func spaceDogOfType(type:SpaceDogType) -> SpaceDogNode {
var spaceDog : SpaceDogNode
var textures : Array<SKTexture>
if ( type == SpaceDogType.SpaceDogTypeA) {
spaceDog = SpaceDogNode(imageNamed: "spacedog_A_1")
textures = [SKTexture(imageNamed: "spacedog_A_1"), SKTexture(imageNamed: "spacedog_A_2"), SKTexture(imageNamed: "spacedog_A_3")]
} else if ( type == SpaceDogType.SpaceDogTypeB) {
spaceDog = SpaceDogNode(imageNamed: "spacedog_B_1")
textures = [SKTexture(imageNamed: "spacedog_B_1"), SKTexture(imageNamed: "spacedog_B_2"), SKTexture(imageNamed: "spacedog_B_3"), SKTexture(imageNamed: "spacedog_B_4")]
} else {
// need to be initialised no matter what
spaceDog = SpaceDogNode()
textures = []
}
let scale = Util.random(85, max: 100)
let scalef = CGFloat(scale) / 100.0
spaceDog.xScale = scalef
spaceDog.yScale = scalef
let animation = SKAction.animateWithTextures(textures, timePerFrame: 0.1)
let repeatAction = SKAction.repeatActionForever(animation)
spaceDog.runAction(repeatAction)
spaceDog.setupPhysicsBody()
return spaceDog
}
func setupPhysicsBody() {
self.physicsBody = SKPhysicsBody(rectangleOfSize: self.frame.size)
self.physicsBody.affectedByGravity = false
self.physicsBody.categoryBitMask = CollisionCategory.CollisionCategoryEnemy.value
self.physicsBody.collisionBitMask = 0
self.physicsBody.contactTestBitMask = CollisionCategory.CollisionCategoryGround.value
| CollisionCategory.CollisionCategoryProjectile.value
}
}
| mit | 9be2584c7cb0d3bf0fbf9d40ead6c0b0 | 32.870968 | 179 | 0.641905 | 4.225352 | false | false | false | false |
noppoMan/Slimane | Sources/Performance/main.swift | 1 | 1229 | import Slimane
if Cluster.isMaster {
for _ in 0..<ProcessInfo.cpus().count {
var worker = try! Cluster.fork(silent: false)
}
try! _ = Slimane().listen()
} else {
let app = Slimane()
//app.use(Slimane.Static(root: "\(Process.cwd)"))
app.use(.get, "/") { request, response, responder in
var response = response
response.text("Welcome to Slimane!")
responder(.respond(response))
}
app.`catch` { error, request, response, responder in
var response = response
switch error {
case RoutingError.routeNotFound:
response.status(.notFound)
response.text("\(error)")
case StaticMiddlewareError.resourceNotFound:
response.status(.notFound)
response.text("\(error)")
default:
response.status(.internalServerError)
response.text("\(error)")
}
responder(.respond(response))
}
app.finally { request, response in
print("\(request.method) \(request.path ?? "/") \(response.status.statusCode)")
}
print("Started HTTP server at 0.0.0.0:3000")
try! app.listen()
}
| mit | c381d475f6eeb6d328a191dc11e916c5 | 26.311111 | 87 | 0.55655 | 4.452899 | false | false | false | false |
makezwl/zhao | Nimble/FailureMessage.swift | 81 | 881 | import Foundation
@objc
public class FailureMessage {
public var expected: String = "expected"
public var actualValue: String? = "" // empty string -> use default; nil -> exclude
public var to: String = "to"
public var postfixMessage: String = "match"
public var postfixActual: String = ""
public init() {
}
public func stringValue() -> String {
var value = "\(expected) \(to) \(postfixMessage)"
if let actualValue = actualValue {
value = "\(expected) \(to) \(postfixMessage), got \(actualValue)\(postfixActual)"
}
var lines: [String] = (value as NSString).componentsSeparatedByString("\n") as [String]
let whitespace = NSCharacterSet.whitespaceAndNewlineCharacterSet()
lines = lines.map { line in line.stringByTrimmingCharactersInSet(whitespace) }
return "".join(lines)
}
} | apache-2.0 | 8c5aa543405835967c819f84474ed946 | 35.75 | 95 | 0.645857 | 4.867403 | false | false | false | false |
Jubilant-Appstudio/Scuba | ScubaCalendar/Utility/Webservice/APIList.swift | 1 | 904 | //
// APIList.swift
// CredDirectory
//
// Created by Mahipal on 11/4/17.
// Copyright © 2017 Mahipal. All rights reserved.
//
import UIKit
class APIList: NSObject {
static let strBaseUrl = "http://scuba.codzgarage.com/" // Base URL
static let strUserUrl = "http://scuba.codzgarage.com/api/user/" // User
static let strAnimalUrl = "http://scuba.codzgarage.com/api/animal/" // Animal
static let strCountryUrl = "http://scuba.codzgarage.com/api/country/" // Country
//User Login
static let strUserLogin = strUserUrl + "login"
//User Login create
static let strUserCreate = strUserUrl + "create"
//User update profile
static let strUserProfile = strUserUrl + "profile"
// Animal List
static let strAnimalList = strAnimalUrl + "get_list"
// Country List
static let strCountryList = strCountryUrl + "get_list"
}
| mit | 12dd6f7b13675c80d3f7d8653620d6e8 | 26.363636 | 84 | 0.658915 | 3.473077 | false | false | false | false |
remirobert/MyCurrency | MyCurrencyTests/NetworkTests.swift | 1 | 1531 | //
// NetworkTests.swift
// MyCurrency
//
// Created by Remi Robert on 10/12/2016.
// Copyright © 2016 Remi Robert. All rights reserved.
//
import XCTest
class NetworkTests: XCTestCase {
private let network = Network()
override func setUp() {
super.setUp()
}
override func tearDown() {
super.tearDown()
}
func testRequestAllCurrencies() {
var endRequest = false
network.perform(ressource: Ressource.all()) { models in
endRequest = true
XCTAssertNotNil(models)
}
while (!endRequest) {
CFRunLoopRunInMode(CFRunLoopMode.defaultMode, 0.01, true)
}
}
func testRequestWrongRessource() {
var endRequest = false
let url = "https://github.com/3lvis/Networking/blob/master/README.md"
let ressource = Ressource(url: URL(string: url)!) { data -> [CurrencyModel]? in
guard let data = data else { return nil }
do {
let jsonRoot = try JSONSerialization.jsonObject(with: data, options: [])
guard let _ = jsonRoot as? NSDictionary else { return nil }
return []
}
catch {}
return nil
}
network.perform(ressource: ressource) { models in
endRequest = true
XCTAssertNil(models)
}
while (!endRequest) {
CFRunLoopRunInMode(CFRunLoopMode.defaultMode, 0.01, true)
}
}
}
| mit | 5601d300f0656d3f415b7b4f9becce8a | 25.842105 | 88 | 0.554248 | 4.650456 | false | true | false | false |
thyagostall/ios-playground | Week1Project/Week1Project/ViewController.swift | 1 | 886 | //
// ViewController.swift
// Week1Project
//
// Created by Thyago on 1/23/16.
// Copyright © 2016 Thyago. All rights reserved.
//
import UIKit
import MapKit
class ViewController: UIViewController {
@IBOutlet var webView: UIWebView!
@IBOutlet var mapView: MKMapView!
override func viewDidLoad() {
setMapLocation()
setWebPage()
}
func setWebPage() {
let url = NSURL(string: "http://www.thyago.com")
let request = NSURLRequest(URL: url!)
webView.loadRequest(request)
}
func setMapLocation() {
var currentLocation = CLLocationCoordinate2D()
currentLocation.latitude = 42.7255561
currentLocation.longitude = -84.4816436
let region = MKCoordinateRegionMakeWithDistance(currentLocation, 1000, 1000)
mapView.setRegion(region, animated: true)
}
}
| gpl-2.0 | 945320e48c2bb3f8f541ec5c330062c5 | 21.692308 | 84 | 0.645198 | 4.381188 | false | false | false | false |
coffellas-cto/GDWebViewController | GDWebViewController/GDWebViewController.swift | 1 | 20730 | //
// GDWebViewController.swift
// GDWebBrowserClient
//
// Created by Alex G on 03.12.14.
// Copyright (c) 2015 Alexey Gordiyenko. All rights reserved.
//
//MIT License
//
//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 WebKit
public enum GDWebViewControllerProgressIndicatorStyle {
case activityIndicator
case progressView
case both
case none
}
@objc public protocol GDWebViewControllerDelegate {
@objc optional func webViewController(_ webViewController: GDWebViewController, didChangeURL newURL: URL?)
@objc optional func webViewController(_ webViewController: GDWebViewController, didChangeTitle newTitle: NSString?)
@objc optional func webViewController(_ webViewController: GDWebViewController, didFinishLoading loadedURL: URL?)
@objc optional func webViewController(_ webViewController: GDWebViewController, decidePolicyForNavigationAction navigationAction: WKNavigationAction, decisionHandler: (WKNavigationActionPolicy) -> Void)
@objc optional func webViewController(_ webViewController: GDWebViewController, decidePolicyForNavigationResponse navigationResponse: WKNavigationResponse, decisionHandler: (WKNavigationResponsePolicy) -> Void)
@objc optional func webViewController(_ webViewController: GDWebViewController, didReceiveAuthenticationChallenge challenge: URLAuthenticationChallenge, completionHandler: (URLSession.AuthChallengeDisposition, URLCredential?) -> Void)
}
open class GDWebViewController: UIViewController, WKNavigationDelegate, WKUIDelegate, GDWebViewNavigationToolbarDelegate {
// MARK: Public Properties
/** An object to serve as a delegate which conforms to GDWebViewNavigationToolbarDelegate protocol. */
open weak var delegate: GDWebViewControllerDelegate?
/** The style of progress indication visualization. Can be one of four values: .ActivityIndicator, .ProgressView, .Both, .None*/
open var progressIndicatorStyle: GDWebViewControllerProgressIndicatorStyle = .both
/** A Boolean value indicating whether horizontal swipe gestures will trigger back-forward list navigations. The default value is false. */
open var allowsBackForwardNavigationGestures: Bool {
get {
return webView.allowsBackForwardNavigationGestures
}
set(value) {
webView.allowsBackForwardNavigationGestures = value
}
}
/** A boolean value if set to true shows the toolbar; otherwise, hides it. */
open var showsToolbar: Bool {
set(value) {
self.toolbarHeight = value ? 44 : 0
}
get {
return self.toolbarHeight == 44
}
}
/** A boolean value if set to true shows the refresh control (or stop control while loading) on the toolbar; otherwise, hides it. */
open var showsStopRefreshControl: Bool {
get {
return toolbarContainer.showsStopRefreshControl
}
set(value) {
toolbarContainer.showsStopRefreshControl = value
}
}
/** The navigation toolbar object (read-only). */
var toolbar: GDWebViewNavigationToolbar {
get {
return toolbarContainer
}
}
/** Boolean flag which indicates whether JavaScript alerts are allowed. Default is `true`. */
open var allowJavaScriptAlerts = true
public var webView: WKWebView!
// MARK: Private Properties
fileprivate var progressView: UIProgressView!
fileprivate var toolbarContainer: GDWebViewNavigationToolbar!
fileprivate var toolbarHeightConstraint: NSLayoutConstraint!
fileprivate var toolbarHeight: CGFloat = 0
fileprivate var navControllerUsesBackSwipe: Bool = false
lazy fileprivate var activityIndicator: UIActivityIndicatorView! = {
var activityIndicator = UIActivityIndicatorView()
activityIndicator.backgroundColor = UIColor(white: 0, alpha: 0.2)
#if swift(>=4.2)
activityIndicator.style = .whiteLarge
#else
activityIndicator.activityIndicatorViewStyle = .whiteLarge
#endif
activityIndicator.hidesWhenStopped = true
activityIndicator.translatesAutoresizingMaskIntoConstraints = false
self.view.addSubview(activityIndicator)
self.view.addConstraints(NSLayoutConstraint.constraints(withVisualFormat: "|-0-[activityIndicator]-0-|", options: [], metrics: nil, views: ["activityIndicator": activityIndicator]))
self.view.addConstraints(NSLayoutConstraint.constraints(withVisualFormat: "V:|[topGuide]-0-[activityIndicator]-0-[toolbarContainer]|", options: [], metrics: nil, views: ["activityIndicator": activityIndicator, "toolbarContainer": self.toolbarContainer, "topGuide": self.topLayoutGuide]))
return activityIndicator
}()
// MARK: Public Methods
/**
Navigates to an URL created from provided string.
- parameter URLString: The string that represents an URL.
*/
// TODO: Earlier `scheme` property was optional. Now it isn't true. Need to check that scheme is always
open func loadURLWithString(_ URLString: String) {
if let URL = URL(string: URLString) {
if (URL.scheme != "") && (URL.host != nil) {
loadURL(URL)
} else {
loadURLWithString("http://\(URLString)")
}
}
}
/**
Navigates to the URL.
- parameter URL: The URL for a request.
- parameter cachePolicy: The cache policy for a request. Optional. Default value is .UseProtocolCachePolicy.
- parameter timeoutInterval: The timeout interval for a request, in seconds. Optional. Default value is 0.
*/
open func loadURL(_ URL: Foundation.URL, cachePolicy: NSURLRequest.CachePolicy = .useProtocolCachePolicy, timeoutInterval: TimeInterval = 0) {
webView.load(URLRequest(url: URL, cachePolicy: cachePolicy, timeoutInterval: timeoutInterval))
}
/**
Evaluates the given JavaScript string.
- parameter javaScriptString: The JavaScript string to evaluate.
- parameter completionHandler: A block to invoke when script evaluation completes or fails.
The completionHandler is passed the result of the script evaluation or an error.
*/
open func evaluateJavaScript(_ javaScriptString: String, completionHandler: ((AnyObject?, NSError?) -> Void)?) {
webView.evaluateJavaScript(javaScriptString, completionHandler: completionHandler as! ((Any?, Error?) -> Void)?)
}
/**
Shows or hides toolbar.
- parameter show: A Boolean value if set to true shows the toolbar; otherwise, hides it.
- parameter animated: A Boolean value if set to true animates the transition; otherwise, does not.
*/
open func showToolbar(_ show: Bool, animated: Bool) {
self.showsToolbar = show
if toolbarHeightConstraint != nil {
toolbarHeightConstraint.constant = self.toolbarHeight
if animated {
UIView.animate(withDuration: 0.2, animations: { () -> Void in
self.view.layoutIfNeeded()
})
} else {
self.view.layoutIfNeeded()
}
}
}
@objc open func goBack(){
webView.goBack()
}
@objc open func goForward(){
webView.goForward()
}
@objc open func stopLoading(){
webView.stopLoading()
}
@objc open func reload(){
webView.reload()
}
// MARK: GDWebViewNavigationToolbarDelegate Methods
func webViewNavigationToolbarGoBack(_ toolbar: GDWebViewNavigationToolbar) {
webView.goBack()
}
func webViewNavigationToolbarGoForward(_ toolbar: GDWebViewNavigationToolbar) {
webView.goForward()
}
func webViewNavigationToolbarRefresh(_ toolbar: GDWebViewNavigationToolbar) {
webView.reload()
}
func webViewNavigationToolbarStop(_ toolbar: GDWebViewNavigationToolbar) {
webView.stopLoading()
}
// MARK: WKNavigationDelegate Methods
open func webView(_ webView: WKWebView, didCommit navigation: WKNavigation!) {
}
open func webView(_ webView: WKWebView, didFail navigation: WKNavigation!, withError error: Error) {
showLoading(false)
if error._code == NSURLErrorCancelled {
return
}
showError(error.localizedDescription)
}
open func webView(_ webView: WKWebView, didFailProvisionalNavigation navigation: WKNavigation!, withError error: Error) {
showLoading(false)
if error._code == NSURLErrorCancelled {
return
}
showError(error.localizedDescription)
}
open func webView(_ webView: WKWebView, didReceive challenge: URLAuthenticationChallenge, completionHandler: @escaping (URLSession.AuthChallengeDisposition, URLCredential?) -> Void) {
guard ((delegate?.webViewController?(self, didReceiveAuthenticationChallenge: challenge, completionHandler: { (disposition, credential) -> Void in
completionHandler(disposition, credential)
})) != nil)
else {
completionHandler(.performDefaultHandling, nil)
return
}
}
open func webView(_ webView: WKWebView, didReceiveServerRedirectForProvisionalNavigation navigation: WKNavigation!) {
}
open func webView(_ webView: WKWebView, didStartProvisionalNavigation navigation: WKNavigation!) {
showLoading(true)
}
open func webView(_ webView: WKWebView, decidePolicyFor navigationAction: WKNavigationAction, decisionHandler: @escaping (WKNavigationActionPolicy) -> Void) {
guard ((delegate?.webViewController?(self, decidePolicyForNavigationAction: navigationAction, decisionHandler: { (policy) -> Void in
decisionHandler(policy)
if policy == .cancel {
self.showError("This navigation is prohibited.")
}
})) != nil)
else {
decisionHandler(.allow);
return
}
}
open func webView(_ webView: WKWebView, decidePolicyFor navigationResponse: WKNavigationResponse, decisionHandler: @escaping (WKNavigationResponsePolicy) -> Void) {
guard ((delegate?.webViewController?(self, decidePolicyForNavigationResponse: navigationResponse, decisionHandler: { (policy) -> Void in
decisionHandler(policy)
if policy == .cancel {
self.showError("This navigation response is prohibited.")
}
})) != nil)
else {
decisionHandler(.allow)
return
}
}
open func webView(_ webView: WKWebView, createWebViewWith configuration: WKWebViewConfiguration, for navigationAction: WKNavigationAction, windowFeatures: WKWindowFeatures) -> WKWebView? {
if navigationAction.targetFrame == nil, let url = navigationAction.request.url{
if url.description.lowercased().range(of: "http://") != nil || url.description.lowercased().range(of: "https://") != nil {
webView.load(navigationAction.request)
}
}
return nil
}
// MARK: WKUIDelegate Methods
open func webView(_ webView: WKWebView, runJavaScriptAlertPanelWithMessage message: String, initiatedByFrame frame: WKFrameInfo, completionHandler: @escaping () -> Void) {
if !allowJavaScriptAlerts {
return
}
let alertController: UIAlertController = UIAlertController(title: message, message: nil, preferredStyle: .alert)
alertController.addAction(UIAlertAction(title: "OK", style: .cancel, handler: {(action: UIAlertAction) -> Void in
completionHandler()
}))
self.present(alertController, animated: true, completion: nil)
}
// MARK: Some Private Methods
fileprivate func showError(_ errorString: String?) {
let alertView = UIAlertController(title: "Error", message: errorString, preferredStyle: .alert)
alertView.addAction(UIAlertAction(title: "OK", style: .default, handler: nil))
self.present(alertView, animated: true, completion: nil)
}
fileprivate func showLoading(_ animate: Bool) {
if animate {
if (progressIndicatorStyle == .activityIndicator) || (progressIndicatorStyle == .both) {
activityIndicator.startAnimating()
}
toolbar.loadDidStart()
} else if activityIndicator != nil {
if (progressIndicatorStyle == .activityIndicator) || (progressIndicatorStyle == .both) {
activityIndicator.stopAnimating()
}
toolbar.loadDidFinish()
}
}
fileprivate func progressChanged(_ newValue: NSNumber) {
if progressView == nil {
progressView = UIProgressView()
progressView.translatesAutoresizingMaskIntoConstraints = false
self.view.addSubview(progressView)
self.view.addConstraints(NSLayoutConstraint.constraints(withVisualFormat: "|-0-[progressView]-0-|", options: [], metrics: nil, views: ["progressView": progressView]))
self.view.addConstraints(NSLayoutConstraint.constraints(withVisualFormat: "V:|[topGuide]-0-[progressView(2)]", options: [], metrics: nil, views: ["progressView": progressView, "topGuide": self.topLayoutGuide]))
}
progressView.progress = newValue.floatValue
if progressView.progress == 1 {
progressView.progress = 0
UIView.animate(withDuration: 0.2, animations: { () -> Void in
self.progressView.alpha = 0
})
} else if progressView.alpha == 0 {
UIView.animate(withDuration: 0.2, animations: { () -> Void in
self.progressView.alpha = 1
})
}
}
fileprivate func backForwardListChanged() {
if self.navControllerUsesBackSwipe && self.allowsBackForwardNavigationGestures {
self.navigationController?.interactivePopGestureRecognizer?.isEnabled = !webView.canGoBack
}
toolbarContainer.backButtonItem?.isEnabled = webView.canGoBack
toolbarContainer.forwardButtonItem?.isEnabled = webView.canGoForward
}
// MARK: KVO
override open func observeValue(forKeyPath keyPath: String?, of object: Any?, change: [NSKeyValueChangeKey : Any]?, context: UnsafeMutableRawPointer?) {
guard let keyPath = keyPath else {return}
switch keyPath {
case "estimatedProgress":
if (progressIndicatorStyle == .progressView) || (progressIndicatorStyle == .both) {
if let newValue = change?[NSKeyValueChangeKey.newKey] as? NSNumber {
progressChanged(newValue)
}
}
case "URL":
delegate?.webViewController?(self, didChangeURL: webView.url)
case "title":
delegate?.webViewController?(self, didChangeTitle: webView.title as NSString?)
case "loading":
if let val = change?[NSKeyValueChangeKey.newKey] as? Bool {
if !val {
showLoading(false)
backForwardListChanged()
delegate?.webViewController?(self, didFinishLoading: webView.url)
}
}
default:
super.observeValue(forKeyPath: keyPath, of: object, change: change, context: context)
}
}
// MARK: Overrides
// Override this property getter to show bottom toolbar above other toolbars
override open var edgesForExtendedLayout: UIRectEdge {
get {
return UIRectEdge(rawValue: super.edgesForExtendedLayout.rawValue ^ UIRectEdge.bottom.rawValue)
}
set {
super.edgesForExtendedLayout = newValue
}
}
// MARK: Life Cycle
override open func viewDidLoad() {
super.viewDidLoad()
// Set up toolbarContainer
self.view.addSubview(toolbarContainer)
self.view.addConstraints(NSLayoutConstraint.constraints(withVisualFormat: "|-0-[toolbarContainer]-0-|", options: [], metrics: nil, views: ["toolbarContainer": toolbarContainer]))
self.view.addConstraints(NSLayoutConstraint.constraints(withVisualFormat: "V:[toolbarContainer]-0-|", options: [], metrics: nil, views: ["toolbarContainer": toolbarContainer]))
toolbarHeightConstraint = NSLayoutConstraint(item: toolbarContainer, attribute: .height, relatedBy: .equal, toItem: nil, attribute: .notAnAttribute, multiplier: 1, constant: toolbarHeight)
toolbarContainer.addConstraint(toolbarHeightConstraint)
// Set up webView
self.view.addSubview(webView)
self.view.addConstraints(NSLayoutConstraint.constraints(withVisualFormat: "|-0-[webView]-0-|", options: [], metrics: nil, views: ["webView": webView as WKWebView]))
self.view.addConstraints(NSLayoutConstraint.constraints(withVisualFormat: "V:|[topGuide]-0-[webView]-0-[toolbarContainer]|", options: [], metrics: nil, views: ["webView": webView as WKWebView, "toolbarContainer": toolbarContainer, "topGuide": self.topLayoutGuide]))
}
override open func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
webView.addObserver(self, forKeyPath: "estimatedProgress", options: .new, context: nil)
webView.addObserver(self, forKeyPath: "URL", options: .new, context: nil)
webView.addObserver(self, forKeyPath: "title", options: .new, context: nil)
webView.addObserver(self, forKeyPath: "loading", options: .new, context: nil)
}
override open func viewWillDisappear(_ animated: Bool) {
super.viewWillDisappear(animated)
webView.removeObserver(self, forKeyPath: "estimatedProgress")
webView.removeObserver(self, forKeyPath: "URL")
webView.removeObserver(self, forKeyPath: "title")
webView.removeObserver(self, forKeyPath: "loading")
}
override open func viewDidAppear(_ animated: Bool) {
super.viewDidAppear(animated)
if let navVC = self.navigationController {
if let gestureRecognizer = navVC.interactivePopGestureRecognizer {
navControllerUsesBackSwipe = gestureRecognizer.isEnabled
} else {
navControllerUsesBackSwipe = false
}
}
}
override open func viewDidDisappear(_ animated: Bool) {
super.viewDidDisappear(animated)
if navControllerUsesBackSwipe {
self.navigationController?.interactivePopGestureRecognizer?.isEnabled = true
}
}
override open func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
webView.stopLoading()
}
override init(nibName nibNameOrNil: String?, bundle nibBundleOrNil: Bundle?) {
super.init(nibName: nibNameOrNil, bundle: nibBundleOrNil)
self.commonInit()
}
required public init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
self.commonInit()
}
func commonInit() {
webView = WKWebView()
webView.navigationDelegate = self
webView.uiDelegate = self
webView.translatesAutoresizingMaskIntoConstraints = false
toolbarContainer = GDWebViewNavigationToolbar(delegate: self)
toolbarContainer.translatesAutoresizingMaskIntoConstraints = false
}
}
| mit | b480dfb7c62976299a5431e1d1b5d40a | 42.826638 | 462 | 0.666281 | 5.657751 | false | false | false | false |
mightydeveloper/swift | test/TypeCoercion/overload_noncall.swift | 10 | 1876 | // RUN: %target-parse-verify-swift
struct X { }
struct Y { }
struct Z { }
func f0(x1: X, x2: X) -> X {} // expected-note{{found this candidate}}
func f0(y1: Y, y2: Y) -> Y {} // expected-note{{found this candidate}}
var f0 : X // expected-note {{found this candidate}} expected-note {{'f0' previously declared here}}
func f0_init(x: X, y: Y) -> X {}
var f0 : (x : X, y : Y) -> X = f0_init // expected-error{{invalid redeclaration}}
func f1(x: X) -> X {}
func f2(g: (x: X) -> X) -> ((y: Y) -> Y) { }
func test_conv() {
var _ : (x1 : X, x2 : X) -> X = f0
var _ : (X, X) -> X = f0
var _ : (Y, X) -> X = f0 // expected-error{{ambiguous reference to member 'f0'}}
var _ : (X) -> X = f1
var a7 : (X) -> (X) = f1
var a8 : (x2 : X) -> (X) = f1
var a9 : (x2 : X) -> ((X)) = f1
a7 = a8
a8 = a9
a9 = a7
var _ : ((X)->X) -> ((Y) -> Y) = f2;
var _ : ((x2 : X)-> (X)) -> (((y2 : Y) -> (Y))) = f2;
typealias fp = ((X)->X) -> ((Y) -> Y)
var _ = f2
}
var xy : X // expected-note {{previously declared here}}
var xy : Y // expected-error {{invalid redeclaration of 'xy'}}
func accept_X(inout x: X) { }
func accept_XY(inout x: X) -> X { }
func accept_XY(inout y: Y) -> Y { }
func accept_Z(inout z: Z) -> Z { }
func test_inout() {
var x : X;
accept_X(&x);
accept_X(xy); // expected-error{{passing value of type 'X' to an inout parameter requires explicit '&'}} {{12-12=&}}
accept_X(&xy);
accept_XY(&x);
x = accept_XY(&xy);
x = xy;
x = &xy; // expected-error{{'&' used with non-inout argument of type 'X'}}
accept_Z(&xy); // expected-error{{cannot convert value of type 'X' to expected argument type 'Z'}}
}
func lvalue_or_rvalue(inout x: X) -> X { }
func lvalue_or_rvalue(x: X) -> Y { }
func test_lvalue_or_rvalue() {
var x : X;
var y : Y;
let x1 = lvalue_or_rvalue(&x)
x = x1
let y1 = lvalue_or_rvalue(x)
y = y1
_ = y
}
| apache-2.0 | 33261337504668a00a15d6e1a9ab552f | 25.8 | 118 | 0.534648 | 2.542005 | false | false | false | false |
Ares42/Portfolio | HackerRankMobile/Extensions/MainTabBarController.swift | 1 | 1110 | //
// MainTabBarController.swift
// HackerRankMobile
//
// Created by Luke Solomon on 11/9/17.
// Copyright © 2017 Solomon Stuff. All rights reserved.
//
import UIKit
class MainTabBarController: UITabBarController {
let photoHelper = MGPhotoHelper()
override func viewDidLoad() {
super.viewDidLoad()
photoHelper.completionHandler = { image in
PostService.create(for: image)
}
delegate = self
tabBar.unselectedItemTintColor = .black
// Do any additional setup after loading the view.
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
}
extension MainTabBarController: UITabBarControllerDelegate {
func tabBarController(_ tabBarController: UITabBarController, shouldSelect viewController: UIViewController) -> Bool {
if viewController.tabBarItem.tag == 1 {
photoHelper.presentActionSheet(from: self)
return false
} else {
return true
}
}
}
| mit | ece5f49a32710536eae83127ce673e65 | 25.404762 | 122 | 0.65284 | 5.30622 | false | false | false | false |
austinzheng/swift | test/Interpreter/formal_access.swift | 36 | 1927 | // RUN: %target-run-simple-swift-swift3 | %FileCheck %s
// REQUIRES: executable_test
// REQUIRES: swift_test_mode_optimize_none
// REQUIRES: rdar44160503
class C: CustomStringConvertible {
var value: Int
init(_ v: Int) { value = v }
var description: String { return String(value) }
}
var global = [C(1), C(2)]
print("Begin")
print("1. global[0] == \(global[0])")
// CHECK: Begin
// CHECK-NEXT: 1. global[0] == 1
func doit(_ local: inout C) {
print("2. local == \(local)")
print("2. global[0] == \(global[0])")
// CHECK-NEXT: 2. local == 1
// CHECK-NEXT: 2. global[0] == 1
// There's a connection between 'local' and 'global[0]'.
local = C(4)
print("3. local == \(local)")
print("3. global[0] == \(global[0])")
// CHECK-NEXT: 3. local == 4
// CHECK-NEXT: 3. global[0] == 4
// This assignment is to a different index and so is
// not allowed to cause unspecified behavior.
global[1] = C(5)
print("4. local == \(local)")
print("4. global[0] == \(global[0])")
// CHECK-NEXT: 4. local == 4
// CHECK-NEXT: 4. global[0] == 4
// The connection is not yet broken.
local = C(2)
print("5. local == \(local)")
print("5. global[0] == \(global[0])")
// CHECK-NEXT: 5. local == 2
// CHECK-NEXT: 5. global[0] == 4
// This assignment structurally changes 'global' while a
// simultaneous modification is occurring to it. This is
// allowed to have unspecified behavior but not to crash.
global.append(C(3))
print("6. local == \(local)")
print("6. global[0] == \(global[0])")
// CHECK-NEXT: 6. local == 2
// CHECK-NEXT: 6. global[0] == 4
// Note that here the connection is broken.
local = C(7)
print("7. local == \(local)")
print("7. global[0] == \(global[0])")
// CHECK-NEXT: 7. local == 7
// CHECK-NEXT: 7. global[0] == 4
}
doit(&global[0])
print("8. global[0] == \(global[0])")
print("End")
// CHECK-NEXT: 8. global[0] == 4
// CHECK-NEXT: End
| apache-2.0 | 0713927c19ebbe0c4584f873b5ff4e29 | 26.528571 | 59 | 0.590555 | 3.029874 | false | false | false | false |
muhasturk/smart-citizen-ios | Smart Citizen/Core/Services.swift | 1 | 1756 | /**
* Copyright (c) 2016 Mustafa Hastürk
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
import Foundation
struct AppAPI {
static let serviceDomain = "http://smart-citizen.mustafahasturk.com"
static let loginServiceURL = "/memberLogin"
static let signUpServiceURL = "/memberSignUp"
static let mapServiceURL = "/getUnorderedReportsByType?reportType="
static let dashboardServiceURL = "/getReportsByType?reportType="
static let reportServiceURL = "/sendReport"
static let profileServiceURL = "/getReportsByUserId?userId="
static let getReportById = "/getReportDetailsById?reportId="
static let voteReport = "/voteReport"
static let authorizedReaction = "/authorizedReaction"
} | mit | b575b3d4e62c6e7349f444e64b398bb8 | 38.022222 | 80 | 0.757265 | 4.523196 | false | false | false | false |
masters3d/xswift | exercises/dominoes/Sources/DominoesExample.swift | 1 | 4882 | struct Dominoes {
let singles: [Bone]
let doubles: [Bone]
var chained: Bool {
if singles.isEmpty && doubles.count == 1 { return true }
let (success, result) = chainning(swapDuplicate(singles))
if doubles.isEmpty {
return success
} else if success == true {
return doubles.count == doubles.filter({ each in return result.contains(where: { e in return e.value.head == each.value.head }) }).count
} else {
return false
}
}
private func swapDuplicate(_ input: [Bone]) -> [Bone] {
var unique = [Bone]()
for each in input {
if unique.contains(each) {
unique.insert(Bone(each.value.tail, each.value.head), at: 0)
} else {
unique.append(each)
}
}
return unique
}
private func chainning(_ input: [Bone]) -> (Bool, [Bone]) {
var matched = input
guard !matched.isEmpty else { return (false, []) }
let total = matched.count - 1
for index in 0...total {
for innerIndex in 0...total {
matched[index].connect(matched[innerIndex])
}
}
return (matched.filter({ $0.connected >= 2 }).count == matched.count) ?
(true, matched) : (false, [])
}
init(_ input: [(Int, Int)]) {
var singles = [Bone]()
var doubles = [Bone]()
for each in input {
if each.0 == each.1 {
doubles.append(Bone(each.0, each.1))
} else {
singles.append(Bone(each.0, each.1))
}
}
self.singles = singles
self.doubles = doubles
}
}
func == (lhs: Bone, rhs: Bone) -> Bool {
return lhs.value.head == rhs.value.head && lhs.value.tail == rhs.value.tail
}
class Bone: CustomStringConvertible, Equatable {
let value:(head: Int, tail: Int)
var connected: Int = 0
var available: Int?
var connectedTo: Bone?
var description: String {
return "\(value)|\(connected)|\(available) "
}
@discardableResult
func connect(_ input: Bone) -> Bool {
guard self !== input else { return false }
guard self !== input.connectedTo else { return false }
var toReturn = false
func oneZero() {
if available == input.value.head {
self.available = nil
input.available = input.value.tail
toReturn = true
}
if available == input.value.tail {
self.available = nil
input.available = input.value.head
toReturn = true
}
}
func zeroOne() {
if available == value.head {
input.available = nil
self.available = value.tail
toReturn = true
}
if available == value.tail {
input.available = nil
self.available = value.head
toReturn = true
}
}
func oneOne() {
if available == input.available {
self.available = nil
input.available = nil
toReturn = true
}
}
func zeroZero() {
if value.head == input.value.head {
available = value.tail
input.available = input.value.tail
connectedTo = input
toReturn = true
}
if value.tail == input.value.tail {
available = value.head
input.available = input.value.head
connectedTo = input
toReturn = true
}
if value.head == input.value.tail {
available = value.tail
input.available = input.value.head
connectedTo = input
toReturn = true
}
if value.tail == input.value.head {
available = value.head
input.available = input.value.tail
connectedTo = input
toReturn = true
}
}
switch (connected, input.connected) {
case (1, 0):
guard let _ = available else { return false }
oneZero()
case (0, 1):
guard let _ = input.available else { return false }
zeroOne()
case (1, 1):
oneOne()
case (0, 0):
zeroZero()
default:
toReturn = false
}
if toReturn {
connected += 1
input.connected += 1
return true
} else {
return false
}
}
init(_ head: Int, _ tail: Int) {
self.value.head = head
self.value.tail = tail
}
}
| mit | c3da8be7ecdd5a18e507ba9db083d4e7 | 26.738636 | 148 | 0.476444 | 4.716908 | false | false | false | false |
lelandjansen/fatigue | ios/Pods/PhoneNumberKit/PhoneNumberKit/Formatter.swift | 4 | 5499 | //
// Formatter.swift
// PhoneNumberKit
//
// Created by Roy Marmelstein on 03/11/2015.
// Copyright © 2015 Roy Marmelstein. All rights reserved.
//
import Foundation
final class Formatter {
weak var regexManager: RegexManager?
init(phoneNumberKit: PhoneNumberKit) {
self.regexManager = phoneNumberKit.regexManager
}
init(regexManager: RegexManager) {
self.regexManager = regexManager
}
// MARK: Formatting functions
/// Formats phone numbers for display
///
/// - Parameters:
/// - phoneNumber: Phone number object.
/// - formatType: Format type.
/// - regionMetadata: Region meta data.
/// - Returns: Formatted Modified national number ready for display.
func format(phoneNumber: PhoneNumber, formatType: PhoneNumberFormat, regionMetadata: MetadataTerritory?) -> String {
var formattedNationalNumber = phoneNumber.adjustedNationalNumber()
if let regionMetadata = regionMetadata {
formattedNationalNumber = formatNationalNumber(formattedNationalNumber, regionMetadata: regionMetadata, formatType: formatType)
if let formattedExtension = formatExtension(phoneNumber.numberExtension, regionMetadata: regionMetadata) {
formattedNationalNumber = formattedNationalNumber + formattedExtension
}
}
return formattedNationalNumber
}
/// Formats extension for display
///
/// - Parameters:
/// - numberExtension: Number extension string.
/// - regionMetadata: Region meta data.
/// - Returns: Modified number extension with either a preferred extension prefix or the default one.
func formatExtension(_ numberExtension: String?, regionMetadata: MetadataTerritory) -> String? {
if let extns = numberExtension {
if let preferredExtnPrefix = regionMetadata.preferredExtnPrefix {
return "\(preferredExtnPrefix)\(extns)"
}
else {
return "\(PhoneNumberConstants.defaultExtnPrefix)\(extns)"
}
}
return nil
}
/// Formats national number for display
///
/// - Parameters:
/// - nationalNumber: National number string.
/// - regionMetadata: Region meta data.
/// - formatType: Format type.
/// - Returns: Modified nationalNumber for display.
func formatNationalNumber(_ nationalNumber: String, regionMetadata: MetadataTerritory, formatType: PhoneNumberFormat) -> String {
guard let regexManager = regexManager else { return nationalNumber }
let formats = regionMetadata.numberFormats
var selectedFormat: MetadataPhoneNumberFormat?
for format in formats {
if let leadingDigitPattern = format.leadingDigitsPatterns?.last {
if (regexManager.stringPositionByRegex(leadingDigitPattern, string: String(nationalNumber)) == 0) {
if (regexManager.matchesEntirely(format.pattern, string: String(nationalNumber))) {
selectedFormat = format
break;
}
}
}
else {
if (regexManager.matchesEntirely(format.pattern, string: String(nationalNumber))) {
selectedFormat = format
break;
}
}
}
if let formatPattern = selectedFormat {
guard let numberFormatRule = (formatType == PhoneNumberFormat.international && formatPattern.intlFormat != nil) ? formatPattern.intlFormat : formatPattern.format, let pattern = formatPattern.pattern else {
return nationalNumber
}
var formattedNationalNumber = String()
var prefixFormattingRule = String()
if let nationalPrefixFormattingRule = formatPattern.nationalPrefixFormattingRule, let nationalPrefix = regionMetadata.nationalPrefix {
prefixFormattingRule = regexManager.replaceStringByRegex(PhoneNumberPatterns.npPattern, string: nationalPrefixFormattingRule, template: nationalPrefix)
prefixFormattingRule = regexManager.replaceStringByRegex(PhoneNumberPatterns.fgPattern, string: prefixFormattingRule, template:"\\$1")
}
if formatType == PhoneNumberFormat.national && regexManager.hasValue(prefixFormattingRule){
let replacePattern = regexManager.replaceFirstStringByRegex(PhoneNumberPatterns.firstGroupPattern, string: numberFormatRule, templateString: prefixFormattingRule)
formattedNationalNumber = regexManager.replaceStringByRegex(pattern, string: nationalNumber, template: replacePattern)
}
else {
formattedNationalNumber = regexManager.replaceStringByRegex(pattern, string: nationalNumber, template: numberFormatRule)
}
return formattedNationalNumber
}
else {
return nationalNumber
}
}
}
public extension PhoneNumber {
/**
Adjust national number for display by adding leading zero if needed. Used for basic formatting functions.
- Returns: A string representing the adjusted national number.
*/
public func adjustedNationalNumber() -> String {
if self.leadingZero == true {
return "0" + String(nationalNumber)
}
else {
return String(nationalNumber)
}
}
}
| apache-2.0 | ba5e17446a39d7c698c3feb56c4b82b3 | 41.292308 | 217 | 0.650782 | 5.650565 | false | false | false | false |
lotpb/iosSQLswift | mySQLswift/TrendingCell.swift | 1 | 780 | //
// TrendingCell.swift
// youtube
//
// Created by Brian Voong on 7/9/16.
// Copyright © 2016 letsbuildthatapp. All rights reserved.
//
import UIKit
import Parse
class TrendingCell: FeedCell {
override func fetchVideos() {
let query = PFQuery(className:"Newsios")
//query.cachePolicy = PFCachePolicy.CacheThenNetwork
query.orderByDescending("Liked")
query.findObjectsInBackgroundWithBlock { (objects: [PFObject]?, error: NSError?) -> Void in
if error == nil {
let temp: NSArray = objects! as NSArray
self._feedItems = temp.mutableCopy() as! NSMutableArray
self.collectionView.reloadData()
} else {
print("Error")
}
}
}
}
| gpl-2.0 | 6a98ba9ef70225d705d6a2ab5a4c5b0d | 25.862069 | 99 | 0.595635 | 4.636905 | false | false | false | false |
joaomarcelo93/ios-ble-explorer | ios-ble-explorer/String+Hexadecimal.swift | 1 | 3559 | //
// String+DataFromHex.swift
// ios-ble-explorer
//
// Created by João Marcelo on 20/06/15.
// Copyright (c) 2015 João Marcelo Oliveira. All rights reserved.
//
import Foundation
extension String {
/// Create NSData from hexadecimal string representation
///
/// This takes a hexadecimal representation and creates a NSData object. Note, if the string has any spaces, those are removed. Also if the string started with a '<' or ended with a '>', those are removed, too. This does no validation of the string to ensure it's a valid hexadecimal string
///
/// The use of `strtoul` inspired by Martin R at http://stackoverflow.com/a/26284562/1271826
///
/// :returns: NSData represented by this hexadecimal string. Returns nil if string contains characters outside the 0-9 and a-f range.
func dataFromHexadecimalString() -> NSData? {
let trimmedString = self.stringByTrimmingCharactersInSet(NSCharacterSet(charactersInString: "<> ")).stringByReplacingOccurrencesOfString(" ", withString: "")
// make sure the cleaned up string consists solely of hex digits, and that we have even number of them
var error: NSError?
let regex = NSRegularExpression(pattern: "^[0-9a-f]*$", options: .CaseInsensitive, error: &error)
let found = regex?.firstMatchInString(trimmedString, options: nil, range: NSMakeRange(0, count(trimmedString)))
if found == nil || found?.range.location == NSNotFound || count(trimmedString) % 2 != 0 {
return nil
}
// everything ok, so now let's build NSData
let data = NSMutableData(capacity: count(trimmedString) / 2)
for var index = trimmedString.startIndex; index < trimmedString.endIndex; index = index.successor().successor() {
let byteString = trimmedString.substringWithRange(Range<String.Index>(start: index, end: index.successor().successor()))
let num = UInt8(byteString.withCString { strtoul($0, nil, 16) })
data?.appendBytes([num] as [UInt8], length: 1)
}
return data
}
/// Create NSData from hexadecimal string representation
///
/// This takes a hexadecimal representation and creates a String object from taht. Note, if the string has any spaces, those are removed. Also if the string started with a '<' or ended with a '>', those are removed, too.
///
/// :param: encoding The NSStringCoding that indicates how the binary data represented by the hex string should be converted to a String.
///
/// :returns: String represented by this hexadecimal string. Returns nil if string contains characters outside the 0-9 and a-f range or if a string cannot be created using the provided encoding
func stringFromHexadecimalStringUsingEncoding(encoding: NSStringEncoding) -> String? {
if let data = dataFromHexadecimalString() {
return NSString(data: data, encoding: encoding) as? String
}
return nil
}
/// Create hexadecimal string representation of String object.
///
/// :param: encoding The NSStringCoding that indicates how the string should be converted to NSData before performing the hexadecimal conversion.
///
/// :returns: String representation of this String object.
func hexadecimalStringUsingEncoding(encoding: NSStringEncoding) -> String? {
let data = dataUsingEncoding(NSUTF8StringEncoding)
return data?.hexadecimalString()
}
} | mit | 1e7d127556761eab11759dc1ea5bcfa3 | 48.416667 | 294 | 0.678943 | 4.919779 | false | false | false | false |
kirkbyo/Alpha | Alpha/Fortunes.swift | 1 | 2111 | //
// fortunes.swift
// Alpha
//
// Created by Ozzie Kirkby on 2014-10-19.
// Copyright (c) 2014 Ozzie Kirkby. All rights reserved.
//
import Foundation
import UIKit
import Social
class FortunesController: UIViewController {
//============================//
//****** Outlet & Actions ****//
//============================//
let utility = Utility()
@IBOutlet weak var fortuneBackground: UIImageView!
@IBOutlet weak var displayFortune: UILabel!
//============================//
//********** General *********//
//============================//
override func viewDidLoad() {
super.viewDidLoad()
// Checks if time is greater then 3pm to change background
let currentTime = utility.currentTime()
if (currentTime >= 15 ) {
fortuneBackground.image = UIImage(named: "fortune_background.png")
} else {
fortuneBackground.image = UIImage(named:"morning_fortunes_background.png")
}
}
//============================//
//********** Fortunes ********//
//============================//
let fortunes = fortunesGroup()
var fortune: String = ""
override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
fortune = fortunes.randomFortune()
displayFortune.text = fortune
}
//============================//
//***** Sharing Features *****//
//============================//
@IBAction func shareTweet(_ sender: AnyObject) {
Share(fortune).shareTwitter(fortune.characters.count, action: { sheet in
self.present(sheet, animated: true, completion: nil)
}, error: { alert in
self.present(alert, animated: true, completion: nil)
})
}
@IBAction func shareFacebook(_ sender: AnyObject) {
Share(fortune).shareFacebook({ sheet in
self.present(sheet, animated: true, completion: nil)
}, error: { alert in
self.present(alert, animated: true, completion: nil)
})
}
}
| mit | c862f1d0f376dac8419a28e01d166444 | 28.319444 | 86 | 0.5045 | 4.670354 | false | false | false | false |
gouyz/GYZBaking | baking/Classes/Orders/Controller/GYZSelectReceivedGoodsVC.swift | 1 | 6737 | //
// GYZSelectReceivedGoodsVC.swift
// baking
// 选择收货商品
// Created by gouyz on 2017/6/8.
// Copyright © 2017年 gouyz. All rights reserved.
//
import UIKit
import MBProgressHUD
private let receivedGoodsCell = "receivedGoodsCell"
class GYZSelectReceivedGoodsVC: GYZBaseVC,UITableViewDelegate,UITableViewDataSource {
///订单商品列表
var goodsModels: [OrderGoodsModel] = [OrderGoodsModel]()
///选择的收货商品
var selectGoods: [String : String] = [:]
/// 订单id
var orderId: String = ""
///商品状态,0未收货 1已收货 -1退货
var type:String = "0"
override func viewDidLoad() {
super.viewDidLoad()
self.title = "选择收货商品"
view.addSubview(tableView)
view.addSubview(receivedGoodsBtn)
tableView.snp.makeConstraints { (make) in
make.edges.equalTo(UIEdgeInsetsMake(0, 0, kBottomTabbarHeight, 0))
}
receivedGoodsBtn.snp.makeConstraints { (make) in
make.bottom.equalTo(view)
make.top.equalTo(tableView.snp.bottom)
make.left.right.equalTo(view)
}
requestGoods()
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
/// 懒加载UITableView
lazy var tableView : UITableView = {
let table = UITableView(frame: CGRect.zero, style: .plain)
table.dataSource = self
table.delegate = self
table.tableFooterView = UIView()
table.separatorColor = kGrayLineColor
table.register(GYZSelectReceivedGoodsCell.self, forCellReuseIdentifier: receivedGoodsCell)
return table
}()
/// 确定收货按钮
fileprivate lazy var receivedGoodsBtn : UIButton = {
let btn = UIButton.init(type: .custom)
btn.backgroundColor = kBtnClickBGColor
btn.setTitle("确定收货", for: .normal)
btn.setTitleColor(kWhiteColor, for: .normal)
btn.titleLabel?.font = k15Font
btn.addTarget(self, action: #selector(clickReceivedGoodsBtn), for: .touchUpInside)
return btn
}()
/// 获取订单商品信息
func requestGoods(){
weak var weakSelf = self
showLoadingView()
GYZNetWork.requestNetwork("Order/orderGoods",parameters: ["order_id":orderId,"type":type], success: { (response) in
weakSelf?.hiddenLoadingView()
GYZLog(response)
if response["status"].intValue == kQuestSuccessTag{//请求成功
let data = response["result"]
guard let info = data["info"].array else { return }
for item in info{
guard let itemInfo = item.dictionaryObject else { return }
let model = OrderGoodsModel.init(dict: itemInfo)
weakSelf?.goodsModels.append(model)
}
if weakSelf?.goodsModels.count > 0{
weakSelf?.tableView.reloadData()
}
}else{
MBProgressHUD.showAutoDismissHUD(message: response["result"]["msg"].stringValue)
}
}, failture: { (error) in
weakSelf?.hiddenLoadingView()
GYZLog(error)
})
}
/// 确定收货
func clickReceivedGoodsBtn(){
if selectGoods.count > 0 {
weak var weakSelf = self
GYZAlertViewTools.alertViewTools.showAlert(title: "提示", message: "确定收货吗?", cancleTitle: "取消", viewController: self, buttonTitles: "确定") { (index) in
if index != -1{
//确定收货
weakSelf?.requestUpdateGoodsState()
}
}
}else{
MBProgressHUD.showAutoDismissHUD(message: "请选择收货商品")
}
}
/// 部分确认收货接口
func requestUpdateGoodsState(){
weak var weakSelf = self
createHUD(message: "加载中...")
var ids: String = ""
for item in selectGoods {
ids += item.value + ";"
}
ids = ids.substring(to: ids.index(ids.startIndex, offsetBy: ids.characters.count - 1))
GYZNetWork.requestNetwork("Order/updateOrderGoodsType",parameters: ["order_id":orderId,"type":"1","goods_id":ids], success: { (response) in
weakSelf?.hud?.hide(animated: true)
// GYZLog(response)
if response["status"].intValue == kQuestSuccessTag{//请求成功
_ = weakSelf?.navigationController?.popViewController(animated: true)
}else{
MBProgressHUD.showAutoDismissHUD(message: response["result"]["msg"].stringValue)
}
}, failture: { (error) in
weakSelf?.hud?.hide(animated: true)
GYZLog(error)
})
}
// MARK: - UITableViewDataSource
func numberOfSections(in tableView: UITableView) -> Int {
return 1
}
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return goodsModels.count
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: receivedGoodsCell) as! GYZSelectReceivedGoodsCell
let item = goodsModels[indexPath.row]
cell.logoImgView.kf.setImage(with: URL.init(string: item.goods_thumb_img!), placeholder: UIImage.init(named: "icon_goods_default"), options: nil, progressBlock: nil, completionHandler: nil)
cell.nameLab.text = item.cn_name
if selectGoods.keys.contains(item.goods_id!){//是否选择
cell.checkBtn.isSelected = true
}else{
cell.checkBtn.isSelected = false
}
cell.selectionStyle = .none
return cell
}
///MARK : UITableViewDelegate
func tableView(_ tableView: UITableView, heightForRowAt indexPath: IndexPath) -> CGFloat {
return 60
}
func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
let item = goodsModels[indexPath.row]
if selectGoods.keys.contains(item.goods_id!){//是否选择
selectGoods.removeValue(forKey: item.goods_id!)
}else{
selectGoods[item.goods_id!] = item.goods_id!
}
self.tableView.reloadData()
}
}
| mit | 4869fa6b78dc22362dfca8b0dcce72b2 | 32.699482 | 197 | 0.579336 | 4.761347 | false | false | false | false |
witekbobrowski/Stanford-CS193p-Winter-2017 | Cassini/Cassini/CassiniViewController.swift | 1 | 1529 | //
// CassiniViewController.swift
// Cassini
//
// Created by Witek on 12/05/2017.
// Copyright © 2017 Witek Bobrowski. All rights reserved.
//
import UIKit
class CassiniViewController: UIViewController, UISplitViewControllerDelegate {
override func awakeFromNib() {
super.awakeFromNib()
self.splitViewController?.delegate = self
}
// MARK: - Navigation
// In a storyboard-based application, you will often want to do a little preparation before navigation
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
if let url = DemoURL.NASA[segue.identifier ?? ""]{
if let imageVC = (segue.destination.contents as? ImageViewController) {
imageVC.imageURL = url
imageVC.title = (sender as? UIButton)?.currentTitle
}
}
}
func splitViewController(_ splitViewController: UISplitViewController, collapseSecondary secondaryViewController: UIViewController, onto primaryViewController: UIViewController) -> Bool {
if primaryViewController.contents == self {
if let ivc = secondaryViewController.contents as? ImageViewController, ivc.imageURL == nil {
return true
}
}
return false
}
}
extension UIViewController{
var contents: UIViewController {
if let navcon = self as? UINavigationController {
return navcon.visibleViewController ?? self
} else {
return self
}
}
}
| mit | eead9542d85b97e66161ffaa42243942 | 30.833333 | 191 | 0.650524 | 5.380282 | false | false | false | false |
CGLueng/DYTV | DYZB/DYZB/Classes/Tools/Common.swift | 1 | 352 | //
// Common.swift
// DYZB
//
// Created by CGLueng on 2016/12/12.
// Copyright © 2016年 com.ruixing. All rights reserved.
//
import UIKit
let kStateBarH : CGFloat = 20
let kNavigationBarH : CGFloat = 44
let kTabbarH : CGFloat = 44
let kScreenW : CGFloat = UIScreen.main.bounds.width
let kScreenH : CGFloat = UIScreen.main.bounds.height
| mit | 0cff8ce770fd11af1a13af38751a2540 | 16.45 | 55 | 0.702006 | 3.355769 | false | false | false | false |
between40and2/XALG | frameworks/Framework-XALG/Tree/Rep/XALG_Rep_Tree_BinarySearchTree.swift | 1 | 6788 | //
// XALG_Rep_Tree_BinarySearchTree.swift
// XALG
//
// Created by Juguang Xiao on 06/03/2017.
//
import Swift
class XALG_Rep_Tree_BinarySearchTree<Payload, Key>: XALG_ADT_Tree_BinarySearchTree
where Key : Comparable
{
typealias NodeType = XALG_Rep_TreeNode_BinaryTree_Key<Payload, Key>
// typealias NodeType = XALG_DS_TreeNode_BinaryTree_Key<Payload, Key, NodeType>
typealias PayloadType = Payload
typealias KeyType = Key
var rootNode : NodeType?
func insert(payload: Payload, key: Key) -> NodeType {
if let r = rootNode {
return _insert(payload: payload, key: key, node: r)
}else {
let node = NodeType(key: key)
node.payload = payload
rootNode = node
return node
}
}
// for BST, it does nothing. for AVL, it does important thing to maintain AVL property.
func balance(_ n : NodeType) {
}
private func _insert(payload: PayloadType?, key: KeyType, node : NodeType) -> NodeType {
if key < node.key {
if let child = node.leftChild {
return _insert(payload: payload, key: key, node: child)
}else {
let child = NodeType(key: key)
child.payload = payload
child.parent = node
node.leftChild = child
balance(child)
return child
}
}else {
if let child = node.rightChild {
return _insert(payload: payload, key: key, node: child)
}else {
let child = NodeType(key: key)
child.payload = payload
child.parent = node
node.rightChild = child
balance(child)
return child
}
}
}
func search(key: KeyType, usesRecursion : Bool) -> NodeType? {
return usesRecursion ? _search_recursive(key: key) : _search_iterative(key: key)
}
private func _search_iterative(key : KeyType) -> NodeType? {
var node = rootNode
while let n = node {
if key < n.key {
node = n.leftChild
}else if key > n.key {
node = n.rightChild
}else {
return node
}
}
return nil
}
private func _search_recursive(key : KeyType) -> NodeType? {
guard let r = rootNode else { return nil }
return _search_recursive_core(key: key, node: r)
}
private func _search_recursive_core(key : KeyType, node : NodeType?) -> NodeType? {
guard let n = node else { return nil }
if key == n.key { return n }
if key < n.key { return _search_recursive_core(key: key, node: n.leftChild) }
return _search_recursive_core(key: key, node: n.rightChild)
}
}
class XALG_Rep_Tree_AVLTree<Payload, Key> : XALG_Rep_Tree_BinarySearchTree<Payload, Key>
where Key : Comparable
//Self.NodeType == Self.NodeType.NodeType
{
typealias NodeType = XALG_Rep_TreeNode_BinaryTree_Key<Payload, Key>
private func updateHeightUpwards(_ n : NodeType?) {
guard let n = n else {
return
}
let height_left = n.leftChild?.height ?? 0
let height_right = n.rightChild?.height ?? 0
n.height = max(height_left, height_right) + 1
if let parent = n.parent as? NodeType {
updateHeightUpwards(parent)
}
}
override func balance(_ node: NodeType?) {
guard let n = node else { return }
updateHeightUpwards(n.leftChild)
updateHeightUpwards(n.rightChild)
var t0 : NodeType? = nil
var t1_ : [NodeType?] = Array<NodeType?>.init(repeating: nil, count: 2) // was named node_
var t2_ = Array<NodeType?>.init(repeating: nil, count: 4) // was named subtree_
let parent = n.parent as? NodeType
switch n.balanceFactor {
case let bf where bf > 1 :
if n.leftChild!.balanceFactor > 0 {
// left-left
let A = n
let B = A.leftChild
// let BL = B?.leftChild
t0 = B?.leftChild
t1_ = [A, n.leftChild?.leftChild] // , n.leftChild] // A, BL, B
t2_ = [t1_[1]?.leftChild, t1_[1]?.rightChild, B?.rightChild, A.rightChild]
}else {
// left-right
let A = n
let B = n.leftChild
let C = B?.rightChild
t0 = B?.rightChild
t1_ = [n, n.leftChild] // n.leftChild?.rightChild] // A, B, BR(C)
t2_ = [B?.leftChild, C?.leftChild, C?.rightChild, A.rightChild]
}
case let bf where bf < -1 :
if n.rightChild!.balanceFactor < 0 {
// right-right
let A = n
let B = A.rightChild
let BR = A.rightChild
t0 = B
t1_ = [BR, A, B]
t2_ = [A.leftChild, B?.leftChild, B?.rightChild?.leftChild, B?.rightChild?.rightChild]
}else {
// right-left
let A = n
let B = A.rightChild
let C = B?.leftChild
t0 = C
t1_ = [B , A]
t2_ = [A.leftChild, C?.leftChild, C?.rightChild, B?.rightChild]
}
default:
balance(parent)
return
}
/////// Round 2: re-weaving the relationships among above defined nodes.
// 2.1 between new t0 and its parent
if n.isRoot {
self.rootNode = t0
self.rootNode?.parent = nil
}else if n.isLeftChild {
parent?.lchild = t0
t0?.parentNode = parent
}else if n.isRightChild {
parent?.rightChild = t0
t0?.parentNode = parent
}
/// 2.2 between t0 and t1_
t0?.leftChild = t1_[1]
t1_[1]?.parentNode = t0
t0?.rightChild = t1_[0]
t1_[0]?.parentNode = t0
/// 2.3 between t1_ and t2_
t1_[1]?.leftChild = t2_[0]
t2_[0]?.parentNode = t1_[1]
t1_[1]?.rightChild = t2_[1]
t2_[1]?.parentNode = t1_[1]
t1_[0]?.leftChild = t2_[2]
t2_[2]?.parentNode = t1_[0]
t1_[0]?.rightChild = t2_[3]
t2_[3]?.parentNode = t1_[0]
/// Round 3
t1_.forEach{ updateHeightUpwards($0) }
balance(t0?.parentNode)
}
}
| mit | 89ca1136f351c60f461d3355df8c4ff4 | 29.714932 | 102 | 0.492487 | 4.218769 | false | false | false | false |
between40and2/XALG | frameworks/Framework-XALG/Graph/Algo/SSSP/XALG_Algo_Graph_SSSP.swift | 1 | 2219 | //
// XALG_Algo_Graph_SSSP.swift
// XALG
//
// Created by Juguang Xiao on 25/04/2017.
//
import Swift
class XALG_Algo_Graph_SSSP<G : XALG_ADT_Graph_Weighted> : XALG_Algo_Graph_base<G>
//where G.VertexType : Hashable
{
typealias DistanceType = G.WeightType
var sourceVertex : VertexType?
// expected outputs
var predecessor_ = [VertexType: VertexType?]()
var distance_ = [VertexType: DistanceType]()
// also called INITIALIZE-SINGLE-SOURCE(G, s)
// was called setup()
func initializeSingleSource() {
let vs = sourceVertex!
let g_w = graph!
for v in graph!.vertex_ {
distance_[v] = G.WeightType.max
predecessor_[v] = nil
}
for e in graph!.outEdges(forVertex: vs) {
let e_w = e as! G.EdgeType_Weighted
let to = e_w.vertex_[1] as! G.VertexType
distance_[to] = g_w.weight(onEdge: e_w)
predecessor_[to] = vs
}
// distance_[source!] = 0
predecessor_[vs] = vs
let zero : G.WeightType = G.WeightType.zero
distance_[vs] = zero
}
func relax(from : VertexType, to : VertexType, w : DistanceType) {
if distance_[to]! > distance_[from]! + w {
distance_[to]! = distance_[from]! + w
predecessor_[to] = from
}
}
}
extension XALG_Algo_Graph_SSSP {
func distance(to : VertexType) -> DistanceType? {
let d = distance_[to]
guard d != DistanceType.max else { return nil }
return d
}
func path(to : VertexType) -> [VertexType]? {
guard distance_[to] != DistanceType.max else { return nil }
guard let p = recursePath(to: to, path: [to]) else { return nil }
return p
}
private func recursePath(to : VertexType, path: [VertexType]) -> [VertexType]? {
guard let pred = predecessor_[to] else { return nil }
if pred == to { return [to] }
guard let p = recursePath(to: pred!, path: path) else { return nil }
return p + [to]
}
}
| mit | 377113e0c8d56eebf28eb6678818aa4b | 25.416667 | 84 | 0.526363 | 3.983842 | false | false | false | false |
xedin/swift | stdlib/public/Darwin/Accelerate/vDSP_DecibelConversion.swift | 2 | 9043 | //===----------------------------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2019 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
extension vDSP {
/// Converts power to decibels, single-precision.
///
/// - Parameter power: Source vector.
/// - Parameter zeroReference: Zero reference.
/// - Returns: `power` converted to decibels.
@inlinable
@available(iOS 9999, macOS 9999, tvOS 9999, watchOS 9999, *)
public static func powerToDecibels<U>(_ power: U,
zeroReference: Float) -> [Float]
where
U: AccelerateBuffer,
U.Element == Float {
let result = Array<Float>(unsafeUninitializedCapacity: power.count) {
buffer, initializedCount in
convert(power: power,
toDecibels: &buffer,
zeroReference: zeroReference)
initializedCount = power.count
}
return result
}
/// Converts power to decibels, single-precision.
///
/// - Parameter power: Source vector.
/// - Parameter decibels: Destination vector.
/// - Parameter zeroReference: Zero reference.
@inlinable
@available(iOS 9999, macOS 9999, tvOS 9999, watchOS 9999, *)
public static func convert<U, V>(power: U,
toDecibels decibels: inout V,
zeroReference: Float)
where
U: AccelerateBuffer,
V: AccelerateMutableBuffer,
U.Element == Float, V.Element == Float {
let n = decibels.count
precondition(power.count == n)
decibels.withUnsafeMutableBufferPointer { db in
power.withUnsafeBufferPointer { pwr in
withUnsafePointer(to: zeroReference) { zref in
vDSP_vdbcon(pwr.baseAddress!, 1,
zref,
db.baseAddress!, 1,
vDSP_Length(n),
0)
}
}
}
}
/// Converts power to decibels, double-precision.
///
/// - Parameter power: Source vector.
/// - Parameter zeroReference: Zero reference.
/// - Returns: `power` converted to decibels.
@inlinable
@available(iOS 9999, macOS 9999, tvOS 9999, watchOS 9999, *)
public static func powerToDecibels<U>(_ power: U,
zeroReference: Double) -> [Double]
where
U: AccelerateBuffer,
U.Element == Double {
let result = Array<Double>(unsafeUninitializedCapacity: power.count) {
buffer, initializedCount in
convert(power: power,
toDecibels: &buffer,
zeroReference: zeroReference)
initializedCount = power.count
}
return result
}
/// Converts power to decibels, double-precision.
///
/// - Parameter power: Source vector.
/// - Parameter decibels: Destination vector.
/// - Parameter zeroReference: Zero reference.
@inlinable
@available(iOS 9999, macOS 9999, tvOS 9999, watchOS 9999, *)
public static func convert<U, V>(power: U,
toDecibels decibels: inout V,
zeroReference: Double)
where
U: AccelerateBuffer,
V: AccelerateMutableBuffer,
U.Element == Double, V.Element == Double {
let n = decibels.count
precondition(power.count == n)
decibels.withUnsafeMutableBufferPointer { db in
power.withUnsafeBufferPointer { pwr in
withUnsafePointer(to: zeroReference) { zref in
vDSP_vdbconD(pwr.baseAddress!, 1,
zref,
db.baseAddress!, 1,
vDSP_Length(n),
0)
}
}
}
}
/// Converts amplitude to decibels, single-precision.
///
/// - Parameter amplitude: Source vector.
/// - Parameter zeroReference: Zero reference.
/// - Returns: `amplitude` converted to decibels.
@inlinable
@available(iOS 9999, macOS 9999, tvOS 9999, watchOS 9999, *)
public static func amplitudeToDecibels<U>(_ amplitude: U,
zeroReference: Float) -> [Float]
where
U: AccelerateBuffer,
U.Element == Float {
let result = Array<Float>(unsafeUninitializedCapacity: amplitude.count) {
buffer, initializedCount in
convert(amplitude: amplitude,
toDecibels: &buffer,
zeroReference: zeroReference)
initializedCount = amplitude.count
}
return result
}
/// Converts amplitude to decibels, single-precision.
///
/// - Parameter amplitude: Source vector.
/// - Parameter decibels: Destination vector.
/// - Parameter zeroReference: Zero reference.
@inlinable
@available(iOS 9999, macOS 9999, tvOS 9999, watchOS 9999, *)
public static func convert<U, V>(amplitude: U,
toDecibels decibels: inout V,
zeroReference: Float)
where
U: AccelerateBuffer,
V: AccelerateMutableBuffer,
U.Element == Float, V.Element == Float {
let n = decibels.count
precondition(amplitude.count == n)
decibels.withUnsafeMutableBufferPointer { db in
amplitude.withUnsafeBufferPointer { amp in
withUnsafePointer(to: zeroReference) { zref in
vDSP_vdbcon(amp.baseAddress!, 1,
zref,
db.baseAddress!, 1,
vDSP_Length(n),
1)
}
}
}
}
/// Converts amplitude to decibels, double-precision.
///
/// - Parameter amplitude: Source vector.
/// - Parameter zeroReference: Zero reference.
/// - Returns: `amplitude` converted to decibels.
@inlinable
@available(iOS 9999, macOS 9999, tvOS 9999, watchOS 9999, *)
public static func amplitudeToDecibels<U>(_ amplitude: U,
zeroReference: Double) -> [Double]
where
U: AccelerateBuffer,
U.Element == Double {
let result = Array<Double>(unsafeUninitializedCapacity: amplitude.count) {
buffer, initializedCount in
convert(amplitude: amplitude,
toDecibels: &buffer,
zeroReference: zeroReference)
initializedCount = amplitude.count
}
return result
}
/// Converts amplitude to decibels, double-precision.
///
/// - Parameter amplitude: Source vector.
/// - Parameter decibels: Destination vector.
/// - Parameter zeroReference: Zero reference.
@inlinable
@available(iOS 9999, macOS 9999, tvOS 9999, watchOS 9999, *)
public static func convert<U, V>(amplitude: U,
toDecibels decibels: inout V,
zeroReference: Double)
where
U: AccelerateBuffer,
V: AccelerateMutableBuffer,
U.Element == Double, V.Element == Double {
let n = decibels.count
precondition(amplitude.count == n)
decibels.withUnsafeMutableBufferPointer { db in
amplitude.withUnsafeBufferPointer { amp in
withUnsafePointer(to: zeroReference) { zref in
vDSP_vdbconD(amp.baseAddress!, 1,
zref,
db.baseAddress!, 1,
vDSP_Length(n),
1)
}
}
}
}
}
| apache-2.0 | ffb8419281186856a3141258e24e4920 | 36.367769 | 86 | 0.485127 | 5.648345 | false | false | false | false |
antlr/grammars-v4 | swift/swift5/examples/Regex.swift | 1 | 5477 | import Foundation
/**
Create a regular expression from a pattern string and options.
```
import Regex
let regex = Regex(#"^[a-z]+$"#, options: .caseInsensitive)
regex.isMatched(by: "Unicorn")
//=> true
```
*/
public struct Regex: Hashable {
let nsRegex: NSRegularExpression
// MARK: Initializers
/**
Create a `Regex` from a static pattern string and options.
Tip: Wrap the pattern string in `#` to reduce the need for escaping. For example: `#"\d+"#`.
[Supported regex syntax.](https://developer.apple.com/documentation/foundation/nsregularexpression#1661061)
*/
public init(
_ pattern: StaticString,
options: Options = [],
file: StaticString = #fileID,
line: Int = #line
) {
do {
try self.init(pattern.string, options: options)
} catch {
fatalError("Invalid regular expression: \(error.localizedDescription)", file: file, line: UInt(line))
}
}
/**
Create a `Regex` from a pattern string and options.
Tip: Wrap the pattern string in `#` to reduce the need for escaping. For example: `#"\d+"#`.
[Supported regex syntax.](https://developer.apple.com/documentation/foundation/nsregularexpression#1661061)
*/
@_disfavoredOverload
public init(
_ pattern: String,
options: Options = []
) throws {
self.init(
try NSRegularExpression(pattern: pattern, options: options)
)
}
/**
Create a `Regex` from a `NSRegularExpression`.
*/
@_disfavoredOverload
public init(_ regularExpression: NSRegularExpression) {
self.nsRegex = regularExpression
}
}
// MARK: Methods
extension Regex {
/**
Returns whether there is a match in the given string.
```
import Regex
Regex(#"^\d+$"#).isMatched(by: "123")
//=> true
```
*/
public func isMatched(by string: String) -> Bool {
firstMatch(in: string) != nil
}
/**
Returns the first match in the given string.
```
import Regex
Regex(#"\d+"#).firstMatch(in: "123-456")?.value
//=> "123"
```
*/
public func firstMatch(in string: String) -> Match? {
nsRegex.firstMatch(in: string).map {
Match(checkingResult: $0, string: string)
}
}
/**
Returns all the matches in the given string.
```
import Regex
Regex(#"\d+"#).allMatches(in: "123-456").map(\.value)
//=> ["123", "456"]
```
*/
public func allMatches(in string: String) -> [Match] {
nsRegex.matches(in: string).map {
Match(checkingResult: $0, string: string)
}
}
}
// TODO: This needs to include the options too.
//extension Regex: CustomStringConvertible {
// public var description: String { regex.pattern }
//}
extension Regex {
// MARK: Properties
/**
The regular expression pattern.
*/
public var pattern: String { nsRegex.pattern }
/**
The regular expression options.
*/
public var options: Options { nsRegex.options }
}
// MARK: Types
extension Regex {
public typealias Options = NSRegularExpression.Options
public typealias MatchingOptions = NSRegularExpression.MatchingOptions
/**
A regex match.
*/
public struct Match: Hashable {
/**
A regex match capture group.
*/
public struct Group: Hashable {
/**
The capture group string.
*/
public let value: String
/**
The range of the capture group string in the original string.
*/
public let range: Range<String.Index>
fileprivate init(originalString: String, range: NSRange) {
self.range = Range(range, in: originalString)!
self.value = String(originalString[self.range])
}
}
fileprivate let originalString: String
let checkingResult: NSTextCheckingResult
/**
The matched string.
*/
public let value: String
/**
The range of the matched string in the original string.
*/
public let range: Range<String.Index>
/**
All the match groups.
*/
public let groups: [Group]
/**
Get a match group by its name.
```
import Regex
Regex(#"(?<number>\d+)"#).firstMatch(in: "1a-2b")?.group(named: "number")?.value
//=> "1"
```
*/
public func group(named name: String) -> Group? {
let range = checkingResult.range(withName: name)
guard range.length > 0 else {
return nil
}
return Group(originalString: originalString, range: range)
}
fileprivate init(checkingResult: NSTextCheckingResult, string: String) {
self.checkingResult = checkingResult
self.originalString = string
self.value = string[nsRange: checkingResult.range]!.string
self.range = Range(checkingResult.range, in: string)!
// The first range is the full range, so we ignore that.
self.groups = (1..<checkingResult.numberOfRanges).map {
let range = checkingResult.range(at: $0)
return Group(originalString: string, range: range)
}
}
}
}
// MARK: Operators
extension Regex {
/**
Enables using a regex for pattern matching.
```
import Regex
switch "foo123" {
case Regex(#"^foo\d+$"#):
print("Match!")
default:
break
}
```
*/
public static func ~= (string: String, regex: Self) -> Bool {
regex.isMatched(by: string)
}
/**
Enables using a regex for pattern matching.
```
import Regex
switch Regex(#"^foo\d+$"#) {
case "foo123":
print("Match!")
default:
break
}
```
*/
public static func ~= (regex: Self, string: String) -> Bool {
regex.isMatched(by: string)
}
}
// MARK: Helpers
extension Regex {
/**
Returns a string by adding backslash escapes as necessary to protect any characters that would match as pattern metacharacters.
*/
public static func escapingPattern(for string: String) -> String {
NSRegularExpression.escapedPattern(for: string)
}
}
| mit | 8bed75767840489550b74a117244c6fc | 19.513109 | 128 | 0.671901 | 3.349847 | false | false | false | false |
Alloc-Studio/Hypnos | Hypnos/Pods/JLToast/JLToast/JLToastWindow.swift | 1 | 5413 | /*
* JLToastView.swift
*
* DO WHAT THE FUCK YOU WANT TO PUBLIC LICENSE
* Version 2, December 2004
*
* Copyright (C) 2013-2015 Su Yeol Jeon
*
* Everyone is permitted to copy and distribute verbatim or modified
* copies of this license document, and changing it is allowed as long
* as the name is changed.
*
* DO WHAT THE FUCK YOU WANT TO PUBLIC LICENSE
* TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION
*
* 0. You just DO WHAT THE FUCK YOU WANT TO.
*
*/
import UIKit
public class JLToastWindow: UIWindow {
public static let sharedWindow = JLToastWindow(frame: UIScreen.mainScreen().bounds)
/// Will not return `rootViewController` while this value is `true`. Or the rotation will be fucked in iOS 9.
var isStatusBarOrientationChanging = false
/// Don't rotate manually if the application:
///
/// - is running on iPad
/// - is running on iOS 9
/// - supports all orientations
/// - doesn't require full screen
/// - has launch storyboard
///
var shouldRotateManually: Bool {
let iPad = UIDevice.currentDevice().userInterfaceIdiom == .Pad
let application = UIApplication.sharedApplication()
let window = application.delegate?.window ?? nil
let supportsAllOrientations = application.supportedInterfaceOrientationsForWindow(window) == .All
let info = NSBundle.mainBundle().infoDictionary
let requiresFullScreen = info?["UIRequiresFullScreen"]?.boolValue == true
let hasLaunchStoryboard = info?["UILaunchStoryboardName"] != nil
if #available(iOS 9, *), iPad && supportsAllOrientations && !requiresFullScreen && hasLaunchStoryboard {
return false
}
return true
}
override public var rootViewController: UIViewController? {
get {
guard !self.isStatusBarOrientationChanging else { return nil }
return UIApplication.sharedApplication().windows.first?.rootViewController
}
set { /* Do nothing */ }
}
public override init(frame: CGRect) {
super.init(frame: frame)
self.userInteractionEnabled = false
self.windowLevel = CGFloat.max
self.backgroundColor = .clearColor()
self.hidden = false
self.handleRotate(UIApplication.sharedApplication().statusBarOrientation)
NSNotificationCenter.defaultCenter().addObserver(self,
selector: #selector(self.bringWindowToTop),
name: UIWindowDidBecomeVisibleNotification,
object: nil
)
NSNotificationCenter.defaultCenter().addObserver(self,
selector: #selector(self.statusBarOrientationWillChange),
name: UIApplicationWillChangeStatusBarOrientationNotification,
object: nil
)
NSNotificationCenter.defaultCenter().addObserver(self,
selector: #selector(self.statusBarOrientationDidChange),
name: UIApplicationDidChangeStatusBarOrientationNotification,
object: nil
)
NSNotificationCenter.defaultCenter().addObserver(self,
selector: #selector(self.applicationDidBecomeActive),
name: UIApplicationDidBecomeActiveNotification,
object: nil
)
}
required public init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
/// Bring JLToastWindow to top when another window is being shown.
func bringWindowToTop(notification: NSNotification) {
if !(notification.object is JLToastWindow) {
self.dynamicType.sharedWindow.hidden = true
self.dynamicType.sharedWindow.hidden = false
}
}
dynamic func statusBarOrientationWillChange() {
self.isStatusBarOrientationChanging = true
}
dynamic func statusBarOrientationDidChange() {
let orientation = UIApplication.sharedApplication().statusBarOrientation
self.handleRotate(orientation)
self.isStatusBarOrientationChanging = false
}
func applicationDidBecomeActive() {
let orientation = UIApplication.sharedApplication().statusBarOrientation
self.handleRotate(orientation)
}
func handleRotate(orientation: UIInterfaceOrientation) {
let angle = self.angleForOrientation(orientation)
if self.shouldRotateManually {
self.transform = CGAffineTransformMakeRotation(CGFloat(angle))
}
if let window = UIApplication.sharedApplication().windows.first {
if orientation.isPortrait || !self.shouldRotateManually {
self.frame.size.width = window.bounds.size.width
self.frame.size.height = window.bounds.size.height
} else {
self.frame.size.width = window.bounds.size.height
self.frame.size.height = window.bounds.size.width
}
}
self.frame.origin = .zero
dispatch_async(dispatch_get_main_queue()) {
JLToastCenter.defaultCenter().currentToast?.view.updateView()
}
}
func angleForOrientation(orientation: UIInterfaceOrientation) -> Double {
switch orientation {
case .LandscapeLeft: return -M_PI_2
case .LandscapeRight: return M_PI_2
case .PortraitUpsideDown: return M_PI
default: return 0
}
}
}
| mit | b0b95957ba80cf9ed73031d4f7369b57 | 35.086667 | 113 | 0.661556 | 5.348814 | false | false | false | false |
fortmarek/SwipeViewController | SwipeViewController_Example/TestViewController.swift | 1 | 955 | //
// TestViewController.swift
// SwipeViewController_Example
//
// Created by Marek Fořt on 1/13/18.
// Copyright © 2018 CocoaPods. All rights reserved.
//
import UIKit
class TestViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
let button = UIButton()
button.addTarget(self, action: #selector(buttonTapped), for: .touchUpInside)
button.translatesAutoresizingMaskIntoConstraints = false
view.addSubview(button)
button.setTitle("Button", for: .normal)
button.centerXAnchor.constraint(equalTo: view.centerXAnchor).isActive = true
button.centerYAnchor.constraint(equalTo: view.centerYAnchor).isActive = true
}
@objc private func buttonTapped() {
let viewController = UIViewController()
viewController.view.backgroundColor = .black
navigationController?.pushViewController(viewController, animated: true)
}
}
| mit | 714f23eb74ee7b2edbd406b9aa0fb150 | 31.862069 | 84 | 0.706191 | 4.989529 | false | true | false | false |
kstaring/swift | stdlib/public/SDK/Dispatch/Dispatch.swift | 4 | 5564 | //===----------------------------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2016 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See http://swift.org/LICENSE.txt for license information
// See http://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
@_exported import Dispatch
import SwiftShims
/// dispatch_assert
@available(OSX 10.12, iOS 10.0, tvOS 10.0, watchOS 3.0, *)
public enum DispatchPredicate {
case onQueue(DispatchQueue)
case onQueueAsBarrier(DispatchQueue)
case notOnQueue(DispatchQueue)
}
@available(OSX 10.12, iOS 10.0, tvOS 10.0, watchOS 3.0, *)
public func _dispatchPreconditionTest(_ condition: DispatchPredicate) -> Bool {
switch condition {
case .onQueue(let q):
__dispatch_assert_queue(q)
case .onQueueAsBarrier(let q):
__dispatch_assert_queue_barrier(q)
case .notOnQueue(let q):
__dispatch_assert_queue_not(q)
}
return true
}
@_transparent
@available(OSX 10.12, iOS 10.0, tvOS 10.0, watchOS 3.0, *)
public func dispatchPrecondition(condition: @autoclosure () -> DispatchPredicate) {
// precondition is able to determine release-vs-debug asserts where the overlay
// cannot, so formulating this into a call that we can call with precondition()
precondition(_dispatchPreconditionTest(condition()), "dispatchPrecondition failure")
}
/// qos_class_t
public struct DispatchQoS : Equatable {
public let qosClass: QoSClass
public let relativePriority: Int
@available(OSX 10.10, iOS 8.0, *)
public static let background = DispatchQoS(qosClass: .background, relativePriority: 0)
@available(OSX 10.10, iOS 8.0, *)
public static let utility = DispatchQoS(qosClass: .utility, relativePriority: 0)
@available(OSX 10.10, iOS 8.0, *)
public static let `default` = DispatchQoS(qosClass: .default, relativePriority: 0)
@available(OSX 10.10, iOS 8.0, *)
public static let userInitiated = DispatchQoS(qosClass: .userInitiated, relativePriority: 0)
@available(OSX 10.10, iOS 8.0, *)
public static let userInteractive = DispatchQoS(qosClass: .userInteractive, relativePriority: 0)
public static let unspecified = DispatchQoS(qosClass: .unspecified, relativePriority: 0)
public enum QoSClass {
@available(OSX 10.10, iOS 8.0, *)
case background
@available(OSX 10.10, iOS 8.0, *)
case utility
@available(OSX 10.10, iOS 8.0, *)
case `default`
@available(OSX 10.10, iOS 8.0, *)
case userInitiated
@available(OSX 10.10, iOS 8.0, *)
case userInteractive
case unspecified
@available(OSX 10.10, iOS 8.0, *)
public init?(rawValue: qos_class_t) {
switch rawValue {
case QOS_CLASS_BACKGROUND: self = .background
case QOS_CLASS_UTILITY: self = .utility
case QOS_CLASS_DEFAULT: self = .default
case QOS_CLASS_USER_INITIATED: self = .userInitiated
case QOS_CLASS_USER_INTERACTIVE: self = .userInteractive
case QOS_CLASS_UNSPECIFIED: self = .unspecified
default: return nil
}
}
@available(OSX 10.10, iOS 8.0, *)
public var rawValue: qos_class_t {
switch self {
case .background: return QOS_CLASS_BACKGROUND
case .utility: return QOS_CLASS_UTILITY
case .default: return QOS_CLASS_DEFAULT
case .userInitiated: return QOS_CLASS_USER_INITIATED
case .userInteractive: return QOS_CLASS_USER_INTERACTIVE
case .unspecified: return QOS_CLASS_UNSPECIFIED
}
}
}
public init(qosClass: QoSClass, relativePriority: Int) {
self.qosClass = qosClass
self.relativePriority = relativePriority
}
}
public func ==(a: DispatchQoS, b: DispatchQoS) -> Bool {
return a.qosClass == b.qosClass && a.relativePriority == b.relativePriority
}
///
public enum DispatchTimeoutResult {
case success
case timedOut
}
/// dispatch_group
public extension DispatchGroup {
public func notify(qos: DispatchQoS = .unspecified, flags: DispatchWorkItemFlags = [], queue: DispatchQueue, execute work: @escaping @convention(block) () -> ()) {
if #available(OSX 10.10, iOS 8.0, *), qos != .unspecified || !flags.isEmpty {
let item = DispatchWorkItem(qos: qos, flags: flags, block: work)
_swift_dispatch_group_notify(self, queue, item._block)
} else {
_swift_dispatch_group_notify(self, queue, work)
}
}
@available(OSX 10.10, iOS 8.0, *)
public func notify(queue: DispatchQueue, work: DispatchWorkItem) {
_swift_dispatch_group_notify(self, queue, work._block)
}
public func wait() {
_ = __dispatch_group_wait(self, DispatchTime.distantFuture.rawValue)
}
public func wait(timeout: DispatchTime) -> DispatchTimeoutResult {
return __dispatch_group_wait(self, timeout.rawValue) == 0 ? .success : .timedOut
}
public func wait(wallTimeout timeout: DispatchWallTime) -> DispatchTimeoutResult {
return __dispatch_group_wait(self, timeout.rawValue) == 0 ? .success : .timedOut
}
}
/// dispatch_semaphore
public extension DispatchSemaphore {
@discardableResult
public func signal() -> Int {
return __dispatch_semaphore_signal(self)
}
public func wait() {
_ = __dispatch_semaphore_wait(self, DispatchTime.distantFuture.rawValue)
}
public func wait(timeout: DispatchTime) -> DispatchTimeoutResult {
return __dispatch_semaphore_wait(self, timeout.rawValue) == 0 ? .success : .timedOut
}
public func wait(wallTimeout: DispatchWallTime) -> DispatchTimeoutResult {
return __dispatch_semaphore_wait(self, wallTimeout.rawValue) == 0 ? .success : .timedOut
}
}
| apache-2.0 | 570ffed76722e14e4a2ddb7f0f503074 | 29.911111 | 164 | 0.703451 | 3.634226 | false | false | false | false |
tonilopezmr/Learning-Swift | Learning-Swift/Learning-Swift/looping.swift | 1 | 1599 | //
// looping.swift
// Learning-Swift
//
// Created by Antonio López Marín on 10/01/16.
// Copyright © 2016 Antonio López Marín. All rights reserved.
//
import Foundation
class LoopingExample: ExampleProtocol{
func example(){
print("**** Looping Examples ****")
var complete: Bool = false
var cont = 0
while !complete {
printDownloading(cont)
cont++
if cont > 8 {
complete = true
}
}
print("*** repeat - while ***")
complete = false
cont = 0;
repeat {
printDownloading(cont)
cont++
if cont > 10 {
complete = true
}
} while !complete
for number in 0...10 {
print(number)
}
indexLoopExample()
}
func printDownloading(cont: Int){
var downloadingMessage = "Downloading.."
for var i = 0; i < cont; i++ {
downloadingMessage += "."
}
print(downloadingMessage)
}
func indexLoopExample(){
//Use ..< to make a range that omits its upper value, and use ... to make a range that includes both values.
var firstForLoop = 0
for i in 0..<4 {
print("")
firstForLoop = i
}
print(firstForLoop)
var secondForLoop = 0
for i in 0...4 {
secondForLoop = i
}
print(secondForLoop)
}
} | apache-2.0 | c47997f7d490598fd5d0b9f5c4a2daa0 | 21.152778 | 116 | 0.461731 | 5.028391 | false | false | false | false |
yangligeryang/codepath | assignments/DropboxDemo/DropboxDemo/SignInFormViewController.swift | 1 | 2835 | //
// SignInFormViewController.swift
// DropboxDemo
//
// Created by Yang Yang on 10/15/16.
// Copyright © 2016 Yang Yang. All rights reserved.
//
import UIKit
class SignInFormViewController: UIViewController, UITextFieldDelegate {
@IBOutlet weak var emailField: UITextField!
@IBOutlet weak var passwordField: UITextField!
@IBOutlet weak var signInButton: UIButton!
@IBOutlet weak var formImage: UIImageView!
let resetImage = UIImage(named: "sign_in")
let activeImage = UIImage(named: "sign_in1")
override func viewDidLoad() {
super.viewDidLoad()
emailField.delegate = self
emailField.becomeFirstResponder()
passwordField.delegate = self
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
func textFieldShouldReturn(_ textField: UITextField) -> Bool {
if emailField.isFirstResponder {
emailField.resignFirstResponder()
passwordField.becomeFirstResponder()
} else if passwordField.isFirstResponder {
let characterCount = passwordField.text?.characters.count
if characterCount! > 0 {
performSegue(withIdentifier: "existingAccount", sender: nil)
}
}
return false
}
@IBAction func onBack(_ sender: UIButton) {
navigationController!.popViewController(animated: true)
}
@IBAction func onCreate(_ sender: UIButton) {
performSegue(withIdentifier: "existingAccount", sender: nil)
}
@IBAction func didTap(_ sender: UITapGestureRecognizer) {
view.endEditing(true)
}
@IBAction func onForgotPassword(_ sender: UIButton) {
let alertController = UIAlertController(title: nil, message: nil, preferredStyle: .actionSheet)
let forgotAction = UIAlertAction(title: "Forgot Password?", style: .default) { (action) in
}
alertController.addAction(forgotAction)
let ssoAction = UIAlertAction(title: "Single Sign-On", style: .default) { (action) in
}
alertController.addAction(ssoAction)
let cancelAction = UIAlertAction(title: "Cancel", style: .cancel) { (action) in
}
alertController.addAction(cancelAction)
present(alertController, animated: true) {}
}
@IBAction func onPasswordChanged(_ sender: UITextField) {
let characterCount = passwordField.text?.characters.count
if characterCount! > 0 {
signInButton.isEnabled = true
formImage.image = activeImage
} else {
formImage.image = resetImage
signInButton.isEnabled = false
}
}
}
| apache-2.0 | accfaf1fc3deaba091e51aa940ab2d6d | 30.142857 | 103 | 0.634439 | 5.327068 | false | false | false | false |
MukeshKumarS/Swift | stdlib/public/SDK/Foundation/NSStringAPI.swift | 1 | 58895 | //===----------------------------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2015 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See http://swift.org/LICENSE.txt for license information
// See http://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
//
// Exposing the API of NSString on Swift's String
//
//===----------------------------------------------------------------------===//
// Open Issues
// ===========
//
// Property Lists need to be properly bridged
//
@warn_unused_result
func _toNSArray<T, U : AnyObject>(a: [T], @noescape f: (T) -> U) -> NSArray {
let result = NSMutableArray(capacity: a.count)
for s in a {
result.addObject(f(s))
}
return result
}
@warn_unused_result
func _toNSRange(r: Range<String.Index>) -> NSRange {
return NSRange(
location: r.startIndex._utf16Index,
length: r.endIndex._utf16Index - r.startIndex._utf16Index)
}
@warn_unused_result
func _countFormatSpecifiers(a: String) -> Int {
// The implementation takes advantage of the fact that internal
// representation of String is UTF-16. Because we only care about the ASCII
// percent character, we don't need to decode UTF-16.
let percentUTF16 = UTF16.CodeUnit(("%" as UnicodeScalar).value)
let notPercentUTF16: UTF16.CodeUnit = 0
var lastChar = notPercentUTF16 // anything other than % would work here
var count = 0
for c in a.utf16 {
if lastChar == percentUTF16 {
if c == percentUTF16 {
// a "%" following this one should not be taken as literal
lastChar = notPercentUTF16
}
else {
count += 1
lastChar = c
}
} else {
lastChar = c
}
}
return count
}
extension String {
//===--- Bridging Helpers -----------------------------------------------===//
//===--------------------------------------------------------------------===//
/// The corresponding `NSString` - a convenience for bridging code.
var _ns: NSString {
return self as NSString
}
/// Return an `Index` corresponding to the given offset in our UTF-16
/// representation.
@warn_unused_result
func _index(utf16Index: Int) -> Index {
return Index(_base: String.UnicodeScalarView.Index(utf16Index, _core))
}
/// Return a `Range<Index>` corresponding to the given `NSRange` of
/// our UTF-16 representation.
@warn_unused_result
func _range(r: NSRange) -> Range<Index> {
return _index(r.location)..<_index(r.location + r.length)
}
/// Return a `Range<Index>?` corresponding to the given `NSRange` of
/// our UTF-16 representation.
@warn_unused_result
func _optionalRange(r: NSRange) -> Range<Index>? {
if r.location == NSNotFound {
return .None
}
return _range(r)
}
/// Invoke `body` on an `Int` buffer. If `index` was converted from
/// non-`nil`, convert the buffer to an `Index` and write it into the
/// memory referred to by `index`
func _withOptionalOutParameter<Result>(
index: UnsafeMutablePointer<Index>,
@noescape body: (UnsafeMutablePointer<Int>)->Result
) -> Result {
var utf16Index: Int = 0
let result = index._withBridgeValue(&utf16Index) {
body($0)
}
index._setIfNonNil { self._index(utf16Index) }
return result
}
/// Invoke `body` on an `NSRange` buffer. If `range` was converted
/// from non-`nil`, convert the buffer to a `Range<Index>` and write
/// it into the memory referred to by `range`
func _withOptionalOutParameter<Result>(
range: UnsafeMutablePointer<Range<Index>>,
@noescape body: (UnsafeMutablePointer<NSRange>)->Result
) -> Result {
var nsRange = NSRange(location: 0, length: 0)
let result = range._withBridgeValue(&nsRange) {
body($0)
}
range._setIfNonNil { self._range(nsRange) }
return result
}
//===--- Class Methods --------------------------------------------------===//
//===--------------------------------------------------------------------===//
// + (const NSStringEncoding *)availableStringEncodings
/// Returns an Array of the encodings string objects support
/// in the application’s environment.
@warn_unused_result
public static func availableStringEncodings() -> [NSStringEncoding] {
var result = [NSStringEncoding]()
var p = NSString.availableStringEncodings()
while p.memory != 0 {
result.append(p.memory)
p += 1
}
return result
}
// + (NSStringEncoding)defaultCStringEncoding
/// Returns the C-string encoding assumed for any method accepting
/// a C string as an argument.
@warn_unused_result
public static func defaultCStringEncoding() -> NSStringEncoding {
return NSString.defaultCStringEncoding()
}
// + (NSString *)localizedNameOfStringEncoding:(NSStringEncoding)encoding
/// Returns a human-readable string giving the name of a given encoding.
@warn_unused_result
public static func localizedNameOfStringEncoding(
encoding: NSStringEncoding
) -> String {
return NSString.localizedNameOfStringEncoding(encoding)
}
// + (instancetype)localizedStringWithFormat:(NSString *)format, ...
/// Returns a string created by using a given format string as a
/// template into which the remaining argument values are substituted
/// according to the user's default locale.
@warn_unused_result
public static func localizedStringWithFormat(
format: String, _ arguments: CVarArgType...
) -> String {
return String(format: format, locale: NSLocale.currentLocale(),
arguments: arguments)
}
// + (NSString *)pathWithComponents:(NSArray *)components
/// Returns a string built from the strings in a given array
/// by concatenating them with a path separator between each pair.
@available(*, unavailable, message="Use fileURLWithPathComponents on NSURL instead.")
public static func pathWithComponents(components: [String]) -> String {
return NSString.pathWithComponents(components)
}
//===--------------------------------------------------------------------===//
// NSString factory functions that have a corresponding constructor
// are omitted.
//
// + (instancetype)string
//
// + (instancetype)
// stringWithCharacters:(const unichar *)chars length:(NSUInteger)length
//
// + (instancetype)stringWithFormat:(NSString *)format, ...
//
// + (instancetype)
// stringWithContentsOfFile:(NSString *)path
// encoding:(NSStringEncoding)enc
// error:(NSError **)error
//
// + (instancetype)
// stringWithContentsOfFile:(NSString *)path
// usedEncoding:(NSStringEncoding *)enc
// error:(NSError **)error
//
// + (instancetype)
// stringWithContentsOfURL:(NSURL *)url
// encoding:(NSStringEncoding)enc
// error:(NSError **)error
//
// + (instancetype)
// stringWithContentsOfURL:(NSURL *)url
// usedEncoding:(NSStringEncoding *)enc
// error:(NSError **)error
//
// + (instancetype)
// stringWithCString:(const char *)cString
// encoding:(NSStringEncoding)enc
//===--------------------------------------------------------------------===//
//===--- Adds nothing for String beyond what String(s) does -------------===//
// + (instancetype)stringWithString:(NSString *)aString
//===--------------------------------------------------------------------===//
// + (instancetype)stringWithUTF8String:(const char *)bytes
/// Produces a string created by copying the data from a given
/// C array of UTF8-encoded bytes.
public init?(UTF8String bytes: UnsafePointer<CChar>) {
if let ns = NSString(UTF8String: bytes) {
self = ns as String
} else {
return nil
}
}
//===--- Instance Methods/Properties-------------------------------------===//
//===--------------------------------------------------------------------===//
//===--- Omitted by agreement during API review 5/20/2014 ---------------===//
// @property BOOL boolValue;
// - (BOOL)canBeConvertedToEncoding:(NSStringEncoding)encoding
/// Returns a Boolean value that indicates whether the
/// `String` can be converted to a given encoding without loss of
/// information.
@warn_unused_result
public func canBeConvertedToEncoding(encoding: NSStringEncoding) -> Bool {
return _ns.canBeConvertedToEncoding(encoding)
}
// @property NSString* capitalizedString
/// Produce a string with the first character from each word changed
/// to the corresponding uppercase value.
public var capitalizedString: String {
return _ns.capitalizedString as String
}
// @property (readonly, copy) NSString *localizedCapitalizedString NS_AVAILABLE(10_11, 9_0);
/// A capitalized representation of the `String` that is produced
/// using the current locale.
@available(OSX 10.11, iOS 9.0, *)
public var localizedCapitalizedString: String {
return _ns.localizedCapitalizedString
}
// - (NSString *)capitalizedStringWithLocale:(NSLocale *)locale
/// Returns a capitalized representation of the `String`
/// using the specified locale.
@warn_unused_result
public func capitalizedStringWithLocale(locale: NSLocale?) -> String {
return _ns.capitalizedStringWithLocale(locale) as String
}
// - (NSComparisonResult)caseInsensitiveCompare:(NSString *)aString
/// Returns the result of invoking `compare:options:` with
/// `NSCaseInsensitiveSearch` as the only option.
@warn_unused_result
public func caseInsensitiveCompare(aString: String) -> NSComparisonResult {
return _ns.caseInsensitiveCompare(aString)
}
//===--- Omitted by agreement during API review 5/20/2014 ---------------===//
// - (unichar)characterAtIndex:(NSUInteger)index
//
// We have a different meaning for "Character" in Swift, and we are
// trying not to expose error-prone UTF-16 integer indexes
// - (NSString *)
// commonPrefixWithString:(NSString *)aString
// options:(NSStringCompareOptions)mask
/// Returns a string containing characters the `String` and a
/// given string have in common, starting from the beginning of each
/// up to the first characters that aren’t equivalent.
@warn_unused_result
public func commonPrefixWithString(
aString: String, options: NSStringCompareOptions) -> String {
return _ns.commonPrefixWithString(aString, options: options)
}
// - (NSComparisonResult)
// compare:(NSString *)aString
//
// - (NSComparisonResult)
// compare:(NSString *)aString options:(NSStringCompareOptions)mask
//
// - (NSComparisonResult)
// compare:(NSString *)aString options:(NSStringCompareOptions)mask
// range:(NSRange)range
//
// - (NSComparisonResult)
// compare:(NSString *)aString options:(NSStringCompareOptions)mask
// range:(NSRange)range locale:(id)locale
/// Compares the string using the specified options and
/// returns the lexical ordering for the range.
@warn_unused_result
public func compare(
aString: String,
options mask: NSStringCompareOptions = [],
range: Range<Index>? = nil,
locale: NSLocale? = nil
) -> NSComparisonResult {
// According to Ali Ozer, there may be some real advantage to
// dispatching to the minimal selector for the supplied options.
// So let's do that; the switch should compile away anyhow.
return locale != nil ? _ns.compare(
aString, options: mask,
range: _toNSRange(range ?? self.characters.indices),
locale: locale)
: range != nil ? _ns.compare(
aString,
options: mask,
range: _toNSRange(range ?? self.characters.indices))
: !mask.isEmpty ? _ns.compare(aString, options: mask)
: _ns.compare(aString)
}
// - (NSUInteger)
// completePathIntoString:(NSString **)outputName
// caseSensitive:(BOOL)flag
// matchesIntoArray:(NSArray **)outputArray
// filterTypes:(NSArray *)filterTypes
/// Interprets the `String` as a path in the file system and
/// attempts to perform filename completion, returning a numeric
/// value that indicates whether a match was possible, and by
/// reference the longest path that matches the `String`.
/// Returns the actual number of matching paths.
@warn_unused_result
public func completePathIntoString(
outputName: UnsafeMutablePointer<String> = nil,
caseSensitive: Bool,
matchesIntoArray: UnsafeMutablePointer<[String]> = nil,
filterTypes: [String]? = nil
) -> Int {
var nsMatches: NSArray?
var nsOutputName: NSString?
let result = outputName._withBridgeObject(&nsOutputName) {
outputName in matchesIntoArray._withBridgeObject(&nsMatches) {
matchesIntoArray in
self._ns.completePathIntoString(
outputName, caseSensitive: caseSensitive,
matchesIntoArray: matchesIntoArray, filterTypes: filterTypes
)
}
}
if let matches = nsMatches {
// Since this function is effectively a bridge thunk, use the
// bridge thunk semantics for the NSArray conversion
matchesIntoArray._setIfNonNil { _convertNSArrayToArray(matches) }
}
if let n = nsOutputName {
outputName._setIfNonNil { n as String }
}
return result
}
// - (NSArray *)
// componentsSeparatedByCharactersInSet:(NSCharacterSet *)separator
/// Returns an array containing substrings from the `String`
/// that have been divided by characters in a given set.
@warn_unused_result
public func componentsSeparatedByCharactersInSet(
separator: NSCharacterSet
) -> [String] {
// FIXME: two steps due to <rdar://16971181>
let nsa = _ns.componentsSeparatedByCharactersInSet(separator) as NSArray
// Since this function is effectively a bridge thunk, use the
// bridge thunk semantics for the NSArray conversion
return _convertNSArrayToArray(nsa)
}
// - (NSArray *)componentsSeparatedByString:(NSString *)separator
/// Returns an array containing substrings from the `String`
/// that have been divided by a given separator.
public func componentsSeparatedByString(separator: String) -> [String] {
let nsa = _ns.componentsSeparatedByString(separator) as NSArray
// Since this function is effectively a bridge thunk, use the
// bridge thunk semantics for the NSArray conversion
return _convertNSArrayToArray(nsa)
}
// - (const char *)cStringUsingEncoding:(NSStringEncoding)encoding
/// Returns a representation of the `String` as a C string
/// using a given encoding.
@warn_unused_result
public func cStringUsingEncoding(encoding: NSStringEncoding) -> [CChar]? {
return withExtendedLifetime(_ns) {
(s: NSString) -> [CChar]? in
_persistCString(s.cStringUsingEncoding(encoding))
}
}
// - (NSData *)dataUsingEncoding:(NSStringEncoding)encoding
//
// - (NSData *)
// dataUsingEncoding:(NSStringEncoding)encoding
// allowLossyConversion:(BOOL)flag
/// Returns an `NSData` object containing a representation of
/// the `String` encoded using a given encoding.
@warn_unused_result
public func dataUsingEncoding(
encoding: NSStringEncoding,
allowLossyConversion: Bool = false
) -> NSData? {
return _ns.dataUsingEncoding(
encoding, allowLossyConversion: allowLossyConversion)
}
// @property NSString* decomposedStringWithCanonicalMapping;
/// Returns a string made by normalizing the `String`’s
/// contents using Form D.
public var decomposedStringWithCanonicalMapping: String {
return _ns.decomposedStringWithCanonicalMapping
}
// @property NSString* decomposedStringWithCompatibilityMapping;
/// Returns a string made by normalizing the `String`’s
/// contents using Form KD.
public var decomposedStringWithCompatibilityMapping: String {
return _ns.decomposedStringWithCompatibilityMapping
}
//===--- Importing Foundation should not affect String printing ---------===//
// Therefore, we're not exposing this:
//
// @property NSString* description
//===--- Omitted for consistency with API review results 5/20/2014 -----===//
// @property double doubleValue;
// - (void)
// enumerateLinesUsingBlock:(void (^)(NSString *line, BOOL *stop))block
/// Enumerates all the lines in a string.
public func enumerateLines(body: (line: String, inout stop: Bool)->()) {
_ns.enumerateLinesUsingBlock {
(line: String, stop: UnsafeMutablePointer<ObjCBool>)
in
var stop_ = false
body(line: line, stop: &stop_)
if stop_ {
UnsafeMutablePointer<ObjCBool>(stop).memory = true
}
}
}
// - (void)
// enumerateLinguisticTagsInRange:(NSRange)range
// scheme:(NSString *)tagScheme
// options:(NSLinguisticTaggerOptions)opts
// orthography:(NSOrthography *)orthography
// usingBlock:(
// void (^)(
// NSString *tag, NSRange tokenRange,
// NSRange sentenceRange, BOOL *stop)
// )block
/// Performs linguistic analysis on the specified string by
/// enumerating the specific range of the string, providing the
/// Block with the located tags.
public func enumerateLinguisticTagsInRange(
range: Range<Index>,
scheme tagScheme: String,
options opts: NSLinguisticTaggerOptions,
orthography: NSOrthography?,
_ body:
(String, Range<Index>, Range<Index>, inout Bool)->()
) {
_ns.enumerateLinguisticTagsInRange(
_toNSRange(range),
scheme: tagScheme,
options: opts,
orthography: orthography != nil ? orthography! : nil
) {
var stop_ = false
body($0, self._range($1), self._range($2), &stop_)
if stop_ {
UnsafeMutablePointer($3).memory = true
}
}
}
// - (void)
// enumerateSubstringsInRange:(NSRange)range
// options:(NSStringEnumerationOptions)opts
// usingBlock:(
// void (^)(
// NSString *substring,
// NSRange substringRange,
// NSRange enclosingRange,
// BOOL *stop)
// )block
/// Enumerates the substrings of the specified type in the
/// specified range of the string.
public func enumerateSubstringsInRange(
range: Range<Index>,
options opts:NSStringEnumerationOptions,
_ body: (
substring: String?, substringRange: Range<Index>,
enclosingRange: Range<Index>, inout Bool
)->()
) {
_ns.enumerateSubstringsInRange(_toNSRange(range), options: opts) {
var stop_ = false
body(substring: $0,
substringRange: self._range($1),
enclosingRange: self._range($2),
&stop_)
if stop_ {
UnsafeMutablePointer($3).memory = true
}
}
}
// @property NSStringEncoding fastestEncoding;
/// Returns the fastest encoding to which the `String` may be
/// converted without loss of information.
public var fastestEncoding: NSStringEncoding {
return _ns.fastestEncoding
}
// - (const char *)fileSystemRepresentation
/// Returns a file system-specific representation of the `String`.
@available(*, unavailable, message="Use getFileSystemRepresentation on NSURL instead.")
public func fileSystemRepresentation() -> [CChar] {
return _persistCString(_ns.fileSystemRepresentation)!
}
//===--- Omitted for consistency with API review results 5/20/2014 ------===//
// @property float floatValue;
// - (BOOL)
// getBytes:(void *)buffer
// maxLength:(NSUInteger)maxBufferCount
// usedLength:(NSUInteger*)usedBufferCount
// encoding:(NSStringEncoding)encoding
// options:(NSStringEncodingConversionOptions)options
// range:(NSRange)range
// remainingRange:(NSRangePointer)leftover
/// Writes the given `range` of characters into `buffer` in a given
/// `encoding`, without any allocations. Does not NULL-terminate.
///
/// - Parameter buffer: A buffer into which to store the bytes from
/// the receiver. The returned bytes are not NUL-terminated.
///
/// - Parameter maxBufferCount: The maximum number of bytes to write
/// to buffer.
///
/// - Parameter usedBufferCount: The number of bytes used from
/// buffer. Pass `nil` if you do not need this value.
///
/// - Parameter encoding: The encoding to use for the returned bytes.
///
/// - Parameter options: A mask to specify options to use for
/// converting the receiver’s contents to `encoding` (if conversion
/// is necessary).
///
/// - Parameter range: The range of characters in the receiver to get.
///
/// - Parameter leftover: The remaining range. Pass `nil` If you do
/// not need this value.
///
/// - Returns: `true` iff some characters were converted.
///
/// - Note: Conversion stops when the buffer fills or when the
/// conversion isn't possible due to the chosen encoding.
///
/// - Note: will get a maximum of `min(buffer.count, maxLength)` bytes.
public func getBytes(
inout buffer: [UInt8],
maxLength maxBufferCount: Int,
usedLength usedBufferCount: UnsafeMutablePointer<Int>,
encoding: NSStringEncoding,
options: NSStringEncodingConversionOptions,
range: Range<Index>,
remainingRange leftover: UnsafeMutablePointer<Range<Index>>
) -> Bool {
return _withOptionalOutParameter(leftover) {
self._ns.getBytes(
&buffer,
maxLength: min(buffer.count, maxBufferCount),
usedLength: usedBufferCount,
encoding: encoding,
options: options,
range: _toNSRange(range),
remainingRange: $0)
}
}
// - (BOOL)
// getCString:(char *)buffer
// maxLength:(NSUInteger)maxBufferCount
// encoding:(NSStringEncoding)encoding
/// Converts the `String`’s content to a given encoding and
/// stores them in a buffer.
/// - Note: will store a maximum of `min(buffer.count, maxLength)` bytes.
public func getCString(
inout buffer: [CChar], maxLength: Int, encoding: NSStringEncoding
) -> Bool {
return _ns.getCString(&buffer, maxLength: min(buffer.count, maxLength),
encoding: encoding)
}
// - (BOOL)
// getFileSystemRepresentation:(char *)buffer
// maxLength:(NSUInteger)maxLength
/// Interprets the `String` as a system-independent path and
/// fills a buffer with a C-string in a format and encoding suitable
/// for use with file-system calls.
/// - Note: will store a maximum of `min(buffer.count, maxLength)` bytes.
@available(*, unavailable, message="Use getFileSystemRepresentation on NSURL instead.")
public func getFileSystemRepresentation(
inout buffer: [CChar], maxLength: Int) -> Bool {
return _ns.getFileSystemRepresentation(
&buffer, maxLength: min(buffer.count, maxLength))
}
// - (void)
// getLineStart:(NSUInteger *)startIndex
// end:(NSUInteger *)lineEndIndex
// contentsEnd:(NSUInteger *)contentsEndIndex
// forRange:(NSRange)aRange
/// Returns by reference the beginning of the first line and
/// the end of the last line touched by the given range.
public func getLineStart(
start: UnsafeMutablePointer<Index>,
end: UnsafeMutablePointer<Index>,
contentsEnd: UnsafeMutablePointer<Index>,
forRange: Range<Index>
) {
_withOptionalOutParameter(start) {
start in self._withOptionalOutParameter(end) {
end in self._withOptionalOutParameter(contentsEnd) {
contentsEnd in self._ns.getLineStart(
start, end: end,
contentsEnd: contentsEnd,
forRange: _toNSRange(forRange))
}
}
}
}
// - (void)
// getParagraphStart:(NSUInteger *)startIndex
// end:(NSUInteger *)endIndex
// contentsEnd:(NSUInteger *)contentsEndIndex
// forRange:(NSRange)aRange
/// Returns by reference the beginning of the first paragraph
/// and the end of the last paragraph touched by the given range.
public func getParagraphStart(
start: UnsafeMutablePointer<Index>,
end: UnsafeMutablePointer<Index>,
contentsEnd: UnsafeMutablePointer<Index>,
forRange: Range<Index>
) {
_withOptionalOutParameter(start) {
start in self._withOptionalOutParameter(end) {
end in self._withOptionalOutParameter(contentsEnd) {
contentsEnd in self._ns.getParagraphStart(
start, end: end,
contentsEnd: contentsEnd,
forRange: _toNSRange(forRange))
}
}
}
}
// - (NSUInteger)hash
/// An unsigned integer that can be used as a hash table address.
public var hash: Int {
return _ns.hash
}
//===--- Already provided by String's core ------------------------------===//
// - (instancetype)init
//===--- Initializers that can fail -------------------------------------===//
// - (instancetype)
// initWithBytes:(const void *)bytes
// length:(NSUInteger)length
// encoding:(NSStringEncoding)encoding
/// Produces an initialized `NSString` object equivalent to the given
/// `bytes` interpreted in the given `encoding`.
public init? <
S: SequenceType where S.Generator.Element == UInt8
>(
bytes: S, encoding: NSStringEncoding
) {
let byteArray = Array(bytes)
if let ns = NSString(
bytes: byteArray, length: byteArray.count, encoding: encoding) {
self = ns as String
} else {
return nil
}
}
// - (instancetype)
// initWithBytesNoCopy:(void *)bytes
// length:(NSUInteger)length
// encoding:(NSStringEncoding)encoding
// freeWhenDone:(BOOL)flag
/// Produces an initialized `String` object that contains a
/// given number of bytes from a given buffer of bytes interpreted
/// in a given encoding, and optionally frees the buffer. WARNING:
/// this initializer is not memory-safe!
public init?(
bytesNoCopy bytes: UnsafeMutablePointer<Void>, length: Int,
encoding: NSStringEncoding, freeWhenDone flag: Bool
) {
if let ns = NSString(
bytesNoCopy: bytes, length: length, encoding: encoding,
freeWhenDone: flag) {
self = ns as String
} else {
return nil
}
}
// - (instancetype)
// initWithCharacters:(const unichar *)characters
// length:(NSUInteger)length
/// Returns an initialized `String` object that contains a
/// given number of characters from a given array of Unicode
/// characters.
public init(
utf16CodeUnits: UnsafePointer<unichar>,
count: Int
) {
self = NSString(characters: utf16CodeUnits, length: count) as String
}
// - (instancetype)
// initWithCharactersNoCopy:(unichar *)characters
// length:(NSUInteger)length
// freeWhenDone:(BOOL)flag
/// Returns an initialized `String` object that contains a given
/// number of characters from a given array of UTF-16 Code Units
public init(
utf16CodeUnitsNoCopy: UnsafePointer<unichar>,
count: Int,
freeWhenDone flag: Bool
) {
self = NSString(
charactersNoCopy: UnsafeMutablePointer(utf16CodeUnitsNoCopy),
length: count,
freeWhenDone: flag) as String
}
//===--- Initializers that can fail -------------------------------------===//
// - (instancetype)
// initWithContentsOfFile:(NSString *)path
// encoding:(NSStringEncoding)enc
// error:(NSError **)error
//
/// Produces a string created by reading data from the file at a
/// given path interpreted using a given encoding.
public init(
contentsOfFile path: String,
encoding enc: NSStringEncoding
) throws {
let ns = try NSString(contentsOfFile: path, encoding: enc)
self = ns as String
}
// - (instancetype)
// initWithContentsOfFile:(NSString *)path
// usedEncoding:(NSStringEncoding *)enc
// error:(NSError **)error
/// Produces a string created by reading data from the file at
/// a given path and returns by reference the encoding used to
/// interpret the file.
public init(
contentsOfFile path: String,
usedEncoding: UnsafeMutablePointer<NSStringEncoding> = nil
) throws {
let ns = try NSString(contentsOfFile: path, usedEncoding: usedEncoding)
self = ns as String
}
// - (instancetype)
// initWithContentsOfURL:(NSURL *)url
// encoding:(NSStringEncoding)enc
// error:(NSError**)error
/// Produces a string created by reading data from a given URL
/// interpreted using a given encoding. Errors are written into the
/// inout `error` argument.
public init(
contentsOfURL url: NSURL,
encoding enc: NSStringEncoding
) throws {
let ns = try NSString(contentsOfURL: url, encoding: enc)
self = ns as String
}
// - (instancetype)
// initWithContentsOfURL:(NSURL *)url
// usedEncoding:(NSStringEncoding *)enc
// error:(NSError **)error
/// Produces a string created by reading data from a given URL
/// and returns by reference the encoding used to interpret the
/// data. Errors are written into the inout `error` argument.
public init(
contentsOfURL url: NSURL,
usedEncoding enc: UnsafeMutablePointer<NSStringEncoding> = nil
) throws {
let ns = try NSString(contentsOfURL: url, usedEncoding: enc)
self = ns as String
}
// - (instancetype)
// initWithCString:(const char *)nullTerminatedCString
// encoding:(NSStringEncoding)encoding
/// Produces a string containing the bytes in a given C array,
/// interpreted according to a given encoding.
public init?(
CString: UnsafePointer<CChar>,
encoding enc: NSStringEncoding
) {
if let ns = NSString(CString: CString, encoding: enc) {
self = ns as String
} else {
return nil
}
}
// FIXME: handle optional locale with default arguments
// - (instancetype)
// initWithData:(NSData *)data
// encoding:(NSStringEncoding)encoding
/// Returns a `String` initialized by converting given `data` into
/// Unicode characters using a given `encoding`.
public init?(data: NSData, encoding: NSStringEncoding) {
guard let s = NSString(data: data, encoding: encoding) else { return nil }
self = s as String
}
// - (instancetype)initWithFormat:(NSString *)format, ...
/// Returns a `String` object initialized by using a given
/// format string as a template into which the remaining argument
/// values are substituted.
public init(format: String, _ arguments: CVarArgType...) {
self = String(format: format, arguments: arguments)
}
// - (instancetype)
// initWithFormat:(NSString *)format
// arguments:(va_list)argList
/// Returns a `String` object initialized by using a given
/// format string as a template into which the remaining argument
/// values are substituted according to the user’s default locale.
public init(format: String, arguments: [CVarArgType]) {
self = String(format: format, locale: nil, arguments: arguments)
}
// - (instancetype)initWithFormat:(NSString *)format locale:(id)locale, ...
/// Returns a `String` object initialized by using a given
/// format string as a template into which the remaining argument
/// values are substituted according to given locale information.
public init(format: String, locale: NSLocale?, _ args: CVarArgType...) {
self = String(format: format, locale: locale, arguments: args)
}
// - (instancetype)
// initWithFormat:(NSString *)format
// locale:(id)locale
// arguments:(va_list)argList
/// Returns a `String` object initialized by using a given
/// format string as a template into which the remaining argument
/// values are substituted according to given locale information.
public init(format: String, locale: NSLocale?, arguments: [CVarArgType]) {
_precondition(
_countFormatSpecifiers(format) <= arguments.count,
"Too many format specifiers (%<letter>) provided for the argument list"
)
self = withVaList(arguments) {
NSString(format: format, locale: locale, arguments: $0) as String
}
}
//===--- Already provided by core Swift ---------------------------------===//
// - (instancetype)initWithString:(NSString *)aString
//===--- Initializers that can fail dropped for factory functions -------===//
// - (instancetype)initWithUTF8String:(const char *)bytes
//===--- Omitted for consistency with API review results 5/20/2014 ------===//
// @property NSInteger integerValue;
// @property Int intValue;
//===--- Omitted by apparent agreement during API review 5/20/2014 ------===//
// @property BOOL absolutePath;
// - (BOOL)isEqualToString:(NSString *)aString
//===--- Kept for consistency with API review results 5/20/2014 ---------===//
// We decided to keep pathWithComponents, so keeping this too
// @property NSString lastPathComponent;
/// Returns the last path component of the `String`.
@available(*, unavailable, message="Use lastPathComponent on NSURL instead.")
public var lastPathComponent: String {
return _ns.lastPathComponent
}
//===--- Renamed by agreement during API review 5/20/2014 ---------------===//
// @property NSUInteger length;
/// Returns the number of Unicode characters in the `String`.
@available(*, unavailable,
message="Take the count of a UTF-16 view instead, i.e. str.utf16.count")
public var utf16Count: Int {
return _ns.length
}
// - (NSUInteger)lengthOfBytesUsingEncoding:(NSStringEncoding)enc
/// Returns the number of bytes required to store the
/// `String` in a given encoding.
@warn_unused_result
public func lengthOfBytesUsingEncoding(encoding: NSStringEncoding) -> Int {
return _ns.lengthOfBytesUsingEncoding(encoding)
}
// - (NSRange)lineRangeForRange:(NSRange)aRange
/// Returns the range of characters representing the line or lines
/// containing a given range.
@warn_unused_result
public func lineRangeForRange(aRange: Range<Index>) -> Range<Index> {
return _range(_ns.lineRangeForRange(_toNSRange(aRange)))
}
// - (NSArray *)
// linguisticTagsInRange:(NSRange)range
// scheme:(NSString *)tagScheme
// options:(NSLinguisticTaggerOptions)opts
// orthography:(NSOrthography *)orthography
// tokenRanges:(NSArray**)tokenRanges
/// Returns an array of linguistic tags for the specified
/// range and requested tags within the receiving string.
@warn_unused_result
public func linguisticTagsInRange(
range: Range<Index>,
scheme tagScheme: String,
options opts: NSLinguisticTaggerOptions = [],
orthography: NSOrthography? = nil,
tokenRanges: UnsafeMutablePointer<[Range<Index>]> = nil // FIXME:Can this be nil?
) -> [String] {
var nsTokenRanges: NSArray? = nil
let result = tokenRanges._withBridgeObject(&nsTokenRanges) {
self._ns.linguisticTagsInRange(
_toNSRange(range), scheme: tagScheme, options: opts,
orthography: orthography != nil ? orthography! : nil, tokenRanges: $0) as NSArray
}
if nsTokenRanges != nil {
tokenRanges._setIfNonNil {
(nsTokenRanges! as [AnyObject]).map {
self._range($0.rangeValue)
}
}
}
return _convertNSArrayToArray(result)
}
// - (NSComparisonResult)localizedCaseInsensitiveCompare:(NSString *)aString
/// Compares the string and a given string using a
/// case-insensitive, localized, comparison.
@warn_unused_result
public
func localizedCaseInsensitiveCompare(aString: String) -> NSComparisonResult {
return _ns.localizedCaseInsensitiveCompare(aString)
}
// - (NSComparisonResult)localizedCompare:(NSString *)aString
/// Compares the string and a given string using a localized
/// comparison.
@warn_unused_result
public func localizedCompare(aString: String) -> NSComparisonResult {
return _ns.localizedCompare(aString)
}
/// Compares strings as sorted by the Finder.
@warn_unused_result
public func localizedStandardCompare(string: String) -> NSComparisonResult {
return _ns.localizedStandardCompare(string)
}
//===--- Omitted for consistency with API review results 5/20/2014 ------===//
// @property long long longLongValue
// @property (readonly, copy) NSString *localizedLowercaseString NS_AVAILABLE(10_11, 9_0);
/// A lowercase version of the string that is produced using the current
/// locale.
@available(OSX 10.11, iOS 9.0, *)
public var localizedLowercaseString: String {
return _ns.localizedLowercaseString
}
// - (NSString *)lowercaseStringWithLocale:(NSLocale *)locale
/// Returns a version of the string with all letters
/// converted to lowercase, taking into account the specified
/// locale.
@warn_unused_result
public func lowercaseStringWithLocale(locale: NSLocale?) -> String {
return _ns.lowercaseStringWithLocale(locale)
}
// - (NSUInteger)maximumLengthOfBytesUsingEncoding:(NSStringEncoding)enc
/// Returns the maximum number of bytes needed to store the
/// `String` in a given encoding.
@warn_unused_result
public
func maximumLengthOfBytesUsingEncoding(encoding: NSStringEncoding) -> Int {
return _ns.maximumLengthOfBytesUsingEncoding(encoding)
}
// - (NSRange)paragraphRangeForRange:(NSRange)aRange
/// Returns the range of characters representing the
/// paragraph or paragraphs containing a given range.
@warn_unused_result
public func paragraphRangeForRange(aRange: Range<Index>) -> Range<Index> {
return _range(_ns.paragraphRangeForRange(_toNSRange(aRange)))
}
// @property NSArray* pathComponents
/// Returns an array of NSString objects containing, in
/// order, each path component of the `String`.
@available(*, unavailable, message="Use pathComponents on NSURL instead.")
public var pathComponents: [String] {
return _ns.pathComponents
}
// @property NSString* pathExtension;
/// Interprets the `String` as a path and returns the
/// `String`’s extension, if any.
@available(*, unavailable, message="Use pathExtension on NSURL instead.")
public var pathExtension: String {
return _ns.pathExtension
}
// @property NSString* precomposedStringWithCanonicalMapping;
/// Returns a string made by normalizing the `String`’s
/// contents using Form C.
public var precomposedStringWithCanonicalMapping: String {
return _ns.precomposedStringWithCanonicalMapping
}
// @property NSString * precomposedStringWithCompatibilityMapping;
/// Returns a string made by normalizing the `String`’s
/// contents using Form KC.
public var precomposedStringWithCompatibilityMapping: String {
return _ns.precomposedStringWithCompatibilityMapping
}
// - (id)propertyList
/// Parses the `String` as a text representation of a
/// property list, returning an NSString, NSData, NSArray, or
/// NSDictionary object, according to the topmost element.
@warn_unused_result
public func propertyList() -> AnyObject {
return _ns.propertyList()
}
// - (NSDictionary *)propertyListFromStringsFileFormat
/// Returns a dictionary object initialized with the keys and
/// values found in the `String`.
@warn_unused_result
public
func propertyListFromStringsFileFormat() -> [String : String] {
return _ns.propertyListFromStringsFileFormat() as! [String : String]
}
// - (NSRange)rangeOfCharacterFromSet:(NSCharacterSet *)aSet
//
// - (NSRange)
// rangeOfCharacterFromSet:(NSCharacterSet *)aSet
// options:(NSStringCompareOptions)mask
//
// - (NSRange)
// rangeOfCharacterFromSet:(NSCharacterSet *)aSet
// options:(NSStringCompareOptions)mask
// range:(NSRange)aRange
/// Finds and returns the range in the `String` of the first
/// character from a given character set found in a given range with
/// given options.
@warn_unused_result
public func rangeOfCharacterFromSet(
aSet: NSCharacterSet,
options mask:NSStringCompareOptions = [],
range aRange: Range<Index>? = nil
)-> Range<Index>? {
return _optionalRange(
_ns.rangeOfCharacterFromSet(
aSet, options: mask,
range: _toNSRange(aRange ?? self.characters.indices)))
}
// - (NSRange)rangeOfComposedCharacterSequenceAtIndex:(NSUInteger)anIndex
/// Returns the range in the `String` of the composed
/// character sequence located at a given index.
@warn_unused_result
public
func rangeOfComposedCharacterSequenceAtIndex(anIndex: Index) -> Range<Index> {
return _range(
_ns.rangeOfComposedCharacterSequenceAtIndex(anIndex._utf16Index))
}
// - (NSRange)rangeOfComposedCharacterSequencesForRange:(NSRange)range
/// Returns the range in the string of the composed character
/// sequences for a given range.
@warn_unused_result
public func rangeOfComposedCharacterSequencesForRange(
range: Range<Index>
) -> Range<Index> {
// Theoretically, this will be the identity function. In practice
// I think users will be able to observe differences in the input
// and output ranges due (if nothing else) to locale changes
return _range(
_ns.rangeOfComposedCharacterSequencesForRange(_toNSRange(range)))
}
// - (NSRange)rangeOfString:(NSString *)aString
//
// - (NSRange)
// rangeOfString:(NSString *)aString options:(NSStringCompareOptions)mask
//
// - (NSRange)
// rangeOfString:(NSString *)aString
// options:(NSStringCompareOptions)mask
// range:(NSRange)aRange
//
// - (NSRange)
// rangeOfString:(NSString *)aString
// options:(NSStringCompareOptions)mask
// range:(NSRange)searchRange
// locale:(NSLocale *)locale
/// Finds and returns the range of the first occurrence of a
/// given string within a given range of the `String`, subject to
/// given options, using the specified locale, if any.
@warn_unused_result
public func rangeOfString(
aString: String,
options mask: NSStringCompareOptions = [],
range searchRange: Range<Index>? = nil,
locale: NSLocale? = nil
) -> Range<Index>? {
return _optionalRange(
locale != nil ? _ns.rangeOfString(
aString, options: mask,
range: _toNSRange(searchRange ?? self.characters.indices),
locale: locale
)
: searchRange != nil ? _ns.rangeOfString(
aString, options: mask, range: _toNSRange(searchRange!)
)
: !mask.isEmpty ? _ns.rangeOfString(aString, options: mask)
: _ns.rangeOfString(aString)
)
}
// - (BOOL)localizedStandardContainsString:(NSString *)str NS_AVAILABLE(10_11, 9_0);
/// Returns `true` if `self` contains `string`, taking the current locale
/// into account.
///
/// This is the most appropriate method for doing user-level string searches,
/// similar to how searches are done generally in the system. The search is
/// locale-aware, case and diacritic insensitive. The exact list of search
/// options applied may change over time.
@warn_unused_result
@available(OSX 10.11, iOS 9.0, *)
public func localizedStandardContainsString(string: String) -> Bool {
return _ns.localizedStandardContainsString(string)
}
// - (NSRange)localizedStandardRangeOfString:(NSString *)str NS_AVAILABLE(10_11, 9_0);
/// Finds and returns the range of the first occurrence of a given string,
/// taking the current locale into account. Returns `nil` if the string was
/// not found.
///
/// This is the most appropriate method for doing user-level string searches,
/// similar to how searches are done generally in the system. The search is
/// locale-aware, case and diacritic insensitive. The exact list of search
/// options applied may change over time.
@warn_unused_result
@available(OSX 10.11, iOS 9.0, *)
public func localizedStandardRangeOfString(string: String) -> Range<Index>? {
return _optionalRange(_ns.localizedStandardRangeOfString(string))
}
// @property NSStringEncoding smallestEncoding;
/// Returns the smallest encoding to which the `String` can
/// be converted without loss of information.
public var smallestEncoding: NSStringEncoding {
return _ns.smallestEncoding
}
// @property NSString *stringByAbbreviatingWithTildeInPath;
/// Returns a new string that replaces the current home
/// directory portion of the current path with a tilde (`~`)
/// character.
@available(*, unavailable, message="Use stringByAbbreviatingWithTildeInPath on NSString instead.")
public var stringByAbbreviatingWithTildeInPath: String {
return _ns.stringByAbbreviatingWithTildeInPath
}
// - (NSString *)
// stringByAddingPercentEncodingWithAllowedCharacters:
// (NSCharacterSet *)allowedCharacters
/// Returns a new string made from the `String` by replacing
/// all characters not in the specified set with percent encoded
/// characters.
@warn_unused_result
public func stringByAddingPercentEncodingWithAllowedCharacters(
allowedCharacters: NSCharacterSet
) -> String? {
// FIXME: the documentation states that this method can return nil if the
// transformation is not possible, without going into further details. The
// implementation can only return nil if malloc() returns nil, so in
// practice this is not possible. Still, to be consistent with
// documentation, we declare the method as returning an optional String.
//
// <rdar://problem/17901698> Docs for -[NSString
// stringByAddingPercentEncodingWithAllowedCharacters] don't precisely
// describe when return value is nil
return _ns.stringByAddingPercentEncodingWithAllowedCharacters(
allowedCharacters
)
}
// - (NSString *)
// stringByAddingPercentEscapesUsingEncoding:(NSStringEncoding)encoding
/// Returns a representation of the `String` using a given
/// encoding to determine the percent escapes necessary to convert
/// the `String` into a legal URL string.
@available(*, deprecated, message="Use stringByAddingPercentEncodingWithAllowedCharacters(_:) instead, which always uses the recommended UTF-8 encoding, and which encodes for a specific URL component or subcomponent since each URL component or subcomponent has different rules for what characters are valid.")
public func stringByAddingPercentEscapesUsingEncoding(
encoding: NSStringEncoding
) -> String? {
return _ns.stringByAddingPercentEscapesUsingEncoding(encoding)
}
// - (NSString *)stringByAppendingFormat:(NSString *)format, ...
/// Returns a string made by appending to the `String` a
/// string constructed from a given format string and the following
/// arguments.
@warn_unused_result
public func stringByAppendingFormat(
format: String, _ arguments: CVarArgType...
) -> String {
return _ns.stringByAppendingString(
String(format: format, arguments: arguments))
}
// - (NSString *)stringByAppendingPathComponent:(NSString *)aString
/// Returns a new string made by appending to the `String` a given string.
@available(*, unavailable, message="Use URLByAppendingPathComponent on NSURL instead.")
public func stringByAppendingPathComponent(aString: String) -> String {
return _ns.stringByAppendingPathComponent(aString)
}
// - (NSString *)stringByAppendingPathExtension:(NSString *)ext
/// Returns a new string made by appending to the `String` an
/// extension separator followed by a given extension.
@available(*, unavailable, message="Use URLByAppendingPathExtension on NSURL instead.")
public func stringByAppendingPathExtension(ext: String) -> String? {
// FIXME: This method can return nil in practice, for example when self is
// an empty string. OTOH, this is not documented, documentation says that
// it always returns a string.
//
// <rdar://problem/17902469> -[NSString stringByAppendingPathExtension] can
// return nil
return _ns.stringByAppendingPathExtension(ext)
}
// - (NSString *)stringByAppendingString:(NSString *)aString
/// Returns a new string made by appending a given string to
/// the `String`.
@warn_unused_result
public func stringByAppendingString(aString: String) -> String {
return _ns.stringByAppendingString(aString)
}
// @property NSString* stringByDeletingLastPathComponent;
/// Returns a new string made by deleting the last path
/// component from the `String`, along with any final path
/// separator.
@available(*, unavailable, message="Use URLByDeletingLastPathComponent on NSURL instead.")
public var stringByDeletingLastPathComponent: String {
return _ns.stringByDeletingLastPathComponent
}
// @property NSString* stringByDeletingPathExtension;
/// Returns a new string made by deleting the extension (if
/// any, and only the last) from the `String`.
@available(*, unavailable, message="Use URLByDeletingPathExtension on NSURL instead.")
public var stringByDeletingPathExtension: String {
return _ns.stringByDeletingPathExtension
}
// @property NSString* stringByExpandingTildeInPath;
/// Returns a new string made by expanding the initial
/// component of the `String` to its full path value.
@available(*, unavailable, message="Use stringByExpandingTildeInPath on NSString instead.")
public var stringByExpandingTildeInPath: String {
return _ns.stringByExpandingTildeInPath
}
// - (NSString *)
// stringByFoldingWithOptions:(NSStringCompareOptions)options
// locale:(NSLocale *)locale
/// Returns a string with the given character folding options
/// applied.
@warn_unused_result
public func stringByFoldingWithOptions(
options: NSStringCompareOptions, locale: NSLocale?
) -> String {
return _ns.stringByFoldingWithOptions(options, locale: locale)
}
// - (NSString *)stringByPaddingToLength:(NSUInteger)newLength
// withString:(NSString *)padString
// startingAtIndex:(NSUInteger)padIndex
/// Returns a new string formed from the `String` by either
/// removing characters from the end, or by appending as many
/// occurrences as necessary of a given pad string.
@warn_unused_result
public func stringByPaddingToLength(
newLength: Int, withString padString: String, startingAtIndex padIndex: Int
) -> String {
return _ns.stringByPaddingToLength(
newLength, withString: padString, startingAtIndex: padIndex)
}
// @property NSString* stringByRemovingPercentEncoding;
/// Returns a new string made from the `String` by replacing
/// all percent encoded sequences with the matching UTF-8
/// characters.
public var stringByRemovingPercentEncoding: String? {
return _ns.stringByRemovingPercentEncoding
}
// - (NSString *)
// stringByReplacingCharactersInRange:(NSRange)range
// withString:(NSString *)replacement
/// Returns a new string in which the characters in a
/// specified range of the `String` are replaced by a given string.
@warn_unused_result
public func stringByReplacingCharactersInRange(
range: Range<Index>, withString replacement: String
) -> String {
return _ns.stringByReplacingCharactersInRange(
_toNSRange(range), withString: replacement)
}
// - (NSString *)
// stringByReplacingOccurrencesOfString:(NSString *)target
// withString:(NSString *)replacement
//
// - (NSString *)
// stringByReplacingOccurrencesOfString:(NSString *)target
// withString:(NSString *)replacement
// options:(NSStringCompareOptions)options
// range:(NSRange)searchRange
/// Returns a new string in which all occurrences of a target
/// string in a specified range of the `String` are replaced by
/// another given string.
@warn_unused_result
public func stringByReplacingOccurrencesOfString(
target: String,
withString replacement: String,
options: NSStringCompareOptions = [],
range searchRange: Range<Index>? = nil
) -> String {
return (searchRange != nil) || (!options.isEmpty)
? _ns.stringByReplacingOccurrencesOfString(
target,
withString: replacement, options: options,
range: _toNSRange(searchRange ?? self.characters.indices)
)
: _ns.stringByReplacingOccurrencesOfString(target, withString: replacement)
}
// - (NSString *)
// stringByReplacingPercentEscapesUsingEncoding:(NSStringEncoding)encoding
/// Returns a new string made by replacing in the `String`
/// all percent escapes with the matching characters as determined
/// by a given encoding.
@available(*, deprecated, message="Use stringByRemovingPercentEncoding instead, which always uses the recommended UTF-8 encoding.")
public func stringByReplacingPercentEscapesUsingEncoding(
encoding: NSStringEncoding
) -> String? {
return _ns.stringByReplacingPercentEscapesUsingEncoding(encoding)
}
// @property NSString* stringByResolvingSymlinksInPath;
/// Returns a new string made from the `String` by resolving
/// all symbolic links and standardizing path.
@available(*, unavailable, message="Use URLByResolvingSymlinksInPath on NSURL instead.")
public var stringByResolvingSymlinksInPath: String {
return _ns.stringByResolvingSymlinksInPath
}
// @property NSString* stringByStandardizingPath;
/// Returns a new string made by removing extraneous path
/// components from the `String`.
@available(*, unavailable, message="Use URLByStandardizingPath on NSURL instead.")
public var stringByStandardizingPath: String {
return _ns.stringByStandardizingPath
}
// - (NSString *)stringByTrimmingCharactersInSet:(NSCharacterSet *)set
/// Returns a new string made by removing from both ends of
/// the `String` characters contained in a given character set.
@warn_unused_result
public func stringByTrimmingCharactersInSet(set: NSCharacterSet) -> String {
return _ns.stringByTrimmingCharactersInSet(set)
}
// - (NSArray *)stringsByAppendingPaths:(NSArray *)paths
/// Returns an array of strings made by separately appending
/// to the `String` each string in in a given array.
@available(*, unavailable, message="map over paths with URLByAppendingPathComponent instead.")
public func stringsByAppendingPaths(paths: [String]) -> [String] {
return _ns.stringsByAppendingPaths(paths)
}
// - (NSString *)substringFromIndex:(NSUInteger)anIndex
/// Returns a new string containing the characters of the
/// `String` from the one at a given index to the end.
@warn_unused_result
public func substringFromIndex(index: Index) -> String {
return _ns.substringFromIndex(index._utf16Index)
}
// - (NSString *)substringToIndex:(NSUInteger)anIndex
/// Returns a new string containing the characters of the
/// `String` up to, but not including, the one at a given index.
@warn_unused_result
public func substringToIndex(index: Index) -> String {
return _ns.substringToIndex(index._utf16Index)
}
// - (NSString *)substringWithRange:(NSRange)aRange
/// Returns a string object containing the characters of the
/// `String` that lie within a given range.
@warn_unused_result
public func substringWithRange(aRange: Range<Index>) -> String {
return _ns.substringWithRange(_toNSRange(aRange))
}
// @property (readonly, copy) NSString *localizedUppercaseString NS_AVAILABLE(10_11, 9_0);
/// An uppercase version of the string that is produced using the current
/// locale.
@available(OSX 10.11, iOS 9.0, *)
public var localizedUppercaseString: String {
return _ns.localizedUppercaseString as String
}
// - (NSString *)uppercaseStringWithLocale:(NSLocale *)locale
/// Returns a version of the string with all letters
/// converted to uppercase, taking into account the specified
/// locale.
@warn_unused_result
public func uppercaseStringWithLocale(locale: NSLocale?) -> String {
return _ns.uppercaseStringWithLocale(locale)
}
//===--- Omitted due to redundancy with "utf8" property -----------------===//
// - (const char *)UTF8String
// - (BOOL)
// writeToFile:(NSString *)path
// atomically:(BOOL)useAuxiliaryFile
// encoding:(NSStringEncoding)enc
// error:(NSError **)error
/// Writes the contents of the `String` to a file at a given
/// path using a given encoding.
public func writeToFile(
path: String, atomically useAuxiliaryFile:Bool,
encoding enc: NSStringEncoding
) throws {
try self._ns.writeToFile(
path, atomically: useAuxiliaryFile, encoding: enc)
}
// - (BOOL)
// writeToURL:(NSURL *)url
// atomically:(BOOL)useAuxiliaryFile
// encoding:(NSStringEncoding)enc
// error:(NSError **)error
/// Writes the contents of the `String` to the URL specified
/// by url using the specified encoding.
public func writeToURL(
url: NSURL, atomically useAuxiliaryFile: Bool,
encoding enc: NSStringEncoding
) throws {
try self._ns.writeToURL(
url, atomically: useAuxiliaryFile, encoding: enc)
}
// - (nullable NSString *)stringByApplyingTransform:(NSString *)transform reverse:(BOOL)reverse NS_AVAILABLE(10_11, 9_0);
/// Perform string transliteration.
@warn_unused_result
@available(OSX 10.11, iOS 9.0, *)
public func stringByApplyingTransform(
transform: String, reverse: Bool
) -> String? {
return _ns.stringByApplyingTransform(transform, reverse: reverse)
}
//===--- From the 10.10 release notes; not in public documentation ------===//
// No need to make these unavailable on earlier OSes, since they can
// forward trivially to rangeOfString.
/// Returns `true` iff `other` is non-empty and contained within
/// `self` by case-sensitive, non-literal search.
///
/// Equivalent to `self.rangeOfString(other) != nil`
@warn_unused_result
public func containsString(other: String) -> Bool {
let r = self.rangeOfString(other) != nil
if #available(OSX 10.10, iOS 8.0, *) {
_sanityCheck(r == _ns.containsString(other))
}
return r
}
/// Returns `true` iff `other` is non-empty and contained within
/// `self` by case-insensitive, non-literal search, taking into
/// account the current locale.
///
/// Locale-independent case-insensitive operation, and other needs,
/// can be achieved by calling
/// `rangeOfString(_:options:_,range:_locale:_)`.
///
/// Equivalent to
///
/// self.rangeOfString(
/// other, options: .CaseInsensitiveSearch,
/// locale: NSLocale.currentLocale()) != nil
@warn_unused_result
public func localizedCaseInsensitiveContainsString(other: String) -> Bool {
let r = self.rangeOfString(
other, options: .CaseInsensitiveSearch, locale: NSLocale.currentLocale()
) != nil
if #available(OSX 10.10, iOS 8.0, *) {
_sanityCheck(r == _ns.localizedCaseInsensitiveContainsString(other))
}
return r
}
}
| apache-2.0 | 1eef0918b438d6acc5c1c86641afefcd | 34.065515 | 311 | 0.680136 | 4.839306 | false | false | false | false |
benlangmuir/swift | test/IDE/range_info_54276140.swift | 27 | 564 | // This range info request used to take several minutes to get. Adding a test to make sure we don't lose track of it.
// RUN: %target-swift-ide-test -range -pos=4:1 -end-pos=4:12 -source-filename %s | %FileCheck %s -check-prefix=CHECK1
all = "ALL"= "GET"= "POST"= "PUT"= "HEAD"= "DELETE"= "OPTIONS"= "TRACE"= "COPY"= "LOCK"= "MKCOL"= "MOVE"= "PURGE"= "PROPFIND"= "PROPPATCH"= "UNLOCK"= "REPORT"= "MKACTIVITY"= "CHECKOUT"= "MERGE"= "MSEARCH"= "NOTIFY"= "SUBSCRIBE"= "UNSUBSCRIBE"= "PATCH"= "SEARCH"= "CONNECT"= "ERROR"= "UNKNOWN"
// CHECK1: <ASTNodes>2</ASTNodes> | apache-2.0 | c3eda23ef1bb3724a53d38746aa40f30 | 93.166667 | 292 | 0.654255 | 2.737864 | false | true | true | false |
robtimp/xswift | exercises/atbash-cipher/Sources/AtbashCipher/AtbashCipherExample.swift | 2 | 1328 | import Foundation
struct AtbashCipher {
private static func stripWhiteSpaceAndPunctuations(_ input: String) -> String {
var returnString = ""
input.forEach {
if !" ,.".contains(String($0)) {
returnString.append($0)
}
}
return returnString
}
static let cipherDictApply: [Character: Character] = ["a": "z", "b": "y", "c": "x", "d": "w", "e": "v", "f": "u", "g": "t", "h": "s", "i": "r", "j": "q", "k": "p", "l": "o", "m": "n", "n": "m", "o": "l", "p": "k", "q": "j", "r": "i", "s": "h", "t": "g", "u": "f", "v": "e", "w": "d", "x": "c", "y": "b", "z": "a"]
static func encode( _ valueIn: String) -> String {
let value = stripWhiteSpaceAndPunctuations(valueIn.lowercased() )
var text2return = ""
for each in value {
text2return.append(cipherDictApply[each] ?? each )
}
return insertSpace5th(text2return)
}
static func insertSpace5th(_ value: String) -> String {
var tempCounter = 0
var tempString: String = ""
for each in value {
if tempCounter % 5 == 0 && tempCounter != 0 {
tempString += " \(each)"
} else { tempString += "\(each)" }
tempCounter += 1
}
return tempString
}
}
| mit | 28dcd961f0930028af94a7770ce10833 | 31.390244 | 317 | 0.480422 | 3.440415 | false | false | false | false |
scottkawai/sendgrid-swift | Sources/SendGrid/API/V3/Mail/Send/Email.swift | 1 | 36656 | import Foundation
/// The `Email` class is used to make the Mail Send API call. The class allows
/// you to configure many different aspects of the email.
///
/// ## Content
///
/// To specify the content of an email, use the `Content` class. In general, an
/// email will have plain text and/or HTML text content, however you can specify
/// other types of content, such as an ICS calendar invite. Following RFC 1341,
/// section 7.2, if either HTML or plain text content are to be sent in your
/// email: the plain text content needs to be first, followed by the HTML
/// content, followed by any other content.
///
/// ## Personalizations
///
/// The new V3 endpoint introduces the idea of "personalizations." When using
/// the API, you define a set of global characteristics for the email, and then
/// also define seperate personalizations, which contain recipient-specific
/// information for the email. Since personalizations contain the recipients of
/// the email, each request must contain at least 1 personalization.
///
/// ```swift
/// // Send a basic example
/// let personalization = Personalization(recipients: "[email protected]")
/// let plainText = Content(contentType: ContentType.plainText, value: "Hello World")
/// let htmlText = Content(contentType: ContentType.htmlText, value: "<h1>Hello World</h1>")
/// let email = Email(
/// personalizations: [personalization],
/// from: "[email protected]",
/// content: [plainText, htmlText],
/// subject: "Hello World"
/// )
/// do {
/// try Session.shared.send(request: email)
/// } catch {
/// print(error)
/// }
/// ```
///
/// An `Email` instance can have up to 1000 `Personalization` instances. A
/// `Personalization` can be thought of an individual email. It can contain
/// several `to` addresses, along with `cc` and `bcc` addresses. Keep in mind
/// that if you put two addresses in a single `Personalization` instance, each
/// recipient will be able to see each other's email address. If you want to
/// send to several recipients where each recipient only sees their own address,
/// you'll want to create a seperate `Personalization` instance for each
/// recipient.
///
/// The `Personalization` class also allows personalizing certain email
/// attributes, including:
///
/// - Subject
/// - Headers
/// - Substitution tags
/// - [Custom arguments](https://sendgrid.com/docs/API_Reference/SMTP_API/unique_arguments.html)
/// - Scheduled sends
///
/// If a `Personalization` instance contains an email attribute that is also
/// defined globally in the request (such as the subject), the `Personalization`
/// instance's value takes priority.
///
/// Here is an advanced example of using personalizations:
///
/// ```swift
/// // Send an advanced example
/// let recipients = [
/// Address(email: "[email protected]", name: "Jose"),
/// Address(email: "[email protected]", name: "Isaac"),
/// Address(email: "[email protected]", name: "Tim")
/// ]
/// let personalizations = recipients.map { (recipient) -> Personalization in
/// let name = recipient.name ?? "there"
/// return Personalization(
/// to: [recipient],
/// cc: nil,
/// bcc: [Address(email: "[email protected]")],
/// subject: "Hello \(name)!",
/// headers: ["X-Campaign":"12345"],
/// substitutions: ["%name%":name],
/// customArguments: ["campaign_id":"12345"]
/// )
/// }
/// let contents = Content.emailBody(
/// plain: "Hello %name%,\n\nHow are you?\n\nBest,\nSender",
/// html: "<p>Hello %name%,</p><p>How are you?</p><p>Best,<br>Sender</p>"
/// )
/// let email = Email(
/// personalizations: personalizations,
/// from: Address(email: "[email protected]"),
/// content: contents,
/// subject: nil
/// )
/// email.parameters?.headers = [
/// "X-Campaign": "12345"
/// ]
/// email.parameters?.customArguments = [
/// "campaign_id": "12345"
/// ]
/// do {
/// try Session.shared.send(request: email) { (result) in
/// switch result {
/// case .success(let response):
/// print(response.statusCode)
/// case .failure(let err):
/// print(err)
/// }
/// }
/// } catch {
/// print(error)
/// }
/// ```
///
/// You'll notice in the example above, the global email defines custom headers
/// and custom arguments. In addition, each personalization defines some headers
/// and custom arguments. For the resulting email, the headers and custom
/// arguments will be merged together. In the event of a conflict, the
/// personalization's values will be used.
///
/// ## Attachments
///
/// The `Attachment` class allows you to easily add attachments to an email. All
/// you need is to convert your desired attachment into `Data` and initialize
/// it like so:
///
/// ```swift
/// let personalization = Personalization(recipients: "[email protected]")
/// let contents = Content.emailBody(
/// plain: "Hello World",
/// html: "<h1>Hello World</h1>"
/// )
/// let email = Email(
/// personalizations: [personalization],
/// from: "[email protected]",
/// content: contents,
/// subject: "Hello World"
/// )
/// do {
/// if let path = Bundle.main.url(forResource: "proposal", withExtension: "pdf") {
/// let attachment = Attachment(
/// filename: "proposal.pdf",
/// content: try Data(contentsOf: path),
/// disposition: .attachment,
/// type: .pdf,
/// contentID: nil
/// )
/// email.parameters?.attachments = [attachment]
/// }
/// try Session.shared.send(request: email) { (result) in
/// switch result {
/// case .success(let response):
/// print(response.statusCode)
/// case .failure(let err):
/// print(err)
/// }
/// }
/// } catch {
/// print(error)
/// }
/// ```
///
/// You can also use attachments as inline images by setting the `disposition`
/// property to `.inline` and setting the `cid` property. You can then
/// reference that unique CID in your HTML like so:
///
/// ```swift
/// let personalization = Personalization(recipients: "[email protected]")
/// let contents = Content.emailBody(
/// plain: "Hello World",
/// html: "<img src=\"cid:main_logo_12345\" /><h1>Hello World</h1>"
/// )
/// let email = Email(
/// personalizations: [personalization],
/// from: "[email protected]",
/// content: contents,
/// subject: "Hello World"
/// )
/// do {
/// let filename = NSImage.Name("logo.png")
/// if let path = Bundle.main.urlForImageResource(filename) {
/// let attachment = Attachment(
/// filename: "logo.png",
/// content: try Data(contentsOf: path),
/// disposition: .inline,
/// type: .png,
/// contentID: "main_logo_12345"
/// )
/// email.parameters?.attachments = [attachment]
/// }
/// try Session.shared.send(request: email) { (result) in
/// switch result {
/// case .success(let response):
/// print(response.statusCode)
/// case .failure(let err):
/// print(err)
/// }
/// }
/// } catch {
/// print(error)
/// }
/// ```
///
/// ## Mail and Tracking Settings
///
/// There are various classes available that you can use to modify the
/// [mail](https://sendgrid.com/docs/User_Guide/Settings/mail.html) and
/// [tracking](https://sendgrid.com/docs/User_Guide/Settings/tracking.html)
/// settings for a specific email.
///
/// **MAIL SETTINGS**
///
/// The following mail setting classes are available:
///
/// - `BCCSetting` - This allows you to have a blind carbon copy automatically
/// sent to the specified email address for every email that is sent.
/// - `BypassListManagement` - Allows you to bypass all unsubscribe groups and
/// suppressions to ensure that the email is delivered to every single
/// recipient. This should only be used in emergencies when it is absolutely
/// necessary that every recipient receives your email. Ex: outage emails, or
/// forgot password emails.
/// - `Footer` - The default footer that you would like appended to the bottom
/// of every email.
/// - `SandboxMode` - This allows you to send a test email to ensure that your
/// request body is valid and formatted correctly. For more information, please
/// see the [Classroom](https://sendgrid.com/docs/Classroom/Send/v3_Mail_Send/sandbox_mode.html).
/// - `SpamChecker` - This allows you to test the content of your email for
/// spam.
///
/// **TRACKING SETTINGS**
///
/// The following tracking setting classes are available:
///
/// - `ClickTracking` - Allows you to track whether a recipient clicked a link
/// in your email.
/// - `GoogleAnalytics` - Allows you to enable tracking provided by Google
/// Analytics.
/// - `OpenTracking` - Allows you to track whether the email was opened or not,
/// but including a single pixel image in the body of the content. When the
/// pixel is loaded, we can log that the email was opened.
/// - `SubscriptionTracking` - Allows you to insert a subscription management
/// link at the bottom of the text and html bodies of your email. If you would
/// like to specify the location of the link within your email, you may specify
/// a substitution tag.
///
/// **EXAMPLE**
///
/// Each setting has its own properties that can be configured, but here's a
/// basic example:
///
/// ```swift
/// let personalization = Personalization(recipients: "[email protected]")
/// let contents = Content.emailBody(
/// plain: "Hello World",
/// html: "<h1>Hello World</h1>"
/// )
/// let email = Email(
/// personalizations: [personalization],
/// from: "[email protected]",
/// content: contents,
/// subject: "Hello World"
/// )
/// email.parameters?.mailSettings.footer = Footer(
/// text: "Copyright 2016 MyCompany",
/// html: "<p><small>Copyright 2016 MyCompany</small></p>"
/// )
/// email.parameters?.trackingSettings.clickTracking = ClickTracking(section: .htmlBody)
/// email.parameters?.trackingSettings.openTracking = OpenTracking(location: .off)
/// do {
/// try Session.shared.send(request: email) { (result) in
/// switch result {
/// case .success(let response):
/// print(response.statusCode)
/// case .failure(let err):
/// print(err)
/// }
/// }
/// } catch {
/// print(error)
/// }
/// ```
///
/// ## Unsubscribe Groups (ASM)
///
/// If you use SendGrid's
/// [unsubscribe groups](https://sendgrid.com/docs/User_Guide/Suppressions/advanced_suppression_manager.html)
/// feature, you can specify which unsubscribe group to send an email under like
/// so:
///
/// ```swift
/// let personalization = Personalization(recipients: "[email protected]")
/// let contents = Content.emailBody(
/// plain: "Hello World",
/// html: "<h1>Hello World</h1>"
/// )
/// let email = Email(
/// personalizations: [personalization],
/// from: "[email protected]",
/// content: contents,
/// subject: "Hello World"
/// )
/// /// Assuming your unsubscribe group has an ID of 4815…
/// email.parameters?.asm = ASM(groupID: 4815)
/// do {
/// try Session.shared.send(request: email) { (result) in
/// switch result {
/// case .success(let response):
/// print(response.statusCode)
/// case .failure(let err):
/// print(err)
/// }
/// }
/// } catch {
/// print(error)
/// }
/// ```
///
/// You can also specify which unsubscribe groups should be shown on the
/// subscription management page for this email:
///
/// ```swift
/// let personalization = Personalization(recipients: "[email protected]")
/// let contents = Content.emailBody(
/// plain: "Hello World",
/// html: "<h1>Hello World</h1>"
/// )
/// let email = Email(
/// personalizations: [personalization],
/// from: "[email protected]",
/// content: contents,
/// subject: "Hello World"
/// )
/// /// Assuming your unsubscribe group has an ID of 4815…
/// email.parameters?.asm = ASM(groupID: 4815, groupsToDisplay: [16,23,42])
/// do {
/// try Session.shared.send(request: email) { (result) in
/// switch result {
/// case .success(let response):
/// print(response.statusCode)
/// case .failure(let err):
/// print(err)
/// }
/// }
/// } catch {
/// print(error)
/// }
/// ```
///
/// ## IP Pools
///
/// If you're on a pro plan or higher, and have set up
/// [IP Pools](https://sendgrid.com/docs/API_Reference/Web_API_v3/IP_Management/ip_pools.html)
/// on your account, you can specify a specific pool to send an email over like
/// so:
///
/// ```swift
/// let personalization = Personalization(recipients: "[email protected]")
/// let contents = Content.emailBody(
/// plain: "Hello World",
/// html: "<h1>Hello World</h1>"
/// )
/// let email = Email(
/// personalizations: [personalization],
/// from: "[email protected]",
/// content: contents,
/// subject: "Hello World"
/// )
/// /// Assuming you have an IP pool called "transactional" on your account…
/// email.parameters?.ipPoolName = "transactional"
/// do {
/// try Session.shared.send(request: email) { (result) in
/// switch result {
/// case .success(let response):
/// print(response.statusCode)
/// case .failure(let err):
/// print(err)
/// }
/// }
/// } catch {
/// print(error)
/// }
/// ```
///
/// ## Scheduled Sends
///
/// If you don't want the email to be sent right away, but rather at some point
/// in the future, you can use the `sendAt` property. **NOTE**: You cannot
/// schedule an email further than 72 hours in the future. You can also assign
/// an optional, unique `batchID` to the email so that you can
/// [cancel via the API](https://sendgrid.com/docs/API_Reference/Web_API_v3/cancel_schedule_send.html)
/// in the future if needed.
///
/// ```swift
/// let personalization = Personalization(recipients: "[email protected]")
/// let contents = Content.emailBody(
/// plain: "Hello World",
/// html: "<h1>Hello World</h1>"
/// )
/// let email = Email(
/// personalizations: [personalization],
/// from: "[email protected]",
/// content: contents,
/// subject: "Hello World"
/// )
/// // Schedule the email for 24 hours from now.
/// email.parameters?.sendAt = Date(timeIntervalSinceNow: 24 * 60 * 60)
///
/// // This part is optional, but if you [generated a batch ID](https://sendgrid.com/docs/API_Reference/Web_API_v3/cancel_schedule_send.html)
/// // and specify it here, you'll have the ability to cancel this send via the API if needed.
/// email.parameters?.batchID = "76A8C7A6-B435-47F5-AB13-15F06BA2E3WD"
///
/// do {
/// try Session.shared.send(request: email) { (result) in
/// switch result {
/// case .success(let response):
/// print(response.statusCode)
/// case .failure(let err):
/// print(err)
/// }
/// }
/// } catch {
/// print(error)
/// }
/// ```
///
/// In the above example, we've set the `sendAt` property on the global email,
/// which means every personalization will be scheduled for that time. You can
/// also set the `sendAt` property on a `Personalization` if you want each one
/// to be set to a different time, or only have certain ones scheduled:
///
/// ```swift
/// let recipientInfo: [String : Date?] = [
/// "[email protected]": Date(timeIntervalSinceNow: 4 * 60 * 60),
/// "[email protected]": nil,
/// "[email protected]": Date(timeIntervalSinceNow: 12 * 60 * 60)
/// ]
/// let personalizations = recipientInfo.map { (recipient, date) -> Personalization in
/// let personalization = Personalization(recipients: recipient)
/// personalization.sendAt = date
/// return personalization
/// }
/// let contents = Content.emailBody(
/// plain: "Hello there,\n\nHow are you?\n\nBest,\nSender",
/// html: "<p>Hello there,</p><p>How are you?</p><p>Best,<br>Sender</p>"
/// )
/// let email = Email(
/// personalizations: personalizations,
/// from: "[email protected]",
/// content: contents,
/// subject: nil
/// )
/// do {
/// try Session.shared.send(request: email) { (result) in
/// switch result {
/// case .success(let response):
/// print(response.statusCode)
/// case .failure(let err):
/// print(err)
/// }
/// }
/// } catch {
/// print(error)
/// }
/// ```
///
/// ## Categories
///
/// You can assign categories to an email which will show up in your SendGrid
/// stats, Email Activity, and event webhook. You can not have more than 10
/// categories per email.
///
/// ```swift
/// let personalization = Personalization(recipients: "[email protected]")
/// let contents = Content.emailBody(
/// plain: "Hello World",
/// html: "<h1>Hello World</h1>"
/// )
/// let email = Email(
/// personalizations: [personalization],
/// from: "[email protected]",
/// content: contents,
/// subject: "Hello World"
/// )
/// email.parameters?.categories = ["Foo", "Bar"]
/// do {
/// try Session.shared.send(request: email) { (result) in
/// switch result {
/// case .success(let response):
/// print(response.statusCode)
/// case .failure(let err):
/// print(err)
/// }
/// }
/// } catch {
/// print(error)
/// }
/// ```
///
/// ## Sections
///
/// Sections allow you to define large blocks of content that can be inserted
/// into your emails using substitution tags. An example of this might look like
/// the following:
///
/// ```swift
/// let bob = Personalization(recipients: "[email protected]")
/// bob.substitutions = [
/// ":salutation": ":male",
/// ":name": "Bob",
/// ":event_details": ":event2",
/// ":event_date": "Feb 14"
/// ]
///
/// let alice = Personalization(recipients: "[email protected]")
/// alice.substitutions = [
/// ":salutation": ":female",
/// ":name": "Alice",
/// ":event_details": ":event1",
/// ":event_date": "Jan 1"
/// ]
///
/// let casey = Personalization(recipients: "[email protected]")
/// casey.substitutions = [
/// ":salutation": ":neutral",
/// ":name": "Casey",
/// ":event_details": ":event1",
/// ":event_date": "Aug 11"
/// ]
///
/// let personalization = [
/// bob,
/// alice,
/// casey
/// ]
/// let plainText = ":salutation,\n\nPlease join us for the :event_details."
/// let htmlText = "<p>:salutation,</p><p>Please join us for the :event_details.</p>"
/// let content = Content.emailBody(plain: plainText, html: htmlText)
/// let email = Email(
/// personalizations: personalization,
/// from: "[email protected]",
/// content: content
/// )
/// email.parameters?.subject = "Hello World"
/// email.parameters?.sections = [
/// ":male": "Mr. :name",
/// ":female": "Ms. :name",
/// ":neutral": ":name",
/// ":event1": "New User Event on :event_date",
/// ":event2": "Veteran User Appreciation on :event_date"
/// ]
/// ```
///
/// ## Template Engine
///
/// If you use SendGrid's
/// [Template Engine](https://sendgrid.com/docs/User_Guide/Transactional_Templates/index.html),
/// you can specify a template to apply to an email like so:
///
/// ```swift
/// let personalization = Personalization(recipients: "[email protected]")
/// let contents = Content.emailBody(
/// plain: "Hello World",
/// html: "<h1>Hello World</h1>"
/// )
/// let email = Email(
/// personalizations: [personalization],
/// from: "[email protected]",
/// content: contents,
/// subject: "Hello World"
/// )
/// /// Assuming you have a template with ID "52523e14-7e47-45ed-ab32-0db344d8cf9z" on your account…
/// email.parameters?.templateID = "52523e14-7e47-45ed-ab32-0db344d8cf9z"
/// do {
/// try Session.shared.send(request: email) { (result) in
/// switch result {
/// case .success(let response):
/// print(response.statusCode)
/// case .failure(let err):
/// print(err)
/// }
/// }
/// } catch {
/// print(error)
/// }
/// ```
public class Email: Request<Email.Parameters> {
// MARK: - Properties
/// A `Bool` indicating if the request supports the "On-behalf-of" header.
public override var supportsImpersonation: Bool { false }
// MARK: - Initialization
/// Initializes the email request with a list of personalizations, a from
/// address, content, and a subject.
///
/// - Parameters:
/// - personalizations: An array of personalization instances.
/// - from: A from address to use in the email.
/// - content: An array of content instances to use in the
/// body.
/// - subject: An optional global subject line.
public init(personalizations: [Personalization], from: Address, content: [Content], subject: String? = nil) {
let params = Email.Parameters(personalizations: personalizations, from: from, content: content, subject: subject)
let dateEncoder = JSONEncoder.DateEncodingStrategy.custom { date, encoder in
var container = encoder.singleValueContainer()
try container.encode(Int(date.timeIntervalSince1970))
}
super.init(method: .POST,
path: "/v3/mail/send",
parameters: params,
encodingStrategy: EncodingStrategy(dates: dateEncoder))
}
/// Initializes the email request with a list of personalizations, a from
/// address, template ID, and a subject.
///
/// - Parameters:
/// - personalizations: An array of personalization instances.
/// - from: A from address to use in the email.
/// - templateID: The ID of a template to use.
/// - subject: An optional global subject line.
public init(personalizations: [Personalization], from: Address, templateID: String, subject: String? = nil) {
let params = Email.Parameters(personalizations: personalizations, from: from, templateID: templateID, subject: subject)
let dateEncoder = JSONEncoder.DateEncodingStrategy.custom { date, encoder in
var container = encoder.singleValueContainer()
try container.encode(Int(date.timeIntervalSince1970))
}
super.init(method: .POST,
path: "/v3/mail/send",
parameters: params,
encodingStrategy: EncodingStrategy(dates: dateEncoder))
}
// MARK: - Methods
/// Before a `Session` instance makes an API call, it will call this method
/// to double check that the auth method it's about to use is supported by
/// the endpoint. In general, this will always return `true`, however some
/// endpoints, such as the mail send endpoint, only support API keys.
///
/// - Parameter auth: The `Authentication` instance that's about to be
/// used.
/// - Returns: A `Bool` indicating if the authentication method is
/// supported.
public override func supports(auth: Authentication) -> Bool {
// The mail send endpoint only supports API Keys.
auth.prefix == "Bearer"
}
/// :nodoc:
public override func validate() throws {
try super.validate()
try self.parameters?.validate()
}
}
public extension Email /* Parameters Struct */ {
/// The `Email.Parameters` struct serves as the parameters sent on the email
/// send API.
struct Parameters: Encodable, EmailHeaderRepresentable, Scheduling, Validatable {
// MARK: - Properties
/// An array of personalization instances representing the various
/// recipients of the email.
public var personalizations: [Personalization]
/// The content sections of the email.
public var content: [Content]?
/// The subject of the email. If the personalizations in the email contain
/// subjects, those will override this subject.
public var subject: String?
/// The sending address on the email.
public var from: Address
/// The reply to address on the email.
public var replyTo: Address?
/// Attachments to add to the email.
public var attachments: [Attachment]?
/// The ID of a template from the Template Engine to use with the email.
public var templateID: String?
/// Additional headers that should be added to the email.
public var headers: [String: String]?
/// Categories to associate with the email.
public var categories: [String]?
/// A dictionary of key/value pairs that define large blocks of content that
/// can be inserted into your emails using substitution tags. An example of
/// this might look like the following:
///
/// ```swift
/// let bob = Personalization(recipients: "[email protected]")
/// bob.substitutions = [
/// ":salutation": ":male",
/// ":name": "Bob",
/// ":event_details": ":event2",
/// ":event_date": "Feb 14"
/// ]
///
/// let alice = Personalization(recipients: "[email protected]")
/// alice.substitutions = [
/// ":salutation": ":female",
/// ":name": "Alice",
/// ":event_details": ":event1",
/// ":event_date": "Jan 1"
/// ]
///
/// let casey = Personalization(recipients: "[email protected]")
/// casey.substitutions = [
/// ":salutation": ":neutral",
/// ":name": "Casey",
/// ":event_details": ":event1",
/// ":event_date": "Aug 11"
/// ]
///
/// let personalization = [
/// bob,
/// alice,
/// casey
/// ]
/// let plainText = ":salutation,\n\nPlease join us for the :event_details."
/// let htmlText = "<p>:salutation,</p><p>Please join us for the :event_details.</p>"
/// let content = Content.emailBody(plain: plainText, html: htmlText)
/// let email = Email(
/// personalizations: personalization,
/// from: "[email protected]",
/// content: content
/// )
/// email.parameters?.subject = "Hello World"
/// email.parameters?.sections = [
/// ":male": "Mr. :name",
/// ":female": "Ms. :name",
/// ":neutral": ":name",
/// ":event1": "New User Event on :event_date",
/// ":event2": "Veteran User Appreciation on :event_date"
/// ]
/// ```
public var sections: [String: String]?
/// A set of custom arguments to add to the email. The keys of the
/// dictionary should be the names of the custom arguments, while the values
/// should represent the value of each custom argument. If personalizations
/// in the email also contain custom arguments, they will be merged with
/// these custom arguments, taking a preference to the personalization's
/// custom arguments in the case of a conflict.
public var customArguments: [String: String]?
/// An `ASM` instance representing the unsubscribe group settings to apply
/// to the email.
public var asm: ASM?
/// An optional time to send the email at.
public var sendAt: Date?
/// This ID represents a batch of emails (AKA multiple sends of the same
/// email) to be associated to each other for scheduling. Including a
/// `batch_id` in your request allows you to include this email in that
/// batch, and also enables you to cancel or pause the delivery of that
/// entire batch. For more information, please read about [Cancel Scheduled
/// Sends](https://sendgrid.com/docs/API_Reference/Web_API_v3/cancel_schedule_send.html).
public var batchID: String?
/// The IP Pool that you would like to send this email from. See the [docs
/// page](https://sendgrid.com/docs/API_Reference/Web_API_v3/IP_Management/ip_pools.html#-POST)
/// for more information about creating IP Pools.
public var ipPoolName: String?
/// An optional array of mail settings to configure the email with.
public var mailSettings = MailSettings()
/// An optional array of tracking settings to configure the email with.
public var trackingSettings = TrackingSettings()
// MARK: - Initialization
/// Initializes the parameters with a list of personalizations, a from
/// address, content, and a subject.
///
/// - Parameters:
/// - personalizations: An array of personalization instances.
/// - from: A from address to use in the email.
/// - content: An array of content instances to use in the
/// body.
/// - subject: An optional global subject line.
public init(personalizations: [Personalization], from: Address, content: [Content]? = nil, templateID: String? = nil, subject: String? = nil) {
self.personalizations = personalizations
self.from = from
self.content = content
self.subject = subject
self.templateID = templateID
}
// MARK: - Methods
/// :nodoc:
public func validate() throws {
// Check for correct amount of personalizations
guard 1...Constants.PersonalizationLimit ~= self.personalizations.count else {
throw Exception.Mail.invalidNumberOfPersonalizations
}
// Check for content
if self.templateID == nil {
guard let bodies = self.content, bodies.count > 0 else { throw Exception.Mail.missingContent }
// Check for content order
let (isOrdered, _) = try bodies.reduce((true, 0)) { (running, item) -> (Bool, Int) in
try item.validate()
let thisIsOrdered = running.0 && (item.type.index >= running.1)
return (thisIsOrdered, item.type.index)
}
guard isOrdered else { throw Exception.Mail.invalidContentOrder }
}
// Check for total number of recipients
let totalRecipients: [String] = try self.personalizations.reduce([String]()) { (list, per) -> [String] in
try per.validate()
func reduce(addresses: [Address]?) throws -> [String] {
guard let array = addresses else { return [] }
return try array.reduce([String](), { (running, address) -> [String] in
if list.contains(address.email.lowercased()) {
throw Exception.Mail.duplicateRecipient(address.email.lowercased())
}
return running + [address.email.lowercased()]
})
}
let tos = try reduce(addresses: per.to)
let ccs = try reduce(addresses: per.cc)
let bcc = try reduce(addresses: per.bcc)
return list + tos + ccs + bcc
}
guard totalRecipients.count <= Constants.RecipientLimit else { throw Exception.Mail.tooManyRecipients }
// Check for subject present
if (self.subject?.count ?? 0) == 0, self.templateID == nil {
let subjectPresent = self.personalizations.reduce(true) { (hasSubject, person) -> Bool in
hasSubject && ((person.subject?.count ?? 0) > 0)
}
guard subjectPresent else { throw Exception.Mail.missingSubject }
}
// Validate from address
try self.from.validate()
// Validate reply-to address
try self.replyTo?.validate()
// Validate the headers
try self.validateHeaders()
// Validate the categories
if let cats = self.categories {
guard cats.count <= Constants.Categories.TotalLimit else { throw Exception.Mail.tooManyCategories }
_ = try cats.reduce([String](), { (list, cat) -> [String] in
guard cat.count <= Constants.Categories.CharacterLimit else {
throw Exception.Mail.categoryTooLong(cat)
}
let lower = cat.lowercased()
if list.contains(lower) {
throw Exception.Mail.duplicateCategory(lower)
}
return list + [lower]
})
}
// Validate the custom arguments.
try self.personalizations.forEach({ p in
var merged = self.customArguments ?? [:]
if let list = p.customArguments {
list.forEach { merged[$0.key] = $0.value }
}
let jsonData = try JSONEncoder().encode(merged)
let bytes = jsonData.count
guard bytes <= Constants.CustomArguments.MaximumBytes else {
let jsonString = String(data: jsonData, encoding: .utf8)
throw Exception.Mail.tooManyCustomArguments(bytes, jsonString)
}
})
// Validate ASM
try self.asm?.validate()
// Validate the send at date.
try self.validateSendAt()
// Validate the mail settings.
try self.mailSettings.validate()
// validate the tracking settings.
try self.trackingSettings.validate()
}
/// :nodoc:
public func encode(to encoder: Encoder) throws {
var container = encoder.container(keyedBy: CodingKeys.self)
try container.encode(self.personalizations, forKey: .personalizations)
try container.encode(self.from, forKey: .from)
try container.encode(self.content, forKey: .content)
try container.encodeIfPresent(self.subject, forKey: .subject)
try container.encodeIfPresent(self.replyTo, forKey: .replyTo)
try container.encodeIfPresent(self.attachments, forKey: .attachments)
try container.encodeIfPresent(self.templateID, forKey: .templateID)
try container.encodeIfPresent(self.sections, forKey: .sections)
try container.encodeIfPresent(self.headers, forKey: .headers)
try container.encodeIfPresent(self.categories, forKey: .categories)
try container.encodeIfPresent(self.customArguments, forKey: .customArguments)
try container.encodeIfPresent(self.asm, forKey: .asm)
try container.encodeIfPresent(self.sendAt, forKey: .sendAt)
try container.encodeIfPresent(self.batchID, forKey: .batchID)
try container.encodeIfPresent(self.ipPoolName, forKey: .ipPoolName)
if self.mailSettings.hasSettings {
try container.encode(self.mailSettings, forKey: .mailSettings)
}
if self.trackingSettings.hasSettings {
try container.encode(self.trackingSettings, forKey: .trackingSettings)
}
}
/// :nodoc:
public enum CodingKeys: String, CodingKey {
case asm
case attachments
case batchID = "batch_id"
case categories
case content
case customArguments = "custom_args"
case from
case headers
case ipPoolName = "ip_pool_name"
case mailSettings = "mail_settings"
case personalizations
case replyTo = "reply_to"
case sections
case sendAt = "send_at"
case subject
case templateID = "template_id"
case trackingSettings = "tracking_settings"
}
}
}
| mit | 3c13894f9c9a7b9321616ef55559540a | 37.780952 | 151 | 0.587208 | 4.153218 | false | false | false | false |
miller-ms/ViewAnimator | ViewAnimator/TransitionController.swift | 1 | 5849 | //
// TransitionController.swift
// ViewAnimator
//
// Created by William Miller DBA Miller Mobilesoft on 5/13/17.
//
// This application is intended to be a developer tool for evaluating the
// options for creating an animation or transition using the UIView static
// methods UIView.animate and UIView.transition.
// Copyright © 2017 William Miller DBA Miller Mobilesoft
//
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//
// You should have received a copy of the GNU General Public License
// along with this program. If not, see <http://www.gnu.org/licenses/>.
//
// If you would like to reach the developer you may email me at
// [email protected] or visit my website at
// http://millermobilesoft.com
//
import UIKit
class TransitionController: AnimatorController {
enum ParamCellIdentifiers:Int {
case durationCell = 0
case optionsCell
case count
}
enum TransitionCellIdentifiers:Int {
case transitionCell = 0
case count
}
enum SectionIdentifiers:Int {
case transitionSection = 0
case parameterSection
case count
}
var duration = Double(1.0)
var options = OptionsModel(options: [UIViewAnimationOptions.transitionCrossDissolve])
override func viewDidLoad() {
super.viewDidLoad()
cellIdentifiers = [ "TransitionCell", "DurationCellId", "OptionsCellId"]
sectionHeaderTitles = ["Transition", "Parameters"]
identifierBaseIdx = [0,
TransitionCellIdentifiers.count.rawValue]
sectionCount = [TransitionCellIdentifiers.count.rawValue, ParamCellIdentifiers.count.rawValue]
rowHeights = [CGFloat(0), CGFloat(0), CGFloat(0), CGFloat(0)]
// Do any additional setup after loading the view.
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
func transferParametersFromCells() {
let parameterPath = IndexPath(row:ParamCellIdentifiers.durationCell.rawValue, section: SectionIdentifiers.parameterSection.rawValue)
let cell = tableView.cellForRow(at: parameterPath) as? FloatValueCell
if cell != nil {
duration = Double(cell!.value)
}
}
override func tableView(_ tableView: UITableView, willDisplay cell: UITableViewCell, forRowAt indexPath: IndexPath) {
guard let propertySection = SectionIdentifiers(rawValue: indexPath.section) else {
fatalError("invalid section in properties controller")
}
switch propertySection {
case .parameterSection:
guard let paramCellId = ParamCellIdentifiers(rawValue: indexPath.row) else {
fatalError("Invalid row in parameter section")
}
if paramCellId == .durationCell {
let paramCell = cell as! FloatValueCell
paramCell.value = Float(duration)
}
default:
break
}
}
override func tableView(_ tableView: UITableView, didEndDisplaying cell: UITableViewCell, forRowAt indexPath: IndexPath) {
guard let propertySection = SectionIdentifiers(rawValue: indexPath.section) else {
fatalError("invalid section in properties controller")
}
switch propertySection {
case .parameterSection:
guard let paramCellId = ParamCellIdentifiers(rawValue: indexPath.row) else {
fatalError("Invalid row in parameter section")
}
if paramCellId == .durationCell {
let paramCell = cell as! FloatValueCell
duration = Double(paramCell.value)
}
default:
break
}
}
/*
// MARK: - Navigation
// In a storyboard-based application, you will often want to do a little preparation before navigation
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
// Get the new view controller using segue.destinationViewController.
// Pass the selected object to the new view controller.
}
*/
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
let optionsController = segue.destination as! TransitionOptionsController
optionsController.options = options
}
@IBAction func durationChanged(_ sender: UISlider) {
let cell = sender.superview!.superview as! FloatValueCell
duration = Double(cell.value)
}
@IBAction func executeTransition(_ sender: UIButton) {
let cell = sender.superview?.superview as! TransitionCell
var hex = String(format: "%x", options.animationOptions.rawValue)
print("Options for animate are \(hex)")
hex = String(format: "%x", UIViewAnimationOptions.transitionCrossDissolve.rawValue)
print("crosse dissolve value is \(hex)")
transferParametersFromCells()
cell.executeTransition(withDuration: duration, animationOptions: options.animationOptions)
}
}
| gpl-3.0 | db2c139621208bcf3e380ad309c37c8c | 31.131868 | 140 | 0.636799 | 5.282746 | false | false | false | false |
dracrowa-kaz/DeveloperNews | DeveloperNews/APIController.swift | 1 | 1739 | //
// APIController.swift
// DeveloperNews
//
// Created by 佐藤和希 on 1/5/17.
// Copyright © 2017 kaz. All rights reserved.
//
import Foundation
import Alamofire
import Alamofire_Synchronous
import SwiftyJSON
class APIController {
func getJSON(url:String)->JSON?{
let response = Alamofire.request(url, method: .get).responseJSON(options: .allowFragments)
if let json = response.result.value {
//return JSON(json)
}
return JSON(feedJson)
}
}
var feeds: [Dictionary<String, String>] =
[
[
"link": "https://ajax.googleapis.com/ajax/services/feed/load?v=1.0&q=http://menthas.com/top/rss",
"title": "Top"
],
[
"link": "https://ajax.googleapis.com/ajax/services/feed/load?v=1.0&q=http://menthas.com/ruby/rss",
"title": "Ruby"
],
[
"link": "https://ajax.googleapis.com/ajax/services/feed/load?v=1.0&q=http://menthas.com/ios/rss",
"title": "iOS"
],
[
"link": "https://ajax.googleapis.com/ajax/services/feed/load?v=1.0&q=http://menthas.com/android/rss",
"title": "Android"
],
[
"link": "https://ajax.googleapis.com/ajax/services/feed/load?v=1.0&q=http://menthas.com/infrastructure/rss",
"title": "Infrastructure"
],
[
"link": "https://ajax.googleapis.com/ajax/services/feed/load?v=1.0&q=http://menthas.com/javascript/rss",
"title": "Javascript"
],
[
"link": "https://ajax.googleapis.com/ajax/services/feed/load?v=1.0&q=http://menthas.com/programming/rss",
"title": "Programming"
]
]
| mit | 1e7ce1ad729ff9e385c7467878b0844e | 29.350877 | 120 | 0.559538 | 3.320537 | false | false | false | false |
nunofgs/SwiftClient | SwiftClient/FormData.swift | 2 | 3019 | //
// FormData.swift
// SwiftClient
//
// Created by Adam Nalisnick on 11/4/14.
// Copyright (c) 2014 Adam Nalisnick. All rights reserved.
//
import Foundation
import MobileCoreServices
internal class FormData {
private let boundary = "BOUNDARY-" + NSUUID().UUIDString;
private let nl = stringToData("\r\n");
internal init(){}
private var fields:[(name:String, value:String)] = Array();
private var files:[(name:String, data:NSData, filename:String, mimeType:String)] = Array();
internal func append(name:String, _ value:String){
fields += [(name: name, value: value)]
}
internal func append(name:String, _ data:NSData, _ filename:String, _ mimeType:String? = nil){
let type = mimeType ?? determineMimeType(filename)
files += [(name: name, data: data, filename: filename, mimeType: type)]
}
private func determineMimeType(filename:String) -> String {
let type = filename.pathExtension
if let uti = UTTypeCreatePreferredIdentifierForTag(kUTTagClassFilenameExtension, type as NSString, nil)?.takeRetainedValue() {
if let mimetype = UTTypeCopyPreferredTagWithClass(uti, kUTTagClassMIMEType)?.takeRetainedValue() {
return mimetype as String
}
}
return "application/octet-stream";
}
internal func getContentType() -> String {
return "multipart/form-data; boundary=\(boundary)";
}
internal func getBody() -> NSData? {
if(fields.count > 0 || files.count > 0){
var body = NSMutableData();
for (field) in fields {
appendField(body, field.name, field.value)
}
for (file) in files {
appendFile(body, file.name, file.data, file.filename, file.mimeType);
}
body.appendData(stringToData("--\(boundary)--"));
body.appendData(nl);
return body;
}
return nil
}
private func appendFile(body:NSMutableData, _ name:String, _ data:NSData, _ filename:String, _ mimeType:String) {
body.appendData(stringToData("--\(boundary)"))
body.appendData(nl)
body.appendData(stringToData("Content-Disposition: form-data; name=\"\(name)\"; filename=\"\(filename)\""))
body.appendData(nl);
body.appendData(stringToData("Content-Type: \(mimeType)"));
body.appendData(nl);
body.appendData(nl);
body.appendData(data);
body.appendData(nl);
}
private func appendField(body:NSMutableData, _ name:String, _ value:String) {
body.appendData(stringToData("--\(boundary)"))
body.appendData(nl)
body.appendData(stringToData("Content-Disposition: form-data; name=\"\(name)\""))
body.appendData(nl);
body.appendData(nl);
body.appendData(stringToData(value))
body.appendData(nl);
}
}
| mit | 514fad9657a4b36ac0f56eba343b3b3b | 32.921348 | 134 | 0.596555 | 4.644615 | false | false | false | false |
FandyLiu/FDDemoCollection | Swift/Contact/Contact/ContactsManager.swift | 1 | 4752 | //
// ContactsManager.swift
// Contact
//
// Created by QianTuFD on 2017/5/8.
// Copyright © 2017年 fandy. All rights reserved.
//
import UIKit
import Contacts
import AddressBook
// Errors thrown from here are not handled because the enclosing catch is not exhaustive
typealias ContactsIndexTitles = ([String], [String: [PersonPhoneModel]])
class ContactsManager: NSObject {
class func getContactsList() -> [PersonPhoneModel] {
var contactsList = [PersonPhoneModel]()
if #available(iOS 9.0, *) {
let store = CNContactStore()
let keys: [CNKeyDescriptor] = [CNContactGivenNameKey, CNContactFamilyNameKey, CNContactPhoneNumbersKey] as [CNKeyDescriptor]
let request = CNContactFetchRequest(keysToFetch: keys)
do {
try store.enumerateContacts(with: request) { (contact, _) in
let fullName = (contact.familyName + contact.givenName).trimmingCharacters(in: CharacterSet.whitespacesAndNewlines)
let phoneNumbers = contact.phoneNumbers
for labeledValue in phoneNumbers {
let phoneNumber = labeledValue.value.stringValue.phoneNumberFormat()
let phoneLabel = labeledValue.label ?? ""
// print(fullName + phoneNumber + phoneLabel)
let model = PersonPhoneModel(fullName: fullName,
phoneNumber: phoneNumber,
phoneLabel: phoneLabel)
contactsList.append(model)
}
}
} catch {
assertionFailure("请求 contacts 失败")
}
} else {
let addressBook = ABAddressBookCreate().takeRetainedValue()
let allPeople = ABAddressBookCopyArrayOfAllPeople(addressBook).takeRetainedValue() as [ABRecord]
for person in allPeople {
var firstName = ""
var lastName = ""
if let firstNameUnmanaged = ABRecordCopyValue(person, kABPersonLastNameProperty) {
firstName = firstNameUnmanaged.takeRetainedValue() as? String ?? ""
}
if let lastNameUnmanaged = ABRecordCopyValue(person, kABPersonFirstNameProperty) {
lastName = lastNameUnmanaged.takeRetainedValue() as? String ?? ""
}
let fullName = (firstName + lastName).trimmingCharacters(in: CharacterSet.whitespacesAndNewlines)
let phones = ABRecordCopyValue(person, kABPersonPhoneProperty).takeRetainedValue() as ABMultiValue
for i in 0..<ABMultiValueGetCount(phones) {
let phoneNumber = (ABMultiValueCopyValueAtIndex(phones, i).takeRetainedValue() as? String ?? "").phoneNumberFormat()
let phoneLabel = ABMultiValueCopyLabelAtIndex(phones, i).takeRetainedValue() as String
// print(fullName + phoneNumber + phoneLabel)
let model = PersonPhoneModel(fullName: fullName,
phoneNumber: phoneNumber,
phoneLabel: phoneLabel)
contactsList.append(model)
}
}
}
return contactsList
}
class func format(contantsList : [PersonPhoneModel]) -> ContactsIndexTitles {
// let collection = UILocalizedIndexedCollation.current()
// let indexArray = Array(collection.sectionTitles)
if contantsList.count < 1 {
return ([String](), [String: [PersonPhoneModel]]())
}
let indexs = contantsList.map { $0.firstCapital }
let sortIndexs = Array(Set(indexs)).sorted(by: <)
let sortList = contantsList.sorted(by: {$0.pinYinName < $1.pinYinName})
var dict = [String: [PersonPhoneModel]]()
for index in sortIndexs {
var arr = [PersonPhoneModel]()
arr = sortList.filter{ $0.firstCapital == index}
dict[index] = arr
}
return (sortIndexs, dict)
}
}
struct PersonPhoneModel {
init(fullName: String,
phoneNumber: String,
phoneLabel: String) {
self.fullName = fullName
self.phoneNumber = phoneNumber
self.phoneLabel = phoneLabel
self.pinYinName = fullName.pinYin().uppercased()
self.firstCapital = String(describing: pinYinName.characters.first ?? "#")
}
let fullName: String
let phoneNumber: String
let phoneLabel: String
let pinYinName: String
var firstCapital: String
}
| mit | 636f259a0fa7291c821d43cb87ec383d | 41.711712 | 136 | 0.582578 | 5.5 | false | false | false | false |
pseudobeer/sk-otoge | otoge/GameScene.swift | 1 | 13953 | //
// GameScene.swift
// otoge
//
// Created by Torgayev Tamirlan on 2015/11/30.
// Copyright (c) 2015年 pseudobeer. All rights reserved.
//
import SpriteKit
import Foundation
var score:Int = 0
var combo:Int = 0
var maxcombo:Int = 0
// |--------------...-----|
// |--------------...-----|
// |--()--()--()--...-()--|
// |--------------...-----|
// "--" is magic number
// "--(" is radius + magic number
// ")--(" is distance = radius + magic number + radius
var hitCircleRadius:CGFloat = 30
var hitCircleDistance:CGFloat = hitCircleRadius*2 + 10
var hitCircleCount:CGFloat = 6
class GameScene: SKScene {
let minimumDistance:CGFloat = 80
var height:CGFloat = 0.0
var width:CGFloat = 0.0
var scoreLabel:SKLabelNode?
var comboLabel:SKLabelNode?
var hitAreaArray: [hitArea] = []
var hitLayer: SKNode?
var noteLayer: SKNode?
var labelLayer: SKNode?
var bgLayer: SKNode?
var trace: SKSpriteNode?
var explosion: SKSpriteNode?
var texture: SKTexture?
var backgroundTexture: SKTexture?
var levelMusic: SKAudioNode?
var thresold300: CGFloat = 0
var thresold150: CGFloat = 0
var thresold50: CGFloat = 0
var thresoldFail: CGFloat = 0
// Simutation
var alternator = 0
var flag:Bool = true
var fallTimer:Timer?
func fallCircleWrapper() {
if (flag == true) {
self.alternator += 1
} else {
self.alternator -= 1
}
if (self.alternator == 0) {
flag = true
} else if (self.alternator == 5) {
flag = false
}
self.hitAreaArray[self.alternator].emitNote(self.texture!)
//fallCircle(self.alternator)
}
// Simulation end
func failCombo() {
if (combo > maxcombo) {
maxcombo = combo
}
combo = 0
}
func scoreObject(_ object: noteObject) {
print("Called scoreObject")
let area = object.parentArea
if (object.id == area.lastHitId + 1) {
// score normally
let distance = object.position.y - (area.hitnode?.position.y)!
area.lastHitId += 1
if (distance < thresold300) {
score += 300
combo += 1
} else if (distance < thresold150) {
score += 150
combo += 1
} else if (distance < thresold50) {
score += 50
combo += 1
} else {
failCombo()
}
} else {
area.lastHitId = object.id
failCombo()
}
scoreLabel!.text = "Score: \(score)"
comboLabel!.text = "Combo: \(combo)"
fadeAndDisappear(TargetNode: object, FadeDuration: 0.1)
}
func compareSKNodeName(_ a: SKNode, b: SKNode) -> Bool {
let x = a.name?.compare(b.name!)
return (x != ComparisonResult.orderedDescending)
}
func fadeAndDisappear(TargetNode a: SKNode, FadeDuration fade: Double ) {
let fadeAction = SKAction.fadeAlpha(to: 0, duration: fade)
let disappearAction = SKAction.customAction(withDuration: 0, actionBlock: customDisapperAction)
a.run(SKAction.sequence([fadeAction, disappearAction]))
}
func customDisapperAction(_ a: SKNode, b: CGFloat) -> Void {
if ((a.name as String?)!.hasPrefix("circle")) {
combo = 0
comboLabel?.text = "Combo: \(combo)"
}
a.removeFromParent()
}
func transitionGameOver() -> Void {
if (combo > maxcombo) {
maxcombo = combo
}
self.fallTimer?.invalidate()
let transition: SKTransition = SKTransition.crossFade(withDuration: 1)
let scene: SKScene = gameOver(size: self.size)
self.view?.showsFPS = false
self.view?.showsNodeCount = false
self.view?.showsDrawCount = false
self.view?.presentScene(scene, transition: transition)
}
private func newExplosion() -> SKEmitterNode {
let explosion = SKEmitterNode()
let image = UIImage(named:"spark.png")!
explosion.particleTexture = SKTexture(image: image)
explosion.particleColor = UIColor.brown()
explosion.numParticlesToEmit = 20
explosion.particleBirthRate = 200
explosion.particleLifetime = 1
explosion.emissionAngleRange = 360
explosion.particleSpeed = 50
explosion.particleSpeedRange = 10
explosion.xAcceleration = 0
explosion.yAcceleration = 0
explosion.particleAlpha = 0.8
explosion.particleAlphaRange = 0.2
explosion.particleAlphaSpeed = -1
explosion.particleScale = 0.75
explosion.particleScaleRange = 0.4
explosion.particleScaleSpeed = -0.5
explosion.particleRotation = 0
explosion.particleRotationRange = 0
explosion.particleRotationSpeed = 0
explosion.particleColorBlendFactor = 1
explosion.particleColorBlendFactorRange = 0
explosion.particleColorBlendFactorSpeed = 0
explosion.particleBlendMode = SKBlendMode.add
explosion.name = "explosion"
return explosion
}
private func newExplosionTrace() -> SKEmitterNode {
let explosion = SKEmitterNode()
let lifetime = 0.3
let image = UIImage(named:"spark.png")!
explosion.particleTexture = SKTexture(image: image)
explosion.particleColor = UIColor.brown()
explosion.numParticlesToEmit = 0
explosion.particleBirthRate = 10
explosion.particleLifetime = CGFloat(lifetime)
explosion.emissionAngleRange = 360
explosion.particleSpeed = 10
explosion.particleSpeedRange = 5
explosion.xAcceleration = 0
explosion.yAcceleration = 0
explosion.particleAlpha = 0.5
explosion.particleAlphaRange = 0.2
explosion.particleAlphaSpeed = -0.9
explosion.particleScale = 0.4
explosion.particleScaleRange = 0
explosion.particleScaleSpeed = 0
explosion.particleRotation = 0
explosion.particleRotationRange = 0
explosion.particleRotationSpeed = 0
explosion.particleColorBlendFactor = 1
explosion.particleColorBlendFactorRange = 0
explosion.particleColorBlendFactorSpeed = 0
explosion.particleBlendMode = SKBlendMode.screen
explosion.name = "trace"
explosion.particleColorSequence = SKKeyframeSequence(
keyframeValues: [SKColor(red: 255, green: 179, blue: 60, alpha: 0),
SKColor(red: 255, green: 179, blue: 60, alpha: 1),
SKColor(red: 255, green: 179, blue: 60, alpha: 1)],
times: [0, 0.8, 1])
return explosion
}
override func didMove(to view: SKView) {
self.scene?.scaleMode = SKSceneScaleMode.resizeFill
self.height = (self.view?.frame.size.height)!
self.width = (self.view?.frame.size.width)!
hitCircleRadius = self.frame.width/22
hitCircleDistance = hitCircleRadius*2.3
thresold300 = 0.01*height
thresold150 = 0.04*height
thresold50 = 0.08*height
thresoldFail = 0.10*height
self.backgroundTexture = SKTextureAtlas(named: "assets").textureNamed("bgtexture")
self.texture = SKTextureAtlas(named: "assets").textureNamed("notesprite")
self.texture!.usesMipmaps = true
self.texture!.filteringMode = .linear
self.bgLayer = SKNode()
self.bgLayer!.zPosition = 0
self.addChild(self.bgLayer!)
self.hitLayer = SKNode()
self.hitLayer!.zPosition = 1
self.addChild(self.hitLayer!)
self.noteLayer = SKNode()
self.noteLayer!.zPosition = 2
self.addChild(self.noteLayer!)
self.labelLayer = SKNode()
self.labelLayer!.zPosition = 3
self.addChild(self.labelLayer!)
let backgroundLayer = SKSpriteNode(texture: backgroundTexture)
backgroundLayer.position = CGPoint(x: self.width * 0.5, y: self.height*0.5)
backgroundLayer.size = (self.view?.frame.size)!
self.bgLayer!.addChild(backgroundLayer)
let scoreLabel = SKLabelNode(fontNamed: "Palatino-Roman")
scoreLabel.text = "Score: 0"
scoreLabel.horizontalAlignmentMode = SKLabelHorizontalAlignmentMode.right
scoreLabel.position = CGPoint(x: self.width * 0.9, y: self.height*0.8)
scoreLabel.fontSize = 30
self.scoreLabel = scoreLabel
self.labelLayer!.addChild(scoreLabel)
let comboLabel = SKLabelNode(fontNamed: "Palatino-Roman")
comboLabel.text = "Combo: 0"
comboLabel.horizontalAlignmentMode = SKLabelHorizontalAlignmentMode.right
comboLabel.position = CGPoint(x: self.width * 0.9, y: self.height*0.7)
comboLabel.fontSize = 30
self.comboLabel = comboLabel
self.labelLayer!.addChild(comboLabel)
print("scene size \(self.scene?.size)")
print("frame size \(self.frame.size)")
print(" view size \(self.view?.frame.size)")
var xpos = width/(hitCircleCount*hitCircleDistance*2)
xpos = ceil(xpos)
let ypos = self.height * 0.25
var pos = CGPoint(x: 0,y: 0)
var epos = CGPoint(x: 0,y: 0)
for i in 0...Int(hitCircleCount) - 1 {
if (i == 0) {
// position hit circles to center
let spaceUnused = self.width - hitCircleCount*hitCircleDistance
xpos += hitCircleDistance/2 + spaceUnused/2
} else {
xpos += hitCircleDistance
}
pos = CGPoint(x: xpos, y: ypos)
epos = CGPoint(x: self.width/2, y: self.height - ypos)
let area = hitArea(gameScene: self, position: pos, emitterposition: epos)
hitAreaArray.append(area)
}
let trace = SKSpriteNode()
trace.size = (self.scene?.size)!
trace.position = CGPoint(x: 0, y: 0)
self.trace = trace
self.addChild(trace)
let explosion = SKSpriteNode()
explosion.size = (self.scene?.size)!
self.explosion = explosion
self.addChild(explosion)
self.fallTimer = Timer.scheduledTimer(timeInterval: 0.7, target: self, selector: #selector(GameScene.fallCircleWrapper), userInfo: nil, repeats: true)
// let music = SKAudioNode(fileNamed: "test.wav")
// music.autoplayLooped = false
//
// self.addChild(music)
run(SKAction.playSoundFileNamed("test.wav", waitForCompletion: true), completion: transitionGameOver)
// self.levelMusic = music
}
override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
/* Called when a touch begins */
if let touch = touches.first {
let location = touch.location(in: self)
let explosion = newExplosion()
explosion.position = location
explosion.name = "explosion"
fadeAndDisappear(TargetNode: explosion, FadeDuration: 2)
self.explosion!.addChild(explosion)
let trace = newExplosionTrace()
trace.position = location
trace.targetNode = self.trace
self.trace!.addChild(trace)
let hits = self.nodes(at: location)
for hit in hits {
print(hit.name)
if (hit.isKind(of: noteObject.self)) {
let hitNote = (hit as! noteObject)
let distance = hit.position.y - (hitNote.parentArea.hitnode?.position.y)!
if (abs(distance) < thresoldFail) {
scoreObject(hitNote)
}
print(distance)
}
}
}
}
override func touchesMoved(_ touches: Set<UITouch>, with event: UIEvent?) {
let traces: [SKEmitterNode]? = self.trace!.children as? [SKEmitterNode]
if (traces != nil && traces?.isEmpty != nil) {
for trace in traces! {
trace.particlePosition = (touches.first?.location(in: trace))!
}
}
}
override func touchesEnded(_ touches: Set<UITouch>, with event: UIEvent?) {
let traces: [SKEmitterNode]? = self.trace!.children as? [SKEmitterNode]
let nodesUnderFinger = self.trace!.nodes(at: (touches.first?.location(in: self.trace!))!)
for node in nodesUnderFinger {
node.removeFromParent()
}
if (traces != nil && traces?.isEmpty != nil) {
for trace in traces! {
fadeAndDisappear(TargetNode: trace, FadeDuration: 0.5)
}
}
}
override func update(_ currentTime: TimeInterval) {
/* Called before each frame is rendered */
let explosions: [SKEmitterNode]? = self.explosion?.children as? [SKEmitterNode]
if (explosions != nil && explosions?.isEmpty != nil) {
for explosion in explosions! {
if (explosion.numParticlesToEmit == 0) {
explosion.removeFromParent()
}
}
}
}
}
| mit | 6d277349a48fbed934ba0290b8f18cc2 | 31.293981 | 158 | 0.561107 | 4.599736 | false | false | false | false |
Sweebi/tvProgress | Demo/tvProgress-Demo/SweebiProgress.swift | 1 | 1927 | //
// SweebiProgress.swift
// tvProgress-Demo
//
// Created by Antoine Cormery on 02/06/2016.
// Copyright © 2016 tvProgress. All rights reserved.
//
import Foundation
import tvProgress
class SweebiProgress: tvProgressAnimatable {
let sweebiLogo: CAShapeLayer = CAShapeLayer()
required init() {
}
func configureWithStyle(_ style: tvProgressStyle) -> (view: UIView, completion: () -> Void) {
let v: UIView = UIView(frame: CGRect(x: 0, y: 0, width: 150, height: 200))
self.sweebiLogo.bounds = v.bounds
self.sweebiLogo.position = v.center
self.sweebiLogo.lineWidth = 11
self.sweebiLogo.strokeColor = style.mainColor.cgColor
self.sweebiLogo.fillColor = UIColor.clear.cgColor
self.sweebiLogo.strokeStart = 0
self.sweebiLogo.strokeEnd = 0
let bezier: UIBezierPath = UIBezierPath()
bezier.move(to: CGPoint(x: 90, y: 56))
bezier.addLine(to: CGPoint(x: 90, y: 0))
bezier.addLine(to: CGPoint(x: 10, y: 0))
bezier.addLine(to: CGPoint(x: 10, y: 80))
bezier.addLine(to: CGPoint(x: 136, y: 80))
bezier.addLine(to: CGPoint(x: 136, y: 160))
bezier.addLine(to: CGPoint(x: 56, y: 160))
bezier.addLine(to: CGPoint(x: 56, y: 104))
self.sweebiLogo.path = bezier.cgPath
v.layer.addSublayer(self.sweebiLogo)
let completion: () -> Void = { () -> Void in
self.sweebiLogo.removeAllAnimations()
}
return (v, completion)
}
func updateProgress(_ progress: Double) {
let anim: CABasicAnimation = CABasicAnimation(keyPath: "strokeEnd")
anim.toValue = progress
anim.beginTime = 0
anim.duration = 0.25
anim.fillMode = kCAFillModeForwards
anim.isRemovedOnCompletion = false
self.sweebiLogo.add(anim, forKey: nil)
}
}
| mit | 464d45d80e6290fe3295d797d9c044d5 | 31.644068 | 97 | 0.610592 | 3.6826 | false | false | false | false |
TonyStark106/NiceKit | NiceKit/Sources/Service/Debug/TinyConsole.swift | 1 | 2502 | //
// TinyConsole.swift
// Pods
//
// Created by 吕嘉豪 on 2017/4/20.
//
//
import Foundation
private class TinyConsoleWindow: UIWindow {
init() {
super.init(frame: CGRect.zero)
windowLevel = UIWindowLevelStatusBar * 2 - 1
var frame = UIScreen.main.bounds
frame.size.height *= 0.5
frame.origin.y = frame.size.height
self.frame = frame
let pan = UIPanGestureRecognizer(target: self, action: #selector(pan(sender:)))
addGestureRecognizer(pan)
}
required public init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
@objc private func pan(sender: UIPanGestureRecognizer) {
if let keyWindow = UIApplication.shared.keyWindow, let view = sender.view {
let translatedPoint = sender.translation(in: keyWindow)
let x = view.center.x
let y = view.center.y + translatedPoint.y
sender.view?.center = CGPoint(x: x, y: y)
sender.setTranslation(CGPoint.zero, in: keyWindow)
}
}
}
public class TinyConsole: UIViewController {
private static var window: TinyConsoleWindow = TinyConsoleWindow()
private(set) public static var isShowing = false
public static func show() {
if isShowing == false {
if window.rootViewController == nil {
window.rootViewController = shared
}
shared.textView.text = Log.history
isShowing = true
window.isHidden = false
}
}
public static func dismiss() {
if isShowing {
isShowing = false
window.isHidden = true
shared.textView.text = nil
}
}
public static let shared = TinyConsole()
fileprivate lazy var textView: UITextView = {
let tv = UITextView()
tv.isEditable = false
tv.font = UIFont.systemFont(ofSize: 15)
tv.textColor = UIColor.white
tv.backgroundColor = UIColor.black
return tv
}()
private init() {
super.init(nibName: nil, bundle: nil)
view.backgroundColor = UIColor.white
view.addSubview(textView)
}
public override func viewDidLayoutSubviews() {
super.viewDidLayoutSubviews()
textView.frame = view.bounds
}
required public init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
}
| mit | e2de5687dd336b0460aa43bf45f71c41 | 27.363636 | 87 | 0.597756 | 4.700565 | false | false | false | false |
BGDigital/mckuai2.0 | mckuai/mckuai/main/mainSubCell.swift | 1 | 3126 | //
// mainSubCell.swift
// mckuai
//
// Created by XingfuQiu on 15/4/21.
// Copyright (c) 2015年 XingfuQiu. All rights reserved.
//
import UIKit
class mainSubCell: UITableViewCell {
@IBOutlet weak var title: UILabel!
@IBOutlet weak var username: UIButton!
@IBOutlet weak var replys: UIButton!
@IBOutlet weak var times: UILabel!
@IBOutlet weak var imgJian: UIImageView!
@IBOutlet weak var imgJing: UIImageView!
override func awakeFromNib() {
super.awakeFromNib()
// Initialization code
self.selectionStyle = .None
self.username.imageView?.layer.masksToBounds = true
self.username.imageView?.layer.cornerRadius = 10
self.replys.titleEdgeInsets = UIEdgeInsetsMake(-2, 0, 0, 0)
imgJian.hidden = true
imgJing.hidden = true
self.username.titleEdgeInsets = UIEdgeInsets(top: 0, left: 2, bottom: 0, right: 0)
//底部线 +50是为了滑动删除时样式的同步
var iWidth = UIScreen.mainScreen().bounds.size.width;
var linetop = UIView(frame: CGRectMake(0, self.frame.size.height-0.5, iWidth, 0.5))
linetop.backgroundColor = UIColor(hexString: "#E1E3E5")
self.addSubview(linetop)
var line1 = UIView(frame: CGRectMake(0, 8, iWidth, 0.5))
line1.backgroundColor = UIColor(hexString: "#E1E3E5")
self.addSubview(line1)
var line = UIView(frame: CGRectMake(0, 0, iWidth, 8))
line.backgroundColor = UIColor(hexString: "#EFF0F2")
self.addSubview(line)
}
func update(json: JSON) {
// println(json)
self.title.text = json["talkTitle"].stringValue
self.title.sizeOfMultiLineLabel()
var imgPath = json["headImg"].string != nil ? json["headImg"].stringValue : json["icon"].stringValue
var disName = json["userName"].string != nil ? json["userName"].stringValue : json["forumName"].stringValue
if !imgPath.isEmpty {
self.username.sd_setImageWithURL(NSURL(string: imgPath), forState: .Normal, placeholderImage: DefaultUserAvatar_small, completed: { img,_,_,url in
if(img != nil){
var rect = CGRectMake(0, 0, 20, 20)
UIGraphicsBeginImageContextWithOptions(rect.size, false, 0)
img.drawInRect(rect)
var newImage = UIGraphicsGetImageFromCurrentImageContext()
UIGraphicsEndImageContext()
self.username.setImage(newImage, forState: .Normal)
}
})
}
self.username.setTitle(disName, forState: .Normal)
self.replys.setTitle(json["replyNum"].stringValue, forState: .Normal)
self.times.text = MCUtils.compDate(json["replyTime"].stringValue)
imgJian.hidden = "1" == json["isDing"].stringValue
imgJing.hidden = "1" == json["isJing"].stringValue
}
override func setSelected(selected: Bool, animated: Bool) {
super.setSelected(selected, animated: animated)
// Configure the view for the selected state
}
}
| mit | 41622070646614840b7ea65f160ac927 | 39.155844 | 158 | 0.624515 | 4.178378 | false | false | false | false |
fortmarek/Supl | Supl/suplModel.swift | 1 | 1599 | //
// suplModel.swift
// Supl
//
// Created by Marek Fořt on 14.09.15.
// Copyright © 2015 Marek Fořt. All rights reserved.
//
import Foundation
class suplStruct: NSObject, NSCoding {
var group: String?
var hour: String?
var change: String?
var professorForChange: String?
var schoolroom: String?
var subject: String?
var professorUsual: String?
var avs: String?
required convenience init(coder aDecoder: NSCoder) {
self.init()
self.group = aDecoder.decodeObject(forKey: "group") as? String
self.hour = aDecoder.decodeObject(forKey: "hour") as? String
self.change = aDecoder.decodeObject(forKey: "change") as? String
self.professorForChange = aDecoder.decodeObject(forKey: "professorForChange") as? String
self.schoolroom = aDecoder.decodeObject(forKey: "schoolroom") as? String
self.subject = aDecoder.decodeObject(forKey: "subject") as? String
self.professorUsual = aDecoder.decodeObject(forKey: "professorUsual") as? String
self.avs = aDecoder.decodeObject(forKey: "avs") as? String
}
func encode(with aCoder: NSCoder) {
aCoder.encode(group, forKey: "group")
aCoder.encode(hour, forKey: "hour")
aCoder.encode(change, forKey: "change")
aCoder.encode(professorForChange, forKey: "professorForChange")
aCoder.encode(schoolroom, forKey: "schoolroom")
aCoder.encode(subject, forKey: "subject")
aCoder.encode(professorUsual, forKey: "professorUsual")
aCoder.encode(avs, forKey: "avs")
}
}
| mit | 9f2decf46287735f8152c69ec349e61e | 34.466667 | 96 | 0.66604 | 3.781991 | false | false | false | false |
therealbnut/swift | test/Constraints/generics.swift | 2 | 19123 | // RUN: %target-typecheck-verify-swift
infix operator +++
protocol ConcatToAnything {
static func +++ <T>(lhs: Self, other: T)
}
func min<T : Comparable>(_ x: T, y: T) -> T {
if y < x { return y }
return x
}
func weirdConcat<T : ConcatToAnything, U>(_ t: T, u: U) {
t +++ u
t +++ 1
u +++ t // expected-error{{argument type 'U' does not conform to expected type 'ConcatToAnything'}}
}
// Make sure that the protocol operators don't get in the way.
var b1, b2 : Bool
_ = b1 != b2
extension UnicodeScalar {
func isAlpha2() -> Bool {
return (self >= "A" && self <= "Z") || (self >= "a" && self <= "z")
}
}
protocol P {
static func foo(_ arg: Self) -> Self
}
struct S : P {
static func foo(_ arg: S) -> S {
return arg
}
}
func foo<T : P>(_ arg: T) -> T {
return T.foo(arg)
}
// Associated types and metatypes
protocol SomeProtocol {
associatedtype SomeAssociated
}
func generic_metatypes<T : SomeProtocol>(_ x: T)
-> (T.Type, T.SomeAssociated.Type)
{
return (type(of: x), type(of: x).SomeAssociated.self)
}
// Inferring a variable's type from a call to a generic.
struct Pair<T, U> { } // expected-note 4 {{'T' declared as parameter to type 'Pair'}} expected-note {{'U' declared as parameter to type 'Pair'}}
func pair<T, U>(_ x: T, _ y: U) -> Pair<T, U> { }
var i : Int, f : Float
var p = pair(i, f)
// Conformance constraints on static variables.
func f1<S1 : Sequence>(_ s1: S1) {}
var x : Array<Int> = [1]
f1(x)
// Inheritance involving generics and non-generics.
class X {
func f() {}
}
class Foo<T> : X {
func g() { }
}
class Y<U> : Foo<Int> {
}
func genericAndNongenericBases(_ x: Foo<Int>, y: Y<()>) {
x.f()
y.f()
y.g()
}
func genericAndNongenericBasesTypeParameter<T : Y<()>>(_ t: T) {
t.f()
t.g()
}
protocol P1 {}
protocol P2 {}
func foo<T : P1>(_ t: T) -> P2 {
return t // expected-error{{return expression of type 'T' does not conform to 'P2'}}
}
func foo2(_ p1: P1) -> P2 {
return p1 // expected-error{{return expression of type 'P1' does not conform to 'P2'}}
}
// <rdar://problem/14005696>
protocol BinaryMethodWorkaround {
associatedtype MySelf
}
protocol Squigglable : BinaryMethodWorkaround {
}
infix operator ~~~
func ~~~ <T : Squigglable>(lhs: T, rhs: T) -> Bool where T.MySelf == T {
return true
}
extension UInt8 : Squigglable {
typealias MySelf = UInt8
}
var rdar14005696 : UInt8
_ = rdar14005696 ~~~ 5
// <rdar://problem/15168483>
public struct SomeIterator<C: Collection, Indices: Sequence>
: IteratorProtocol, Sequence
where C.Index == Indices.Iterator.Element {
var seq : C
var indices : Indices.Iterator
public typealias Element = C.Iterator.Element
public mutating func next() -> Element? {
fatalError()
}
public init(elements: C, indices: Indices) {
fatalError()
}
}
func f1<T>(seq: Array<T>) {
let x = (seq.indices).lazy.reversed()
SomeIterator(elements: seq, indices: x) // expected-warning{{unused}}
SomeIterator(elements: seq, indices: seq.indices.reversed()) // expected-warning{{unused}}
}
// <rdar://problem/16078944>
func count16078944<T>(_ x: Range<T>) -> Int { return 0 }
func test16078944 <T: Comparable>(lhs: T, args: T) -> Int {
return count16078944(lhs..<args) // don't crash
}
// <rdar://problem/22409190> QoI: Passing unsigned integer to ManagedBuffer elements.destroy()
class r22409190ManagedBuffer<Value, Element> {
final var value: Value { get {} set {}}
func withUnsafeMutablePointerToElements<R>(
_ body: (UnsafeMutablePointer<Element>) -> R) -> R {
}
}
class MyArrayBuffer<Element>: r22409190ManagedBuffer<UInt, Element> {
deinit {
self.withUnsafeMutablePointerToElements { elems -> Void in
elems.deinitialize(count: self.value) // expected-error {{cannot convert value of type 'UInt' to expected argument type 'Int'}}
}
}
}
// <rdar://problem/22459135> error: 'print' is unavailable: Please wrap your tuple argument in parentheses: 'print((...))'
func r22459135() {
func h<S : Sequence>(_ sequence: S) -> S.Iterator.Element
where S.Iterator.Element : Integer {
return 0
}
func g(_ x: Any) {}
func f(_ x: Int) {
g(h([3]))
}
func f2<TargetType: AnyObject>(_ target: TargetType, handler: @escaping (TargetType) -> ()) {
let _: (AnyObject) -> () = { internalTarget in
handler(internalTarget as! TargetType)
}
}
}
// <rdar://problem/19710848> QoI: Friendlier error message for "[] as Set"
// <rdar://problem/22326930> QoI: "argument for generic parameter 'Element' could not be inferred" lacks context
_ = [] as Set // expected-error {{generic parameter 'Element' could not be inferred in cast to 'Set<_>}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{14-14=<<#Element: Hashable#>>}}
//<rdar://problem/22509125> QoI: Error when unable to infer generic archetype lacks greatness
func r22509125<T>(_ a : T?) { // expected-note {{in call to function 'r22509125'}}
r22509125(nil) // expected-error {{generic parameter 'T' could not be inferred}}
}
// <rdar://problem/24267414> QoI: error: cannot convert value of type 'Int' to specified type 'Int'
struct R24267414<T> { // expected-note {{'T' declared as parameter to type 'R24267414'}}
static func foo() -> Int {}
}
var _ : Int = R24267414.foo() // expected-error {{generic parameter 'T' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{24-24=<Any>}}
// https://bugs.swift.org/browse/SR-599
func SR599<T: Integer>() -> T.Type { return T.self } // expected-note {{in call to function 'SR599'}}
_ = SR599() // expected-error {{generic parameter 'T' could not be inferred}}
// <rdar://problem/19215114> QoI: Poor diagnostic when we are unable to infer type
protocol Q19215114 {}
protocol P19215114 {}
// expected-note @+1 {{in call to function 'body9215114'}}
func body9215114<T: P19215114, U: Q19215114>(_ t: T) -> (_ u: U) -> () {}
func test9215114<T: P19215114, U: Q19215114>(_ t: T) -> (U) -> () {
//Should complain about not being able to infer type of U.
let f = body9215114(t) // expected-error {{generic parameter 'T' could not be inferred}}
return f
}
// <rdar://problem/21718970> QoI: [uninferred generic param] cannot invoke 'foo' with an argument list of type '(Int)'
class Whatever<A: IntegerArithmetic, B: IntegerArithmetic> { // expected-note 2 {{'A' declared as parameter to type 'Whatever'}}
static func foo(a: B) {}
static func bar() {}
}
Whatever.foo(a: 23) // expected-error {{generic parameter 'A' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{9-9=<<#A: IntegerArithmetic#>, <#B: IntegerArithmetic#>>}}
// <rdar://problem/21718955> Swift useless error: cannot invoke 'foo' with no arguments
Whatever.bar() // expected-error {{generic parameter 'A' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{9-9=<<#A: IntegerArithmetic#>, <#B: IntegerArithmetic#>>}}
// <rdar://problem/27515965> Type checker doesn't enforce same-type constraint if associated type is Any
protocol P27515965 {
associatedtype R
func f() -> R
}
struct S27515965 : P27515965 {
func f() -> Any { return self }
}
struct V27515965 {
init<T : P27515965>(_ tp: T) where T.R == Float {}
}
func test(x: S27515965) -> V27515965 {
return V27515965(x) // expected-error {{generic parameter 'T' could not be inferred}}
}
protocol BaseProto {}
protocol SubProto: BaseProto {}
@objc protocol NSCopyish {
func copy() -> Any
}
struct FullyGeneric<Foo> {} // expected-note 6 {{'Foo' declared as parameter to type 'FullyGeneric'}} expected-note 6 {{generic type 'FullyGeneric' declared here}}
struct AnyClassBound<Foo: AnyObject> {} // expected-note {{'Foo' declared as parameter to type 'AnyClassBound'}} expected-note {{generic type 'AnyClassBound' declared here}}
struct AnyClassBound2<Foo> where Foo: AnyObject {} // expected-note {{'Foo' declared as parameter to type 'AnyClassBound2'}}
struct ProtoBound<Foo: SubProto> {} // expected-note {{'Foo' declared as parameter to type 'ProtoBound'}} expected-note {{generic type 'ProtoBound' declared here}}
struct ProtoBound2<Foo> where Foo: SubProto {} // expected-note {{'Foo' declared as parameter to type 'ProtoBound2'}}
struct ObjCProtoBound<Foo: NSCopyish> {} // expected-note {{'Foo' declared as parameter to type 'ObjCProtoBound'}} expected-note {{generic type 'ObjCProtoBound' declared here}}
struct ObjCProtoBound2<Foo> where Foo: NSCopyish {} // expected-note {{'Foo' declared as parameter to type 'ObjCProtoBound2'}}
struct ClassBound<Foo: X> {} // expected-note {{generic type 'ClassBound' declared here}}
struct ClassBound2<Foo> where Foo: X {} // expected-note {{generic type 'ClassBound2' declared here}}
struct ProtosBound<Foo> where Foo: SubProto & NSCopyish {} // expected-note {{'Foo' declared as parameter to type 'ProtosBound'}} expected-note {{generic type 'ProtosBound' declared here}}
struct ProtosBound2<Foo: SubProto & NSCopyish> {} // expected-note {{'Foo' declared as parameter to type 'ProtosBound2'}}
struct ProtosBound3<Foo: SubProto> where Foo: NSCopyish {} // expected-note {{'Foo' declared as parameter to type 'ProtosBound3'}}
struct AnyClassAndProtoBound<Foo> where Foo: AnyObject, Foo: SubProto {} // expected-note {{'Foo' declared as parameter to type 'AnyClassAndProtoBound'}}
struct AnyClassAndProtoBound2<Foo> where Foo: SubProto, Foo: AnyObject {} // expected-note {{'Foo' declared as parameter to type 'AnyClassAndProtoBound2'}}
struct ClassAndProtoBound<Foo> where Foo: X, Foo: SubProto {} // expected-note {{'Foo' declared as parameter to type 'ClassAndProtoBound'}}
struct ClassAndProtosBound<Foo> where Foo: X, Foo: SubProto, Foo: NSCopyish {} // expected-note {{'Foo' declared as parameter to type 'ClassAndProtosBound'}}
struct ClassAndProtosBound2<Foo> where Foo: X, Foo: SubProto & NSCopyish {} // expected-note {{'Foo' declared as parameter to type 'ClassAndProtosBound2'}}
extension Pair {
init(first: T) {}
init(second: U) {}
var first: T { fatalError() }
var second: U { fatalError() }
}
func testFixIts() {
_ = FullyGeneric() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{19-19=<Any>}}
_ = FullyGeneric<Any>()
_ = AnyClassBound() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{20-20=<AnyObject>}}
_ = AnyClassBound<Any>() // expected-error {{type 'Any' does not conform to protocol 'AnyObject'}}
_ = AnyClassBound<AnyObject>()
_ = AnyClassBound2() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{21-21=<AnyObject>}}
_ = AnyClassBound2<Any>() // expected-error {{type 'Any' does not conform to protocol 'AnyObject'}}
_ = AnyClassBound2<AnyObject>()
_ = ProtoBound() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{17-17=<<#Foo: SubProto#>>}}
_ = ProtoBound<Any>() // expected-error {{type 'Any' does not conform to protocol 'SubProto'}}
_ = ProtoBound2() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{18-18=<<#Foo: SubProto#>>}}
_ = ProtoBound2<Any>() // expected-error {{type 'Any' does not conform to protocol 'SubProto'}}
_ = ObjCProtoBound() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{21-21=<NSCopyish>}}
_ = ObjCProtoBound<AnyObject>() // expected-error {{type 'AnyObject' does not conform to protocol 'NSCopyish'}}
_ = ObjCProtoBound<NSCopyish>()
_ = ObjCProtoBound2() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{22-22=<NSCopyish>}}
_ = ObjCProtoBound2<AnyObject>() // expected-error {{type 'AnyObject' does not conform to protocol 'NSCopyish'}}
_ = ObjCProtoBound2<NSCopyish>()
_ = ProtosBound() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{18-18=<<#Foo: NSCopyish & SubProto#>>}}
_ = ProtosBound2() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{19-19=<<#Foo: NSCopyish & SubProto#>>}}
_ = ProtosBound3() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{19-19=<<#Foo: NSCopyish & SubProto#>>}}
_ = AnyClassAndProtoBound() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{28-28=<<#Foo: AnyObject & SubProto#>>}}
_ = AnyClassAndProtoBound2() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{29-29=<<#Foo: AnyObject & SubProto#>>}}
_ = ClassAndProtoBound() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{25-25=<<#Foo: X & SubProto#>>}}
_ = ClassAndProtosBound() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{26-26=<<#Foo: X & NSCopyish & SubProto#>>}}
_ = ClassAndProtosBound2() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{27-27=<<#Foo: X & NSCopyish & SubProto#>>}}
_ = Pair() // expected-error {{generic parameter 'T' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{11-11=<Any, Any>}}
_ = Pair(first: S()) // expected-error {{generic parameter 'U' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{11-11=<S, Any>}}
_ = Pair(second: S()) // expected-error {{generic parameter 'T' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{11-11=<Any, S>}}
}
func testFixItClassBound() {
// We infer a single class bound for simple cases in expressions...
let x = ClassBound()
let x1: String = x // expected-error {{cannot convert value of type 'ClassBound<X>' to specified type 'String'}}
let y = ClassBound2()
let y1: String = y // expected-error {{cannot convert value of type 'ClassBound2<X>' to specified type 'String'}}
// ...but not in types.
let z1: ClassBound // expected-error {{reference to generic type 'ClassBound' requires arguments in <...>}} {{21-21=<X>}}
let z2: ClassBound2 // expected-error {{reference to generic type 'ClassBound2' requires arguments in <...>}} {{22-22=<X>}}
}
func testFixItCasting(x: Any) {
_ = x as! FullyGeneric // expected-error {{generic parameter 'Foo' could not be inferred in cast to 'FullyGeneric<_>'}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{25-25=<Any>}}
}
func testFixItContextualKnowledge() {
// FIXME: These could propagate backwards.
let _: Int = Pair().first // expected-error {{generic parameter 'T' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{20-20=<Any, Any>}}
let _: Int = Pair().second // expected-error {{generic parameter 'T' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{20-20=<Any, Any>}}
}
func testFixItTypePosition() {
let _: FullyGeneric // expected-error {{reference to generic type 'FullyGeneric' requires arguments in <...>}} {{22-22=<Any>}}
let _: ProtoBound // expected-error {{reference to generic type 'ProtoBound' requires arguments in <...>}} {{20-20=<<#Foo: SubProto#>>}}
let _: ObjCProtoBound // expected-error {{reference to generic type 'ObjCProtoBound' requires arguments in <...>}} {{24-24=<NSCopyish>}}
let _: AnyClassBound // expected-error {{reference to generic type 'AnyClassBound' requires arguments in <...>}} {{23-23=<AnyObject>}}
let _: ProtosBound // expected-error {{reference to generic type 'ProtosBound' requires arguments in <...>}} {{21-21=<<#Foo: NSCopyish & SubProto#>>}}
}
func testFixItNested() {
_ = Array<FullyGeneric>() // expected-error {{reference to generic type 'FullyGeneric' requires arguments in <...>}} {{25-25=<Any>}}
_ = [FullyGeneric]() // expected-error {{generic parameter 'Foo' could not be inferred}} expected-note {{explicitly specify the generic arguments to fix this issue}} {{20-20=<Any>}}
_ = FullyGeneric<FullyGeneric>() // expected-error {{reference to generic type 'FullyGeneric' requires arguments in <...>}} {{32-32=<Any>}}
_ = Pair<
FullyGeneric, // expected-error {{reference to generic type 'FullyGeneric' requires arguments in <...>}} {{17-17=<Any>}}
FullyGeneric // FIXME: We could diagnose both of these, but we don't.
>()
_ = Pair<
FullyGeneric<Any>,
FullyGeneric // expected-error {{reference to generic type 'FullyGeneric' requires arguments in <...>}} {{17-17=<Any>}}
>()
_ = Pair<
FullyGeneric, // expected-error {{reference to generic type 'FullyGeneric' requires arguments in <...>}} {{17-17=<Any>}}
FullyGeneric<Any>
>()
_ = pair( // expected-error {{generic parameter 'Foo' could not be inferred}} {{none}}
FullyGeneric(), // expected-note {{explicitly specify the generic arguments to fix this issue}}
FullyGeneric()
)
_ = pair( // expected-error {{generic parameter 'Foo' could not be inferred}} {{none}}
FullyGeneric<Any>(),
FullyGeneric() // expected-note {{explicitly specify the generic arguments to fix this issue}}
)
_ = pair( // expected-error {{generic parameter 'Foo' could not be inferred}} {{none}}
FullyGeneric(), // expected-note {{explicitly specify the generic arguments to fix this issue}}
FullyGeneric<Any>()
)
}
// rdar://problem/26845038
func occursCheck26845038(a: [Int]) {
_ = Array(a)[0]
}
// rdar://problem/29633747
extension Array where Element: Hashable {
public func trimmed(_ elements: [Element]) -> SubSequence {
return []
}
}
func rdar29633747(characters: String.CharacterView) {
let _ = Array(characters).trimmed(["("])
}
// Null pointer dereference in noteArchetypeSource()
class GenericClass<A> {}
// expected-note@-1 {{'A' declared as parameter to type 'GenericClass'}}
func genericFunc<T>(t: T) {
_ = [T: GenericClass] // expected-error {{generic parameter 'A' could not be inferred}}
// expected-note@-1 {{explicitly specify the generic arguments to fix this issue}}
// expected-error@-2 2 {{type 'T' does not conform to protocol 'Hashable'}}
}
| apache-2.0 | 3eb23017e00158db867498524ea3583f | 43.679907 | 223 | 0.688072 | 3.90345 | false | false | false | false |
cherrywoods/swift-meta-serialization | MoreTests/ShortExample.swift | 1 | 6247 | //
// SuperShortExample.swift
// MoreTests
//
// Copyright 2018 cherrywoods
//
// 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 MetaSerialization
// this example is based on example3
struct ShortExampleSerialization: Serialization {
typealias Raw = String
func provideNewDecoder() -> MetaDecoder {
return MetaDecoder(unwrapper: ShortExampleTranslator())
}
func provideNewEncoder() -> MetaEncoder {
return MetaEncoder(metaSupplier: ShortExampleTranslator())
}
func convert(meta: Meta) throws -> String {
// convert from an (unnested) array or dictionary to a pure string with markers
// see README.md for more details
if let string = meta as? String {
return "*\(string)*"
} else if let array = meta as? [Meta] {
// actually elements should be strings
var result = "unkeyed;"
for element in array {
result += "*\(element)*,"
}
return result
} else if let dictionary = meta as? [String : Meta] {
var result = "keyed;"
for (key, value) in dictionary {
result += "*\(key)*:*\(value)*,"
}
return result
} else {
preconditionFailure("Wrong meta!")
}
}
func convert(raw: String) throws -> Meta {
if raw.starts(with: "*") {
return String( raw.dropFirst().dropLast() )
} else if raw.starts(with: "unkeyed;") {
var meta = [Meta]()
// this will sufficently split values and komma separators
let elements = raw.dropFirst( "unkeyed;".count ).split(separator: "*")
// now filter out the separators by dropping every secoding element which should be ,
for index in (elements.startIndex..<elements.endIndex) {
if (index - elements.startIndex) % 2 == 1 {
guard elements[index] == "," else {
preconditionFailure("String not valid")
}
// do not copy to meta, which is dropping
} else {
meta.append(String(elements[index]))
}
}
return meta
} else if raw.starts(with: "keyed;") {
var meta = [String : Meta]()
// this will sufficently split values and komma separators
let elements = raw.dropFirst( "keyed;".count ).split(separator: "*")
// now filter out the separators by dropping every secoding element
// but check that the element separators are right
for index in (elements.startIndex..<elements.endIndex) {
switch (index - elements.startIndex) % 4 {
case 1:
// this should be colons
guard elements[index] == ":" else {
preconditionFailure("String not valid")
}
// and drop it / not copy it to meta
case 3:
// this should be kommas
guard elements[index] == "," else {
preconditionFailure("String not valid")
}
// also drop it
case 0:
// here we get the keys, the values are calculatable
guard elements.count > index + 2 /* the index value should be found at */ else {
preconditionFailure("String not valid")
}
meta[ String(elements[index]) ] = String(elements[index+2])
default:
// this are the values.
// we already handled them, so just ignore
break
}
}
return meta
} else {
preconditionFailure("String not valid")
}
}
}
struct ShortExampleTranslator: MetaSupplier, Unwrapper {
func wrap<T>(_ value: T, for encoder: MetaEncoder) throws -> Meta? where T : Encodable {
guard !(value is NilMarker) else {
return nil
}
// supply metas for all LosslessStringConvertible types
// nil also works because NilMarker is already extended in Example2
guard let description = (value as? LosslessStringConvertible)?.description else {
return nil
}
return description
}
// use default keyed and unkeyed containers
// will be Arrays of String and Dictionarys of Strings and Strings
func unwrap<T>(meta: Meta, toType type: T.Type, for decoder: MetaDecoder) throws -> T? where T : Decodable {
guard type is LosslessStringConvertible.Type else {
return nil
}
guard let string = meta as? String else {
return nil
}
return (type as! LosslessStringConvertible.Type).init(string) as! T?
}
}
| apache-2.0 | 724be2c660bb01bc413a2b7a8615203b | 30.550505 | 112 | 0.490636 | 5.673933 | false | false | false | false |
humblehacker/Dispatch3 | Dispatch3/Classes/DispatchQueue.swift | 1 | 7684 | //
// Dispatch3.swift
// Dispatch3
//
// Created by David Whetstone on 6/21/16.
// Copyright © 2016 humblehacker. All rights reserved.
//
import Foundation
import Dispatch
public
class DispatchQueue: DispatchObject<dispatch_queue_t>
{
public convenience
init(__label label: UnsafePointer<Int8>, attr: dispatch_queue_attr_t?)
{
let queue = dispatch_queue_create(label, attr)
self.init(underlyingObject: queue)
}
public convenience
init(label: String, attributes: DispatchQueueAttributes = .serial, target: DispatchQueue? = nil)
{
let queue = dispatch_queue_create(label, attributes.underlyingAttributes)
self.init(underlyingObject: queue)
}
override
init(underlyingObject: dispatch_queue_t)
{
super.init(underlyingObject: underlyingObject)
annotateQueue()
}
public var label: String { return String(UTF8String: dispatch_queue_get_label(underlyingObject)) ?? "" }
public var qos: DispatchQoS
{
return DispatchQoS(underlyingQoSClass: dispatch_queue_get_qos_class(underlyingObject, nil))
}
public static var main: DispatchQueue = DispatchQueue(underlyingObject: dispatch_get_main_queue())
public class func global(attributes attributes: DispatchQueue.GlobalAttributes = .qosDefault) -> DispatchQueue
{
return DispatchQueue(underlyingObject: dispatch_get_global_queue(attributes.underlyingQoSClass, 0))
}
}
extension DispatchQueue
{
private
func annotateQueue()
{
// Use `passUnretained` to avoid reference cycle
let unmanaged: Unmanaged<DispatchQueue> = Unmanaged.passUnretained(self)
setSpecific(key: kCurrentQueueKey, value: unmanaged)
}
public struct GlobalAttributes : OptionSetType {
public let rawValue: UInt64
public init(rawValue: UInt64)
{
self.rawValue = rawValue
}
public static let qosUserInteractive = DispatchQueue.GlobalAttributes(rawValue: 1 << 1)
public static let qosUserInitiated = DispatchQueue.GlobalAttributes(rawValue: 1 << 2)
public static let qosDefault = DispatchQueue.GlobalAttributes(rawValue: 1 << 3)
public static let qosUtility = DispatchQueue.GlobalAttributes(rawValue: 1 << 4)
public static let qosBackground = DispatchQueue.GlobalAttributes(rawValue: 1 << 5)
var underlyingQoSClass: qos_class_t
{
if contains(GlobalAttributes.qosUserInteractive) { return QOS_CLASS_USER_INTERACTIVE }
if contains(GlobalAttributes.qosUserInitiated) { return QOS_CLASS_USER_INITIATED}
if contains(GlobalAttributes.qosDefault) { return QOS_CLASS_DEFAULT }
if contains(GlobalAttributes.qosUtility) { return QOS_CLASS_UTILITY }
if contains(GlobalAttributes.qosBackground) { return QOS_CLASS_BACKGROUND }
return QOS_CLASS_BACKGROUND
}
}
}
// MARK: - Perform work
extension DispatchQueue
{
/// Implementation mostly from [this Apple Dev Forum post](https://forums.developer.apple.com/thread/8002#24898)
public func sync<T>(flags flags: DispatchWorkItemFlags = DispatchWorkItemFlags(), @noescape execute work: () throws -> T) rethrows -> T
{
var result: T?
func rethrow(myerror: ErrorType) throws ->() { throw myerror }
func perform_sync_impl(queue: dispatch_queue_t, @noescape block: () throws -> T, block2:((myerror:ErrorType) throws -> ()) ) rethrows
{
var blockError: ErrorType? = nil
if flags.contains(.barrier)
{
DispatchHelper.dispatch_barrier_sync_noescape(queue) { do { result = try block() } catch { blockError = error } }
}
else
{
DispatchHelper.dispatch_sync_noescape(queue) { do { result = try block() } catch { blockError = error } }
}
if let blockError = blockError { try block2(myerror: blockError) }
}
try perform_sync_impl(underlyingObject, block: work, block2: rethrow)
return result!
}
public
func async(group group: DispatchGroup? = nil, qos: DispatchQoS = .unspecified, flags: DispatchWorkItemFlags = [], execute work: @convention(block) () -> Void)
{
let work = DispatchWorkItem(group: group, qos: qos, flags: flags, block: work)
async(execute: work)
}
public
func after(when: DispatchTime, execute work: @convention(block) () -> Void)
{
dispatch_after(when.rawValue, underlyingObject, work)
}
public
func sync(execute workItem: DispatchWorkItem)
{
sync { workItem.block() }
}
public
func async(execute workItem: DispatchWorkItem)
{
if let group = workItem.group
{
dispatch_group_async(group.underlyingObject, underlyingObject, workItem.block)
return
}
dispatch_async(underlyingObject, workItem.block)
}
}
// MARK: - Specific Values
final public class DispatchSpecificKey<T>
{
public init() {}
}
final private class DispatchSpecificValue<T>
{
var value: T
init(value: T)
{
self.value = value
}
class
func from(mutableVoidPointer mutableVoidPointer: UnsafeMutablePointer<Void>) -> DispatchSpecificValue<T>
{
let cOpaquePointer: COpaquePointer = COpaquePointer(mutableVoidPointer)
let unmanaged: Unmanaged<DispatchSpecificValue<T>> = Unmanaged.fromOpaque(cOpaquePointer)
return unmanaged.takeUnretainedValue()
}
var mutableVoidPointer: UnsafeMutablePointer<Void>
{
let unmanagedRetained: Unmanaged<DispatchSpecificValue<T>> = Unmanaged.passRetained(self)
let cOpaquePointer: COpaquePointer = unmanagedRetained.toOpaque()
return UnsafeMutablePointer<Void>(cOpaquePointer)
}
}
public
extension DispatchQueue
{
public class
func getSpecific<T>(key key: DispatchSpecificKey<T>) -> T?
{
let storedKey = UnsafeMutablePointer<Void>(Unmanaged.passUnretained(key).toOpaque())
let p = dispatch_get_specific(storedKey)
guard p != nil else { return nil }
let specificValue: DispatchSpecificValue<T> = DispatchSpecificValue.from(mutableVoidPointer: p)
return specificValue.value
}
public
func getSpecific<T>(key key: DispatchSpecificKey<T>) -> T?
{
let storedKey = UnsafeMutablePointer<Void>(Unmanaged.passUnretained(key).toOpaque())
let p = dispatch_queue_get_specific(underlyingObject, storedKey)
guard p != nil else { return nil }
let specificValue: DispatchSpecificValue<T> = DispatchSpecificValue.from(mutableVoidPointer: p)
return specificValue.value
}
public
func setSpecific<T>(key key: DispatchSpecificKey<T>, value:T?)
{
let storedKey = UnsafeMutablePointer<Void>(Unmanaged.passUnretained(key).toOpaque())
if let val = value
{
let wrappedValue = DispatchSpecificValue(value: val)
let mutableVoidPointer: UnsafeMutablePointer<Void> = wrappedValue.mutableVoidPointer
dispatch_queue_set_specific(underlyingObject, storedKey, mutableVoidPointer, releaseSpecificValue)
}
else
{
dispatch_queue_set_specific(underlyingObject, storedKey, nil, nil)
}
}
}
private
func releaseSpecificValue(specificValue mutableVoidPointer: UnsafeMutablePointer<Void>)
{
let cOpaquePointer = COpaquePointer(mutableVoidPointer)
let unmanaged = Unmanaged<AnyObject>.fromOpaque(cOpaquePointer)
unmanaged.release()
}
| mit | 24685dcb422ae0b06c576ed1d035dc0a | 31.0125 | 162 | 0.668359 | 4.659187 | false | false | false | false |
SoneeJohn/WWDC | ConfCore/RoomsJSONAdapter.swift | 1 | 933 | //
// RoomsJSONAdapter.swift
// WWDC
//
// Created by Guilherme Rambo on 08/02/17.
// Copyright © 2017 Guilherme Rambo. All rights reserved.
//
import Foundation
import SwiftyJSON
private enum RoomKeys: String, JSONSubscriptType {
case name, mapName, floor
case identifier = "id"
var jsonKey: JSONKey {
return JSONKey.key(rawValue)
}
}
final class RoomsJSONAdapter: Adapter {
typealias InputType = JSON
typealias OutputType = Room
func adapt(_ input: JSON) -> Result<Room, AdapterError> {
guard let identifier = input[RoomKeys.identifier].int else {
return .error(.missingKey(RoomKeys.identifier))
}
guard let name = input[RoomKeys.name].string else {
return .error(.missingKey(RoomKeys.name))
}
let room = Room.make(identifier: "\(identifier)", name: name, mapName: "", floor: "")
return .success(room)
}
}
| bsd-2-clause | e6a5905794190ffe25f35af8697b4fdf | 23.526316 | 93 | 0.643777 | 4.142222 | false | false | false | false |
armcknight/pkpassgenerator | ImagesSizeChecker/main.swift | 1 | 817 | //
// main.swift
// ImagesSizeChecker
//
// Created by Andrew McKnight on 5/1/16.
//
//
import Foundation
let args = ProcessInfo.processInfo.arguments
let backgroundImageSet = parseImageSet(basePath: args[2])
let footerImageSet = parseImageSet(basePath: args[3])
let iconImageSet = parseImageSet(basePath: args[4])
let logoImageSet = parseImageSet(basePath: args[5])
let stripImageSet = parseImageSet(basePath: args[6])
let thumbnailImageSet = parseImageSet(basePath: args[7])
let passImages = PassImages(
background: backgroundImageSet,
footer: footerImageSet,
icon: iconImageSet,
logo: logoImageSet,
strip: stripImageSet,
thumbnail: thumbnailImageSet
)
let passPath = args[1]
let pass = parsePass(path: passPath, images: passImages)
checkSizesInPass(pass: pass)
print("Finished!")
| mit | c1f142e6a7dd7678eecfc7f3df90c74a | 23.029412 | 57 | 0.750306 | 3.506438 | false | false | false | false |
pj4533/OpenPics | Pods/AlamofireImage/Source/UIImageView+AlamofireImage.swift | 4 | 21637 | // UIImageView+AlamofireImage.swift
//
// Copyright (c) 2015 Alamofire Software Foundation (http://alamofire.org/)
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// THE SOFTWARE.
import Alamofire
import Foundation
import UIKit
extension UIImageView {
// MARK: - ImageTransition
/// Used to wrap all `UIView` animation transition options alongside a duration.
public enum ImageTransition {
case None
case CrossDissolve(NSTimeInterval)
case CurlDown(NSTimeInterval)
case CurlUp(NSTimeInterval)
case FlipFromBottom(NSTimeInterval)
case FlipFromLeft(NSTimeInterval)
case FlipFromRight(NSTimeInterval)
case FlipFromTop(NSTimeInterval)
case Custom(
duration: NSTimeInterval,
animationOptions: UIViewAnimationOptions,
animations: (UIImageView, Image) -> Void,
completion: (Bool -> Void)?
)
private var duration: NSTimeInterval {
switch self {
case None: return 0.0
case CrossDissolve(let duration): return duration
case CurlDown(let duration): return duration
case CurlUp(let duration): return duration
case FlipFromBottom(let duration): return duration
case FlipFromLeft(let duration): return duration
case FlipFromRight(let duration): return duration
case FlipFromTop(let duration): return duration
case Custom(let duration, _, _, _): return duration
}
}
private var animationOptions: UIViewAnimationOptions {
switch self {
case None: return .TransitionNone
case CrossDissolve: return .TransitionCrossDissolve
case CurlDown: return .TransitionCurlDown
case CurlUp: return .TransitionCurlUp
case FlipFromBottom: return .TransitionFlipFromBottom
case FlipFromLeft: return .TransitionFlipFromLeft
case FlipFromRight: return .TransitionFlipFromRight
case FlipFromTop: return .TransitionFlipFromTop
case Custom(_, let animationOptions, _, _): return animationOptions
}
}
private var animations: ((UIImageView, Image) -> Void) {
switch self {
case Custom(_, _, let animations, _):
return animations
default:
return { $0.image = $1 }
}
}
private var completion: (Bool -> Void)? {
switch self {
case Custom(_, _, _, let completion):
return completion
default:
return nil
}
}
}
// MARK: - Private - AssociatedKeys
private struct AssociatedKeys {
static var ImageDownloaderKey = "af_UIImageView.ImageDownloader"
static var SharedImageDownloaderKey = "af_UIImageView.SharedImageDownloader"
static var ActiveRequestReceiptKey = "af_UIImageView.ActiveRequestReceipt"
static var ActiveDownloadIDKey = "af_UIImageView.ActiveDownloadID"
}
// MARK: - Properties
/// The instance image downloader used to download all images. If this property is `nil`, the `UIImageView` will
/// fallback on the `af_sharedImageDownloader` for all downloads. The most common use case for needing to use a
/// custom instance image downloader is when images are behind different basic auth credentials.
public var af_imageDownloader: ImageDownloader? {
get {
return objc_getAssociatedObject(self, &AssociatedKeys.ImageDownloaderKey) as? ImageDownloader
}
set(downloader) {
objc_setAssociatedObject(self, &AssociatedKeys.ImageDownloaderKey, downloader, .OBJC_ASSOCIATION_RETAIN_NONATOMIC)
}
}
/// The shared image downloader used to download all images. By default, this is the default `ImageDownloader`
/// instance backed with an `AutoPurgingImageCache` which automatically evicts images from the cache when the memory
/// capacity is reached or memory warning notifications occur. The shared image downloader is only used if the
/// `af_imageDownloader` is `nil`.
public class var af_sharedImageDownloader: ImageDownloader {
get {
if let downloader = objc_getAssociatedObject(self, &AssociatedKeys.SharedImageDownloaderKey) as? ImageDownloader {
return downloader
} else {
return ImageDownloader.defaultInstance
}
}
set(downloader) {
objc_setAssociatedObject(self, &AssociatedKeys.SharedImageDownloaderKey, downloader, .OBJC_ASSOCIATION_RETAIN_NONATOMIC)
}
}
var af_activeRequestReceipt: RequestReceipt? {
get {
return objc_getAssociatedObject(self, &AssociatedKeys.ActiveRequestReceiptKey) as? RequestReceipt
}
set(receipt) {
objc_setAssociatedObject(self, &AssociatedKeys.ActiveRequestReceiptKey, receipt, .OBJC_ASSOCIATION_RETAIN_NONATOMIC)
}
}
// MARK: - Image Download Methods
/**
Asynchronously downloads an image from the specified URL and sets it once the request is finished.
If the image is cached locally, the image is set immediately. Otherwise the specified placehoder image will be
set immediately, and then the remote image will be set once the image request is finished.
- parameter URL: The URL used for the image request.
- parameter placeholderImage: The image to be set initially until the image request finished. If `nil`, the
image view will not change its image until the image request finishes. `nil` by
default.
*/
public func af_setImageWithURL(URL: NSURL, placeholderImage: UIImage? = nil) {
af_setImageWithURLRequest(
URLRequestWithURL(URL),
placeholderImage: placeholderImage,
filter: nil,
imageTransition: .None,
completion: nil
)
}
/**
Asynchronously downloads an image from the specified URL, applies the specified image filter to the downloaded
image and sets it once finished.
If the image is cached locally, the image is set immediately. Otherwise the specified placehoder image will be
set immediately, and then the remote image will be set once the image request is finished.
- parameter URL: The URL used for the image request.
- parameter placeholderImage: The image to be set initially until the image request finished. If `nil`, the
image view will not change its image until the image request finishes. `nil` by
default.
- parameter filter: The image filter applied to the image after the image request is finished.
*/
public func af_setImageWithURL(URL: NSURL, placeholderImage: UIImage? = nil, filter: ImageFilter) {
af_setImageWithURLRequest(
URLRequestWithURL(URL),
placeholderImage: placeholderImage,
filter: filter,
imageTransition: .None,
completion: nil
)
}
/**
Asynchronously downloads an image from the specified URL and sets it once the request is finished while
executing the image transition.
If the image is cached locally, the image is set immediately. Otherwise the specified placehoder image will be
set immediately, and then the remote image will be set once the image request is finished.
- parameter URL: The URL used for the image request.
- parameter placeholderImage: The image to be set initially until the image request finished. If
`nil`, the image view will not change its image until the image
request finishes. `nil` by default.
- parameter imageTransition: The image transition animation applied to the image when set.
- parameter runImageTransitionIfCached: Whether to run the image transition if the image is cached. Defaults
to `false`.
*/
public func af_setImageWithURL(
URL: NSURL,
placeholderImage: UIImage? = nil,
imageTransition: ImageTransition,
runImageTransitionIfCached: Bool = false)
{
af_setImageWithURLRequest(
URLRequestWithURL(URL),
placeholderImage: placeholderImage,
filter: nil,
imageTransition: imageTransition,
runImageTransitionIfCached: runImageTransitionIfCached,
completion: nil
)
}
/**
Asynchronously downloads an image from the specified URL, applies the specified image filter to the downloaded
image and sets it once finished while executing the image transition.
If the image is cached locally, the image is set immediately. Otherwise the specified placehoder image will be
set immediately, and then the remote image will be set once the image request is finished.
- parameter URL: The URL used for the image request.
- parameter placeholderImage: The image to be set initially until the image request finished. If
`nil`, the image view will not change its image until the image
request finishes.
- parameter filter: The image filter applied to the image after the image request is
finished.
- parameter imageTransition: The image transition animation applied to the image when set.
- parameter runImageTransitionIfCached: Whether to run the image transition if the image is cached. Defaults
to `false`.
*/
public func af_setImageWithURL(
URL: NSURL,
placeholderImage: UIImage?,
filter: ImageFilter?,
imageTransition: ImageTransition,
runImageTransitionIfCached: Bool = false)
{
af_setImageWithURLRequest(
URLRequestWithURL(URL),
placeholderImage: placeholderImage,
filter: filter,
imageTransition: imageTransition,
runImageTransitionIfCached: runImageTransitionIfCached,
completion: nil
)
}
/**
Asynchronously downloads an image from the specified URL, applies the specified image filter to the downloaded
image and sets it once finished while executing the image transition.
If the image is cached locally, the image is set immediately. Otherwise the specified placehoder image will be
set immediately, and then the remote image will be set once the image request is finished.
The `completion` closure is called after the image download and filtering are complete, but before the start of
the image transition. Please note it is no longer the responsibility of the `completion` closure to set the
image. It will be set automatically. If you require a second notification after the image transition completes,
use a `.Custom` image transition with a `completion` closure. The `.Custom` `completion` closure is called when
the image transition is finished.
- parameter URL: The URL used for the image request.
- parameter placeholderImage: The image to be set initially until the image request finished. If
`nil`, the image view will not change its image until the image
request finishes.
- parameter filter: The image filter applied to the image after the image request is
finished.
- parameter imageTransition: The image transition animation applied to the image when set.
- parameter runImageTransitionIfCached: Whether to run the image transition if the image is cached. Defaults
to `false`.
- parameter completion: A closure to be executed when the image request finishes. The closure
has no return value and takes three arguments: the original request,
the response from the server and the result containing either the
image or the error that occurred. If the image was returned from the
image cache, the response will be `nil`.
*/
public func af_setImageWithURL(
URL: NSURL,
placeholderImage: UIImage?,
filter: ImageFilter?,
imageTransition: ImageTransition,
runImageTransitionIfCached: Bool = false,
completion: (Response<UIImage, NSError> -> Void)?)
{
af_setImageWithURLRequest(
URLRequestWithURL(URL),
placeholderImage: placeholderImage,
filter: filter,
imageTransition: imageTransition,
runImageTransitionIfCached: runImageTransitionIfCached,
completion: completion
)
}
/**
Asynchronously downloads an image from the specified URL, applies the specified image filter to the downloaded
image and sets it once finished while executing the image transition.
If the image is cached locally, the image is set immediately. Otherwise the specified placehoder image will be
set immediately, and then the remote image will be set once the image request is finished.
The `completion` closure is called after the image download and filtering are complete, but before the start of
the image transition. Please note it is no longer the responsibility of the `completion` closure to set the
image. It will be set automatically. If you require a second notification after the image transition completes,
use a `.Custom` image transition with a `completion` closure. The `.Custom` `completion` closure is called when
the image transition is finished.
- parameter URLRequest: The URL request.
- parameter placeholderImage: The image to be set initially until the image request finished. If
`nil`, the image view will not change its image until the image
request finishes.
- parameter filter: The image filter applied to the image after the image request is
finished.
- parameter imageTransition: The image transition animation applied to the image when set.
- parameter runImageTransitionIfCached: Whether to run the image transition if the image is cached. Defaults
to `false`.
- parameter completion: A closure to be executed when the image request finishes. The closure
has no return value and takes three arguments: the original request,
the response from the server and the result containing either the
image or the error that occurred. If the image was returned from the
image cache, the response will be `nil`.
*/
public func af_setImageWithURLRequest(
URLRequest: URLRequestConvertible,
placeholderImage: UIImage?,
filter: ImageFilter?,
imageTransition: ImageTransition,
runImageTransitionIfCached: Bool = false,
completion: (Response<UIImage, NSError> -> Void)?)
{
guard !isURLRequestURLEqualToActiveRequestURL(URLRequest) else { return }
af_cancelImageRequest()
let imageDownloader = af_imageDownloader ?? UIImageView.af_sharedImageDownloader
let imageCache = imageDownloader.imageCache
// Use the image from the image cache if it exists
if let image = imageCache?.imageForRequest(URLRequest.URLRequest, withAdditionalIdentifier: filter?.identifier) {
let response = Response<UIImage, NSError>(
request: URLRequest.URLRequest,
response: nil,
data: nil,
result: .Success(image)
)
completion?(response)
if runImageTransitionIfCached {
let tinyDelay = dispatch_time(DISPATCH_TIME_NOW, Int64(0.001 * Float(NSEC_PER_SEC)))
// Need to let the runloop cycle for the placeholder image to take affect
dispatch_after(tinyDelay, dispatch_get_main_queue()) {
self.runImageTransition(imageTransition, withImage: image)
}
} else {
self.image = image
}
return
}
// Set the placeholder since we're going to have to download
if let placeholderImage = placeholderImage { self.image = placeholderImage }
// Generate a unique download id to check whether the active request has changed while downloading
let downloadID = NSUUID().UUIDString
// Download the image, then run the image transition or completion handler
let requestReceipt = imageDownloader.downloadImage(
URLRequest: URLRequest,
receiptID: downloadID,
filter: filter,
completion: { [weak self] response in
guard let strongSelf = self else { return }
completion?(response)
guard
strongSelf.isURLRequestURLEqualToActiveRequestURL(response.request) &&
strongSelf.af_activeRequestReceipt?.receiptID == downloadID
else {
return
}
if let image = response.result.value {
strongSelf.runImageTransition(imageTransition, withImage: image)
}
strongSelf.af_activeRequestReceipt = nil
}
)
af_activeRequestReceipt = requestReceipt
}
// MARK: - Image Download Cancellation Methods
/**
Cancels the active download request, if one exists.
*/
public func af_cancelImageRequest() {
guard let activeRequestReceipt = af_activeRequestReceipt else { return }
let imageDownloader = af_imageDownloader ?? UIImageView.af_sharedImageDownloader
imageDownloader.cancelRequestForRequestReceipt(activeRequestReceipt)
af_activeRequestReceipt = nil
}
// MARK: - Private - Image Transition
private func runImageTransition(imageTransition: ImageTransition, withImage image: Image) {
UIView.transitionWithView(
self,
duration: imageTransition.duration,
options: imageTransition.animationOptions,
animations: {
imageTransition.animations(self, image)
},
completion: imageTransition.completion
)
}
// MARK: - Private - URL Request Helper Methods
private func URLRequestWithURL(URL: NSURL) -> NSURLRequest {
let mutableURLRequest = NSMutableURLRequest(URL: URL)
for mimeType in Request.acceptableImageContentTypes {
mutableURLRequest.addValue(mimeType, forHTTPHeaderField: "Accept")
}
return mutableURLRequest
}
private func isURLRequestURLEqualToActiveRequestURL(URLRequest: URLRequestConvertible?) -> Bool {
if let
currentRequest = af_activeRequestReceipt?.request.task.originalRequest
where currentRequest.URLString == URLRequest?.URLRequest.URLString
{
return true
}
return false
}
}
| gpl-3.0 | 4599992d8a0663b7df19bd21e3c3be7a | 46.763797 | 132 | 0.619171 | 6.082935 | false | false | false | false |
BalestraPatrick/Tweetometer | Tweetometer/SettingsViewController.swift | 2 | 2412 | //
// SettingsViewController.swift
// TweetsCounter
//
// Created by Patrick Balestra on 1/22/16.
// Copyright © 2016 Patrick Balestra. All rights reserved.
//
import TweetometerKit
import ValueStepper
final class SettingsViewController: UIViewController {
@IBOutlet weak var titleLabel: UILabel!
@IBOutlet weak var tweetsStepper: ValueStepper!
@IBOutlet weak var twitterClientControl: UISegmentedControl!
@IBOutlet weak var twitterSupportButton: UIButton!
@IBOutlet weak var emailSupportButton: UIButton!
@IBOutlet weak var aboutButton: UIButton!
@IBOutlet weak var githubButton: UIButton!
let settings = Settings.shared
let linkOpener = LinkOpener()
weak var coordinator: SettingsCoordinator!
override func viewDidLoad() {
super.viewDidLoad()
tweetsStepper.value = Double(settings.maximumNumberOfTweets)
tweetsStepper.numberFormatter.maximumFractionDigits = 0
twitterClientControl.selectedSegmentIndex = TwitterClient.toIndex(settings.preferredTwitterClient)
twitterSupportButton.layer.cornerRadius = 5.0
emailSupportButton.layer.cornerRadius = 5.0
aboutButton.layer.cornerRadius = 5.0
githubButton.layer.cornerRadius = 5.0
view.backgroundColor = .menuDarkBlue()
twitterClientControl.setEnabled(linkOpener.isTwitterAvailable, forSegmentAt: 1)
twitterClientControl.setEnabled(linkOpener.isTweetbotAvailable, forSegmentAt: 2)
}
override var preferredStatusBarStyle: UIStatusBarStyle {
return .lightContent
}
@IBAction func stepperChanged(_ sender: ValueStepper) {
settings.maximumNumberOfTweets = Int(sender.value)
}
@IBAction func clientChanged(_ sender: UISegmentedControl) {
settings.preferredTwitterClient = TwitterClient.fromIndex(sender.selectedSegmentIndex)
}
// MARK: Navigation
@IBAction func emailSupport(_ sender: Any) {
coordinator.presentEmailSupport()
}
@IBAction func twitterSupport(_ sender: Any) {
coordinator.presentTwitterSupport()
}
@IBAction func developedBy(_ sender: Any) {
coordinator.presentAbout()
}
@IBAction func openGithub(_ sender: Any) {
coordinator.presentGithub()
}
@IBAction func dismiss(_ sender: AnyObject) {
coordinator.dismiss()
}
}
| mit | 6c69cd418a4269c723e05d73a706e1df | 29.518987 | 106 | 0.703443 | 5.075789 | false | false | false | false |
romankisil/eqMac2 | native/app/Source/User/User.swift | 1 | 385 | //
// User.swift
// eqMac
//
// Created by Roman Kisil on 24/12/2017.
// Copyright © 2017 Roman Kisil. All rights reserved.
//
import Cocoa
class User: NSObject {
static public var isFirstLaunch: Bool {
var firstLaunch = Storage[.isFirstLaunch]
if (firstLaunch == nil) {
firstLaunch = true
}
Storage[.isFirstLaunch] = false
return firstLaunch!
}
}
| mit | c348a49a9856bdd1b26ada58e85cb3f8 | 18.2 | 54 | 0.651042 | 3.622642 | false | false | false | false |
TENDIGI/Obsidian-UI-iOS | src/UIColorExtensions.swift | 1 | 2362 | //
// UIColorExtensions.swift
// Alfredo
//
// Created by Nick Lee on 9/21/15.
// Copyright © 2015 TENDIGI, LLC. All rights reserved.
//
import Foundation
public extension UIColor {
/// Returns a 1x1pt image filled with the receiver's color
public var image: UIImage {
let rect = CGRect(origin: CGPoint.zero, size: CGSize(width: 1, height: 1))
UIGraphicsBeginImageContextWithOptions(rect.size, false, 0)
setFill()
UIRectFill(rect)
let image = UIGraphicsGetImageFromCurrentImageContext()
UIGraphicsEndImageContext()
return image!
}
}
/**
Blends two UIColors
- parameter color1: The first color to blend
- parameter color2: The second color to blend
- parameter mode: The function to use when blending the channels
- parameter premultiplyAlpha: Whether or not each color's alpha channel should be premultiplied across the RGB channels prior to the blending
- returns: The UIColor resulting from the blend operation
*/
public func blendColor(_ color1: UIColor, _ color2: UIColor, _ mode: @escaping ((CGFloat, CGFloat) -> CGFloat), _ premultiplyAlpha: Bool = false) -> UIColor {
func transform(_ a: CGFloat, _ b: CGFloat) -> CGFloat {
return min(1.0, max(0.0, mode(a, b)))
}
var r1: CGFloat = 0, g1: CGFloat = 0, b1: CGFloat = 0, a1: CGFloat = 0
var r2: CGFloat = 0, g2: CGFloat = 0, b2: CGFloat = 0, a2: CGFloat = 0
color1.getRed(&r1, green: &g1, blue: &b1, alpha: &a1)
color2.getRed(&r2, green: &g2, blue: &b2, alpha: &a2)
if premultiplyAlpha {
r1 *= a1
g1 *= a1
b1 *= a1
r2 *= a2
g2 *= a2
b2 *= a2
}
let newColor = UIColor(red: transform(r1, r2), green: transform(g1, g2), blue: transform(b1, b2), alpha: premultiplyAlpha ? 1.0 : transform(a1, a2))
return newColor
}
/// :nodoc:
/// Adds the RGBA channels of color1 and color2
public func + (color1: UIColor, color2: UIColor) -> UIColor {
return blendColor(color1, color2, +)
}
/// :nodoc:
/// Subtracts the RGBA channels of color2 from color1
public func - (color1: UIColor, color2: UIColor) -> UIColor {
return blendColor(color1, color2, -)
}
/// :nodoc:
/// Multiplies the RGBA channels of color1 and color2
public func * (color1: UIColor, color2: UIColor) -> UIColor {
return blendColor(color1, color2, *)
}
| mit | a0a4f93cdd8cbef114b02a8e4cca5377 | 27.792683 | 158 | 0.65396 | 3.497778 | false | false | false | false |
lukszar/PeselSwift | Example/PeselSwiftDemo/ViewController.swift | 1 | 3269 | //
// ViewController.swift
// PeselSwiftDemo
//
// Created by Łukasz Szarkowicz on 23.06.2017.
// Copyright © 2017 Łukasz Szarkowicz. All rights reserved.
//
import UIKit
import PeselSwift
class ViewController: UIViewController {
@IBOutlet weak var inputField: UITextField!
@IBOutlet weak var statusLabel: UILabel!
@IBOutlet weak var birthdateLabel: UILabel!
@IBAction func validateAction(_ sender: Any) {
if let text = inputField.text {
let pesel = Pesel(pesel: text)
let result = pesel.validate()
switch result {
case .success:
peselCorrect()
case .error(let error):
peselIncorrect(with: error)
}
showBirthDate(pesel.birthdate())
}
inputField.resignFirstResponder()
}
override func viewDidLoad() {
super.viewDidLoad()
statusLabel.text = nil
birthdateLabel.text = nil
peselReset()
inputField.delegate = self
// Do any additional setup after loading the view, typically from a nib.
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
func peselReset() {
let newColor = UIColor(red: 100.0 / 255.0, green: 150.0 / 255.0, blue: 180.0 / 255.0, alpha: 1.0)
statusLabel.text = nil
statusLabel.textColor = newColor
inputField.tintColor = newColor
inputField.backgroundColor = UIColor.clear
}
func peselCorrect() {
statusLabel.text = "PESEL number is validated succesfully"
statusLabel.textColor = UIColor.green
inputField.tintColor = UIColor.green
inputField.backgroundColor = UIColor.green.withAlphaComponent(0.3)
}
func peselIncorrect(with error: Pesel.ValidateError) {
var errorReason = "PESEL number validation failure:\n"
switch error {
case .otherThanDigits:
errorReason.append("should contains only digits.")
case .wrongChecksum:
errorReason.append("number is not valid.")
case .wrongLength:
errorReason.append("number should be 11 digits only.")
}
statusLabel.text = errorReason
statusLabel.textColor = UIColor.red
inputField.tintColor = UIColor.red
inputField.backgroundColor = UIColor.red.withAlphaComponent(0.3)
}
func birthDateReset() {
birthdateLabel.text = nil
}
func showBirthDate(_ date: Date?) {
guard let date = date else {
birthDateReset()
return
}
let birthDate = DateFormatter.localizedString(from: date, dateStyle: DateFormatter.Style.medium, timeStyle: DateFormatter.Style.none)
birthdateLabel.text = "Birthday: ".appending(birthDate)
}
}
extension ViewController: UITextFieldDelegate {
func textFieldShouldClear(_ textField: UITextField) -> Bool {
birthDateReset()
peselReset()
return true
}
}
| mit | 2392b51f18d6f3ecbd62dd7c212a307e | 27.155172 | 141 | 0.594917 | 5.071429 | false | false | false | false |
ben-ng/swift | test/SILGen/errors.swift | 1 | 44483 | // RUN: %target-swift-frontend -parse-stdlib -emit-silgen -verify -primary-file %s %S/Inputs/errors_other.swift | %FileCheck %s
import Swift
class Cat {}
enum HomeworkError : Error {
case TooHard
case TooMuch
case CatAteIt(Cat)
}
func someValidPointer<T>() -> UnsafePointer<T> { fatalError() }
func someValidPointer<T>() -> UnsafeMutablePointer<T> { fatalError() }
// CHECK: sil hidden @_TF6errors10make_a_cat{{.*}} : $@convention(thin) () -> (@owned Cat, @error Error) {
// CHECK: [[T0:%.*]] = function_ref @_TFC6errors3CatC{{.*}} : $@convention(method) (@thick Cat.Type) -> @owned Cat
// CHECK-NEXT: [[T1:%.*]] = metatype $@thick Cat.Type
// CHECK-NEXT: [[T2:%.*]] = apply [[T0]]([[T1]])
// CHECK-NEXT: return [[T2]] : $Cat
func make_a_cat() throws -> Cat {
return Cat()
}
// CHECK: sil hidden @_TF6errors15dont_make_a_cat{{.*}} : $@convention(thin) () -> (@owned Cat, @error Error) {
// CHECK: [[BOX:%.*]] = alloc_existential_box $Error, $HomeworkError
// CHECK-NEXT: [[ADDR:%.*]] = project_existential_box $HomeworkError in [[BOX]] : $Error
// CHECK-NEXT: [[T0:%.*]] = metatype $@thin HomeworkError.Type
// CHECK-NEXT: [[T1:%.*]] = enum $HomeworkError, #HomeworkError.TooHard!enumelt
// CHECK-NEXT: store [[T1]] to [init] [[ADDR]]
// CHECK-NEXT: builtin "willThrow"
// CHECK-NEXT: throw [[BOX]]
func dont_make_a_cat() throws -> Cat {
throw HomeworkError.TooHard
}
// CHECK: sil hidden @_TF6errors11dont_return{{.*}} : $@convention(thin) <T> (@in T) -> (@out T, @error Error) {
// CHECK: [[BOX:%.*]] = alloc_existential_box $Error, $HomeworkError
// CHECK-NEXT: [[ADDR:%.*]] = project_existential_box $HomeworkError in [[BOX]] : $Error
// CHECK-NEXT: [[T0:%.*]] = metatype $@thin HomeworkError.Type
// CHECK-NEXT: [[T1:%.*]] = enum $HomeworkError, #HomeworkError.TooMuch!enumelt
// CHECK-NEXT: store [[T1]] to [init] [[ADDR]]
// CHECK-NEXT: builtin "willThrow"
// CHECK-NEXT: destroy_addr %1 : $*T
// CHECK-NEXT: throw [[BOX]]
func dont_return<T>(_ argument: T) throws -> T {
throw HomeworkError.TooMuch
}
// CHECK: sil hidden @_TF6errors16all_together_nowFSbCS_3Cat : $@convention(thin) (Bool) -> @owned Cat {
// CHECK: bb0(%0 : $Bool):
// CHECK: [[DR_FN:%.*]] = function_ref @_TF6errors11dont_returnur{{.*}} :
// Branch on the flag.
// CHECK: cond_br {{%.*}}, [[FLAG_TRUE:bb[0-9]+]], [[FLAG_FALSE:bb[0-9]+]]
// In the true case, call make_a_cat().
// CHECK: [[FLAG_TRUE]]:
// CHECK: [[MAC_FN:%.*]] = function_ref @_TF6errors10make_a_catFzT_CS_3Cat : $@convention(thin) () -> (@owned Cat, @error Error)
// CHECK-NEXT: try_apply [[MAC_FN]]() : $@convention(thin) () -> (@owned Cat, @error Error), normal [[MAC_NORMAL:bb[0-9]+]], error [[MAC_ERROR:bb[0-9]+]]
// CHECK: [[MAC_NORMAL]]([[T0:%.*]] : $Cat):
// CHECK-NEXT: br [[TERNARY_CONT:bb[0-9]+]]([[T0]] : $Cat)
// In the false case, call dont_make_a_cat().
// CHECK: [[FLAG_FALSE]]:
// CHECK: [[DMAC_FN:%.*]] = function_ref @_TF6errors15dont_make_a_catFzT_CS_3Cat : $@convention(thin) () -> (@owned Cat, @error Error)
// CHECK-NEXT: try_apply [[DMAC_FN]]() : $@convention(thin) () -> (@owned Cat, @error Error), normal [[DMAC_NORMAL:bb[0-9]+]], error [[DMAC_ERROR:bb[0-9]+]]
// CHECK: [[DMAC_NORMAL]]([[T0:%.*]] : $Cat):
// CHECK-NEXT: br [[TERNARY_CONT]]([[T0]] : $Cat)
// Merge point for the ternary operator. Call dont_return with the result.
// CHECK: [[TERNARY_CONT]]([[T0:%.*]] : $Cat):
// CHECK-NEXT: [[ARG_TEMP:%.*]] = alloc_stack $Cat
// CHECK-NEXT: store [[T0]] to [init] [[ARG_TEMP]]
// CHECK-NEXT: [[RET_TEMP:%.*]] = alloc_stack $Cat
// CHECK-NEXT: try_apply [[DR_FN]]<Cat>([[RET_TEMP]], [[ARG_TEMP]]) : $@convention(thin) <τ_0_0> (@in τ_0_0) -> (@out τ_0_0, @error Error), normal [[DR_NORMAL:bb[0-9]+]], error [[DR_ERROR:bb[0-9]+]]
// CHECK: [[DR_NORMAL]]({{%.*}} : $()):
// CHECK-NEXT: [[T0:%.*]] = load [take] [[RET_TEMP]] : $*Cat
// CHECK-NEXT: dealloc_stack [[RET_TEMP]]
// CHECK-NEXT: dealloc_stack [[ARG_TEMP]]
// CHECK-NEXT: br [[RETURN:bb[0-9]+]]([[T0]] : $Cat)
// Return block.
// CHECK: [[RETURN]]([[T0:%.*]] : $Cat):
// CHECK-NEXT: return [[T0]] : $Cat
// Catch dispatch block.
// CHECK: [[CATCH:bb[0-9]+]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: [[SRC_TEMP:%.*]] = alloc_stack $Error
// CHECK-NEXT: store [[ERROR]] to [init] [[SRC_TEMP]]
// CHECK-NEXT: [[DEST_TEMP:%.*]] = alloc_stack $HomeworkError
// CHECK-NEXT: checked_cast_addr_br copy_on_success Error in [[SRC_TEMP]] : $*Error to HomeworkError in [[DEST_TEMP]] : $*HomeworkError, [[IS_HWE:bb[0-9]+]], [[NOT_HWE:bb[0-9]+]]
// Catch HomeworkError.
// CHECK: [[IS_HWE]]:
// CHECK-NEXT: [[T0:%.*]] = load [take] [[DEST_TEMP]] : $*HomeworkError
// CHECK-NEXT: switch_enum [[T0]] : $HomeworkError, case #HomeworkError.CatAteIt!enumelt.1: [[MATCH:bb[0-9]+]], default [[NO_MATCH:bb[0-9]+]]
// Catch HomeworkError.CatAteIt.
// CHECK: [[MATCH]]([[T0:%.*]] : $Cat):
// CHECK-NEXT: debug_value
// CHECK-NEXT: [[T0_COPY:%.*]] = copy_value [[T0]]
// CHECK-NEXT: destroy_value [[T0]]
// CHECK-NEXT: dealloc_stack [[DEST_TEMP]]
// CHECK-NEXT: destroy_addr [[SRC_TEMP]]
// CHECK-NEXT: dealloc_stack [[SRC_TEMP]]
// CHECK-NEXT: br [[RETURN]]([[T0_COPY]] : $Cat)
// Catch other HomeworkErrors.
// CHECK: [[NO_MATCH]]:
// CHECK-NEXT: dealloc_stack [[DEST_TEMP]]
// CHECK-NEXT: dealloc_stack [[SRC_TEMP]]
// CHECK-NEXT: br [[CATCHALL:bb[0-9]+]]
// Catch other types.
// CHECK: [[NOT_HWE]]:
// CHECK-NEXT: dealloc_stack [[DEST_TEMP]]
// CHECK-NEXT: dealloc_stack [[SRC_TEMP]]
// CHECK-NEXT: br [[CATCHALL:bb[0-9]+]]
// Catch all.
// CHECK: [[CATCHALL]]:
// CHECK: [[T0:%.*]] = function_ref @_TFC6errors3CatC{{.*}} : $@convention(method) (@thick Cat.Type) -> @owned Cat
// CHECK-NEXT: [[T1:%.*]] = metatype $@thick Cat.Type
// CHECK-NEXT: [[T2:%.*]] = apply [[T0]]([[T1]])
// CHECK-NEXT: destroy_value [[ERROR]] : $Error
// CHECK-NEXT: br [[RETURN]]([[T2]] : $Cat)
// Landing pad.
// CHECK: [[MAC_ERROR]]([[T0:%.*]] : $Error):
// CHECK-NEXT: br [[CATCH]]([[T0]] : $Error)
// CHECK: [[DMAC_ERROR]]([[T0:%.*]] : $Error):
// CHECK-NEXT: br [[CATCH]]([[T0]] : $Error)
// CHECK: [[DR_ERROR]]([[T0:%.*]] : $Error):
// CHECK-NEXT: dealloc_stack
// CHECK-NEXT: dealloc_stack
// CHECK-NEXT: br [[CATCH]]([[T0]] : $Error)
func all_together_now(_ flag: Bool) -> Cat {
do {
return try dont_return(flag ? make_a_cat() : dont_make_a_cat())
} catch HomeworkError.CatAteIt(let cat) {
return cat
} catch _ {
return Cat()
}
}
// Catch in non-throwing context.
// CHECK-LABEL: sil hidden @_TF6errors11catch_a_catFT_CS_3Cat : $@convention(thin) () -> @owned Cat
// CHECK-NEXT: bb0:
// CHECK: [[F:%.*]] = function_ref @_TFC6errors3CatC{{.*}} : $@convention(method) (@thick Cat.Type) -> @owned Cat
// CHECK-NEXT: [[M:%.*]] = metatype $@thick Cat.Type
// CHECK-NEXT: [[V:%.*]] = apply [[F]]([[M]])
// CHECK-NEXT: return [[V]] : $Cat
func catch_a_cat() -> Cat {
do {
return Cat()
} catch _ as HomeworkError {} // expected-warning {{'catch' block is unreachable because no errors are thrown in 'do' block}}
}
// Initializers.
class HasThrowingInit {
var field: Int
init(value: Int) throws {
field = value
}
}
// CHECK-LABEL: sil hidden @_TFC6errors15HasThrowingInitc{{.*}} : $@convention(method) (Int, @owned HasThrowingInit) -> (@owned HasThrowingInit, @error Error) {
// CHECK: [[T0:%.*]] = mark_uninitialized [rootself] %1 : $HasThrowingInit
// CHECK-NEXT: [[T1:%.*]] = ref_element_addr [[T0]] : $HasThrowingInit
// CHECK-NEXT: assign %0 to [[T1]] : $*Int
// CHECK-NEXT: [[T0_RET:%.*]] = copy_value [[T0]]
// CHECK-NEXT: destroy_value [[T0]]
// CHECK-NEXT: return [[T0_RET]] : $HasThrowingInit
// CHECK-LABEL: sil hidden @_TFC6errors15HasThrowingInitC{{.*}} : $@convention(method) (Int, @thick HasThrowingInit.Type) -> (@owned HasThrowingInit, @error Error)
// CHECK: [[SELF:%.*]] = alloc_ref $HasThrowingInit
// CHECK: [[T0:%.*]] = function_ref @_TFC6errors15HasThrowingInitc{{.*}} : $@convention(method) (Int, @owned HasThrowingInit) -> (@owned HasThrowingInit, @error Error)
// CHECK-NEXT: try_apply [[T0]](%0, [[SELF]]) : $@convention(method) (Int, @owned HasThrowingInit) -> (@owned HasThrowingInit, @error Error), normal bb1, error bb2
// CHECK: bb1([[SELF:%.*]] : $HasThrowingInit):
// CHECK-NEXT: return [[SELF]]
// CHECK: bb2([[ERROR:%.*]] : $Error):
// CHECK-NEXT: builtin "willThrow"
// CHECK-NEXT: throw [[ERROR]]
enum ColorError : Error {
case Red, Green, Blue
}
//CHECK-LABEL: sil hidden @_TF6errors6IThrowFzT_Vs5Int32
//CHECK: builtin "willThrow"
//CHECK-NEXT: throw
func IThrow() throws -> Int32 {
throw ColorError.Red
return 0 // expected-warning {{will never be executed}}
}
// Make sure that we are not emitting calls to 'willThrow' on rethrow sites.
//CHECK-LABEL: sil hidden @_TF6errors12DoesNotThrowFzT_Vs5Int32
//CHECK-NOT: builtin "willThrow"
//CHECK: return
func DoesNotThrow() throws -> Int32 {
_ = try IThrow()
return 2
}
// rdar://20782111
protocol Doomed {
func check() throws
}
// CHECK-LABEL: sil hidden [transparent] [thunk] @_TTWV6errors12DoomedStructS_6DoomedS_FS1_5check{{.*}} : $@convention(witness_method) (@in_guaranteed DoomedStruct) -> @error Error
// CHECK: [[TEMP:%.*]] = alloc_stack $DoomedStruct
// CHECK: copy_addr %0 to [initialization] [[TEMP]]
// CHECK: [[SELF:%.*]] = load [trivial] [[TEMP]] : $*DoomedStruct
// CHECK: [[T0:%.*]] = function_ref @_TFV6errors12DoomedStruct5check{{.*}} : $@convention(method) (DoomedStruct) -> @error Error
// CHECK-NEXT: try_apply [[T0]]([[SELF]])
// CHECK: bb1([[T0:%.*]] : $()):
// CHECK: [[T0:%.*]] = tuple ()
// CHECK: dealloc_stack [[TEMP]]
// CHECK: return [[T0]] : $()
// CHECK: bb2([[T0:%.*]] : $Error):
// CHECK: builtin "willThrow"([[T0]] : $Error)
// CHECK: dealloc_stack [[TEMP]]
// CHECK: throw [[T0]] : $Error
struct DoomedStruct : Doomed {
func check() throws {}
}
// CHECK-LABEL: sil hidden [transparent] [thunk] @_TTWC6errors11DoomedClassS_6DoomedS_FS1_5check{{.*}} : $@convention(witness_method) (@in_guaranteed DoomedClass) -> @error Error {
// CHECK: [[TEMP:%.*]] = alloc_stack $DoomedClass
// CHECK: copy_addr %0 to [initialization] [[TEMP]]
// CHECK: [[SELF:%.*]] = load [take] [[TEMP]] : $*DoomedClass
// CHECK: [[T0:%.*]] = class_method [[SELF]] : $DoomedClass, #DoomedClass.check!1 : (DoomedClass) -> () throws -> () , $@convention(method) (@guaranteed DoomedClass) -> @error Error
// CHECK-NEXT: try_apply [[T0]]([[SELF]])
// CHECK: bb1([[T0:%.*]] : $()):
// CHECK: [[T0:%.*]] = tuple ()
// CHECK: destroy_value [[SELF]] : $DoomedClass
// CHECK: dealloc_stack [[TEMP]]
// CHECK: return [[T0]] : $()
// CHECK: bb2([[T0:%.*]] : $Error):
// CHECK: builtin "willThrow"([[T0]] : $Error)
// CHECK: destroy_value [[SELF]] : $DoomedClass
// CHECK: dealloc_stack [[TEMP]]
// CHECK: throw [[T0]] : $Error
class DoomedClass : Doomed {
func check() throws {}
}
// CHECK-LABEL: sil hidden [transparent] [thunk] @_TTWV6errors11HappyStructS_6DoomedS_FS1_5check{{.*}} : $@convention(witness_method) (@in_guaranteed HappyStruct) -> @error Error
// CHECK: [[TEMP:%.*]] = alloc_stack $HappyStruct
// CHECK: copy_addr %0 to [initialization] [[TEMP]]
// CHECK: [[SELF:%.*]] = load [trivial] [[TEMP]] : $*HappyStruct
// CHECK: [[T0:%.*]] = function_ref @_TFV6errors11HappyStruct5check{{.*}} : $@convention(method) (HappyStruct) -> ()
// CHECK: [[T1:%.*]] = apply [[T0]]([[SELF]])
// CHECK: [[T1:%.*]] = tuple ()
// CHECK: dealloc_stack [[TEMP]]
// CHECK: return [[T1]] : $()
struct HappyStruct : Doomed {
func check() {}
}
// CHECK-LABEL: sil hidden [transparent] [thunk] @_TTWC6errors10HappyClassS_6DoomedS_FS1_5check{{.*}} : $@convention(witness_method) (@in_guaranteed HappyClass) -> @error Error
// CHECK: [[TEMP:%.*]] = alloc_stack $HappyClass
// CHECK: copy_addr %0 to [initialization] [[TEMP]]
// CHECK: [[SELF:%.*]] = load [take] [[TEMP]] : $*HappyClass
// CHECK: [[T0:%.*]] = class_method [[SELF]] : $HappyClass, #HappyClass.check!1 : (HappyClass) -> () -> () , $@convention(method) (@guaranteed HappyClass) -> ()
// CHECK: [[T1:%.*]] = apply [[T0]]([[SELF]])
// CHECK: [[T1:%.*]] = tuple ()
// CHECK: destroy_value [[SELF]] : $HappyClass
// CHECK: dealloc_stack [[TEMP]]
// CHECK: return [[T1]] : $()
class HappyClass : Doomed {
func check() {}
}
func create<T>(_ fn: () throws -> T) throws -> T {
return try fn()
}
func testThunk(_ fn: () throws -> Int) throws -> Int {
return try create(fn)
}
// CHECK-LABEL: sil shared [transparent] [reabstraction_thunk] @_TTRXFo__dSizoPs5Error__XFo__iSizoPS___ : $@convention(thin) (@owned @callee_owned () -> (Int, @error Error)) -> (@out Int, @error Error)
// CHECK: bb0(%0 : $*Int, %1 : $@callee_owned () -> (Int, @error Error)):
// CHECK: try_apply %1()
// CHECK: bb1([[T0:%.*]] : $Int):
// CHECK: store [[T0]] to [trivial] %0 : $*Int
// CHECK: [[T0:%.*]] = tuple ()
// CHECK: return [[T0]]
// CHECK: bb2([[T0:%.*]] : $Error):
// CHECK: builtin "willThrow"([[T0]] : $Error)
// CHECK: throw [[T0]] : $Error
func createInt(_ fn: () -> Int) throws {}
func testForceTry(_ fn: () -> Int) {
try! createInt(fn)
}
// CHECK-LABEL: sil hidden @_TF6errors12testForceTryFFT_SiT_ : $@convention(thin) (@owned @callee_owned () -> Int) -> ()
// CHECK: bb0([[ARG:%.*]] : $@callee_owned () -> Int):
// CHECK: [[FUNC:%.*]] = function_ref @_TF6errors9createIntFzFT_SiT_ : $@convention(thin) (@owned @callee_owned () -> Int) -> @error Error
// CHECK: [[ARG_COPY:%.*]] = copy_value [[ARG]]
// CHECK: try_apply [[FUNC]]([[ARG_COPY]])
// CHECK: destroy_value [[ARG]]
// CHECK: return
// CHECK: builtin "unexpectedError"
// CHECK: unreachable
func testForceTryMultiple() {
_ = try! (make_a_cat(), make_a_cat())
}
// CHECK-LABEL: sil hidden @_TF6errors20testForceTryMultipleFT_T_
// CHECK-NEXT: bb0:
// CHECK: [[FN_1:%.+]] = function_ref @_TF6errors10make_a_catFzT_CS_3Cat
// CHECK-NEXT: try_apply [[FN_1]]() : $@convention(thin) () -> (@owned Cat, @error Error), normal [[SUCCESS_1:[^ ]+]], error [[CLEANUPS_1:[^ ]+]],
// CHECK: [[SUCCESS_1]]([[VALUE_1:%.+]] : $Cat)
// CHECK: [[FN_2:%.+]] = function_ref @_TF6errors10make_a_catFzT_CS_3Cat
// CHECK-NEXT: try_apply [[FN_2]]() : $@convention(thin) () -> (@owned Cat, @error Error), normal [[SUCCESS_2:[^ ]+]], error [[CLEANUPS_2:[^ ]+]],
// CHECK: [[SUCCESS_2]]([[VALUE_2:%.+]] : $Cat)
// CHECK-NEXT: destroy_value [[VALUE_2]] : $Cat
// CHECK-NEXT: destroy_value [[VALUE_1]] : $Cat
// CHECK-NEXT: [[VOID:%.+]] = tuple ()
// CHECK-NEXT: return [[VOID]] : $()
// CHECK: [[FAILURE:.+]]([[ERROR:%.+]] : $Error):
// CHECK-NEXT: = builtin "unexpectedError"([[ERROR]] : $Error)
// CHECK-NEXT: unreachable
// CHECK: [[CLEANUPS_1]]([[ERROR:%.+]] : $Error):
// CHECK-NEXT: br [[FAILURE]]([[ERROR]] : $Error)
// CHECK: [[CLEANUPS_2]]([[ERROR:%.+]] : $Error):
// CHECK-NEXT: destroy_value [[VALUE_1]] : $Cat
// CHECK-NEXT: br [[FAILURE]]([[ERROR]] : $Error)
// CHECK: } // end sil function '_TF6errors20testForceTryMultipleFT_T_'
// Make sure we balance scopes correctly inside a switch.
// <rdar://problem/20923654>
enum CatFood {
case Canned
case Dry
}
// Something we can switch on that throws.
func preferredFood() throws -> CatFood {
return CatFood.Canned
}
func feedCat() throws -> Int {
switch try preferredFood() {
case .Canned:
return 0
case .Dry:
return 1
}
}
// CHECK-LABEL: sil hidden @_TF6errors7feedCatFzT_Si : $@convention(thin) () -> (Int, @error Error)
// CHECK: debug_value undef : $Error, var, name "$error", argno 1
// CHECK: %1 = function_ref @_TF6errors13preferredFoodFzT_OS_7CatFood : $@convention(thin) () -> (CatFood, @error Error)
// CHECK: try_apply %1() : $@convention(thin) () -> (CatFood, @error Error), normal bb1, error bb5
// CHECK: bb1([[VAL:%.*]] : $CatFood):
// CHECK: switch_enum [[VAL]] : $CatFood, case #CatFood.Canned!enumelt: bb2, case #CatFood.Dry!enumelt: bb3
// CHECK: bb5([[ERROR:%.*]] : $Error)
// CHECK: throw [[ERROR]] : $Error
// Throwing statements inside cases.
func getHungryCat(_ food: CatFood) throws -> Cat {
switch food {
case .Canned:
return try make_a_cat()
case .Dry:
return try dont_make_a_cat()
}
}
// errors.getHungryCat throws (errors.CatFood) -> errors.Cat
// CHECK-LABEL: sil hidden @_TF6errors12getHungryCatFzOS_7CatFoodCS_3Cat : $@convention(thin) (CatFood) -> (@owned Cat, @error Error)
// CHECK: bb0(%0 : $CatFood):
// CHECK: debug_value undef : $Error, var, name "$error", argno 2
// CHECK: switch_enum %0 : $CatFood, case #CatFood.Canned!enumelt: bb1, case #CatFood.Dry!enumelt: bb3
// CHECK: bb1:
// CHECK: [[FN:%.*]] = function_ref @_TF6errors10make_a_catFzT_CS_3Cat : $@convention(thin) () -> (@owned Cat, @error Error)
// CHECK: try_apply [[FN]]() : $@convention(thin) () -> (@owned Cat, @error Error), normal bb2, error bb6
// CHECK: bb3:
// CHECK: [[FN:%.*]] = function_ref @_TF6errors15dont_make_a_catFzT_CS_3Cat : $@convention(thin) () -> (@owned Cat, @error Error)
// CHECK: try_apply [[FN]]() : $@convention(thin) () -> (@owned Cat, @error Error), normal bb4, error bb7
// CHECK: bb6([[ERROR:%.*]] : $Error):
// CHECK: br bb8([[ERROR:%.*]] : $Error)
// CHECK: bb7([[ERROR:%.*]] : $Error):
// CHECK: br bb8([[ERROR]] : $Error)
// CHECK: bb8([[ERROR:%.*]] : $Error):
// CHECK: throw [[ERROR]] : $Error
func take_many_cats(_ cats: Cat...) throws {}
func test_variadic(_ cat: Cat) throws {
try take_many_cats(make_a_cat(), cat, make_a_cat(), make_a_cat())
}
// CHECK-LABEL: sil hidden @_TF6errors13test_variadicFzCS_3CatT_ : $@convention(thin) (@owned Cat) -> @error Error {
// CHECK: bb0([[ARG:%.*]] : $Cat):
// CHECK: debug_value undef : $Error, var, name "$error", argno 2
// CHECK: [[TAKE_FN:%.*]] = function_ref @_TF6errors14take_many_catsFztGSaCS_3Cat__T_ : $@convention(thin) (@owned Array<Cat>) -> @error Error
// CHECK: [[N:%.*]] = integer_literal $Builtin.Word, 4
// CHECK: [[T0:%.*]] = function_ref @_TFs27_allocateUninitializedArray
// CHECK: [[T1:%.*]] = apply [[T0]]<Cat>([[N]])
// CHECK: [[ARRAY:%.*]] = tuple_extract [[T1]] : $(Array<Cat>, Builtin.RawPointer), 0
// CHECK: [[T2:%.*]] = tuple_extract [[T1]] : $(Array<Cat>, Builtin.RawPointer), 1
// CHECK: [[ELT0:%.*]] = pointer_to_address [[T2]] : $Builtin.RawPointer to [strict] $*Cat
// Element 0.
// CHECK: [[T0:%.*]] = function_ref @_TF6errors10make_a_catFzT_CS_3Cat : $@convention(thin) () -> (@owned Cat, @error Error)
// CHECK: try_apply [[T0]]() : $@convention(thin) () -> (@owned Cat, @error Error), normal [[NORM_0:bb[0-9]+]], error [[ERR_0:bb[0-9]+]]
// CHECK: [[NORM_0]]([[CAT0:%.*]] : $Cat):
// CHECK-NEXT: store [[CAT0]] to [init] [[ELT0]]
// Element 1.
// CHECK-NEXT: [[T0:%.*]] = integer_literal $Builtin.Word, 1
// CHECK-NEXT: [[ELT1:%.*]] = index_addr [[ELT0]] : $*Cat, [[T0]]
// CHECK-NEXT: [[ARG_COPY:%.*]] = copy_value [[ARG]]
// CHECK-NEXT: store [[ARG_COPY]] to [init] [[ELT1]]
// Element 2.
// CHECK-NEXT: [[T0:%.*]] = integer_literal $Builtin.Word, 2
// CHECK-NEXT: [[ELT2:%.*]] = index_addr [[ELT0]] : $*Cat, [[T0]]
// CHECK-NEXT: // function_ref
// CHECK-NEXT: [[T0:%.*]] = function_ref @_TF6errors10make_a_catFzT_CS_3Cat : $@convention(thin) () -> (@owned Cat, @error Error)
// CHECK-NEXT: try_apply [[T0]]() : $@convention(thin) () -> (@owned Cat, @error Error), normal [[NORM_2:bb[0-9]+]], error [[ERR_2:bb[0-9]+]]
// CHECK: [[NORM_2]]([[CAT2:%.*]] : $Cat):
// CHECK-NEXT: store [[CAT2]] to [init] [[ELT2]]
// Element 3.
// CHECK-NEXT: [[T0:%.*]] = integer_literal $Builtin.Word, 3
// CHECK-NEXT: [[ELT3:%.*]] = index_addr [[ELT0]] : $*Cat, [[T0]]
// CHECK-NEXT: // function_ref
// CHECK-NEXT: [[T0:%.*]] = function_ref @_TF6errors10make_a_catFzT_CS_3Cat : $@convention(thin) () -> (@owned Cat, @error Error)
// CHECK-NEXT: try_apply [[T0]]() : $@convention(thin) () -> (@owned Cat, @error Error), normal [[NORM_3:bb[0-9]+]], error [[ERR_3:bb[0-9]+]]
// CHECK: [[NORM_3]]([[CAT3:%.*]] : $Cat):
// CHECK-NEXT: store [[CAT3]] to [init] [[ELT3]]
// Complete the call and return.
// CHECK-NEXT: try_apply [[TAKE_FN]]([[ARRAY]]) : $@convention(thin) (@owned Array<Cat>) -> @error Error, normal [[NORM_CALL:bb[0-9]+]], error [[ERR_CALL:bb[0-9]+]]
// CHECK: [[NORM_CALL]]([[T0:%.*]] : $()):
// CHECK-NEXT: destroy_value %0 : $Cat
// CHECK-NEXT: [[T0:%.*]] = tuple ()
// CHECK-NEXT: return
// Failure from element 0.
// CHECK: [[ERR_0]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: // function_ref
// CHECK-NEXT: [[T0:%.*]] = function_ref @_TFs29_deallocateUninitializedArray
// CHECK-NEXT: apply [[T0]]<Cat>([[ARRAY]])
// CHECK-NEXT: br [[RETHROW:.*]]([[ERROR]] : $Error)
// Failure from element 2.
// CHECK: [[ERR_2]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: destroy_addr [[ELT1]]
// CHECK-NEXT: destroy_addr [[ELT0]]
// CHECK-NEXT: // function_ref
// CHECK-NEXT: [[T0:%.*]] = function_ref @_TFs29_deallocateUninitializedArray
// CHECK-NEXT: apply [[T0]]<Cat>([[ARRAY]])
// CHECK-NEXT: br [[RETHROW]]([[ERROR]] : $Error)
// Failure from element 3.
// CHECK: [[ERR_3]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: destroy_addr [[ELT2]]
// CHECK-NEXT: destroy_addr [[ELT1]]
// CHECK-NEXT: destroy_addr [[ELT0]]
// CHECK-NEXT: // function_ref
// CHECK-NEXT: [[T0:%.*]] = function_ref @_TFs29_deallocateUninitializedArray
// CHECK-NEXT: apply [[T0]]<Cat>([[ARRAY]])
// CHECK-NEXT: br [[RETHROW]]([[ERROR]] : $Error)
// Failure from call.
// CHECK: [[ERR_CALL]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: br [[RETHROW]]([[ERROR]] : $Error)
// Rethrow.
// CHECK: [[RETHROW]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: destroy_value %0 : $Cat
// CHECK-NEXT: throw [[ERROR]]
// CHECK: } // end sil function '_TF6errors13test_variadicFzCS_3CatT_'
// rdar://20861374
// Clear out the self box before delegating.
class BaseThrowingInit : HasThrowingInit {
var subField: Int
init(value: Int, subField: Int) throws {
self.subField = subField
try super.init(value: value)
}
}
// CHECK: sil hidden @_TFC6errors16BaseThrowingInitc{{.*}} : $@convention(method) (Int, Int, @owned BaseThrowingInit) -> (@owned BaseThrowingInit, @error Error)
// CHECK: [[BOX:%.*]] = alloc_box $<τ_0_0> { var τ_0_0 } <BaseThrowingInit>
// CHECK: [[PB:%.*]] = project_box [[BOX]]
// CHECK: [[MARKED_BOX:%.*]] = mark_uninitialized [derivedself] [[PB]]
// Initialize subField.
// CHECK: [[T0:%.*]] = load_borrow [[MARKED_BOX]]
// CHECK-NEXT: [[T1:%.*]] = ref_element_addr [[T0]] : $BaseThrowingInit, #BaseThrowingInit.subField
// CHECK-NEXT: assign %1 to [[T1]]
// Super delegation.
// CHECK-NEXT: [[T0:%.*]] = load_borrow [[MARKED_BOX]]
// CHECK-NEXT: [[T2:%.*]] = upcast [[T0]] : $BaseThrowingInit to $HasThrowingInit
// CHECK: [[T3:%[0-9]+]] = function_ref @_TFC6errors15HasThrowingInitcfzT5valueSi_S0_ : $@convention(method) (Int, @owned HasThrowingInit) -> (@owned HasThrowingInit, @error Error)
// CHECK-NEXT: apply [[T3]](%0, [[T2]])
// Cleanups for writebacks.
protocol Supportable {
mutating func support() throws
}
protocol Buildable {
associatedtype Structure : Supportable
var firstStructure: Structure { get set }
subscript(name: String) -> Structure { get set }
}
func supportFirstStructure<B: Buildable>(_ b: inout B) throws {
try b.firstStructure.support()
}
// CHECK-LABEL: sil hidden @_TF6errors21supportFirstStructure{{.*}} : $@convention(thin) <B where B : Buildable> (@inout B) -> @error Error {
// CHECK: [[SUPPORT:%.*]] = witness_method $B.Structure, #Supportable.support!1 :
// CHECK: [[MATBUFFER:%.*]] = alloc_stack $Builtin.UnsafeValueBuffer
// CHECK: [[BUFFER:%.*]] = alloc_stack $B.Structure
// CHECK: [[BUFFER_CAST:%.*]] = address_to_pointer [[BUFFER]] : $*B.Structure to $Builtin.RawPointer
// CHECK: [[MAT:%.*]] = witness_method $B, #Buildable.firstStructure!materializeForSet.1 :
// CHECK: [[T1:%.*]] = apply [[MAT]]<B>([[BUFFER_CAST]], [[MATBUFFER]], [[BASE:%[0-9]*]])
// CHECK: [[T2:%.*]] = tuple_extract [[T1]] : {{.*}}, 0
// CHECK: [[CALLBACK:%.*]] = tuple_extract [[T1]] : {{.*}}, 1
// CHECK: [[T3:%.*]] = pointer_to_address [[T2]] : $Builtin.RawPointer to [strict] $*B.Structure
// CHECK: [[T4:%.*]] = mark_dependence [[T3]] : $*B.Structure on [[BASE]] : $*B
// CHECK: try_apply [[SUPPORT]]<B.Structure>([[T4]]) : {{.*}}, normal [[BB_NORMAL:bb[0-9]+]], error [[BB_ERROR:bb[0-9]+]]
// CHECK: [[BB_NORMAL]]
// CHECK: switch_enum [[CALLBACK]]
// CHECK: apply
// CHECK: dealloc_stack [[BUFFER]]
// CHECK: dealloc_stack [[MATBUFFER]]
// CHECK: return
// CHECK: [[BB_ERROR]]([[ERROR:%.*]] : $Error):
// CHECK: switch_enum [[CALLBACK]]
// CHECK: apply
// CHECK: dealloc_stack [[BUFFER]]
// CHECK: dealloc_stack [[MATBUFFER]]
// CHECK: throw [[ERROR]]
func supportStructure<B: Buildable>(_ b: inout B, name: String) throws {
try b[name].support()
}
// CHECK-LABEL: sil hidden @_TF6errors16supportStructure
// CHECK: [[SUPPORT:%.*]] = witness_method $B.Structure, #Supportable.support!1 :
// CHECK: [[INDEX_COPY:%.*]] = copy_value [[INDEX:%1]] : $String
// CHECK: [[MATBUFFER:%.*]] = alloc_stack $Builtin.UnsafeValueBuffer
// CHECK: [[BUFFER:%.*]] = alloc_stack $B.Structure
// CHECK: [[BUFFER_CAST:%.*]] = address_to_pointer [[BUFFER]] : $*B.Structure to $Builtin.RawPointer
// CHECK: [[MAT:%.*]] = witness_method $B, #Buildable.subscript!materializeForSet.1 :
// CHECK: [[T1:%.*]] = apply [[MAT]]<B>([[BUFFER_CAST]], [[MATBUFFER]], [[INDEX_COPY]], [[BASE:%[0-9]*]])
// CHECK: [[T2:%.*]] = tuple_extract [[T1]] : {{.*}}, 0
// CHECK: [[CALLBACK:%.*]] = tuple_extract [[T1]] : {{.*}}, 1
// CHECK: [[T3:%.*]] = pointer_to_address [[T2]] : $Builtin.RawPointer to [strict] $*B.Structure
// CHECK: [[T4:%.*]] = mark_dependence [[T3]] : $*B.Structure on [[BASE]] : $*B
// CHECK: try_apply [[SUPPORT]]<B.Structure>([[T4]]) : {{.*}}, normal [[BB_NORMAL:bb[0-9]+]], error [[BB_ERROR:bb[0-9]+]]
// CHECK: [[BB_NORMAL]]
// CHECK: switch_enum [[CALLBACK]]
// CHECK: apply
// CHECK: dealloc_stack [[BUFFER]]
// CHECK: dealloc_stack [[MATBUFFER]]
// CHECK: destroy_value [[INDEX]] : $String
// CHECK: return
// CHECK: [[BB_ERROR]]([[ERROR:%.*]] : $Error):
// CHECK: switch_enum [[CALLBACK]]
// CHECK: apply
// CHECK: dealloc_stack [[BUFFER]]
// CHECK: dealloc_stack [[MATBUFFER]]
// CHECK: destroy_value [[INDEX]] : $String
// CHECK: throw [[ERROR]]
struct Pylon {
var name: String
mutating func support() throws {}
}
struct Bridge {
var mainPylon : Pylon
subscript(name: String) -> Pylon {
get {
return mainPylon
}
set {}
}
}
func supportStructure(_ b: inout Bridge, name: String) throws {
try b[name].support()
}
// CHECK: sil hidden @_TF6errors16supportStructureFzTRVS_6Bridge4nameSS_T_ : $@convention(thin) (@inout Bridge, @owned String) -> @error Error {
// CHECK: bb0([[ARG1:%.*]] : $*Bridge, [[ARG2:%.*]] : $String):
// CHECK: [[SUPPORT:%.*]] = function_ref @_TFV6errors5Pylon7support
// CHECK-NEXT: [[INDEX_COPY_1:%.*]] = copy_value [[ARG2]] : $String
// CHECK-NEXT: [[INDEX_COPY_2:%.*]] = copy_value [[INDEX_COPY_1]] : $String
// CHECK-NEXT: [[TEMP:%.*]] = alloc_stack $Pylon
// CHECK-NEXT: [[BASE:%.*]] = load [copy] [[ARG1]] : $*Bridge
// CHECK-NEXT: // function_ref
// CHECK-NEXT: [[GETTER:%.*]] = function_ref @_TFV6errors6Bridgeg9subscriptFSSVS_5Pylon :
// CHECK-NEXT: [[T0:%.*]] = apply [[GETTER]]([[INDEX_COPY_1]], [[BASE]])
// CHECK-NEXT: destroy_value [[BASE]]
// CHECK-NEXT: store [[T0]] to [init] [[TEMP]]
// CHECK-NEXT: try_apply [[SUPPORT]]([[TEMP]]) : {{.*}}, normal [[BB_NORMAL:bb[0-9]+]], error [[BB_ERROR:bb[0-9]+]]
// CHECK: [[BB_NORMAL]]
// CHECK-NEXT: [[T0:%.*]] = load [take] [[TEMP]]
// CHECK-NEXT: // function_ref
// CHECK-NEXT: [[SETTER:%.*]] = function_ref @_TFV6errors6Bridges9subscriptFSSVS_5Pylon :
// CHECK-NEXT: apply [[SETTER]]([[T0]], [[INDEX_COPY_2]], [[ARG1]])
// CHECK-NEXT: dealloc_stack [[TEMP]]
// CHECK-NEXT: destroy_value [[INDEX]] : $String
// CHECK-NEXT: tuple ()
// CHECK-NEXT: return
// We end up with ugly redundancy here because we don't want to
// consume things during cleanup emission. It's questionable.
// CHECK: [[BB_ERROR]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: [[T0:%.*]] = load [copy] [[TEMP]]
// CHECK-NEXT: [[INDEX_COPY_2_COPY:%.*]] = copy_value [[INDEX_COPY_2]]
// CHECK-NEXT: // function_ref
// CHECK-NEXT: [[SETTER:%.*]] = function_ref @_TFV6errors6Bridges9subscriptFSSVS_5Pylon :
// CHECK-NEXT: apply [[SETTER]]([[T0]], [[INDEX_COPY_2_COPY]], [[ARG1]])
// CHECK-NEXT: destroy_addr [[TEMP]]
// CHECK-NEXT: dealloc_stack [[TEMP]]
// ==> SEMANTIC ARC TODO: INDEX_COPY_2 on the next line should be INDEX_COPY_2_COPY
// CHECK-NEXT: destroy_value [[INDEX_COPY_2]] : $String
// CHECK-NEXT: destroy_value [[INDEX]] : $String
// CHECK-NEXT: throw [[ERROR]]
// CHECK: } // end sil function '_TF6errors16supportStructureFzTRVS_6Bridge4nameSS_T_'
struct OwnedBridge {
var owner : Builtin.UnknownObject
subscript(name: String) -> Pylon {
addressWithOwner { return (someValidPointer(), owner) }
mutableAddressWithOwner { return (someValidPointer(), owner) }
}
}
func supportStructure(_ b: inout OwnedBridge, name: String) throws {
try b[name].support()
}
// CHECK: sil hidden @_TF6errors16supportStructureFzTRVS_11OwnedBridge4nameSS_T_ :
// CHECK: bb0([[ARG1:%.*]] : $*OwnedBridge, [[ARG2:%.*]] : $String):
// CHECK: [[SUPPORT:%.*]] = function_ref @_TFV6errors5Pylon7support
// CHECK: [[ARG2_COPY:%.*]] = copy_value [[ARG2]] : $String
// CHECK-NEXT: // function_ref
// CHECK-NEXT: [[ADDRESSOR:%.*]] = function_ref @_TFV6errors11OwnedBridgeaO9subscriptFSSVS_5Pylon :
// CHECK-NEXT: [[T0:%.*]] = apply [[ADDRESSOR]]([[ARG2_COPY]], [[ARG1]])
// CHECK-NEXT: [[T1:%.*]] = tuple_extract [[T0]] : {{.*}}, 0
// CHECK-NEXT: [[OWNER:%.*]] = tuple_extract [[T0]] : {{.*}}, 1
// CHECK-NEXT: [[T3:%.*]] = struct_extract [[T1]]
// CHECK-NEXT: [[T4:%.*]] = pointer_to_address [[T3]]
// CHECK-NEXT: [[T5:%.*]] = mark_dependence [[T4]] : $*Pylon on [[OWNER]]
// CHECK-NEXT: try_apply [[SUPPORT]]([[T5]]) : {{.*}}, normal [[BB_NORMAL:bb[0-9]+]], error [[BB_ERROR:bb[0-9]+]]
// CHECK: [[BB_NORMAL]]
// CHECK-NEXT: destroy_value [[OWNER]] : $Builtin.UnknownObject
// CHECK-NEXT: destroy_value [[ARG2]] : $String
// CHECK-NEXT: tuple ()
// CHECK-NEXT: return
// CHECK: [[BB_ERROR]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: destroy_value [[OWNER]] : $Builtin.UnknownObject
// CHECK-NEXT: destroy_value [[ARG2]] : $String
// CHECK-NEXT: throw [[ERROR]]
// CHECK: } // end sil function '_TF6errors16supportStructureFzTRVS_11OwnedBridge4nameSS_T_'
struct PinnedBridge {
var owner : Builtin.NativeObject
subscript(name: String) -> Pylon {
addressWithPinnedNativeOwner { return (someValidPointer(), owner) }
mutableAddressWithPinnedNativeOwner { return (someValidPointer(), owner) }
}
}
func supportStructure(_ b: inout PinnedBridge, name: String) throws {
try b[name].support()
}
// CHECK: sil hidden @_TF6errors16supportStructureFzTRVS_12PinnedBridge4nameSS_T_ :
// CHECK: bb0([[ARG1:%.*]] : $*PinnedBridge, [[ARG2:%.*]] : $String):
// CHECK: [[SUPPORT:%.*]] = function_ref @_TFV6errors5Pylon7support
// CHECK: [[ARG2_COPY:%.*]] = copy_value [[ARG2]] : $String
// CHECK-NEXT: // function_ref
// CHECK-NEXT: [[ADDRESSOR:%.*]] = function_ref @_TFV6errors12PinnedBridgeap9subscriptFSSVS_5Pylon :
// CHECK-NEXT: [[T0:%.*]] = apply [[ADDRESSOR]]([[ARG2_COPY]], [[ARG1]])
// CHECK-NEXT: [[T1:%.*]] = tuple_extract [[T0]] : {{.*}}, 0
// CHECK-NEXT: [[OWNER:%.*]] = tuple_extract [[T0]] : {{.*}}, 1
// CHECK-NEXT: [[T3:%.*]] = struct_extract [[T1]]
// CHECK-NEXT: [[T4:%.*]] = pointer_to_address [[T3]]
// CHECK-NEXT: [[T5:%.*]] = mark_dependence [[T4]] : $*Pylon on [[OWNER]]
// CHECK-NEXT: try_apply [[SUPPORT]]([[T5]]) : {{.*}}, normal [[BB_NORMAL:bb[0-9]+]], error [[BB_ERROR:bb[0-9]+]]
// CHECK: [[BB_NORMAL]]
// CHECK-NEXT: strong_unpin [[OWNER]] : $Optional<Builtin.NativeObject>
// CHECK-NEXT: destroy_value [[ARG2]] : $String
// CHECK-NEXT: tuple ()
// CHECK-NEXT: return
// CHECK: [[BB_ERROR]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: [[OWNER_COPY:%.*]] = copy_value [[OWNER]]
// CHECK-NEXT: strong_unpin [[OWNER_COPY]] : $Optional<Builtin.NativeObject>
// CHECK-NEXT: destroy_value [[OWNER]]
// CHECK-NEXT: destroy_value [[ARG2]] : $String
// CHECK-NEXT: throw [[ERROR]]
// CHECK: } // end sil function '_TF6errors16supportStructureFzTRVS_12PinnedBridge4nameSS_T_'
// ! peepholes its argument with getSemanticsProvidingExpr().
// Test that that doesn't look through try!.
// rdar://21515402
func testForcePeephole(_ f: () throws -> Int?) -> Int {
let x = (try! f())!
return x
}
// CHECK-LABEL: sil hidden @_TF6errors15testOptionalTryFT_T_
// CHECK-NEXT: bb0:
// CHECK: [[FN:%.+]] = function_ref @_TF6errors10make_a_catFzT_CS_3Cat
// CHECK-NEXT: try_apply [[FN]]() : $@convention(thin) () -> (@owned Cat, @error Error), normal [[SUCCESS:[^ ]+]], error [[CLEANUPS:[^ ]+]],
// CHECK: [[SUCCESS]]([[VALUE:%.+]] : $Cat)
// CHECK-NEXT: [[WRAPPED:%.+]] = enum $Optional<Cat>, #Optional.some!enumelt.1, [[VALUE]]
// CHECK-NEXT: br [[DONE:[^ ]+]]([[WRAPPED]] : $Optional<Cat>)
// CHECK: [[DONE]]([[RESULT:%.+]] : $Optional<Cat>):
// CHECK-NEXT: destroy_value [[RESULT]] : $Optional<Cat>
// CHECK-NEXT: [[VOID:%.+]] = tuple ()
// CHECK-NEXT: return [[VOID]] : $()
// CHECK: [[FAILURE:.+]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: destroy_value [[ERROR]]
// CHECK-NEXT: [[NONE:%.+]] = enum $Optional<Cat>, #Optional.none!enumelt
// CHECK-NEXT: br [[DONE]]([[NONE]] : $Optional<Cat>)
// CHECK: [[CLEANUPS]]([[ERROR:%.+]] : $Error):
// CHECK-NEXT: br [[FAILURE]]([[ERROR]] : $Error)
// CHECK: } // end sil function '_TF6errors15testOptionalTryFT_T_'
func testOptionalTry() {
_ = try? make_a_cat()
}
// CHECK-LABEL: sil hidden @_TF6errors18testOptionalTryVarFT_T_
// CHECK-NEXT: bb0:
// CHECK-NEXT: [[BOX:%.+]] = alloc_box $<τ_0_0> { var τ_0_0 } <Optional<Cat>>
// CHECK-NEXT: [[PB:%.*]] = project_box [[BOX]]
// CHECK-NEXT: [[BOX_DATA:%.+]] = init_enum_data_addr [[PB]] : $*Optional<Cat>, #Optional.some!enumelt.1
// CHECK: [[FN:%.+]] = function_ref @_TF6errors10make_a_catFzT_CS_3Cat
// CHECK-NEXT: try_apply [[FN]]() : $@convention(thin) () -> (@owned Cat, @error Error), normal [[SUCCESS:[^ ]+]], error [[CLEANUPS:[^ ]+]],
// CHECK: [[SUCCESS]]([[VALUE:%.+]] : $Cat)
// CHECK-NEXT: store [[VALUE]] to [init] [[BOX_DATA]] : $*Cat
// CHECK-NEXT: inject_enum_addr [[PB]] : $*Optional<Cat>, #Optional.some!enumelt.1
// CHECK-NEXT: br [[DONE:[^ ]+]],
// CHECK: [[DONE]]:
// CHECK-NEXT: destroy_value [[BOX]] : $<τ_0_0> { var τ_0_0 } <Optional<Cat>>
// CHECK-NEXT: [[VOID:%.+]] = tuple ()
// CHECK-NEXT: return [[VOID]] : $()
// CHECK: [[FAILURE:.+]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: destroy_value [[ERROR]]
// CHECK-NEXT: inject_enum_addr [[PB]] : $*Optional<Cat>, #Optional.none!enumelt
// CHECK-NEXT: br [[DONE]]
// CHECK: [[CLEANUPS]]([[ERROR:%.+]] : $Error):
// CHECK-NEXT: br [[FAILURE]]([[ERROR]] : $Error)
// CHECK: } // end sil function '_TF6errors18testOptionalTryVarFT_T_'
func testOptionalTryVar() {
var cat = try? make_a_cat() // expected-warning {{initialization of variable 'cat' was never used; consider replacing with assignment to '_' or removing it}}
}
// CHECK-LABEL: sil hidden @_TF6errors26testOptionalTryAddressOnly
// CHECK: bb0(%0 : $*T):
// CHECK: [[BOX:%.+]] = alloc_stack $Optional<T>
// CHECK-NEXT: [[BOX_DATA:%.+]] = init_enum_data_addr [[BOX]] : $*Optional<T>, #Optional.some!enumelt.1
// CHECK: [[FN:%.+]] = function_ref @_TF6errors11dont_return
// CHECK-NEXT: [[ARG_BOX:%.+]] = alloc_stack $T
// CHECK-NEXT: copy_addr %0 to [initialization] [[ARG_BOX]] : $*T
// CHECK-NEXT: try_apply [[FN]]<T>([[BOX_DATA]], [[ARG_BOX]]) : $@convention(thin) <τ_0_0> (@in τ_0_0) -> (@out τ_0_0, @error Error), normal [[SUCCESS:[^ ]+]], error [[CLEANUPS:[^ ]+]],
// CHECK: [[SUCCESS]]({{%.+}} : $()):
// CHECK-NEXT: inject_enum_addr [[BOX]] : $*Optional<T>, #Optional.some!enumelt.1
// CHECK-NEXT: dealloc_stack [[ARG_BOX]] : $*T
// CHECK-NEXT: br [[DONE:[^ ]+]],
// CHECK: [[DONE]]:
// CHECK-NEXT: destroy_addr [[BOX]] : $*Optional<T>
// CHECK-NEXT: dealloc_stack [[BOX]] : $*Optional<T>
// CHECK-NEXT: destroy_addr %0 : $*T
// CHECK-NEXT: [[VOID:%.+]] = tuple ()
// CHECK-NEXT: return [[VOID]] : $()
// CHECK: [[FAILURE:.+]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: destroy_value [[ERROR]]
// CHECK-NEXT: inject_enum_addr [[BOX]] : $*Optional<T>, #Optional.none!enumelt
// CHECK-NEXT: br [[DONE]]
// CHECK: [[CLEANUPS]]([[ERROR:%.+]] : $Error):
// CHECK-NEXT: dealloc_stack [[ARG_BOX]] : $*T
// CHECK-NEXT: br [[FAILURE]]([[ERROR]] : $Error)
// CHECK: } // end sil function '_TF6errors26testOptionalTryAddressOnlyurFxT_'
func testOptionalTryAddressOnly<T>(_ obj: T) {
_ = try? dont_return(obj)
}
// CHECK-LABEL: sil hidden @_TF6errors29testOptionalTryAddressOnlyVar
// CHECK: bb0(%0 : $*T):
// CHECK: [[BOX:%.+]] = alloc_box $<τ_0_0> { var τ_0_0 } <Optional<T>>
// CHECK-NEXT: [[PB:%.*]] = project_box [[BOX]]
// CHECK-NEXT: [[BOX_DATA:%.+]] = init_enum_data_addr [[PB]] : $*Optional<T>, #Optional.some!enumelt.1
// CHECK: [[FN:%.+]] = function_ref @_TF6errors11dont_return
// CHECK-NEXT: [[ARG_BOX:%.+]] = alloc_stack $T
// CHECK-NEXT: copy_addr %0 to [initialization] [[ARG_BOX]] : $*T
// CHECK-NEXT: try_apply [[FN]]<T>([[BOX_DATA]], [[ARG_BOX]]) : $@convention(thin) <τ_0_0> (@in τ_0_0) -> (@out τ_0_0, @error Error), normal [[SUCCESS:[^ ]+]], error [[CLEANUPS:[^ ]+]],
// CHECK: [[SUCCESS]]({{%.+}} : $()):
// CHECK-NEXT: inject_enum_addr [[PB]] : $*Optional<T>, #Optional.some!enumelt.1
// CHECK-NEXT: dealloc_stack [[ARG_BOX]] : $*T
// CHECK-NEXT: br [[DONE:[^ ]+]],
// CHECK: [[DONE]]:
// CHECK-NEXT: destroy_value [[BOX]] : $<τ_0_0> { var τ_0_0 } <Optional<T>>
// CHECK-NEXT: destroy_addr %0 : $*T
// CHECK-NEXT: [[VOID:%.+]] = tuple ()
// CHECK-NEXT: return [[VOID]] : $()
// CHECK: [[FAILURE:.+]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: destroy_value [[ERROR]]
// CHECK-NEXT: inject_enum_addr [[PB]] : $*Optional<T>, #Optional.none!enumelt
// CHECK-NEXT: br [[DONE]]
// CHECK: [[CLEANUPS]]([[ERROR:%.+]] : $Error):
// CHECK-NEXT: dealloc_stack [[ARG_BOX]] : $*T
// CHECK-NEXT: br [[FAILURE]]([[ERROR]] : $Error)
// CHECK: } // end sil function '_TF6errors29testOptionalTryAddressOnlyVarurFxT_'
func testOptionalTryAddressOnlyVar<T>(_ obj: T) {
var copy = try? dont_return(obj) // expected-warning {{initialization of variable 'copy' was never used; consider replacing with assignment to '_' or removing it}}
}
// CHECK-LABEL: sil hidden @_TF6errors23testOptionalTryMultipleFT_T_
// CHECK: bb0:
// CHECK: [[FN_1:%.+]] = function_ref @_TF6errors10make_a_catFzT_CS_3Cat
// CHECK-NEXT: try_apply [[FN_1]]() : $@convention(thin) () -> (@owned Cat, @error Error), normal [[SUCCESS_1:[^ ]+]], error [[CLEANUPS_1:[^ ]+]],
// CHECK: [[SUCCESS_1]]([[VALUE_1:%.+]] : $Cat)
// CHECK: [[FN_2:%.+]] = function_ref @_TF6errors10make_a_catFzT_CS_3Cat
// CHECK-NEXT: try_apply [[FN_2]]() : $@convention(thin) () -> (@owned Cat, @error Error), normal [[SUCCESS_2:[^ ]+]], error [[CLEANUPS_2:[^ ]+]],
// CHECK: [[SUCCESS_2]]([[VALUE_2:%.+]] : $Cat)
// CHECK-NEXT: [[TUPLE:%.+]] = tuple ([[VALUE_1]] : $Cat, [[VALUE_2]] : $Cat)
// CHECK-NEXT: [[WRAPPED:%.+]] = enum $Optional<(Cat, Cat)>, #Optional.some!enumelt.1, [[TUPLE]]
// CHECK-NEXT: br [[DONE:[^ ]+]]([[WRAPPED]] : $Optional<(Cat, Cat)>)
// CHECK: [[DONE]]([[RESULT:%.+]] : $Optional<(Cat, Cat)>):
// CHECK-NEXT: destroy_value [[RESULT]] : $Optional<(Cat, Cat)>
// CHECK-NEXT: [[VOID:%.+]] = tuple ()
// CHECK-NEXT: return [[VOID]] : $()
// CHECK: [[FAILURE:.+]]([[ERROR:%.*]] : $Error):
// CHECK-NEXT: destroy_value [[ERROR]]
// CHECK-NEXT: [[NONE:%.+]] = enum $Optional<(Cat, Cat)>, #Optional.none!enumelt
// CHECK-NEXT: br [[DONE]]([[NONE]] : $Optional<(Cat, Cat)>)
// CHECK: [[CLEANUPS_1]]([[ERROR:%.+]] : $Error):
// CHECK-NEXT: br [[FAILURE]]([[ERROR]] : $Error)
// CHECK: [[CLEANUPS_2]]([[ERROR:%.+]] : $Error):
// CHECK-NEXT: destroy_value [[VALUE_1]] : $Cat
// CHECK-NEXT: br [[FAILURE]]([[ERROR]] : $Error)
// CHECK: } // end sil function '_TF6errors23testOptionalTryMultipleFT_T_'
func testOptionalTryMultiple() {
_ = try? (make_a_cat(), make_a_cat())
}
// CHECK-LABEL: sil hidden @_TF6errors25testOptionalTryNeverFailsFT_T_
// CHECK: bb0:
// CHECK-NEXT: [[VALUE:%.+]] = tuple ()
// CHECK-NEXT: = enum $Optional<()>, #Optional.some!enumelt.1, [[VALUE]]
// CHECK-NEXT: [[VOID:%.+]] = tuple ()
// CHECK-NEXT: return [[VOID]] : $()
// CHECK: } // end sil function '_TF6errors25testOptionalTryNeverFailsFT_T_'
func testOptionalTryNeverFails() {
_ = try? () // expected-warning {{no calls to throwing functions occur within 'try' expression}}
}
// CHECK-LABEL: sil hidden @_TF6errors28testOptionalTryNeverFailsVarFT_T_
// CHECK: bb0:
// CHECK-NEXT: [[BOX:%.+]] = alloc_box $<τ_0_0> { var τ_0_0 } <Optional<()>>
// CHECK-NEXT: [[PB:%.*]] = project_box [[BOX]]
// CHECK-NEXT: = init_enum_data_addr [[PB]] : $*Optional<()>, #Optional.some!enumelt.1
// CHECK-NEXT: inject_enum_addr [[PB]] : $*Optional<()>, #Optional.some!enumelt.1
// CHECK-NEXT: destroy_value [[BOX]] : $<τ_0_0> { var τ_0_0 } <Optional<()>>
// CHECK-NEXT: [[VOID:%.+]] = tuple ()
// CHECK-NEXT: return [[VOID]] : $()
// CHECK-NEXT: } // end sil function '_TF6errors28testOptionalTryNeverFailsVarFT_T_'
func testOptionalTryNeverFailsVar() {
var unit: ()? = try? () // expected-warning {{no calls to throwing functions occur within 'try' expression}} expected-warning {{variable 'unit' was never used; consider replacing with '_' or removing it}}
}
// CHECK-LABEL: sil hidden @_TF6errors36testOptionalTryNeverFailsAddressOnly
// CHECK: bb0(%0 : $*T):
// CHECK: [[BOX:%.+]] = alloc_stack $Optional<T>
// CHECK-NEXT: [[BOX_DATA:%.+]] = init_enum_data_addr [[BOX]] : $*Optional<T>, #Optional.some!enumelt.1
// CHECK-NEXT: copy_addr %0 to [initialization] [[BOX_DATA]] : $*T
// CHECK-NEXT: inject_enum_addr [[BOX]] : $*Optional<T>, #Optional.some!enumelt.1
// CHECK-NEXT: destroy_addr [[BOX]] : $*Optional<T>
// CHECK-NEXT: dealloc_stack [[BOX]] : $*Optional<T>
// CHECK-NEXT: destroy_addr %0 : $*T
// CHECK-NEXT: [[VOID:%.+]] = tuple ()
// CHECK-NEXT: return [[VOID]] : $()
// CHECK-NEXT: } // end sil function '_TF6errors36testOptionalTryNeverFailsAddressOnlyurFxT_'
func testOptionalTryNeverFailsAddressOnly<T>(_ obj: T) {
_ = try? obj // expected-warning {{no calls to throwing functions occur within 'try' expression}}
}
// CHECK-LABEL: sil hidden @_TF6errors39testOptionalTryNeverFailsAddressOnlyVar
// CHECK: bb0(%0 : $*T):
// CHECK: [[BOX:%.+]] = alloc_box $<τ_0_0> { var τ_0_0 } <Optional<T>>
// CHECK-NEXT: [[PB:%.*]] = project_box [[BOX]]
// CHECK-NEXT: [[BOX_DATA:%.+]] = init_enum_data_addr [[PB]] : $*Optional<T>, #Optional.some!enumelt.1
// CHECK-NEXT: copy_addr %0 to [initialization] [[BOX_DATA]] : $*T
// CHECK-NEXT: inject_enum_addr [[PB]] : $*Optional<T>, #Optional.some!enumelt.1
// CHECK-NEXT: destroy_value [[BOX]] : $<τ_0_0> { var τ_0_0 } <Optional<T>>
// CHECK-NEXT: destroy_addr %0 : $*T
// CHECK-NEXT: [[VOID:%.+]] = tuple ()
// CHECK-NEXT: return [[VOID]] : $()
// CHECK: } // end sil function '_TFC6errors13OtherErrorSubCfT_S0_'
func testOptionalTryNeverFailsAddressOnlyVar<T>(_ obj: T) {
var copy = try? obj // expected-warning {{no calls to throwing functions occur within 'try' expression}} expected-warning {{initialization of variable 'copy' was never used; consider replacing with assignment to '_' or removing it}}
}
class SomeErrorClass : Error { }
// CHECK-LABEL: sil_vtable SomeErrorClass
// CHECK-NEXT: #SomeErrorClass.deinit!deallocator: _TFC6errors14SomeErrorClassD
// CHECK-NEXT: #SomeErrorClass.init!initializer.1: _TFC6errors14SomeErrorClasscfT_S0_
// CHECK-NEXT: }
class OtherErrorSub : OtherError { }
// CHECK-LABEL: sil_vtable OtherErrorSub {
// CHECK-NEXT: #OtherError.init!initializer.1: _TFC6errors13OtherErrorSubcfT_S0_ // OtherErrorSub.init() -> OtherErrorSub
// CHECK-NEXT: #OtherErrorSub.deinit!deallocator: _TFC6errors13OtherErrorSubD // OtherErrorSub.__deallocating_deinit
// CHECK-NEXT:}
| apache-2.0 | 655a5ddcb57b5f3e1f9b68de8a3d1c53 | 48.068433 | 234 | 0.602123 | 3.179062 | false | false | false | false |
nineteen-apps/swift | lessons-02/lesson3/Sources/cpf.swift | 1 | 2451 | // -*-swift-*-
// The MIT License (MIT)
//
// Copyright (c) 2017 - Nineteen
//
// 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.
//
// Created: 2017-06-20 by Ronaldo Faria Lima
//
// This file purpose: Classe que realiza o cálculo do dígito verificador do CPF
// para verificação de sua validade.
import Foundation
struct CPF: Checksum {
let cpf: String
fileprivate var checkDigits: Int? {
return Int(cpf.substring(from: cpf.index(cpf.endIndex, offsetBy: -2)))
}
init (cpf: String) {
self.cpf = cpf
}
func isValid() -> Bool {
return checkDigits == calculateCheckDigits()
}
fileprivate func calculateCheckDigits() -> Int? {
if let firstDigit = calculateCheckDigit(for: 10), let secondDigit = calculateCheckDigit(for: 11) {
return firstDigit * 10 + secondDigit
}
return nil
}
private func calculateCheckDigit(for weight: Int) -> Int? {
var ckDigit = 0
var currWeight = weight
for i in cpf.characters.indices {
if currWeight < 1 {
break
}
if let digit = Int(String(cpf[i])) {
ckDigit += digit * currWeight
} else {
return nil
}
currWeight -= 1
}
let remainder = ckDigit % 11
ckDigit = remainder < 2 ? 0 : 11 - remainder
return ckDigit
}
}
| mit | e0cf15c03c6b4d9d57467a30b6aaaff0 | 33.464789 | 106 | 0.653045 | 4.369643 | false | false | false | false |
Seanalair/GreenAR | Example/GreenAR/ViewController.swift | 1 | 32377 | //
// ViewController.swift
// GreenAR
//
// Created by Daniel Grenier on 10/17/2017.
// Copyright (c) 2017 Daniel Grenier. All rights reserved.
//
import UIKit
import SceneKit
import ARKit
import GreenAR
class ViewController: UIViewController, ARSCNViewDelegate, AVCaptureMetadataOutputObjectsDelegate {
let kTransitionAnimationDuration = 0.25
let kCornerNodeRadius = CGFloat(0.05)
let kDefaultRoomName = "TestRoom"
@IBOutlet var sceneView: ARSCNView!
@IBOutlet var startingFooter: UIView!
@IBOutlet var mappingFooter: UIView!
@IBOutlet var shareTypeFooter: UIView!
@IBOutlet var referenceTypeFooter: UIView!
@IBOutlet var referenceSelectFooter: UIView!
@IBOutlet var finishedFooter: UIView!
@IBOutlet var failedFooter: UIView!
@IBOutlet var mappingBackButton: UIButton!
@IBOutlet var mappingDoneButton: UIButton!
@IBOutlet var referencePositionDoneButton: UIButton!
@IBOutlet var finishedFooterShareButton: UIView!
@IBOutlet var referenceSelectLabel: UILabel!
@IBOutlet var finishedLabel: UILabel!
@IBOutlet var failedLabel: UILabel!
enum AppState: String {
case PreInitialization
case StartScreen
case Mapping
case ShareTypeSelect
case ReferenceTypeSelect
case ReferencePositionSelect
case Finished
case Failed
}
enum ShareType: String {
case NearbyDevice
case LocalFile
}
enum ReferenceType: String {
case DeviceLocation
case ObjectLocation
case QRCodeLocation
}
var appState: AppState = .PreInitialization
var shareType: ShareType?
var referenceType: ReferenceType?
var wallCornerNodes = [SCNNode]()
var referencePositionNode: SCNNode?
var qrCodeText: String?
var qrCodePosition: SCNVector3?
var referencePosition: SCNVector3?
var roomMapping: RoomMapping?
var multipeerManager: MultipeerManager?
override func viewDidLoad() {
super.viewDidLoad()
sceneView.showsStatistics = false
// Set the view's delegate
sceneView.delegate = self
layoutFooterView(startingFooter)
layoutFooterView(mappingFooter)
layoutFooterView(referenceTypeFooter)
layoutFooterView(shareTypeFooter)
layoutFooterView(referenceSelectFooter)
layoutFooterView(finishedFooter)
layoutFooterView(failedFooter)
startingFooter.alpha = 1
let tapRecognizer = UITapGestureRecognizer(target: self, action:#selector(self.sceneViewTapped(_:)))
sceneView.addGestureRecognizer(tapRecognizer)
updateAppState(.StartScreen)
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
// Create a session configuration
let configuration = ARWorldTrackingConfiguration()
configuration.worldAlignment = .gravityAndHeading
// Run the view's session
sceneView.session.run(configuration)
}
override func viewWillDisappear(_ animated: Bool) {
super.viewWillDisappear(animated)
// Pause the view's session
sceneView.session.pause()
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Release any cached data, images, etc that aren't in use.
}
func layoutFooterView(_ footerView: UIView) {
footerView.frame.origin = CGPoint(x:0, y:sceneView.bounds.height - footerView.bounds.height)
footerView.frame.size.width = self.view.frame.size.width
sceneView.addSubview(footerView)
footerView.alpha = 0
}
@IBAction func createRoomButtonTapped(_ sender: UIButton) {
updateAppState(.Mapping)
}
@IBAction func loadRoomButtonTapped(_ sender: UIButton) {
updateAppState(.ShareTypeSelect)
}
@IBAction func mappingBackButtonTapped(_ sender: UIButton) {
if (wallCornerNodes.count > 0) {
wallCornerNodes.last!.removeFromParentNode()
wallCornerNodes.removeLast()
if (wallCornerNodes.count < 4) {
mappingDoneButton.alpha = 0.25
mappingDoneButton.isUserInteractionEnabled = false
}
} else {
updateAppState(.StartScreen)
}
}
@IBAction func mappingFinishedButtonTapped(_ sender: UIButton) {
var corners = [SCNVector3]()
for cornerNode in wallCornerNodes {
corners.append(cornerNode.position)
}
if let newRoomMapping = RoomMapping.init(floorCorners: corners) {
roomMapping = newRoomMapping
sceneView.scene.rootNode.addChildNode(roomMapping!.createMappingNode(cornerInsetDistance:0.25,
visible: true))
updateAppState(.ShareTypeSelect)
}
}
@IBAction func nearbyDeviceButtonTapped(_ sender: UIButton) {
shareType = .NearbyDevice
updateAppState(.ReferenceTypeSelect)
}
@IBAction func localFileButtonTapped(_ sender: UIButton) {
shareType = .LocalFile
updateAppState(.ReferenceTypeSelect)
}
@IBAction func shareTypeBackButtonTapped(_ sender: UIButton) {
if (roomMapping != nil) {
updateAppState(.Mapping)
mappingDoneButton.alpha = 1
mappingDoneButton.isUserInteractionEnabled = true
} else {
updateAppState(.StartScreen)
}
}
@IBAction func deviceLocationButtonTapped(_ sender: UIButton) {
referenceType = .DeviceLocation
updateAppState(.ReferencePositionSelect)
}
@IBAction func objectLocationButtonTapped(_ sender: UIButton) {
referenceType = .ObjectLocation
updateAppState(.ReferencePositionSelect)
}
@IBAction func qrCodeLocationButtonTapped(_ sender: UIButton) {
referenceType = .QRCodeLocation
updateAppState(.ReferencePositionSelect)
}
@IBAction func referenceTypeBackButtonTapped(_ sender: UIButton) {
shareType = nil
updateAppState(.ShareTypeSelect)
}
@IBAction func referencePositionBackButtonTapped(_ sender: UIButton) {
if (referencePositionNode != nil) {
referencePositionNode?.removeFromParentNode()
referencePositionNode = nil
}
referencePosition = nil
referenceType = nil
updateAppState(.ReferenceTypeSelect)
}
@IBAction func referencePositionDoneButtonTapped(_ sender: UIButton) {
switch referenceType! {
case .DeviceLocation:
referencePosition = sceneView.pointOfView!.position
if (roomMapping != nil) {
roomMapping!.referencePosition = referencePosition
MappingManager.saveRoomMapping(roomMapping!, fileName: kDefaultRoomName)
updateAppState(.Finished)
if (shareType == .NearbyDevice) {
multipeerManager = MultipeerManager(fileToSend: kDefaultRoomName, completion: { (success) in
if (success) {
print("Room sent successfully.")
} else {
print("Failed to send room.")
self.updateAppState(.Failed)
}
self.multipeerManager!.disconnect()
self.multipeerManager = nil
})
}
} else {
if (shareType == .NearbyDevice) {
multipeerManager = MultipeerManager(targetFileLocation: kDefaultRoomName, completion: { (success) in
if (success) {
print("Room received successfully.")
if let newRoomMapping = MappingManager.loadRoomMapping(fileName: self.kDefaultRoomName,
referencePosition: self.referencePosition!) {
self.roomMapping = newRoomMapping
self.sceneView.scene.rootNode.addChildNode(self.roomMapping!.createMappingNode(cornerInsetDistance:0.25,
visible: true))
self.updateAppState(.Finished)
self.finishedLabel.text = "Room received! At this point, the clients could continue communicating to facilitate real-time multiplayer (with all locations relative to the reference point)"
} else {
self.updateAppState(.Failed)
}
} else {
print("Failed to receive room.")
self.updateAppState(.Failed)
}
self.multipeerManager!.disconnect()
self.multipeerManager = nil
})
} else {
if let newRoomMapping = MappingManager.loadRoomMapping(fileName: kDefaultRoomName,
referencePosition: referencePosition!) {
roomMapping = newRoomMapping
sceneView.scene.rootNode.addChildNode(roomMapping!.createMappingNode(cornerInsetDistance:0.25,
visible: true))
updateAppState(.Finished)
finishedLabel.text = "Room loaded and interpreted successfully! To share this room with a nearby device, tap the share button."
finishedFooterShareButton.alpha = 1
finishedFooterShareButton.isUserInteractionEnabled = true
} else {
updateAppState(.Failed)
}
}
}
case .ObjectLocation:
if (referencePositionNode != nil) {
referencePosition = referencePositionNode!.position
if (roomMapping != nil) {
roomMapping!.referencePosition = referencePosition
MappingManager.saveRoomMapping(roomMapping!, fileName: kDefaultRoomName)
updateAppState(.Finished)
if (shareType == .NearbyDevice) {
multipeerManager = MultipeerManager(fileToSend: kDefaultRoomName, completion: { (success) in
if (success) {
print("Room sent successfully.")
} else {
print("Failed to send room.")
self.updateAppState(.Failed)
}
self.multipeerManager!.disconnect()
self.multipeerManager = nil
})
}
} else {
if (shareType == .NearbyDevice) {
multipeerManager = MultipeerManager(targetFileLocation: kDefaultRoomName, completion: { (success) in
if (success) {
print("Room received successfully.")
if let newRoomMapping = MappingManager.loadRoomMapping(fileName: self.kDefaultRoomName,
referencePosition: self.referencePosition!) {
self.roomMapping = newRoomMapping
self.sceneView.scene.rootNode.addChildNode(self.roomMapping!.createMappingNode(cornerInsetDistance:0.25,
visible: true))
self.updateAppState(.Finished)
self.finishedLabel.text = "Room received! At this point, the clients could continue communicating to facilitate real-time multiplayer (with all locations relative to the reference point)"
} else {
self.updateAppState(.Failed)
}
} else {
print("Failed to receive room.")
self.updateAppState(.Failed)
}
self.multipeerManager!.disconnect()
self.multipeerManager = nil
})
} else {
if let newRoomMapping = MappingManager.loadRoomMapping(fileName: kDefaultRoomName,
referencePosition: referencePosition!) {
roomMapping = newRoomMapping
sceneView.scene.rootNode.addChildNode(roomMapping!.createMappingNode(cornerInsetDistance:0.25,
visible: true))
updateAppState(.Finished)
finishedLabel.text = "Room loaded and interpreted successfully! To share this room with a nearby device, tap the share button."
finishedFooterShareButton.alpha = 1
finishedFooterShareButton.isUserInteractionEnabled = true
} else {
updateAppState(.Failed)
}
}
}
}
case .QRCodeLocation:
if (referencePositionNode != nil) {
referencePosition = referencePositionNode!.position
if (roomMapping != nil) {
roomMapping!.referencePosition = referencePosition
MappingManager.saveRoomMapping(roomMapping!, fileName: qrCodeText!)
updateAppState(.Finished)
if (shareType == .NearbyDevice) {
multipeerManager = MultipeerManager(fileToSend: qrCodeText!, completion: { (success) in
if (success) {
print("Room sent successfully.")
} else {
print("Failed to send room.")
self.updateAppState(.Failed)
}
self.multipeerManager!.disconnect()
self.multipeerManager = nil
})
}
} else {
if (shareType == .NearbyDevice) {
multipeerManager = MultipeerManager(targetFileLocation: qrCodeText!, completion: { (success) in
if (success) {
print("Room received successfully.")
if let newRoomMapping = MappingManager.loadRoomMapping(fileName: self.qrCodeText!,
referencePosition: self.referencePosition!) {
self.roomMapping = newRoomMapping
self.sceneView.scene.rootNode.addChildNode(self.roomMapping!.createMappingNode(cornerInsetDistance:0.25,
visible: true))
self.updateAppState(.Finished)
self.finishedLabel.text = "Room received! At this point, the clients could continue communicating to facilitate real-time multiplayer (with all locations relative to the reference point)"
} else {
self.updateAppState(.Failed)
}
} else {
print("Failed to receive room.")
self.updateAppState(.Failed)
}
self.multipeerManager!.disconnect()
self.multipeerManager = nil
})
} else {
if let newRoomMapping = MappingManager.loadRoomMapping(fileName: qrCodeText!,
referencePosition: referencePosition!) {
roomMapping = newRoomMapping
sceneView.scene.rootNode.addChildNode(roomMapping!.createMappingNode(cornerInsetDistance:0.25,
visible: true))
updateAppState(.Finished)
finishedLabel.text = "Room loaded and interpreted successfully! To share this room with a nearby device, tap the share button."
finishedFooterShareButton.alpha = 1
finishedFooterShareButton.isUserInteractionEnabled = true
} else {
updateAppState(.Failed)
}
}
}
}
}
}
@IBAction func finishedFooterShareButtonTapped(_ sender: UIButton) {
referenceType = nil
referencePosition = nil
shareType = .NearbyDevice
updateAppState(.ReferenceTypeSelect)
}
func metadataOutput(_ output: AVCaptureMetadataOutput,
didOutput metadataObjects: [AVMetadataObject],
from connection: AVCaptureConnection) {
}
func testStateChangeValidity(_ oldAppState: AppState, newAppState: AppState) {
var validStateChange = false
switch newAppState {
case .PreInitialization:
break
case .StartScreen:
validStateChange = (oldAppState == .PreInitialization ||
oldAppState == .Mapping ||
oldAppState == .ShareTypeSelect)
case .Mapping:
validStateChange = (oldAppState == .StartScreen)
case .ShareTypeSelect:
validStateChange = (oldAppState == .StartScreen ||
oldAppState == .Mapping ||
oldAppState == .ReferenceTypeSelect)
case .ReferenceTypeSelect:
validStateChange = (oldAppState == .ShareTypeSelect ||
oldAppState == .ReferencePositionSelect ||
oldAppState == .Finished)
case .ReferencePositionSelect:
validStateChange = (oldAppState == .ReferenceTypeSelect)
case .Finished:
validStateChange = (oldAppState == .ReferencePositionSelect)
case .Failed:
validStateChange = (oldAppState == .ReferencePositionSelect)
}
assert(validStateChange, "Attempted invalid appState transition - old state: \(oldAppState.rawValue) new state: \(newAppState.rawValue)")
}
func updateAppState(_ newAppState: AppState) {
let oldAppState = appState
if (oldAppState == newAppState) {
return
}
testStateChangeValidity(oldAppState, newAppState:newAppState)
self.startingFooter.isUserInteractionEnabled = false
self.mappingFooter.isUserInteractionEnabled = false
self.shareTypeFooter.isUserInteractionEnabled = false
self.referenceTypeFooter.isUserInteractionEnabled = false
self.referenceSelectFooter.isUserInteractionEnabled = false
self.mappingDoneButton.alpha = 0.25
self.mappingDoneButton.isUserInteractionEnabled = false
self.referencePositionDoneButton.alpha = 0.25
self.referencePositionDoneButton.isUserInteractionEnabled = false
finishedFooterShareButton.alpha = 0
finishedFooterShareButton.isUserInteractionEnabled = false
switch newAppState {
case .PreInitialization:
break
case .StartScreen:
UIView.animate(withDuration: kTransitionAnimationDuration, animations: {
self.mappingFooter.alpha = 0
self.shareTypeFooter.alpha = 0
}) { (completed) in
UIView.animate(withDuration: self.kTransitionAnimationDuration,
animations: {
self.startingFooter.alpha = 1
}) { (completed) in
self.startingFooter.isUserInteractionEnabled = true
}
}
case .Mapping:
UIView.animate(withDuration: kTransitionAnimationDuration, animations: {
self.startingFooter.alpha = 0
self.shareTypeFooter.alpha = 0
}) { (completed) in
UIView.animate(withDuration: self.kTransitionAnimationDuration,
animations: {
self.mappingFooter.alpha = 1
}) { (completed) in
self.mappingFooter.isUserInteractionEnabled = true
}
}
case .ShareTypeSelect:
UIView.animate(withDuration: kTransitionAnimationDuration, animations: {
self.startingFooter.alpha = 0
self.mappingFooter.alpha = 0
self.referenceTypeFooter.alpha = 0
}) { (completed) in
UIView.animate(withDuration: self.kTransitionAnimationDuration,
animations: {
self.shareTypeFooter.alpha = 1
}) { (completed) in
self.shareTypeFooter.isUserInteractionEnabled = true
}
}
case .ReferenceTypeSelect:
UIView.animate(withDuration: kTransitionAnimationDuration, animations: {
self.finishedFooter.alpha = 0
self.shareTypeFooter.alpha = 0
self.referenceSelectFooter.alpha = 0
}) { (completed) in
UIView.animate(withDuration: self.kTransitionAnimationDuration,
animations: {
self.referenceTypeFooter.alpha = 1
}) { (completed) in
self.referenceTypeFooter.isUserInteractionEnabled = true
}
}
case .ReferencePositionSelect:
if (roomMapping != nil) {
switch referenceType! {
case .DeviceLocation:
referencePositionDoneButton.alpha = 1
referencePositionDoneButton.isUserInteractionEnabled = true
if (shareType == .NearbyDevice) {
referenceSelectLabel.text = "Set your device down, tap the done button, and set the receiving device on top of it."
} else {
referenceSelectLabel.text = "Place your device in a memorable and easily reproduced location, such as in the corner of a table, and tap the done button."
}
case .ObjectLocation:
referenceSelectLabel.text = "Tap on an object in the world until you get a good collision result (represented by a green ball on the object), and tap the done button."
case .QRCodeLocation:
referenceSelectLabel.text = "Tap on a QRCode in the world until you get a good read (indicated by a green ball on the code), and tap the done button."
}
} else {
switch referenceType! {
case .DeviceLocation:
referencePositionDoneButton.alpha = 1
referencePositionDoneButton.isUserInteractionEnabled = true
if (shareType == .NearbyDevice) {
referenceSelectLabel.text = "Set your device down on top of the device sharing a room and tap the done button."
} else {
referenceSelectLabel.text = "Place your device in the same location you did to save the room and tap the done button."
}
case .ObjectLocation:
referenceSelectLabel.text = "Tap on the object you used as a reference when you saved the room. Try to get the green ball to be in the same spot as before, then tap the done button."
case .QRCodeLocation:
referenceSelectLabel.text = "Tap on the QR Code you used to save the room. When you see a green ball indicating a successful read, tap the done button."
}
}
UIView.animate(withDuration: kTransitionAnimationDuration, animations: {
self.referenceTypeFooter.alpha = 0
}) { (completed) in
UIView.animate(withDuration: self.kTransitionAnimationDuration,
animations: {
self.referenceSelectFooter.alpha = 1
}) { (completed) in
self.referenceSelectFooter.isUserInteractionEnabled = true
}
}
case .Finished:
if (roomMapping != nil) {
switch referenceType! {
case .DeviceLocation:
if (shareType == .NearbyDevice) {
finishedLabel.text = "Without moving this device, set the other device on top of it and step through the load room prompts."
} else {
finishedLabel.text = "You're all set! Close the app and reopen it to see how loading the room works."
}
case .ObjectLocation:
if (shareType == .NearbyDevice) {
finishedLabel.text = "Have the other device step through the loading prompts and choose the same reference object (without moving it)."
} else {
finishedLabel.text = "You're all set! Close the app and reopen it to see how loading the room works."
}
case .QRCodeLocation:
if (shareType == .NearbyDevice) {
finishedLabel.text = "Have the other device step through the loading prompts and choose the same reference QR Code (without moving it)."
} else {
finishedLabel.text = "You're all set! Close the app and reopen it to see how loading the room works."
}
}
}
UIView.animate(withDuration: kTransitionAnimationDuration, animations: {
self.referenceSelectFooter.alpha = 0
}) { (completed) in
UIView.animate(withDuration: self.kTransitionAnimationDuration,
animations: {
self.finishedFooter.alpha = 1
}) { (completed) in
}
}
case .Failed:
failedLabel.text = "Something went wrong when saving or loading the room mapping. Please create an issue on the github repo explaining how you got to this state so I can try to fix the problem."
UIView.animate(withDuration: kTransitionAnimationDuration, animations: {
self.referenceSelectFooter.alpha = 0
}) { (completed) in
UIView.animate(withDuration: self.kTransitionAnimationDuration,
animations: {
self.failedFooter.alpha = 1
}) { (completed) in
}
}
}
appState = newAppState
}
// MARK - Scene tapped
@objc func sceneViewTapped(_ tapGestureRecognizer: UITapGestureRecognizer) {
let pointInView = tapGestureRecognizer.location(in: sceneView)
if (appState == .Mapping) {
let results = sceneView.hitTest(pointInView, types: .featurePoint)
if let hitTestResult = results.first {
print(hitTestResult.distance, hitTestResult.worldTransform)
createWallCornerNode(hitTestResult.worldTransform)
mappingBackButton.alpha = 1
mappingBackButton.isUserInteractionEnabled = true
if (wallCornerNodes.count >= 4) {
mappingDoneButton.alpha = 1
mappingDoneButton.isUserInteractionEnabled = true
}
}
} else if (appState == .ReferencePositionSelect && referenceType == .ObjectLocation) {
let results = sceneView.hitTest(pointInView, types: .featurePoint)
if let hitTestResult = results.first {
let x = hitTestResult.worldTransform[3][0]
let y = hitTestResult.worldTransform[3][1]
let z = hitTestResult.worldTransform[3][2]
createReferencePositionNode(SCNVector3(x, y, z))
self.referencePositionDoneButton.alpha = 1
self.referencePositionDoneButton.isUserInteractionEnabled = true
}
} else if (appState == .ReferencePositionSelect && referenceType == .QRCodeLocation) {
(qrCodeText, qrCodePosition) = QRCodeLocator.captureAndLocateQRCode(sceneView: sceneView)
if let codePosition = qrCodePosition {
createReferencePositionNode(codePosition)
self.referencePositionDoneButton.alpha = 1
self.referencePositionDoneButton.isUserInteractionEnabled = true
}
}
}
func createWallCornerNode(_ worldTransform:matrix_float4x4) {
let ballGeometry = SCNSphere(radius: kCornerNodeRadius)
ballGeometry.materials.first?.diffuse.contents = UIColor.white
let newCornerNode = SCNNode(geometry: ballGeometry)
newCornerNode.simdWorldTransform = worldTransform
newCornerNode.opacity = 0.25
sceneView.scene.rootNode.addChildNode(newCornerNode)
wallCornerNodes.append(newCornerNode)
}
func createReferencePositionNode(_ position:SCNVector3) {
if (referencePositionNode != nil) {
referencePositionNode?.removeFromParentNode()
referencePositionNode = nil
}
let ballGeometry = SCNSphere(radius: kCornerNodeRadius)
ballGeometry.materials.first?.diffuse.contents = UIColor.green
referencePositionNode = SCNNode(geometry: ballGeometry)
referencePositionNode!.position = position
referencePositionNode!.opacity = 0.5
sceneView.scene.rootNode.addChildNode(referencePositionNode!)
}
// MARK: - ARSCNViewDelegate
/*
// Override to create and configure nodes for anchors added to the view's session.
func renderer(_ renderer: SCNSceneRenderer, nodeFor anchor: ARAnchor) -> SCNNode? {
let node = SCNNode()
return node
}
*/
func session(_ session: ARSession, didFailWithError error: Error) {
// Present an error message to the user
}
func sessionWasInterrupted(_ session: ARSession) {
// Inform the user that the session has been interrupted, for example, by presenting an overlay
}
func sessionInterruptionEnded(_ session: ARSession) {
// Reset tracking and/or remove existing anchors if consistent tracking is required
}
}
| mit | acd26fbe94a22227b60032bea69f3444 | 45.787572 | 223 | 0.544337 | 6.160008 | false | false | false | false |
Subsets and Splits