repo_name
stringlengths 6
91
| path
stringlengths 8
968
| copies
stringclasses 210
values | size
stringlengths 2
7
| content
stringlengths 61
1.01M
| license
stringclasses 15
values | hash
stringlengths 32
32
| line_mean
float64 6
99.8
| line_max
int64 12
1k
| alpha_frac
float64 0.3
0.91
| ratio
float64 2
9.89
| autogenerated
bool 1
class | config_or_test
bool 2
classes | has_no_keywords
bool 2
classes | has_few_assignments
bool 1
class |
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
pdcgomes/RendezVous | Vendor/docopt/Pattern.swift | 1 | 3978 | //
// Pattern.swift
// docopt
//
// Created by Pavel S. Mazurin on 3/1/15.
// Copyright (c) 2015 kovpas. All rights reserved.
//
import Foundation
typealias MatchResult = (match: Bool, left: [Pattern], collected: [Pattern])
internal class Pattern: Equatable, Hashable, CustomStringConvertible {
func fix() -> Pattern {
fixIdentities()
fixRepeatingArguments()
return self
}
var description: String {
get {
return "Pattern"
}
}
var hashValue: Int { get {
return self.description.hashValue
}
}
func fixIdentities(unq: [LeafPattern]? = nil) {}
func fixRepeatingArguments() -> Pattern {
let either = Pattern.transform(self).children.map { ($0 as! Required).children }
for c in either {
for ch in c {
let filteredChildren = c.filter {$0 == ch}
if filteredChildren.count > 1 {
for child in filteredChildren {
let e = child as! LeafPattern
if ((e is Argument) && !(e is Command)) || ((e is Option) && (e as! Option).argCount != 0) {
if e.value == nil {
e.value = [String]()
} else if !(e.value is [String]) {
e.value = e.value!.description.split()
}
}
if (e is Command) || ((e is Option) && (e as! Option).argCount == 0) {
e.value = 0
e.valueType = .Int
}
}
}
}
}
return self
}
static func isInParents(child: Pattern) -> Bool {
return (child as? Required != nil)
|| (child as? Optional != nil)
|| (child as? OptionsShortcut != nil)
|| (child as? Either != nil)
|| (child as? OneOrMore != nil)
}
static func transform(pattern: Pattern) -> Either {
var result = [[Pattern]]()
var groups = [[pattern]]
while !groups.isEmpty {
var children = groups.removeAtIndex(0)
let child: BranchPattern? = children.filter({ self.isInParents($0) }).first as? BranchPattern
if let child = child {
let index = children.indexOf(child)!
children.removeAtIndex(index)
if child is Either {
for pattern in child.children {
groups.append([pattern] + children)
}
} else if child is OneOrMore {
groups.append(child.children + child.children + children)
} else {
groups.append(child.children + children)
}
} else {
result.append(children)
}
}
return Either(result.map {Required($0)})
}
func flat() -> [LeafPattern] {
return flat(LeafPattern)
}
func flat<T: Pattern>(_: T.Type) -> [T] { // abstract
return []
}
func match<T: Pattern>(left: T, collected clld: [T]? = nil) -> MatchResult {
return match([left], collected: clld)
}
func match<T: Pattern>(left: [T], collected clld: [T]? = nil) -> MatchResult { // abstract
return (false, [], [])
}
func singleMatch<T: Pattern>(left: [T]) -> SingleMatchResult {return (0, nil)} // abstract
}
func ==(lhs: Pattern, rhs: Pattern) -> Bool {
if let lval = lhs as? BranchPattern, let rval = rhs as? BranchPattern {
return lval == rval
} else if let lval = lhs as? LeafPattern, let rval = rhs as? LeafPattern {
return lval == rval
}
return lhs === rhs // Pattern is "abstract" and shouldn't be instantiated :)
}
| mit | 88fe6e13f37cdcaeb9e6636775699428 | 31.876033 | 116 | 0.482152 | 4.647196 | false | false | false | false |
admkopec/BetaOS | Kernel/Swift Extensions/Frameworks/Addressing/Addressing/Addressing.swift | 1 | 10736 | //
// Address.swift
// Addressing
//
// Created by Adam Kopeć on 11/5/17.
// Copyright © 2017-2018 Adam Kopeć. All rights reserved.
//
import Darwin.os
fileprivate func mapAddress(start: UInt, size: UInt) -> UInt {
guard start != 0 else {
return 0
}
let addr = UInt(io_map(UInt64(start & ~3), UInt((size + vm_page_mask) & ~vm_page_mask), (0x2 | 0x4 | 0x1)))
let newStart = UInt(kvtophys(UInt64(addr)))
if newStart != start && !isAHCI {
return addr + (start - newStart)
}
return addr
}
public final class Address: Numeric, Comparable, BinaryInteger {
public static let isSigned: Bool = false
public var hashValue: Int
public var magnitude: UInt
public var words: UInt.Words
public var bitWidth: Int
public var trailingZeroBitCount: Int
public typealias Magnitude = UInt
public typealias IntegerLiteralType = UInt
public typealias Words = UInt.Words
fileprivate var rawValue: UInt
fileprivate var rawValueVirt: UInt
fileprivate var sizeTomap: vm_size_t = vm_page_size
public var description: String {
return "Physical Address is 0x\(String(physical, radix: 16)), Virtual Address is 0x\(String(virtual, radix: 16))"
}
/**
Virtual address represented as a bit pattern.
*/
public var virtual: UInt {
if rawValueVirt >= 0x0fffff8000000000 {
return rawValueVirt
} else {
guard baseAddr != (0x0, 0x0) else {
rawValueVirt = mapAddress(start: physical, size: sizeTomap)
baseAddr = (physical, rawValueVirt)
return rawValueVirt
}
guard Int(max(physical, baseAddr.original)) - Int(min(physical, baseAddr.original)) < Int(vm_page_size) else {
rawValueVirt = mapAddress(start: physical, size: vm_page_size)
baseAddr = (physical, rawValueVirt)
return rawValueVirt
}
guard Int(Int(physical) - Int(baseAddr.original)) > Int(0) else {
rawValueVirt = mapAddress(start: physical, size: sizeTomap)
baseAddr = (physical, rawValueVirt)
return rawValueVirt
}
guard UInt64((UInt64(physical) + UInt64(baseAddr.mapped) - UInt64(baseAddr.original))) > UInt64(0) else {
rawValueVirt = mapAddress(start: physical, size: sizeTomap)
baseAddr = (physical, rawValueVirt)
return rawValueVirt
}
rawValueVirt = physical - baseAddr.original + baseAddr.mapped
return rawValueVirt
}
}
/**
Physical address represented as a bit pattern.
*/
public var physical: UInt {
if rawValue < 0x0fffff8000000000 {
return rawValue
} else {
return UInt(kvtophys(UInt64(rawValue)))
}
}
/**
Represents last mapped physical to virtual address pair
*/
fileprivate(set) public var baseAddr: (original: UInt, mapped: UInt) = (0x0, 0x0)
public static func ==(lhs: Address, rhs: Address) -> Bool {
return lhs.rawValue == rhs.rawValue
}
public static func ==(lhs: Address, rhs: UInt) -> Bool {
return lhs.rawValue == rhs
}
public static func ==(lhs: UInt, rhs: Address) -> Bool {
return lhs == rhs.rawValue
}
public static func <(lhs: Address, rhs: Address) -> Bool {
return lhs.rawValue < rhs.rawValue
}
public static func *(lhs: Address, rhs: Address) -> Address {
return Address(lhs.rawValue * rhs.rawValue)
}
public static func *=(lhs: inout Address, rhs: Address) {
lhs.rawValue *= rhs.rawValue
lhs.magnitude = lhs.rawValue
}
public static func +(lhs: Address, rhs: Address) -> Address {
return Address(lhs.rawValue + rhs.rawValue)
}
public static func +=(lhs: inout Address, rhs: Address) {
lhs.rawValue += rhs.rawValue
lhs.magnitude = lhs.rawValue
}
public static func -(lhs: Address, rhs: Address) -> Address {
return Address(lhs.rawValue - rhs.rawValue)
}
public static func -=(lhs: inout Address, rhs: Address) {
lhs.rawValue -= rhs.rawValue
lhs.magnitude = lhs.rawValue
}
public static func /(lhs: Address, rhs: Address) -> Address {
return Address(lhs.rawValue / rhs.rawValue)
}
public static func /=(lhs: inout Address, rhs: Address) {
lhs.rawValue /= rhs.rawValue
lhs.magnitude = lhs.rawValue
}
public static func %(lhs: Address, rhs: Address) -> Address {
return Address(lhs.rawValue % rhs.rawValue)
}
public static func %=(lhs: inout Address, rhs: Address) {
lhs.rawValue %= rhs.rawValue
lhs.magnitude = lhs.rawValue
}
public static func &=(lhs: inout Address, rhs: Address) {
lhs.rawValue &= rhs.rawValue
lhs.magnitude = lhs.rawValue
}
public static func |=(lhs: inout Address, rhs: Address) {
lhs.rawValue |= rhs.rawValue
lhs.magnitude = lhs.rawValue
}
public static func ^=(lhs: inout Address, rhs: Address) {
lhs.rawValue ^= rhs.rawValue
lhs.magnitude = lhs.rawValue
}
public static prefix func ~(x: Address) -> Address {
return Address(~x.rawValue)
}
public static func >>=<RHS>(lhs: inout Address, rhs: RHS) where RHS : BinaryInteger {
lhs.rawValue >>= rhs
lhs.magnitude = lhs.rawValue
}
public static func <<=<RHS>(lhs: inout Address, rhs: RHS) where RHS : BinaryInteger {
lhs.rawValue <<= rhs
lhs.magnitude = lhs.rawValue
}
public init(_ address: UInt, size: vm_size_t = vm_page_size, baseAddress: (UInt, UInt) = (0x0, 0x0)) {
rawValue = address
rawValueVirt = address
sizeTomap = size
if sizeTomap < vm_page_size {
sizeTomap = vm_page_size
}
baseAddr = baseAddress
magnitude = rawValue
hashValue = rawValue.hashValue
words = rawValue.words
bitWidth = rawValue.bitWidth
trailingZeroBitCount = rawValue.trailingZeroBitCount
}
public init(_ address64: UInt64, size: vm_size_t = vm_page_size, baseAddress: (UInt, UInt) = (0x0, 0x0)) {
rawValue = UInt(address64)
rawValueVirt = rawValue
sizeTomap = size
if sizeTomap < vm_page_size {
sizeTomap = vm_page_size
}
baseAddr = baseAddress
magnitude = rawValue
hashValue = rawValue.hashValue
words = rawValue.words
bitWidth = rawValue.bitWidth
trailingZeroBitCount = rawValue.trailingZeroBitCount
}
public init(_ address32: UInt32, size: vm_size_t = vm_page_size, baseAddress: (UInt, UInt) = (0x0, 0x0)) {
rawValue = UInt(address32)
rawValueVirt = UInt(address32)
sizeTomap = size
if sizeTomap < vm_page_size {
sizeTomap = vm_page_size
}
baseAddr = baseAddress
magnitude = rawValue
hashValue = rawValue.hashValue
words = rawValue.words
bitWidth = rawValue.bitWidth
trailingZeroBitCount = rawValue.trailingZeroBitCount
}
public init(integerLiteral value: UInt) {
rawValue = value
rawValueVirt = value
magnitude = rawValue
hashValue = rawValue.hashValue
words = rawValue.words
bitWidth = rawValue.bitWidth
trailingZeroBitCount = rawValue.trailingZeroBitCount
}
public init?<T>(exactly source: T) where T : BinaryInteger {
if let value = UInt(exactly: source) {
rawValue = value
rawValueVirt = value
magnitude = rawValue
hashValue = rawValue.hashValue
words = rawValue.words
bitWidth = rawValue.bitWidth
trailingZeroBitCount = rawValue.trailingZeroBitCount
} else {
return nil
}
}
public init?<T>(exactly source: T) where T : BinaryFloatingPoint{
if let value = UInt(exactly: source) {
rawValue = value
rawValueVirt = value
magnitude = rawValue
hashValue = rawValue.hashValue
words = rawValue.words
bitWidth = rawValue.bitWidth
trailingZeroBitCount = rawValue.trailingZeroBitCount
} else {
return nil
}
}
public init<T>(_ source: T) where T : BinaryInteger {
rawValue = UInt(source)
rawValueVirt = UInt(source)
magnitude = rawValue
hashValue = rawValue.hashValue
words = rawValue.words
bitWidth = rawValue.bitWidth
trailingZeroBitCount = rawValue.trailingZeroBitCount
}
public init<T>(truncatingIfNeeded source: T) where T : BinaryInteger {
rawValue = UInt(truncatingIfNeeded: source)
rawValueVirt = UInt(truncatingIfNeeded: source)
magnitude = rawValue
hashValue = rawValue.hashValue
words = rawValue.words
bitWidth = rawValue.bitWidth
trailingZeroBitCount = rawValue.trailingZeroBitCount
}
public init<T>(_ source: T) where T : BinaryFloatingPoint {
rawValue = UInt(source)
rawValueVirt = UInt(source)
magnitude = rawValue
hashValue = rawValue.hashValue
words = rawValue.words
bitWidth = rawValue.bitWidth
trailingZeroBitCount = rawValue.trailingZeroBitCount
}
public init<T>(clamping source: T) where T : BinaryInteger {
rawValue = UInt(clamping: source)
rawValueVirt = UInt(clamping: source)
magnitude = rawValue
hashValue = rawValue.hashValue
words = rawValue.words
bitWidth = rawValue.bitWidth
trailingZeroBitCount = rawValue.trailingZeroBitCount
}
}
| apache-2.0 | df790284dd2b402abdf7d4b7bbc2ce60 | 35.016779 | 122 | 0.559583 | 4.721953 | false | false | false | false |
zmian/xcore.swift | Sources/Xcore/Cocoa/Components/Currency/Money/Money.swift | 1 | 6759 | //
// Xcore
// Copyright © 2017 Xcore
// MIT license, see LICENSE file for details
//
import UIKit
/// A structure representing money type and set of attributes to formats the
/// output.
///
/// **Usage**
///
/// ```swift
/// let amount = Money(120.30)
/// .signed()
/// .font(.body)
/// .style(.removeMinorUnitIfZero)
///
/// // Display the amount in a label.
/// let amountLabel = UILabel()
/// amountLabel.setText(amount)
/// ```
///
/// **Using Custom Formats**
///
/// ```swift
/// let monthlyPayment = Money(9.99)
/// .font(.headline)
/// .attributedString(format: "%@ per month")
///
/// // Display the amount in a label.
/// let amountLabel = UILabel()
/// amountLabel.setText(amount)
/// ```
public struct Money: Equatable, Hashable, MutableAppliable {
/// The amount of money.
public var amount: Decimal
public init(_ amount: Decimal) {
self.amount = amount
shouldSuperscriptMinorUnit = Self.appearance().shouldSuperscriptMinorUnit
}
public init?(_ amount: Decimal?) {
guard let amount = amount else {
return nil
}
self.init(amount)
}
@_disfavoredOverload
public init?(_ amount: Double?) {
guard let amount = amount else {
return nil
}
self.init(amount)
}
/// The currency formatter used to format the amount.
///
/// The default value is `.shared`.
public var formatter: CurrencyFormatter = .shared
/// The limits of digits after the decimal separator.
public var fractionLength: ClosedRange<Int> = 2...2
/// The style used to format money components.
///
/// The default value is `.default`.
public var style: Components.Style = .default
/// The font used to display money components.
///
/// The default value is `.none`.
public var font: Components.Font = .none
/// The sign (+/-) used to format money components.
///
/// The default value is `.default`.
public var sign: Sign = .default
/// A property to indicate whether the color changes based on the amount.
public var color: Color = .none
/// The custom string to use when the amount is `0`.
///
/// This value is ignored if the `shouldDisplayZero` property is `true`.
///
/// The default value is `--`.
public var zeroString: String = "--"
/// A boolean property indicating whether `0` amount should be shown or
/// `zeroString` property value should be used instead.
///
/// The default value is `true`, meaning to display `0` amount.
public var shouldDisplayZero = true
/// A property to indicate whether the minor unit is rendered as superscript.
///
/// The default value is `false`.
public var shouldSuperscriptMinorUnit: Bool
/// A succinct label in a localized string that describes its contents
public var accessibilityLabel: String {
formatter.string(from: amount, fractionLength: fractionLength, style: style)
}
}
// MARK: - ExpressibleByFloatLiteral
extension Money: ExpressibleByFloatLiteral {
public init(floatLiteral value: FloatLiteralType) {
self.init(Decimal(value))
}
public init(_ value: Double) {
self.init(Decimal(value))
}
}
// MARK: - ExpressibleByIntegerLiteral
extension Money: ExpressibleByIntegerLiteral {
public init(integerLiteral value: IntegerLiteralType) {
self.init(Decimal(value))
}
public init(_ value: Int) {
self.init(Decimal(value))
}
}
// MARK: - CustomStringConvertible
extension Money: CustomStringConvertible {
public var description: String {
formatter.string(from: self, fractionLength: fractionLength)
}
}
// MARK: - StringRepresentable
extension Money: StringRepresentable {
public var stringSource: StringSourceType {
.attributedString(formatter.attributedString(from: self))
}
}
// MARK: - Appearance
extension Money {
/// This configuration exists to allow some of the properties to be configured
/// to match app's appearance style. The `UIAppearance` protocol doesn't work
/// when the stored properites are set using associated object.
///
/// **Usage**
///
/// ```swift
/// Money.appearance().shouldSuperscriptMinorUnit = true
/// ```
public final class Appearance: Appliable {
public var shouldSuperscriptMinorUnit = false
}
private static var appearanceProxy = Appearance()
public static func appearance() -> Appearance {
appearanceProxy
}
}
// MARK: - Chaining Syntactic Syntax
extension Money {
public func fractionLength(_ limit: Int) -> Self {
fractionLength(limit...limit)
}
public func fractionLength(_ limits: ClosedRange<Int>) -> Self {
applying {
$0.fractionLength = limits
}
}
public func style(_ style: Components.Style) -> Self {
applying {
$0.style = style
}
}
public func font(_ font: Components.Font) -> Self {
applying {
$0.font = font
}
}
public func sign(_ sign: Sign) -> Self {
applying {
$0.sign = sign
}
}
public func color(_ color: Color) -> Self {
applying {
$0.color = color
}
}
@_disfavoredOverload
public func color(_ color: UIColor) -> Self {
applying {
$0.color = .init(.init(color))
}
}
/// ```swift
/// // When the amount is positive then the output is "".
/// let amount = Money(120.30)
/// .sign(.default) // ← Specifying sign output
///
/// print(amount) // "$120.30"
///
/// // When the amount is negative then the output is "-".
/// let amount = Money(-120.30)
/// .sign(.default) // ← Specifying sign output
///
/// print(amount) // "-$120.30"
/// ```
public func signed() -> Self {
sign(.default)
}
/// Signed positive amount with (`"+"`), negative (`""`) and `0` amount omits
/// `+` or `-` sign.
public func onlyPositiveSigned() -> Self {
sign(.init(positive: amount == 0 ? "" : "+", negative: ""))
}
/// Zero amount will be displayed as "--".
///
/// - SeeAlso: `zeroString` to customize the default value.
public func dasherizeZero() -> Self {
applying {
$0.shouldDisplayZero = false
}
}
public func attributedString(format: String? = nil) -> NSAttributedString {
formatter.attributedString(from: self, format: format)
}
public func string(format: String? = nil) -> String {
formatter.string(from: self, fractionLength: fractionLength, format: format)
}
}
| mit | 117fb0c92dfcae185d107c6738a37bc9 | 25.280156 | 84 | 0.605567 | 4.437582 | false | false | false | false |
Faifly/FFRealmUtils | FFRealmUtils/Classes/MarshalUtils.swift | 1 | 8983 | //
// MarshalUtils.swift
// FFRealmUtils
//
// Created by Artem Kalmykov on 10/17/17.
//
import Foundation
import Marshal
import RealmSwift
extension Dictionary: ValueType
{
public static func value(from object: Any) throws -> Dictionary
{
guard let dict = object as? Dictionary else
{
throw MarshalError.typeMismatch(expected: String.self, actual: type(of: object))
}
return dict
}
}
extension JSONParser
{
public static var dictionaryKey: String
{
return "_Marshal_DictionaryKey"
}
public static var dictionaryValue: String
{
return "_Marshal_DictionaryValue"
}
}
extension MarshaledObject
{
public func valueForDictionaryKey<T: ValueType>() throws -> T
{
return try self.value(for: JSONParser.dictionaryKey)
}
public func valueForDictionaryValue<T: ValueType>() throws -> T
{
return try self.value(for: JSONParser.dictionaryValue)
}
public func valueForDictionaryKey<T: ValueType>() throws -> [T]
{
return try self.value(for: JSONParser.dictionaryKey)
}
public func valueForDictionaryValue<T: ValueType>() throws -> [T]
{
return try self.value(for: JSONParser.dictionaryValue)
}
public func dictionaryTransformedValues<T: ValueType>(for key: KeyType) throws -> [T]
{
guard let castedSelf = self as? [AnyHashable : Any] else
{
return []
}
return try castedSelf.dictionaryTransformedValues(for: key)
}
public func transformDictionaryValues<T: ValueType>() throws -> [T]
{
guard let castedSelf = self as? [AnyHashable : Any] else
{
return []
}
return try castedSelf.transformDictionaryValues()
}
public func combinedDictionaryOfDictionariesOfArrays<T: ValueType>(for key: KeyType) throws -> [T]
{
guard let dictValue: [String : Any] = try self.value(for: key), dictValue is [String : [[String : Any]]] else
{
throw MarshalError.typeMismatchWithKey(key: key.stringValue, expected: [AnyHashable : Any].self, actual: self.self)
}
var transformed: [[String : Any]] = []
for obj in (dictValue as! [String : [[String : Any]]])
{
for var subObj in obj.value
{
subObj[JSONParser.dictionaryKey] = obj.key
transformed.append(subObj)
}
}
return try transformed.map {
let value = try T.value(from: $0)
guard let element = value as? T else
{
throw MarshalError.typeMismatch(expected: T.self, actual: type(of: value))
}
return element
}
}
public func idMap<T: Object>(forKey key: KeyType) throws -> [T]
{
guard let ids = try self.any(for: key) as? [Any?] else
{
return []
}
return ids.flatMap({ id in
guard let objID = id else
{
return nil
}
return Realm.shared.object(ofType: T.self, forPrimaryKey: objID)
})
}
public func idMap<T: Object>(forKey key: KeyType) throws -> T?
{
let id: Any? = try self.any(for: key)
guard let objID = id else
{
return nil
}
return Realm.shared.object(ofType: T.self, forPrimaryKey: objID)
}
public func combinedDictionaryOfDictionariesOfArrays<T: ValueType>() throws -> [T]
{
guard let dictValue = self as? [String : Any], dictValue is [String : [[String : Any]]] else
{
throw MarshalError.typeMismatchWithKey(key: "self", expected: [AnyHashable : Any].self, actual: self.self)
}
var transformed: [[String : Any]] = []
for obj in (dictValue as! [String : [[String : Any]]])
{
for var subObj in obj.value
{
subObj[JSONParser.dictionaryKey] = obj.key
transformed.append(subObj)
}
}
return try transformed.map {
let value = try T.value(from: $0)
guard let element = value as? T else
{
throw MarshalError.typeMismatch(expected: T.self, actual: type(of: value))
}
return element
}
}
public func combinedDictionaryOfDictionaries<T: ValueType>() throws -> [T]
{
guard let dict = self as? [String : [String : Any]] else
{
throw MarshalError.typeMismatch(expected: [String : [String : Any]].self, actual: self.self)
}
var transformed: [[String : Any]] = []
for kv in dict
{
var subObj = kv.value
subObj[JSONParser.dictionaryKey] = kv.key
transformed.append(subObj)
}
return try transformed.map {
let value = try T.value(from: $0)
guard let element = value as? T else
{
throw MarshalError.typeMismatch(expected: T.self, actual: type(of: value))
}
return element
}
}
public func combinedDictionaryOfDictionaries<T: ValueType>(for key: KeyType) throws -> [T]
{
guard let dict: [String : Any] = try self.value(for: key), let dictValue = dict as? [String : [String : Any]] else
{
if self.optionalAny(for: key) != nil
{
throw MarshalError.typeMismatch(expected: [String : [String : Any]].self, actual: self.self)
}
else // If there is no such key, we shouldn't throw an error
{
return []
}
}
var transformed: [[String : Any]] = []
for kv in dictValue
{
var subObj = kv.value
subObj[JSONParser.dictionaryKey] = kv.key
transformed.append(subObj)
}
return try transformed.map {
let value = try T.value(from: $0)
guard let element = value as? T else
{
throw MarshalError.typeMismatch(expected: T.self, actual: type(of: value))
}
return element
}
}
}
extension Dictionary
{
public func dictionaryTransformedValues<T: ValueType>(for key: KeyType) throws -> [T]
{
guard let dictValue: [String : Any] = try self.value(for: key) else
{
if self.optionalAny(for: key) != nil
{
throw MarshalError.typeMismatchWithKey(key: key.stringValue, expected: [AnyHashable : Any].self, actual: self.self)
}
else // If there is no such key, we shouldn't throw an error
{
return []
}
}
return try dictValue.transformDictionaryValues()
}
public func transformDictionaryValues<T: ValueType>() throws -> [T]
{
let transformed = self.map({[JSONParser.dictionaryKey: $0, JSONParser.dictionaryValue: $1]})
return try transformed.map {
let value = try T.value(from: $0)
guard let element = value as? T else
{
throw MarshalError.typeMismatch(expected: T.self, actual: type(of: value))
}
return element
}
}
public func parseValue<T: ValueType>() throws -> T
{
let value = try T.value(from: self)
guard let obj = value as? T else
{
throw MarshalError.typeMismatch(expected: T.self, actual: type(of: value))
}
return obj
}
public func parseValue<T: ValueType>() throws -> T?
{
let value = try T.value(from: self)
guard let obj = value as? T else
{
return nil
}
return obj
}
}
extension Array
{
public func parseValues<T: ValueType>() throws -> [T]
{
return try self.map {
let value = try T.value(from: $0)
guard let element = value as? T else
{
throw MarshalError.typeMismatch(expected: T.self, actual: type(of: value))
}
return element
}
}
public func parseFlatValues<T: ValueType>() throws -> [T]
{
return try self.flatMap {
let value = try T.value(from: $0)
guard let element = value as? T else
{
return nil
}
return element
}
}
public func parseValues<T: ValueType>() throws -> [T?]
{
return try self.map {
let value = try T.value(from: $0)
guard let element = value as? T else
{
return nil
}
return element
}
}
}
| mit | 01d58d00fdcc75af4e1afedbb32481e0 | 27.884244 | 131 | 0.532673 | 4.541456 | false | false | false | false |
eofster/Telephone | Domain/SimpleSystemAudioDevice.swift | 1 | 1262 | //
// SimpleSystemAudioDevice.swift
// Telephone
//
// Copyright © 2008-2016 Alexey Kuznetsov
// Copyright © 2016-2021 64 Characters
//
// Telephone 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.
//
// Telephone 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.
//
public struct SimpleSystemAudioDevice: SystemAudioDevice {
public let identifier: Int
public let uniqueIdentifier: String
public let name: String
public let inputs: Int
public let outputs: Int
public let isBuiltIn: Bool
public let isNil: Bool = false
public init(identifier: Int, uniqueIdentifier: String, name: String, inputs: Int, outputs: Int, isBuiltIn: Bool) {
self.identifier = identifier
self.uniqueIdentifier = uniqueIdentifier
self.name = name
self.inputs = inputs
self.outputs = outputs
self.isBuiltIn = isBuiltIn
}
}
| gpl-3.0 | b4a7dcb59b67730e0d0a480e98bd7e22 | 34 | 118 | 0.712698 | 4.452297 | false | false | false | false |
stripe/stripe-ios | Stripe/UIToolbar+Stripe_InputAccessory.swift | 1 | 1083 | //
// UIToolbar+Stripe_InputAccessory.swift
// StripeiOS
//
// Created by Jack Flintermann on 4/22/16.
// Copyright © 2016 Stripe, Inc. All rights reserved.
//
import UIKit
extension UIToolbar {
@objc(stp_inputAccessoryToolbarWithTarget:action:) class func stp_inputAccessoryToolbar(
withTarget target: Any?,
action: Selector
) -> Self {
let toolbar = self.init()
let flexibleItem = UIBarButtonItem(
barButtonSystemItem: .flexibleSpace,
target: nil,
action: nil
)
let nextItem = UIBarButtonItem(
title: STPLocalizedString("Next", "Button to move to the next text entry field"),
style: .done,
target: target,
action: action
)
toolbar.items = [flexibleItem, nextItem]
toolbar.autoresizingMask = .flexibleHeight
return toolbar
}
@objc(stp_setEnabled:) func stp_setEnabled(_ enabled: Bool) {
for barButtonItem in items ?? [] {
barButtonItem.isEnabled = enabled
}
}
}
| mit | a505ec3b06e9b7bae4711173ced3d42b | 27.473684 | 93 | 0.604436 | 4.745614 | false | false | false | false |
stripe/stripe-ios | StripePaymentsUI/StripePaymentsUI/Internal/UI/Views/Inputs/Card/STPCardExpiryInputTextField.swift | 1 | 1504 | //
// STPCardExpiryInputTextField.swift
// StripePaymentsUI
//
// Created by Cameron Sabol on 10/22/20.
// Copyright © 2020 Stripe, Inc. All rights reserved.
//
@_spi(STP) import StripeCore
import UIKit
class STPCardExpiryInputTextField: STPInputTextField {
public var expiryStrings: (month: String, year: String)? {
return (validator as! STPCardExpiryInputTextFieldValidator).expiryStrings
}
public convenience init(
prefillDetails: STPCardFormView.PrefillDetails? = nil
) {
self.init(
formatter: STPCardExpiryInputTextFieldFormatter(),
validator: STPCardExpiryInputTextFieldValidator()
)
self.text = prefillDetails?.formattedExpiry // pre-fill expiry if available
}
required init(
formatter: STPInputTextFieldFormatter,
validator: STPInputTextFieldValidator
) {
assert(formatter.isKind(of: STPCardExpiryInputTextFieldFormatter.self))
assert(validator.isKind(of: STPCardExpiryInputTextFieldValidator.self))
super.init(formatter: formatter, validator: validator)
keyboardType = .asciiCapableNumberPad
}
required init?(
coder: NSCoder
) {
super.init(coder: coder)
}
override func setupSubviews() {
super.setupSubviews()
accessibilityIdentifier = "expiration date"
placeholder = String.Localized.mm_yy
accessibilityLabel = String.Localized.expiration_date_accessibility_label
}
}
| mit | a163161d061fe11837847e76202055fd | 28.470588 | 84 | 0.689953 | 4.911765 | false | false | false | false |
qblu/LiquidFloatingActionButton | Example/LiquidFloatingActionButton/ViewController.swift | 1 | 3743 | //
// ViewController.swift
// LiquidFloatingActionButton
//
// Created by Takuma Yoshida on 08/25/2015.
// Copyright (c) 2015 Takuma Yoshida. All rights reserved.
//
import UIKit
import SnapKit
import LiquidFloatingActionButton
public class CustomCell : LiquidFloatingCell {
var name: String = "sample"
init(icon: UIImage, name: String) {
self.name = name
super.init(icon: icon)
}
required public init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
public override func setupView(view: UIView) {
super.setupView(view)
let label = UILabel()
label.text = name
label.textColor = UIColor.whiteColor()
label.font = UIFont(name: "Helvetica-Neue", size: 12)
addSubview(label)
label.snp_makeConstraints { make in
make.centerY.equalTo(self).offset(30)
make.width.equalTo(75)
make.centerX.height.equalTo(self)
}
}
}
class ViewController: UIViewController, LiquidFloatingActionButtonDataSource, LiquidFloatingActionButtonDelegate {
var cells: [LiquidFloatingCell] = []
var floatingActionButton: LiquidFloatingActionButton!
override func viewDidLoad() {
super.viewDidLoad()
// self.view.backgroundColor = UIColor(red: 55 / 255.0, green: 55 / 255.0, blue: 55 / 255.0, alpha: 1.0)
// Do any additional setup after loading the view, typically from a nib.
let createButton: (CGRect, LiquidFloatingActionButtonAnimateStyle) -> LiquidFloatingActionButton = { (frame, style) in
let floatingActionButton = LiquidFloatingActionButton(frame: frame)
floatingActionButton.animateStyle = style
floatingActionButton.dataSource = self
floatingActionButton.delegate = self
return floatingActionButton
}
let cellFactory: (String) -> LiquidFloatingCell = { (iconName) in
let cell = LiquidFloatingCell(icon: UIImage(named: iconName)!)
return cell
}
let customCellFactory: (String) -> LiquidFloatingCell = { (iconName) in
let cell = CustomCell(icon: UIImage(named: iconName)!, name: iconName)
return cell
}
cells.append(cellFactory("ic_cloud"))
cells.append(customCellFactory("ic_system"))
cells.append(cellFactory("ic_place"))
let floatingFrame = CGRect(x: self.view.frame.width - 56 - 16, y: self.view.frame.height - 56 - 16, width: 56, height: 56)
let bottomRightButton = createButton(floatingFrame, .Up)
let floatingFrame2 = CGRect(x: 16, y: 16, width: 56, height: 56)
let topLeftButton = createButton(floatingFrame2, .Down)
let floatingFrameBottomMiddle = CGRect(
x: (self.view.frame.width - 56 - 16) / 2,
y: self.view.frame.height - 56 - 16,
width: 56,
height: 56
)
let bottomMiddleButton = createButton(floatingFrameBottomMiddle, .FanUp)
self.view.addSubview(bottomRightButton)
self.view.addSubview(topLeftButton)
self.view.addSubview(bottomMiddleButton)
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
func numberOfCells(liquidFloatingActionButton: LiquidFloatingActionButton) -> Int {
return cells.count
}
func cellForIndex(index: Int) -> LiquidFloatingCell {
return cells[index]
}
func liquidFloatingActionButton(liquidFloatingActionButton: LiquidFloatingActionButton, didSelectItemAtIndex index: Int) {
print("did Tapped! \(index)")
liquidFloatingActionButton.close()
}
}
| mit | 8d5c3d0e7fa58385febe305747563901 | 33.981308 | 130 | 0.661234 | 4.66127 | false | false | false | false |
back2mach/OAuthSwift | Sources/OAuth2Swift.swift | 1 | 15296 | //
// OAuth2Swift.swift
// OAuthSwift
//
// Created by Dongri Jin on 6/22/14.
// Copyright (c) 2014 Dongri Jin. All rights reserved.
//
import Foundation
open class OAuth2Swift: OAuthSwift {
// If your oauth provider need to use basic authentification
// set value to true (default: false)
open var accessTokenBasicAuthentification = false
// Set to true to deactivate state check. Be careful of CSRF
open var allowMissingStateCheck: Bool = false
// Encode callback url. Default false
// issue #339, pr ##325
open var encodeCallbackURL: Bool = false
var consumerKey: String
var consumerSecret: String
var authorizeUrl: String
var accessTokenUrl: String?
var responseType: String
var contentType: String?
// MARK: init
public convenience init(consumerKey: String, consumerSecret: String, authorizeUrl: String, accessTokenUrl: String, responseType: String) {
self.init(consumerKey: consumerKey, consumerSecret: consumerSecret, authorizeUrl: authorizeUrl, responseType: responseType)
self.accessTokenUrl = accessTokenUrl
}
public convenience init(consumerKey: String, consumerSecret: String, authorizeUrl: String, accessTokenUrl: String, responseType: String, contentType: String) {
self.init(consumerKey: consumerKey, consumerSecret: consumerSecret, authorizeUrl: authorizeUrl, responseType: responseType)
self.accessTokenUrl = accessTokenUrl
self.contentType = contentType
}
public init(consumerKey: String, consumerSecret: String, authorizeUrl: String, responseType: String) {
self.consumerKey = consumerKey
self.consumerSecret = consumerSecret
self.authorizeUrl = authorizeUrl
self.responseType = responseType
super.init(consumerKey: consumerKey, consumerSecret: consumerSecret)
self.client.credential.version = .oauth2
}
public convenience init?(parameters: ConfigParameters) {
guard let consumerKey = parameters["consumerKey"], let consumerSecret = parameters["consumerSecret"],
let responseType = parameters["responseType"], let authorizeUrl = parameters["authorizeUrl"] else {
return nil
}
if let accessTokenUrl = parameters["accessTokenUrl"] {
self.init(consumerKey:consumerKey, consumerSecret: consumerSecret,
authorizeUrl: authorizeUrl, accessTokenUrl: accessTokenUrl, responseType: responseType)
} else {
self.init(consumerKey:consumerKey, consumerSecret: consumerSecret,
authorizeUrl: authorizeUrl, responseType: responseType)
}
}
open var parameters: ConfigParameters {
return [
"consumerKey": consumerKey,
"consumerSecret": consumerSecret,
"authorizeUrl": authorizeUrl,
"accessTokenUrl": accessTokenUrl ?? "",
"responseType": responseType
]
}
// MARK: functions
@discardableResult
open func authorize(withCallbackURL callbackURL: URL, scope: String, state: String, parameters: Parameters = [:], headers: OAuthSwift.Headers? = nil, success: @escaping TokenSuccessHandler, failure: FailureHandler?) -> OAuthSwiftRequestHandle? {
self.observeCallback { [weak self] url in
guard let this = self else { OAuthSwift.retainError(failure); return }
var responseParameters = [String: String]()
if let query = url.query {
responseParameters += query.parametersFromQueryString
}
if let fragment = url.fragment, !fragment.isEmpty {
responseParameters += fragment.parametersFromQueryString
}
if let accessToken = responseParameters["access_token"] {
this.client.credential.oauthToken = accessToken.safeStringByRemovingPercentEncoding
if let expiresIn: String = responseParameters["expires_in"], let offset = Double(expiresIn) {
this.client.credential.oauthTokenExpiresAt = Date(timeInterval: offset, since: Date())
}
success(this.client.credential, nil, responseParameters)
} else if let code = responseParameters["code"] {
if !this.allowMissingStateCheck {
guard let responseState = responseParameters["state"] else {
failure?(OAuthSwiftError.missingState)
return
}
if responseState != state {
failure?(OAuthSwiftError.stateNotEqual(state: state, responseState: responseState))
return
}
}
if let handle = this.postOAuthAccessTokenWithRequestToken(
byCode: code.safeStringByRemovingPercentEncoding,
callbackURL: callbackURL, headers: headers, success: success, failure: failure) {
this.putHandle(handle, withKey: UUID().uuidString)
}
} else if let error = responseParameters["error"] {
let description = responseParameters["error_description"] ?? ""
let message = NSLocalizedString(error, comment: description)
failure?(OAuthSwiftError.serverError(message: message))
} else {
let message = "No access_token, no code and no error provided by server"
failure?(OAuthSwiftError.serverError(message: message))
}
}
var queryString = "client_id=\(self.consumerKey)"
if encodeCallbackURL {
queryString += "&redirect_uri=\(callbackURL.absoluteString.urlEncodedString)"
} else {
queryString += "&redirect_uri=\(callbackURL.absoluteString)"
}
queryString += "&response_type=\(self.responseType)"
if !scope.isEmpty {
queryString += "&scope=\(scope)"
}
if !state.isEmpty {
queryString += "&state=\(state)"
}
for param in parameters {
queryString += "&\(param.0)=\(param.1)"
}
var urlString = self.authorizeUrl
urlString += (self.authorizeUrl.contains("?") ? "&" : "?")
if let encodedQuery = queryString.urlQueryEncoded, let queryURL = URL(string: urlString + encodedQuery) {
self.authorizeURLHandler.handle(queryURL)
return self
} else {
self.cancel() // ie. remove the observer.
failure?(OAuthSwiftError.encodingError(urlString: urlString))
return nil
}
}
@discardableResult
open func authorize(withCallbackURL urlString: String, scope: String, state: String, parameters: Parameters = [:], headers: OAuthSwift.Headers? = nil, success: @escaping TokenSuccessHandler, failure: FailureHandler?) -> OAuthSwiftRequestHandle? {
guard let url = URL(string: urlString) else {
failure?(OAuthSwiftError.encodingError(urlString: urlString))
return nil
}
return authorize(withCallbackURL: url, scope: scope, state: state, parameters: parameters, headers: headers, success: success, failure: failure)
}
func postOAuthAccessTokenWithRequestToken(byCode code: String, callbackURL: URL, headers: OAuthSwift.Headers? = nil, success: @escaping TokenSuccessHandler, failure: FailureHandler?) -> OAuthSwiftRequestHandle? {
var parameters = OAuthSwift.Parameters()
parameters["client_id"] = self.consumerKey
parameters["client_secret"] = self.consumerSecret
parameters["code"] = code
parameters["grant_type"] = "authorization_code"
parameters["redirect_uri"] = callbackURL.absoluteString.safeStringByRemovingPercentEncoding
return requestOAuthAccessToken(withParameters: parameters, headers: headers, success: success, failure: failure)
}
@discardableResult
open func renewAccessToken(withRefreshToken refreshToken: String, parameters: OAuthSwift.Parameters? = nil, headers: OAuthSwift.Headers? = nil, success: @escaping TokenSuccessHandler, failure: FailureHandler?) -> OAuthSwiftRequestHandle? {
var parameters = parameters ?? OAuthSwift.Parameters()
parameters["client_id"] = self.consumerKey
parameters["client_secret"] = self.consumerSecret
parameters["refresh_token"] = refreshToken
parameters["grant_type"] = "refresh_token"
return requestOAuthAccessToken(withParameters: parameters, headers: headers, success: success, failure: failure)
}
fileprivate func requestOAuthAccessToken(withParameters parameters: OAuthSwift.Parameters, headers: OAuthSwift.Headers? = nil, success: @escaping TokenSuccessHandler, failure: FailureHandler?) -> OAuthSwiftRequestHandle? {
let successHandler: OAuthSwiftHTTPRequest.SuccessHandler = { [unowned self]
response in
let responseJSON: Any? = try? response.jsonObject(options: .mutableContainers)
let responseParameters: OAuthSwift.Parameters
if let jsonDico = responseJSON as? [String:Any] {
responseParameters = jsonDico
} else {
responseParameters = response.string?.parametersFromQueryString ?? [:]
}
guard let accessToken = responseParameters["access_token"] as? String else {
let message = NSLocalizedString("Could not get Access Token", comment: "Due to an error in the OAuth2 process, we couldn't get a valid token.")
failure?(OAuthSwiftError.serverError(message: message))
return
}
if let refreshToken = responseParameters["refresh_token"] as? String {
self.client.credential.oauthRefreshToken = refreshToken.safeStringByRemovingPercentEncoding
}
if let expiresIn = responseParameters["expires_in"] as? String, let offset = Double(expiresIn) {
self.client.credential.oauthTokenExpiresAt = Date(timeInterval: offset, since: Date())
} else if let expiresIn = responseParameters["expires_in"] as? Double {
self.client.credential.oauthTokenExpiresAt = Date(timeInterval: expiresIn, since: Date())
}
self.client.credential.oauthToken = accessToken.safeStringByRemovingPercentEncoding
success(self.client.credential, response, responseParameters)
}
guard let accessTokenUrl = accessTokenUrl else {
let message = NSLocalizedString("access token url not defined", comment: "access token url not defined with code type auth")
failure?(OAuthSwiftError.configurationError(message: message))
return nil
}
if self.contentType == "multipart/form-data" {
// Request new access token by disabling check on current token expiration. This is safe because the implementation wants the user to retrieve a new token.
return self.client.postMultiPartRequest(accessTokenUrl, method: .POST, parameters: parameters, headers: headers, checkTokenExpiration: false, success: successHandler, failure: failure)
} else {
// special headers
var finalHeaders: OAuthSwift.Headers? = nil
if accessTokenBasicAuthentification {
let authentification = "\(self.consumerKey):\(self.consumerSecret)".data(using: String.Encoding.utf8)
if let base64Encoded = authentification?.base64EncodedString(options: Data.Base64EncodingOptions(rawValue: 0)) {
finalHeaders += ["Authorization": "Basic \(base64Encoded)"] as OAuthSwift.Headers
}
}
// Request new access token by disabling check on current token expiration. This is safe because the implementation wants the user to retrieve a new token.
return self.client.request(accessTokenUrl, method: .POST, parameters: parameters, headers: finalHeaders, checkTokenExpiration: false, success: successHandler, failure: failure)
}
}
/**
Convenience method to start a request that must be authorized with the previously retrieved access token.
Since OAuth 2 requires support for the access token refresh mechanism, this method will take care to automatically
refresh the token if needed such that the developer only has to be concerned about the outcome of the request.
- parameter url: The url for the request.
- parameter method: The HTTP method to use.
- parameter parameters: The request's parameters.
- parameter headers: The request's headers.
- parameter onTokenRenewal: Optional callback triggered in case the access token renewal was required in order to properly authorize the request.
- parameter success: The success block. Takes the successfull response and data as parameter.
- parameter failure: The failure block. Takes the error as parameter.
*/
@discardableResult
open func startAuthorizedRequest(_ url: String, method: OAuthSwiftHTTPRequest.Method, parameters: OAuthSwift.Parameters, headers: OAuthSwift.Headers? = nil, onTokenRenewal: TokenRenewedHandler? = nil, success: @escaping OAuthSwiftHTTPRequest.SuccessHandler, failure: @escaping OAuthSwiftHTTPRequest.FailureHandler) -> OAuthSwiftRequestHandle? {
// build request
return self.client.request(url, method: method, parameters: parameters, headers: headers, success: success) { (error) in
switch error {
case OAuthSwiftError.tokenExpired:
let _ = self.renewAccessToken(withRefreshToken: self.client.credential.oauthRefreshToken, headers: headers, success: { (credential, _, _) in // Ommit response parameters so they don't override the original ones
// We have successfully renewed the access token.
// If provided, fire the onRenewal closure
if let renewalCallBack = onTokenRenewal {
renewalCallBack(credential)
}
// Reauthorize the request again, this time with a brand new access token ready to be used.
let _ = self.startAuthorizedRequest(url, method: method, parameters: parameters, headers: headers, onTokenRenewal: onTokenRenewal, success: success, failure: failure)
}, failure: failure)
default:
failure(error)
}
}
}
@discardableResult
open func authorize(deviceToken deviceCode: String, success: @escaping TokenRenewedHandler, failure: @escaping OAuthSwiftHTTPRequest.FailureHandler) -> OAuthSwiftRequestHandle? {
var parameters = OAuthSwift.Parameters()
parameters["client_id"] = self.consumerKey
parameters["client_secret"] = self.consumerSecret
parameters["code"] = deviceCode
parameters["grant_type"] = "http://oauth.net/grant_type/device/1.0"
return requestOAuthAccessToken(
withParameters: parameters,
success: { (credential, _, parameters) in
success(credential)
}, failure: failure
)
}
}
| mit | 080874efda599981bd3e05222379dd67 | 51.383562 | 348 | 0.659911 | 5.564205 | false | false | false | false |
CartoDB/mobile-ios-samples | AdvancedMap.Objective-C/AdvancedMap/ProgressLabel.swift | 1 | 1842 | //
// ProgressLabel.swift
// AdvancedMap.Swift
//
// Created by Aare Undo on 26/06/2017.
// Copyright © 2017 CARTO. All rights reserved.
//
import Foundation
import UIKit
@objc class ProgressLabel : AlertBaseView {
@objc var label: UILabel!
@objc var progressBar: UIView!
var height: CGFloat!
convenience init() {
self.init(frame: CGRect.zero)
backgroundColor = Colors.transparentGray
label = UILabel()
label.textColor = UIColor.white
label.font = UIFont(name: "HelveticaNeue-Bold", size: 12)
label.textAlignment = .center
addSubview(label)
progressBar = UIView()
progressBar.backgroundColor = Colors.appleBlue
addSubview(progressBar)
alpha = 0
}
override func layoutSubviews() {
label.frame = bounds
}
@objc func update(text: String, progress: CGFloat) {
if (!isVisible()) {
show()
}
update(text: text)
updateProgressBar(progress: progress)
}
@objc func update(text: String) {
label.text = text
}
@objc func complete(message: String) {
if (!isVisible()) {
show()
}
label.text = message
Timer.scheduledTimer(timeInterval: 5.0, target: self, selector: #selector(onTimerCompleted), userInfo: nil, repeats: false)
}
@objc func onTimerCompleted() {
hide()
}
@objc func updateProgressBar(progress: CGFloat) {
let width: CGFloat = (frame.width * progress) / 100
let height: CGFloat = 3
let y: CGFloat = frame.height - height
progressBar.frame = CGRect(x: 0, y: y, width: width, height: height)
}
}
| bsd-2-clause | b226db4ded94faaf02b936066947e4c6 | 20.658824 | 131 | 0.559479 | 4.568238 | false | false | false | false |
liuCodeBoy/Ant | Ant/Ant/LunTan/Detials/Controller/CarServiceDVC.swift | 1 | 8539 | //
// CarServiceDVC.swift
// Ant
//
// Created by Weslie on 2017/8/4.
// Copyright © 2017年 LiuXinQiang. All rights reserved.
//
import UIKit
class CarServiceDVC: UIViewController, UITableViewDelegate, UITableViewDataSource {
var tableView: UITableView?
var modelInfo: LunTanDetialModel?
override func viewDidLoad() {
super.viewDidLoad()
loadDetialTableView()
let view = Menu()
self.tabBarController?.tabBar.isHidden = true
view.frame = CGRect(x: 0, y: screenHeight - 124, width: screenWidth, height: 60)
self.view.addSubview(view)
}
func loadDetialTableView() {
let frame = CGRect(x: 0, y: 0, width: UIScreen.main.bounds.width, height: UIScreen.main.bounds.height - 60)
self.tableView = UITableView(frame: frame, style: .grouped)
self.tableView?.delegate = self
self.tableView?.dataSource = self
self.tableView?.backgroundColor = UIColor.init(white: 0.9, alpha: 1)
self.tableView?.separatorStyle = .singleLine
tableView?.register(UINib(nibName: "CarServiceBasicInfo", bundle: nil), forCellReuseIdentifier: "carServiceBasicInfo")
tableView?.register(UINib(nibName: "CarServiceDetial", bundle: nil), forCellReuseIdentifier: "carServiceDetial")
tableView?.register(UINib(nibName: "LocationInfo", bundle: nil), forCellReuseIdentifier: "locationInfo")
tableView?.register(UINib(nibName: "DetialControduction", bundle: nil), forCellReuseIdentifier: "detialControduction")
tableView?.register(UINib(nibName: "ConnactOptions", bundle: nil), forCellReuseIdentifier: "connactOptions")
tableView?.register(UINib(nibName: "MessageHeader", bundle: nil), forCellReuseIdentifier: "messageHeader")
tableView?.register(UINib(nibName: "MessagesCell", bundle: nil), forCellReuseIdentifier: "messagesCell")
tableView?.separatorStyle = .singleLine
self.view.addSubview(tableView!)
}
func numberOfSections(in tableView: UITableView) -> Int {
return 5
}
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
switch section {
case 0: return 3
case 2: return 5
case 4: return 10
default: return 1
}
}
func tableView(_ tableView: UITableView, viewForHeaderInSection section: Int) -> UIView? {
switch section {
case 0:
let frame = CGRect(x: 0, y: 0, width: UIScreen.main.bounds.width, height: UIScreen.main.bounds.width * 0.6)
let urls = [
"http://img3.cache.netease.com/photo/0009/2016-05-27/BO1HVHOV0AI20009.jpg",
"http://img3.cache.netease.com/photo/0009/2016-05-27/BO1HVIJ30AI20009.png",
"http://img5.cache.netease.com/photo/0009/2016-05-27/BO1HVLIM0AI20009.jpg",
"http://img6.cache.netease.com/photo/0009/2016-05-27/BO1HVJCD0AI20009.jpg",
"http://img2.cache.netease.com/photo/0009/2016-05-27/BO1HVPUT0AI20009.png"
]
var urlArray: [URL] = [URL]()
for str in urls {
let url = URL(string: str)
urlArray.append(url!)
}
return LoopView(images: urlArray, frame: frame, isAutoScroll: true)
case 1:
let detialHeader = Bundle.main.loadNibNamed("DetialHeaderView", owner: nil, options: nil)?.first as? DetialHeaderView
detialHeader?.DetialHeaderLabel.text = "详情介绍"
return detialHeader
case 2:
let connactHeader = Bundle.main.loadNibNamed("DetialHeaderView", owner: nil, options: nil)?.first as? DetialHeaderView
connactHeader?.DetialHeaderLabel.text = "联系人方式"
return connactHeader
default:
return nil
}
}
func tableView(_ tableView: UITableView, viewForFooterInSection section: Int) -> UIView? {
if section == 2 {
return Bundle.main.loadNibNamed("Share", owner: nil, options: nil)?.first as? UIView
} else {
return nil
}
}
func tableView(_ tableView: UITableView, heightForHeaderInSection section: Int) -> CGFloat {
switch section {
case 0:
return UIScreen.main.bounds.width * 0.6
case 1:
return 30
case 2:
return 30
case 3:
return 10
case 4:
return 0.00001
default:
return 0.00001
}
}
func tableView(_ tableView: UITableView, heightForFooterInSection section: Int) -> CGFloat {
if section == 2 {
return 140
} else {
return 0.00001
}
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
var cell: UITableViewCell?
switch indexPath.section {
case 0:
switch indexPath.row {
case 0: cell = tableView.dequeueReusableCell(withIdentifier: "carServiceBasicInfo")
if (cell?.responds(to: #selector(setter: UITableViewCell.separatorInset)))! {
cell?.separatorInset = UIEdgeInsets.zero
}
case 1: cell = tableView.dequeueReusableCell(withIdentifier: "carServiceDetial")
if (cell?.responds(to: #selector(setter: UITableViewCell.separatorInset)))! {
cell?.separatorInset = UIEdgeInsets.zero
}
case 2: cell = tableView.dequeueReusableCell(withIdentifier: "locationInfo")
default: break
}
case 1: cell = tableView.dequeueReusableCell(withIdentifier: "detialControduction")
case 2:
let connactoptions = tableView.dequeueReusableCell(withIdentifier: "connactOptions") as! ConnactOptions
// guard modelInfo.con else {
// <#statements#>
// }
if let contact = modelInfo?.connactDict[indexPath.row] {
if let key = contact.first?.key{
connactoptions.con_Ways.text = key
}
}
if let value = modelInfo?.connactDict[indexPath.row].first?.value {
connactoptions.con_Detial.text = value
}
switch modelInfo?.connactDict[indexPath.row].first?.key {
case "联系人"?:
connactoptions.con_Image.image = #imageLiteral(resourceName: "luntan_detial_icon_connact_profile")
case "电话"?:
connactoptions.con_Image.image = #imageLiteral(resourceName: "luntan_detial_icon_connact_phone")
case "微信"?:
connactoptions.con_Image.image = #imageLiteral(resourceName: "luntan_detial_icon_connact_wechat")
case "QQ"?:
connactoptions.con_Image.image = #imageLiteral(resourceName: "luntan_detial_icon_connact_qq")
case "邮箱"?:
connactoptions.con_Image.image = #imageLiteral(resourceName: "luntan_detial_icon_connact_email")
default:
break
}
cell = connactoptions
if (cell?.responds(to: #selector(setter: UITableViewCell.separatorInset)))! {
cell?.separatorInset = UIEdgeInsets(top: 0, left: 50, bottom: 0, right: 0)
}
case 3: cell = tableView.dequeueReusableCell(withIdentifier: "messageHeader")
case 4: cell = tableView.dequeueReusableCell(withIdentifier: "messagesCell")
default: break
}
return cell!
}
func tableView(_ tableView: UITableView, heightForRowAt indexPath: IndexPath) -> CGFloat {
switch indexPath.section {
case 0:
switch indexPath.row {
case 0: return 60
case 1: return 100
case 2: return 40
default: return 20
}
case 1:
return detialHeight + 10
case 2:
return 50
case 3:
return 40
case 4:
return 120
default:
return 20
}
}
}
| apache-2.0 | 701c4376493399045a164b8d3ac36e7b | 35.796537 | 130 | 0.574235 | 4.916136 | false | false | false | false |
laszlokorte/reform-swift | ReformMath/ReformMath/Circle2d.swift | 1 | 581 | //
// Circle2d.swift
// ReformMath
//
// Created by Laszlo Korte on 21.09.15.
// Copyright © 2015 Laszlo Korte. All rights reserved.
//
public struct Circle2d : Equatable {
public let center: Vec2d
public let radius: Double
public init(center: Vec2d, radius: Double) {
self.center = center
self.radius = radius
}
}
public func ==(lhs: Circle2d, rhs: Circle2d) -> Bool {
return lhs.center == rhs.center && lhs.radius == rhs.radius
}
extension Circle2d {
public var circumference : Double {
return 2*Double.TAU*radius
}
}
| mit | d57ac597342ac73e40c993030774d4be | 20.481481 | 63 | 0.641379 | 3.452381 | false | false | false | false |
TeamProxima/predictive-fault-tracker | mobile/SieHack/Pods/Charts/Source/Charts/Data/Implementations/Standard/ChartDataEntryBase.swift | 21 | 2128 | //
// ChartDataEntryBase.swift
// Charts
//
// Copyright 2015 Daniel Cohen Gindi & Philipp Jahoda
// A port of MPAndroidChart for iOS
// Licensed under Apache License 2.0
//
// https://github.com/danielgindi/Charts
//
import Foundation
open class ChartDataEntryBase: NSObject
{
/// the y value
open var y = Double(0.0)
/// optional spot for additional data this Entry represents
open var data: AnyObject?
public override required init()
{
super.init()
}
/// An Entry represents one single entry in the chart.
/// - parameter y: the y value (the actual value of the entry)
public init(y: Double)
{
super.init()
self.y = y
}
/// - parameter y: the y value (the actual value of the entry)
/// - parameter data: Space for additional data this Entry represents.
public init(y: Double, data: AnyObject?)
{
super.init()
self.y = y
self.data = data
}
// MARK: NSObject
open override func isEqual(_ object: Any?) -> Bool
{
if object == nil
{
return false
}
if !(object! as AnyObject).isKind(of: type(of: self))
{
return false
}
if (object! as AnyObject).data !== data && !((object! as AnyObject).data??.isEqual(self.data))!
{
return false
}
if fabs((object! as AnyObject).y - y) > DBL_EPSILON
{
return false
}
return true
}
// MARK: NSObject
open override var description: String
{
return "ChartDataEntryBase, y \(y)"
}
}
public func ==(lhs: ChartDataEntryBase, rhs: ChartDataEntryBase) -> Bool
{
if lhs === rhs
{
return true
}
if !lhs.isKind(of: type(of: rhs))
{
return false
}
if lhs.data !== rhs.data && !lhs.data!.isEqual(rhs.data)
{
return false
}
if fabs(lhs.y - rhs.y) > DBL_EPSILON
{
return false
}
return true
}
| mit | 58825f9dba0f12aef1c6462da9e6dd10 | 19.266667 | 103 | 0.528195 | 4.307692 | false | false | false | false |
qonceptual/QwikHttp | Pod/Classes/QwikHttp.swift | 1 | 21118 | //
// QwikHttp.swift
// QwikHttp
//
// Created by Logan Sease on 1/26/16.
// Copyright © 2016 Logan Sease. All rights reserved.
//
import Foundation
import QwikJson
public typealias BooleanCompletionHandler = (success: Bool) -> Void
/****** REQUEST TYPES *******/
@objc public enum HttpRequestMethod : Int {
case Get = 0, Post, Put, Delete
}
//parameter types
@objc public enum ParameterType : Int
{
case Json = 0, FormEncoded
}
//indicates if the response should be called on the background or main thread
@objc public enum ResponseThread : Int
{
case Main = 0, Background
}
//a delegate used to configure and show a custom loading indicator.
@objc public protocol QwikHttpLoadingIndicatorDelegate
{
@objc func showIndicator(title: String!)
@objc func hideIndicator()
}
//This interceptor protocol is in place so that we can register an interceptor to our class to intercept certain
//responses. This could be useful to check for expired tokens and then retry the request instead of calling the
//handler with the error. This could also allow you to show the login screen when an unautorized response is returned
//using this class will help avoid the need to do this constantly on each api call.
public protocol QwikHttpResponseInterceptor
{
func shouldInterceptResponse(response: NSURLResponse!) -> Bool
func interceptResponse(request : QwikHttp!, handler: (NSData?, NSURLResponse?, NSError?) -> Void)
}
//the request interceptor can be used to intercept requests before they are sent out.
public protocol QwikHttpRequestInterceptor
{
func shouldInterceptRequest(request: QwikHttp!) -> Bool
func interceptRequest(request : QwikHttp!, handler: (NSData?, NSURLResponse?, NSError?) -> Void)
}
//a class to store default values and configuration for quikHttp
@objc public class QwikHttpConfig : NSObject
{
public private(set) static var defaultTimeOut = 40 as Double
public static var defaultCachePolicy = NSURLRequestCachePolicy.ReloadIgnoringLocalCacheData
public static var defaultParameterType = ParameterType.Json
public static var defaultLoadingTitle : String? = nil
public static var loadingIndicatorDelegate: QwikHttpLoadingIndicatorDelegate? = nil
public static var responseInterceptor: QwikHttpResponseInterceptor? = nil
public static var responseInterceptorObjc: QwikHttpObjcResponseInterceptor? = nil
public static var requestInterceptor: QwikHttpRequestInterceptor? = nil
public static var requestInterceptorObjc: QwikHttpObjcRequestInterceptor? = nil
public static var defaultResponseThread : ResponseThread = .Main
//ensure timeout > 0
public class func setDefaultTimeOut(timeout: Double!)
{
if(timeout > 0)
{
defaultTimeOut = timeout
}
else
{
defaultTimeOut = 40
}
}
}
//the main request object
public class QwikHttp {
/***** REQUEST VARIABLES ******/
private var urlString : String!
private var httpMethod : HttpRequestMethod!
private var headers : [String : String]!
private var params : [String : AnyObject]!
private var body: NSData?
private var parameterType : ParameterType!
private var responseThread : ResponseThread!
public var avoidResponseInterceptor = false
//response variables
public var responseError : NSError?
public var responseData : NSData?
public var response: NSURLResponse?
public var responseString : NSString?
public var wasIntercepted = false
//class params
private var timeOut : Double!
private var cachePolicy: NSURLRequestCachePolicy!
private var loadingTitle: String?
/**** REQUIRED INITIALIZER*****/
public convenience init(url: String!, httpMethod: HttpRequestMethod!)
{
self.init(url,httpMethod: httpMethod)
}
public init(_ url: String!, httpMethod: HttpRequestMethod!)
{
self.urlString = url
self.httpMethod = httpMethod
self.headers = [:]
self.params = [:]
//set defaults
self.parameterType = QwikHttpConfig.defaultParameterType
self.cachePolicy = QwikHttpConfig.defaultCachePolicy
self.timeOut = QwikHttpConfig.defaultTimeOut
self.loadingTitle = QwikHttpConfig.defaultLoadingTitle
self.responseThread = QwikHttpConfig.defaultResponseThread
}
/**** ADD / SET VARIABLES. ALL RETURN SELF TO ENCOURAGE SINGLE LINE BUILDER TYPE SYNTAX *****/
//add a parameter to the request
public func addParam(key : String!, value: String?) -> QwikHttp
{
if let v = value
{
params[key] = v
}
return self
}
//add a header
public func addHeader(key : String!, value: String?) -> QwikHttp
{
if let v = value
{
headers[key] = v
}
return self
}
//set a title to the loading indicator. Set to nil for no indicator
public func setLoadingTitle(title: String?) -> QwikHttp
{
self.loadingTitle = title
return self
}
//add a single optional URL parameter
public func addUrlParam(key: String!, value: String?) -> QwikHttp
{
guard let param = value else
{
return self
}
//start our URL Parameters
if let _ = urlString.rangeOfString("?")
{
urlString = urlString + "&"
}
else
{
urlString = urlString + "?"
}
urlString = urlString + QwikHttp.paramStringFrom([key : param])
return self
}
//add an array of URL parameters
public func addUrlParams(params: [String: String]!) -> QwikHttp
{
//start our URL Parameters
if let _ = urlString.rangeOfString("?")
{
urlString = urlString + "&"
}
else
{
urlString = urlString + "?"
}
urlString = urlString + QwikHttp.paramStringFrom(params)
return self
}
public func removeUrlParam(key: String!)
{
//get our query items from the url
if #available(OSX 10.10, *)
{
if let urlComponents = NSURLComponents(string: urlString), items = urlComponents.queryItems
{
//get a new array of query items by removing any with the key we want
let newItems = items.filter { $0.name == key }
//reconstruct our url if we removed anything
if(newItems.count != items.count)
{
urlComponents.queryItems = newItems
urlString = urlComponents.string
}
}
}
}
//set a quikJson into the request. Will serialize to json and set the content type.
public func setObject(object: QwikJson?) -> QwikHttp
{
if let qwikJson = object, params = qwikJson.toDictionary() as? [String : AnyObject]
{
self.addParams(params)
self.setParameterType(.Json)
}
return self
}
//set an array of objects to the request body serialized as json objects.
public func setObjects<Q : QwikJson>(objects: [Q]?, toModelClass modelClass: Q.Type) -> QwikHttp
{
if let array = objects, params = QwikJson.jsonArrayFromArray(array, ofClass: modelClass )
{
do{
let data = try NSJSONSerialization.dataWithJSONObject(params, options: .PrettyPrinted)
self.setBody(data)
self.addHeader("Content-Type", value: "application/json")
}
catch _ as NSError {}
}
return self
}
//add an list of parameters
public func addParams(params: [String: AnyObject]!) -> QwikHttp
{
self.params = combinedDictionary(self.params, with: params)
return self
}
//add a list of headers
public func addHeaders(headers: [String: String]!) -> QwikHttp
{
self.headers = combinedDictionary(self.headers, with: headers) as! [String : String]
return self
}
//set the body directly
public func setBody(body : NSData!) -> QwikHttp
{
self.body = body
return self;
}
//set the parameter type
public func setParameterType(parameterType : ParameterType!) -> QwikHttp
{
self.parameterType = parameterType
return self;
}
//set the cache policy
public func setCachePolicy(policy: NSURLRequestCachePolicy!) -> QwikHttp
{
cachePolicy = policy
return self
}
//set the request time out
public func setTimeOut(timeOut: Double!) -> QwikHttp
{
self.timeOut = timeOut
return self
}
public func setResponseThread(responseThread: ResponseThread!) -> QwikHttp
{
self.responseThread = responseThread
return self
}
/********* RESPONSE HANDLERS / SENDING METHODS *************/
//get an an object of a generic type back
public func getResponse<T : QwikDataConversion>(type: T.Type, _ handler : (T?, NSError?, QwikHttp!) -> Void)
{
HttpRequestPooler.sendRequest(self) { (data, response, error) -> Void in
//check for an error
if let e = error
{
self.determineThread({ () -> () in
handler(nil,e, self)
})
}
else
{
//try to deserialize our object
if let t : T = T.fromData(data)
{
self.determineThread({ () -> () in
handler(t,nil,self)
})
}
//error if we could deserialize
else
{
self.determineThread({ () -> () in
handler(nil,NSError(domain: "QwikHttp", code: 500, userInfo: ["Error" : "Could not parse response"]), self)
})
}
}
}
}
//get an array of a generic type back
public func getArrayResponse<T : QwikDataConversion>(type: T.Type, _ handler : ([T]?, NSError?, QwikHttp!) -> Void)
{
HttpRequestPooler.sendRequest(self) { (data, response, error) -> Void in
//check for error
if let e = error
{
self.determineThread({ () -> () in
handler(nil,e, self)
})
}
else
{
//convert the response to an array of T
if let t : [T] = T.arrayFromData(data)
{
self.determineThread({ () -> () in
handler(t,nil,self)
})
}
else
{
//error if we could not deserialize
self.determineThread({ () -> () in
handler(nil,NSError(domain: "QwikHttp", code: 500, userInfo: ["Error" : "Could not parse response"]), self)
})
}
}
}
}
//Send the request with a simple boolean handler, which is optional
public func send( handler: BooleanCompletionHandler? = nil)
{
HttpRequestPooler.sendRequest(self) { (data, response, error) -> Void in
if let booleanHandler = handler
{
if let _ = error
{
self.determineThread({ () -> () in
booleanHandler(success: false)
})
}
else
{
self.determineThread({ () -> () in
booleanHandler(success: true)
})
}
}
}
}
//a helper method to duck the response interceptor. Can be useful for cases like logout which
//could lead to infinite recursion
public func setAvoidResponseInterceptor(avoid : Bool!) -> QwikHttp!
{
self.avoidResponseInterceptor = true
return self
}
//this method is primarily used for the response interceptor as any easy way to restart the request
public func resend(handler: (NSData?,NSURLResponse?, NSError? ) -> Void)
{
HttpRequestPooler.sendRequest(self, handler: handler)
}
//reset our completion handlers and response data
public func reset()
{
self.response = nil
self.responseString = nil
self.responseData = nil
self.responseError = nil
self.responseData = nil
self.wasIntercepted = false
}
/**** HELPERS ****/
//combine two dictionaries
private func combinedDictionary(from: [String:AnyObject]!, with: [String:AnyObject]! ) -> [String:AnyObject]!
{
var result = from
//ensure someone didn't pass us nil on accident
if(with == nil)
{
return result
}
for(key, value) in with
{
result[key] = value
}
return result
}
//create a url parameter string
class func paramStringFrom(from: [String : String]!) -> String!
{
var string = ""
var first = true
for(key,value) in from
{
if !first
{
string = string + "&"
}
if let encoded = value.stringByAddingPercentEncodingWithAllowedCharacters(NSCharacterSet.URLQueryAllowedCharacterSet())
{
string = string + key + "=" + encoded
}
first = false
}
return string
}
//determine if we should run on the main or background thread and run it conditionally
private func determineThread(code: () -> () )
{
if(self.responseThread == .Main)
{
dispatch_async(dispatch_get_main_queue()) {
code()
}
}
else
{
code()
}
}
//run on the main thread
private class func mainThread(code: () -> () )
{
dispatch_async(dispatch_get_main_queue()) {
code()
}
}
}
//this class is used to pool our requests and also to avoid the need to retain our QwikRequest objects
private class HttpRequestPooler
{
class func sendRequest(requestParams : QwikHttp!, handler: (NSData?, NSURLResponse?, NSError?) -> Void)
{
//make sure our request url is valid
guard let url = NSURL(string: requestParams.urlString)
else
{
handler(nil,nil,NSError(domain: "QwikHTTP", code: 500, userInfo:["Error" : "Invalid URL"]))
return
}
//see if this request should be intercepted and if so call the interceptor.
//don't worry about a completion handler since this should be called by the interceptor
if let interceptor = QwikHttpConfig.requestInterceptor where interceptor.shouldInterceptRequest(requestParams) && !requestParams.wasIntercepted
{
requestParams.wasIntercepted = true
interceptor.interceptRequest(requestParams, handler: handler)
return
}
//create our http request
let request = NSMutableURLRequest(URL: url, cachePolicy: requestParams.cachePolicy, timeoutInterval: requestParams.timeOut)
//set up our http method and add headers
request.HTTPMethod = HttpRequestPooler.paramTypeToString(requestParams.httpMethod)
for(key, value) in requestParams.headers
{
request.addValue(value, forHTTPHeaderField: key)
}
//set up our parameters
if let body = requestParams.body
{
request.HTTPBody = body
}
else if requestParams.parameterType == .FormEncoded && requestParams.params.count > 0
{
//convert parameters to form encoded values and set to body
if let params = requestParams.params as? [String : String]
{
request.HTTPBody = QwikHttp.paramStringFrom(params).dataUsingEncoding(NSUTF8StringEncoding)
//set the request type headers
//application/x-www-form-urlencoded
request.addValue("application/x-www-form-urlencoded", forHTTPHeaderField: "Content-Type")
}
//if we couldn't encode the values, then perhaps json was passed in unexpectedly, so try to parse it as json.
else
{
requestParams.setParameterType(.Json)
}
}
//try json parsing, note that formEncoding could have changed the type if there was an error, so don't use an else if
if requestParams.parameterType == .Json && requestParams.params.count > 0
{
//convert parameters to json string and form and set to body
do {
let data = try NSJSONSerialization.dataWithJSONObject(requestParams.params, options: NSJSONWritingOptions(rawValue: 0))
request.HTTPBody = data
}
catch let JSONError as NSError {
handler(nil,nil,JSONError)
return
}
//set the request type headers
request.addValue("application/json", forHTTPHeaderField: "Content-Type")
}
//show our spinner
var showingSpinner = false
if let title = requestParams.loadingTitle, indicatorDelegate = QwikHttpConfig.loadingIndicatorDelegate
{
indicatorDelegate.showIndicator(title)
showingSpinner = true
}
//send our request and do a bunch of common stuff before calling our response handler
let task = NSURLSession.sharedSession().dataTaskWithRequest(request, completionHandler: { (responseData, urlResponse, error) -> Void in
//set the values straight to the request object so we can read it if needed.
requestParams.responseData = responseData
requestParams.responseError = error
//set our response string
if let responseString = self.getResponseString(responseData)
{
requestParams.responseString = responseString
}
//hide our spinner
if let indicatorDelegate = QwikHttpConfig.loadingIndicatorDelegate where showingSpinner == true
{
indicatorDelegate.hideIndicator()
}
//check the responseCode to make sure its valid
if let httpResponse = urlResponse as? NSHTTPURLResponse {
requestParams.response = httpResponse
//see if we are configured to use an interceptor and if so, check it to see if we should use it
if let interceptor = QwikHttpConfig.responseInterceptor where !requestParams.wasIntercepted && interceptor.shouldInterceptResponse(httpResponse) && !requestParams.avoidResponseInterceptor
{
//call the interceptor and return. The interceptor will call our handler.
requestParams.wasIntercepted = true
interceptor.interceptResponse(requestParams, handler: handler)
return
}
//error for invalid response
//in order to be considered successful the response must be in the 200's
if httpResponse.statusCode / 100 != 2 && error == nil
{
handler(responseData, urlResponse, NSError(domain: "QwikHttp", code: httpResponse.statusCode, userInfo: ["Error": "Error Response Code"]))
return
}
}
handler(responseData, urlResponse, error)
})
task.resume()
}
//convert our enum to a string used for the request
private class func paramTypeToString(type: HttpRequestMethod) -> String!
{
switch(type)
{
case HttpRequestMethod.Post:
return "POST"
case HttpRequestMethod.Put:
return "PUT"
case HttpRequestMethod.Get:
return "GET"
case HttpRequestMethod.Delete:
return "DELETE"
}
}
//a helper to to return an optional string from our ns data
class func getResponseString(data : NSData?) -> String?
{
if let d = data{
return String(data: d, encoding: NSUTF8StringEncoding)
}
else
{
return nil
}
}
}
| mit | 48afa70c067d1a43e00e7113460acfc5 | 32.20283 | 204 | 0.575034 | 5.113075 | false | false | false | false |
yuanziyuer/XLPagerTabStrip | Example/Example/TwitterExampleViewController.swift | 2 | 2982 | // TwitterExampleViewController.swift
// XLPagerTabStrip ( https://github.com/xmartlabs/XLPagerTabStrip )
//
// Copyright (c) 2016 Xmartlabs ( http://xmartlabs.com )
//
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// THE SOFTWARE.
import Foundation
import XLPagerTabStrip
class TwitterExampleViewController: TwitterPagerTabStripViewController {
var isReload = false
override func viewControllersForPagerTabStrip(pagerTabStripController: PagerTabStripViewController) -> [UIViewController] {
let child_1 = TableChildExampleViewController(style: .Plain, itemInfo: "TableView")
let child_2 = ChildExampleViewController(itemInfo: "View")
let child_3 = TableChildExampleViewController(style: .Grouped, itemInfo: "TableView 2")
let child_4 = ChildExampleViewController(itemInfo: "View 2")
let child_5 = TableChildExampleViewController(style: .Plain, itemInfo: "TableView 3")
let child_6 = ChildExampleViewController(itemInfo: "View 3")
let child_7 = TableChildExampleViewController(style: .Grouped, itemInfo: "TableView 4")
let child_8 = ChildExampleViewController(itemInfo: "View 4")
guard isReload else {
return [child_1, child_2, child_3, child_4, child_5, child_6, child_7, child_8]
}
var childViewControllers = [child_1, child_2, child_3, child_4, child_6, child_7, child_8]
for (index, _) in childViewControllers.enumerate(){
let nElements = childViewControllers.count - index
let n = (Int(arc4random()) % nElements) + index
if n != index{
swap(&childViewControllers[index], &childViewControllers[n])
}
}
let nItems = 1 + (rand() % 8)
return Array(childViewControllers.prefix(Int(nItems)))
}
@IBAction func reloadTapped(sender: AnyObject) {
isReload = true
reloadPagerTabStripView()
}
}
| mit | 9a8ca0fe0861ed782e514f86d76ac236 | 46.333333 | 127 | 0.699866 | 4.616099 | false | false | false | false |
KosyanMedia/Aviasales-iOS-SDK | AviasalesSDKTemplate/Source/HotelsSource/Controls/HLToastView.swift | 1 | 3025 | import UIKit
import Foundation
@objcMembers
class HLToastView: UIView {
var presented: Bool = false
var animated: Bool = false
var needHideByTimeout: Bool = true
var hideAfterTime: TimeInterval = 1.0
fileprivate let defaultWidth: CGFloat = 240.0
fileprivate let defaultShowDuration: TimeInterval = 0.4
fileprivate let defaultHideDuration: TimeInterval = 0.8
fileprivate var hideTimer: Timer?
@IBOutlet fileprivate(set) weak var iconView: UIImageView!
@IBOutlet fileprivate(set) weak var titleLabel: UILabel!
override func awakeFromNib() {
super.awakeFromNib()
self.initialize()
}
// MARK: - Internal methods
func show(_ onView: UIView, animated: Bool) {
onView.addSubview(self)
self.translatesAutoresizingMaskIntoConstraints = false
self.alpha = 0.0
let constraintWidth = NSLayoutConstraint.constraints(withVisualFormat: "H:[selfView(selfWidth)]", options: .alignAllCenterY, metrics: ["selfWidth": defaultWidth], views: ["selfView": self])
onView.addConstraints(constraintWidth)
let constraintCenterY = NSLayoutConstraint(item: self, attribute: NSLayoutConstraint.Attribute.centerY, relatedBy: .equal, toItem: superview, attribute: .centerY, multiplier: 1, constant: 0)
onView.addConstraint(constraintCenterY)
let constraintCenterX = NSLayoutConstraint(item: self, attribute: NSLayoutConstraint.Attribute.centerX, relatedBy: .equal, toItem: superview, attribute: .centerX, multiplier: 1, constant: 0)
onView.addConstraint(constraintCenterX)
let duration = (animated ? self.defaultShowDuration : 0.0)
UIView.animate(withDuration: duration, delay: 0.0, options: UIView.AnimationOptions(),
animations: { () -> Void in
self.alpha = 1.0
}, completion: { (finished) -> Void in
if self.needHideByTimeout {
self.hideTimer = Timer.scheduledTimer(timeInterval: self.hideAfterTime, target: self, selector: #selector(HLToastView.onTimer), userInfo: nil, repeats: false)
}
})
self.presented = true
}
func dismiss(_ duration: TimeInterval) {
if self.animated {
return
}
self.animated = true
let options: UIView.AnimationOptions = UIView.AnimationOptions.beginFromCurrentState
UIView.animate(withDuration: duration, delay: 0.0, options: options,
animations: { () -> Void in
self.alpha = 0.0
}, completion: { (finished) -> Void in
self.removeFromSuperview()
self.presented = false
self.animated = false
})
}
func timeredDismiss() {
self.dismiss(0.8)
}
func manualDismiss() {
self.dismiss(0.3)
}
@objc func onTimer() {
self.timeredDismiss()
}
// MARK: - Private methods
fileprivate func initialize() {
self.layer.cornerRadius = 10.0
self.layer.masksToBounds = true
}
}
| mit | 47fc5cb6aa416f4d7915857bd29206fd | 31.526882 | 198 | 0.656529 | 4.618321 | false | false | false | false |
llbbl/coffee-timer | coffee timer/ViewController.swift | 1 | 1648 | //
// ViewController.swift
// coffee timer
//
// Created by Logan Lindquist on 6/18/15.
// Copyright (c) 2015 Logan Lindquist. All rights reserved.
//
import UIKit
class ViewController: UIViewController {
@IBOutlet weak var label: UILabel!
@IBOutlet weak var slider: UISlider!
@IBOutlet weak var progress: UIProgressView!
var timerModel: TimerModel!
override func viewDidLoad() {
super.viewDidLoad()
println("view is loaded. ")
view.backgroundColor = .orangeColor()
// Do any additional setup after loading the view, typically from a nib.
setupModel()
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
override func shouldAutorotate() -> Bool {
return false
}
override func supportedInterfaceOrientations() -> Int {
return Int(UIInterfaceOrientationMask.Portrait.rawValue)
}
func setupModel(){
timerModel = TimerModel(coffeeName: "Colombian Coffee", duration: 240)
}
@IBAction func buttonWasPressed(sender: AnyObject) {
println("button was pressed")
let date = NSDate()
//update the label
label.text = "button pressed @ \(date)"
}
@IBAction func sliderValueChanged(sender: AnyObject) {
println("Slider value changed to \(self.slider.value)")
//update our progreess view to match slider
progress.progress = slider.value
}
}
| mit | 6482975145cd07dcdc52153269c8ad8c | 22.211268 | 80 | 0.606796 | 5.166144 | false | false | false | false |
Mioke/SwiftArchitectureWithPOP | ComponentizeDemo/Auth/Source/Auth.swift | 1 | 1620 | import Foundation
import MIOSwiftyArchitecture
import AuthProtocol
class AuthModule: ModuleProtocol, AuthServiceProtocol {
static var moduleIdentifier: ModuleIdentifier {
return .auth
}
required init() { }
func moduleDidLoad(with manager: ModuleManager) {
}
func authenticate(completion: @escaping (User) -> ()) throws {
DispatchQueue.main.asyncAfter(deadline: .now() + 1) {
let user = User(id: "15780")
ModuleManager.default.beginUserSession(with: user.id)
self.markAsReleasing()
completion(user)
}
}
func refreshAuthenticationIfNeeded(completion: @escaping (User) -> ()) {
if let previousUID = AppContext.standard.previousLaunchedUserId {
let previousUser = User(id: previousUID)
let previousContext = AppContext(user: previousUser)
// get token from previous context data center, like:
// let credential = previousContext.dataCenter.object(with: previousUID, type: Credential.Type)
print(previousContext)
// and then do some refresh token logic here.
}
}
func deauthenticate(completion: @escaping (Error?) -> Void) {
}
}
extension AuthModule: ModuleInitiatorProtocol {
static var identifier: String { moduleIdentifier }
static var priority: Initiator.Priority { .high }
static var dependencies: [String] { [] }
static var operation: Initiator.Operation {
return {
print("Auth module initiator operation running.")
}
}
}
| mit | b061b5d9b1ef8d610283bdfbc8a1d692 | 31.4 | 107 | 0.633951 | 4.864865 | false | false | false | false |
githubdelegate/ASToast | ASToast/ASToast.swift | 1 | 15794 | //
// ASToast.swift
// ASToast
//
// Created by Abdullah Selek on 10/06/15.
// Copyright (c) 2015 Abdullah Selek. All rights reserved.
//
import UIKit
import QuartzCore
// MARK: Constants
struct Constants {
// duration of view on screen
static let ASToastDuration = NSTimeInterval(3)
// view appearance
static let ASToastMaxWidth = CGFloat(0.8)
static let ASToastMaxHeight = CGFloat(0.8)
static let ASToastHorizontalPadding = CGFloat(10)
static let ASToastVerticalPadding = CGFloat(10)
static let ASToastCornerRadius = CGFloat(10)
static let ASToastOpacity = CGFloat(0.8)
static let ASToastFontSize = CGFloat(16)
static let ASToastFadeDuration = NSTimeInterval(0.3)
static let ASToastMaxTitleLines = 0
static let ASToastMaxMessageLines = 0
// value between 0.0 and 1.0
static let ASToastViewAlpha = CGFloat(0.0)
// shadow appearance
static let ASToastDisplayShadow = true
static let ASToastShadowOpacity = Float(0.8)
static let ASToastShadowRadius = CGFloat(5.0)
static var ASToastShadowOffset: CGSize = CGSize(width: 3.0, height: 3.0)
// change visibility of view
static let ASToastHidesOnTap = true
// image view size
static let ASToastImageViewWidth = CGFloat(80.0)
static let ASToastImageViewHeight = CGFloat(80.0)
// activity
static let ASToastActivityWidth = CGFloat(100.0)
static let ASToastActivityHeight = CGFloat(100.0)
static let ASToastActivityDefaultPosition = ASToastPosition.ASToastPositionCenter
}
enum ASToastPosition: String {
case ASToastPositionTop = "ASToastPositionTop",
ASToastPositionCenter = "ASToastPositionCenter",
ASToastPositionBotom = "ASToastPositionBotom"
}
private var timer: NSTimer!
private var activityView: UIView!
extension UIView {
// MARK: Make toast methods
func makeToast(message: String) {
makeToast(message, duration: Constants.ASToastDuration, position: nil)
}
func makeToast(message: String, duration: NSTimeInterval, position: AnyObject?) {
var toastView = self.toastView(message, title: "", image: nil)
self.showToast(toastView, duration: duration, position: position)
}
func makeToast(message: String, duration: NSTimeInterval, position: AnyObject?, title: String) {
var toastView = self.toastView(message, title: title, image: nil)
self.showToast(toastView, duration: duration, position: position)
}
func makeToast(message: String, duration: NSTimeInterval, position: AnyObject?, image: UIImage!) {
var toastView = self.toastView(message, title: "", image: image)
self.showToast(toastView, duration: duration, position: position)
}
func makeToast(message: String, duration: NSTimeInterval, position: AnyObject?, title: String, image: UIImage!) {
var toastView = self.toastView(message, title: title, image: image)
self.showToast(toastView, duration: duration, position: position)
}
// MARK: Toast view main methods
func showToast(toastView: UIView!) {
showToast(toastView, duration: Constants.ASToastDuration, position: nil)
}
func showToast(toastView: UIView!, duration: NSTimeInterval!, position: AnyObject?) {
createAndShowToast(toastView, duration: duration, position: position)
}
private func createAndShowToast(toastView: UIView!, duration: NSTimeInterval!, position: AnyObject?) {
toastView.center = centerPointForPosition(position, toastView: toastView)
toastView.alpha = Constants.ASToastViewAlpha
if Constants.ASToastHidesOnTap {
var tapRecognizer: UITapGestureRecognizer! = UITapGestureRecognizer(target: toastView, action: "handleToastTapped:")
toastView.addGestureRecognizer(tapRecognizer)
toastView.userInteractionEnabled = true
toastView.exclusiveTouch = true
}
timer = NSTimer.scheduledTimerWithTimeInterval(duration, target: self, selector: "toastTimerDidFinish:", userInfo: toastView, repeats: false)
self.addSubview(toastView)
UIView.animateWithDuration(Constants.ASToastDuration, delay: 0.0, options: UIViewAnimationOptions.CurveEaseInOut | UIViewAnimationOptions.AllowUserInteraction, animations: { () -> Void in
toastView.alpha = 1.0
}) { (Bool) -> Void in
}
}
private func hideToast(toastView: UIView!) {
UIView.animateWithDuration(Constants.ASToastFadeDuration, delay: 0.0, options: UIViewAnimationOptions.CurveEaseIn | UIViewAnimationOptions.BeginFromCurrentState, animations: { () -> Void in
toastView.alpha = 0.0
}) { (Bool) -> Void in
toastView.removeFromSuperview()
}
}
private func toastView(message: String, title: String, image: UIImage?) -> UIView? {
// check parameters
if message.isEmpty && title.isEmpty && image == nil {
return nil
}
// ui elements of toast
var messageLabel: UILabel!
var titleLabel: UILabel!
var imageView: UIImageView!
var toastView: UIView! = UIView()
toastView.autoresizingMask = UIViewAutoresizing.FlexibleLeftMargin | UIViewAutoresizing.FlexibleRightMargin | UIViewAutoresizing.FlexibleTopMargin | UIViewAutoresizing.FlexibleBottomMargin
toastView.layer.cornerRadius = Constants.ASToastCornerRadius
// check if shadow needed
if Constants.ASToastDisplayShadow == true {
toastView.layer.shadowColor = UIColor.blackColor().CGColor
toastView.layer.shadowOpacity = Constants.ASToastShadowOpacity
toastView.layer.shadowRadius = Constants.ASToastShadowRadius
toastView.layer.shadowOffset = Constants.ASToastShadowOffset
}
// set toastView background color
toastView.backgroundColor = UIColor.blackColor().colorWithAlphaComponent(Constants.ASToastOpacity)
// check image
if(image != nil) {
imageView = UIImageView(image: image)
imageView.contentMode = UIViewContentMode.ScaleAspectFit
imageView.frame = CGRectMake(Constants.ASToastHorizontalPadding, Constants.ASToastVerticalPadding, Constants.ASToastImageViewWidth, Constants.ASToastImageViewHeight)
}
var imageWidth, imageHeight, imageLeft: CGFloat!
// the imageView frame values will be used to size & position the other views
if(imageView != nil) {
imageWidth = imageView.bounds.size.width;
imageHeight = imageView.bounds.size.height;
imageLeft = Constants.ASToastHorizontalPadding
} else {
imageWidth = 0.0
imageHeight = 0.0
imageLeft = 0.0
}
// check title if not empty create title label
if !title.isEmpty {
titleLabel = UILabel()
titleLabel.numberOfLines = Constants.ASToastMaxTitleLines
titleLabel.font = UIFont.boldSystemFontOfSize(Constants.ASToastFontSize)
titleLabel.textAlignment = NSTextAlignment.Center
titleLabel.textColor = UIColor.whiteColor()
titleLabel.backgroundColor = UIColor.clearColor()
titleLabel.alpha = 1.0
titleLabel.text = title
// set size the title label according to the lenth of title text
var maxSizeTitle = CGSizeMake((self.bounds.size.width * Constants.ASToastMaxWidth) - imageWidth, self.bounds.size.height * Constants.ASToastMaxHeight)
var expectedSizeTitle: CGSize! = sizeForString(title, font: titleLabel.font, constrainedSize: maxSizeTitle, lineBreakMode: titleLabel.lineBreakMode)
titleLabel.frame = CGRectMake(0.0, 0.0, expectedSizeTitle.width, expectedSizeTitle.height)
}
// check message string if not empty create message label
if !message.isEmpty {
messageLabel = UILabel()
messageLabel.numberOfLines = Constants.ASToastMaxMessageLines
messageLabel.font = UIFont.systemFontOfSize(Constants.ASToastFontSize)
messageLabel.lineBreakMode = NSLineBreakMode.ByWordWrapping
messageLabel.textColor = UIColor.whiteColor()
messageLabel.backgroundColor = UIColor.clearColor()
messageLabel.alpha = 1.0
messageLabel.text = message
// set size the message label according to the lenth of message text
var maxSizeMessage = CGSizeMake((self.bounds.size.width * Constants.ASToastMaxWidth) - imageWidth, self.bounds.size.height * Constants.ASToastMaxHeight)
var expectedSizeMessage: CGSize! = sizeForString(message, font: messageLabel.font, constrainedSize: maxSizeMessage, lineBreakMode: messageLabel.lineBreakMode)
messageLabel.frame = CGRectMake(0.0, 0.0, expectedSizeMessage.width, expectedSizeMessage.height)
}
// title label frame values
var titleWidth, titleHeight, titleTop, titleLeft: CGFloat!
if titleLabel != nil {
titleWidth = titleLabel.bounds.size.width
titleHeight = titleLabel.bounds.size.height
titleTop = Constants.ASToastVerticalPadding
titleLeft = imageLeft + imageWidth + Constants.ASToastHorizontalPadding
} else {
titleWidth = 0.0
titleHeight = 0.0
titleTop = 0.0
titleLeft = 0.0
}
// message label frame values
var messageWidth, messageHeight, messageLeft, messageTop: CGFloat!
if messageLabel != nil {
messageWidth = messageLabel.bounds.size.width
messageHeight = messageLabel.bounds.size.height
messageLeft = imageLeft + imageWidth + Constants.ASToastHorizontalPadding
messageTop = titleTop + titleHeight + Constants.ASToastVerticalPadding
} else {
messageWidth = 0.0
messageHeight = 0.0
messageLeft = 0.0
messageTop = 0.0
}
var longerWidth = max(titleWidth, messageWidth)
var longerLeft = max(titleLeft, messageLeft)
// toastView frames
var toastViewWidth = max(imageWidth + (Constants.ASToastHorizontalPadding * 2), (longerLeft + longerWidth + Constants.ASToastHorizontalPadding))
var toastViewHeight = max(messageTop + messageHeight + Constants.ASToastVerticalPadding, (imageHeight + (Constants.ASToastVerticalPadding * 2)))
toastView.frame = CGRectMake(0.0, 0.0, toastViewWidth, toastViewHeight)
if titleLabel != nil {
titleLabel.frame = CGRectMake(titleLeft, titleTop, titleWidth, titleHeight)
toastView.addSubview(titleLabel)
}
if messageLabel != nil {
messageLabel.frame = CGRectMake(messageLeft, messageTop, messageWidth, messageHeight)
toastView.addSubview(messageLabel)
}
if imageView != nil {
toastView.addSubview(imageView)
}
return toastView
}
// MARK: Toast view events
func toastTimerDidFinish(timer: NSTimer) {
self.hideToast(timer.userInfo as? UIView!)
}
func handleToastTapped(recognizer: UITapGestureRecognizer) {
timer.invalidate()
hideToast(recognizer.view)
}
// MARK: Toast activity methods
func makeToastActivity() {
makeToastActivity(Constants.ASToastActivityDefaultPosition.rawValue)
}
private func makeToastActivity(position: AnyObject) {
activityView = UIView(frame: CGRectMake(0.0, 0.0, Constants.ASToastActivityWidth, Constants.ASToastActivityHeight))
activityView.center = centerPointForPosition(position, toastView: activityView)
activityView.backgroundColor = UIColor.blackColor().colorWithAlphaComponent(Constants.ASToastOpacity)
activityView.alpha = Constants.ASToastViewAlpha
activityView.autoresizingMask = UIViewAutoresizing.FlexibleLeftMargin | UIViewAutoresizing.FlexibleRightMargin |
UIViewAutoresizing.FlexibleTopMargin | UIViewAutoresizing.FlexibleBottomMargin
activityView.layer.cornerRadius = Constants.ASToastCornerRadius
if Constants.ASToastDisplayShadow {
activityView.layer.shadowColor = UIColor.blackColor().CGColor
activityView.layer.shadowOpacity = Constants.ASToastShadowOpacity
activityView.layer.shadowRadius = Constants.ASToastShadowRadius
activityView.layer.shadowOffset = Constants.ASToastShadowOffset
}
var activityIndicatorView: UIActivityIndicatorView! = UIActivityIndicatorView(activityIndicatorStyle: UIActivityIndicatorViewStyle.WhiteLarge)
activityIndicatorView.center = CGPointMake(activityView.bounds.size.width / 2, activityView.bounds.size.height / 2)
activityView.addSubview(activityIndicatorView)
activityIndicatorView.startAnimating()
self.addSubview(activityView)
UIView.animateWithDuration(Constants.ASToastDuration, delay: 0.0, options: UIViewAnimationOptions.CurveEaseInOut, animations: { () -> Void in
activityView.alpha = 1.0
}, completion: nil)
}
func hideToastActivity() {
if activityView != nil {
UIView.animateWithDuration(Constants.ASToastFadeDuration, delay: 0.0, options: UIViewAnimationOptions.CurveEaseIn | UIViewAnimationOptions.BeginFromCurrentState, animations: { () -> Void in
activityView.alpha = 0.0
}, completion: { (Bool) -> Void in
activityView.removeFromSuperview()
})
}
}
// MARK: Helpers
private func centerPointForPosition(point: AnyObject?, toastView: UIView!) -> CGPoint {
if point != nil {
if point!.isKindOfClass(NSString) {
if point!.caseInsensitiveCompare(ASToastPosition.ASToastPositionTop.rawValue) == NSComparisonResult.OrderedSame {
return CGPointMake(self.bounds.size.width / 2, (toastView.frame.size.height / 2) + Constants.ASToastVerticalPadding)
} else if point!.caseInsensitiveCompare(ASToastPosition.ASToastPositionCenter.rawValue) == NSComparisonResult.OrderedSame {
return CGPointMake(self.bounds.size.width / 2, self.bounds.size.height / 2)
}
} else if point!.isKindOfClass(NSValue) {
return point!.CGPointValue()
}
}
// default bottom option
return CGPointMake(self.bounds.size.width / 2, (self.bounds.size.height - (toastView.frame.size.height / 2)) - Constants.ASToastVerticalPadding)
}
private func sizeForString(text: NSString, font: UIFont, constrainedSize: CGSize, lineBreakMode: NSLineBreakMode) -> CGSize {
if text.respondsToSelector("boundingRectWithSize:options:attributes:context:") {
var paragraphStyle: NSMutableParagraphStyle! = NSMutableParagraphStyle()
paragraphStyle.lineBreakMode = lineBreakMode
var attributes: Dictionary = [NSFontAttributeName: font, NSParagraphStyleAttributeName: paragraphStyle]
var boundingRect: CGRect! = text.boundingRectWithSize(constrainedSize, options: NSStringDrawingOptions.UsesLineFragmentOrigin, attributes: attributes, context: nil)
return CGSizeMake(boundingRect.size.width, boundingRect.size.height)
}
return CGSizeMake(0.0, 0.0)
}
} | mit | 8b05668a2d353d19c504c4984de0a00d | 44 | 201 | 0.673863 | 5.307124 | false | false | false | false |
edx/edx-app-ios | Source/DiscussionNewPostViewController.swift | 1 | 18880 | //
// DiscussionNewPostViewController.swift
// edX
//
// Created by Tang, Jeff on 6/1/15.
// Copyright (c) 2015 edX. All rights reserved.
//
import UIKit
struct DiscussionNewThread {
let courseID: String
let topicID: String
let type: DiscussionThreadType
let title: String
let rawBody: String
}
protocol DiscussionNewPostViewControllerDelegate : AnyObject {
func newPostController(controller : DiscussionNewPostViewController, addedPost post: DiscussionThread)
}
public class DiscussionNewPostViewController: UIViewController, UITextViewDelegate, MenuOptionsViewControllerDelegate, InterfaceOrientationOverriding {
public typealias Environment = DataManagerProvider & NetworkManagerProvider & OEXRouterProvider & OEXAnalyticsProvider
private let minBodyTextHeight : CGFloat = 66 // height for 3 lines of text
private let environment: Environment
private let growingTextController = GrowingTextViewController()
private let insetsController = ContentInsetsController()
@IBOutlet private var scrollView: UIScrollView!
@IBOutlet private var backgroundView: UIView!
@IBOutlet private var contentTextView: OEXPlaceholderTextView!
@IBOutlet private var titleTextField: LogistrationTextField!
@IBOutlet private var discussionQuestionSegmentedControl: UISegmentedControl!
@IBOutlet private var bodyTextViewHeightConstraint: NSLayoutConstraint!
@IBOutlet private var topicButton: UIButton!
@IBOutlet private var postButton: SpinnerButton!
@IBOutlet weak var contentTitleLabel: UILabel!
@IBOutlet weak var titleLabel: UILabel!
private let loadController = LoadStateViewController()
private let courseID: String
fileprivate let topics = BackedStream<[DiscussionTopic]>()
private var selectedTopic: DiscussionTopic?
private var optionsViewController: MenuOptionsViewController?
weak var delegate: DiscussionNewPostViewControllerDelegate?
private let tapButton = UIButton()
var titleTextStyle: OEXTextStyle {
return OEXTextStyle(weight : .normal, size: .small, color: OEXStyles.shared().primaryXLightColor())
}
private var selectedThreadType: DiscussionThreadType = .Discussion {
didSet {
switch selectedThreadType {
case .Discussion:
self.contentTitleLabel.attributedText = NSAttributedString.joinInNaturalLayout(attributedStrings: [titleTextStyle.attributedString(withText: Strings.Dashboard.courseDiscussion), titleTextStyle.attributedString(withText: Strings.asteric)])
postButton.applyButtonStyle(style: OEXStyles.shared().filledPrimaryButtonStyle,withTitle: Strings.postDiscussion)
contentTextView.accessibilityLabel = Strings.Dashboard.courseDiscussion
case .Question:
self.contentTitleLabel.attributedText = NSAttributedString.joinInNaturalLayout(attributedStrings: [titleTextStyle.attributedString(withText: Strings.question), titleTextStyle.attributedString(withText: Strings.asteric)])
postButton.applyButtonStyle(style: OEXStyles.shared().filledPrimaryButtonStyle, withTitle: Strings.postQuestion)
contentTextView.accessibilityLabel = Strings.question
}
}
}
public init(environment: Environment, courseID: String, selectedTopic : DiscussionTopic?) {
self.environment = environment
self.courseID = courseID
super.init(nibName: "DiscussionNewPostViewController", bundle: nil)
let stream = environment.dataManager.courseDataManager.discussionManagerForCourseWithID(courseID: courseID).topics
topics.backWithStream(stream.map {
return DiscussionTopic.linearizeTopics(topics: $0)
}
)
self.selectedTopic = selectedTopic
}
private var firstSelectableTopic : DiscussionTopic? {
let selectablePredicate = { (topic : DiscussionTopic) -> Bool in
topic.isSelectable
}
guard let topics = self.topics.value, let selectableTopicIndex = topics.firstIndexMatching(selectablePredicate) else {
return nil
}
return topics[selectableTopicIndex]
}
required public init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
@IBAction func postTapped(sender: AnyObject) {
postButton.isEnabled = false
postButton.showProgress = true
// create new thread (post)
if let topic = selectedTopic, let topicID = topic.id {
let newThread = DiscussionNewThread(courseID: courseID, topicID: topicID, type: selectedThreadType , title: titleTextField.text ?? "", rawBody: contentTextView.text)
let apiRequest = DiscussionAPI.createNewThread(newThread: newThread)
environment.networkManager.taskForRequest(apiRequest) {[weak self] result in
self?.postButton.isEnabled = true
self?.postButton.showProgress = false
if let post = result.data {
self?.delegate?.newPostController(controller: self!, addedPost: post)
self?.dismiss(animated: true, completion: nil)
}
else {
DiscussionHelper.showErrorMessage(controller: self, error: result.error)
}
}
}
}
override public func viewDidLoad() {
super.viewDidLoad()
self.navigationItem.title = Strings.post
let cancelItem = UIBarButtonItem(barButtonSystemItem: .cancel, target: nil, action: nil)
cancelItem.oex_setAction { [weak self]() -> Void in
self?.dismiss(animated: true, completion: nil)
}
self.navigationItem.leftBarButtonItem = cancelItem
contentTitleLabel.isAccessibilityElement = false
titleLabel.isAccessibilityElement = false
titleLabel.attributedText = NSAttributedString.joinInNaturalLayout(attributedStrings: [titleTextStyle.attributedString(withText: Strings.title), titleTextStyle.attributedString(withText: Strings.asteric)])
contentTextView.textContainer.lineFragmentPadding = 0
contentTextView.applyStandardBorderStyle()
contentTextView.delegate = self
titleTextField.accessibilityLabel = Strings.title
view.backgroundColor = OEXStyles.shared().standardBackgroundColor()
configureSegmentControl()
titleTextField.defaultTextAttributes = OEXStyles.shared().textAreaBodyStyle.attributes.attributedKeyDictionary()
setTopicsButtonTitle()
let insets = OEXStyles.shared().standardTextViewInsets
topicButton.titleEdgeInsets = UIEdgeInsets.init(top: 0, left: insets.left, bottom: 0, right: insets.right)
topicButton.accessibilityHint = Strings.accessibilityShowsDropdownHint
topicButton.applyBorderStyle(style: OEXStyles.shared().entryFieldBorderStyle)
topicButton.localizedHorizontalContentAlignment = .Leading
let dropdownLabel = UILabel()
dropdownLabel.attributedText = Icon.Dropdown.attributedTextWithStyle(style: titleTextStyle)
topicButton.addSubview(dropdownLabel)
dropdownLabel.snp.makeConstraints { make in
make.trailing.equalTo(topicButton).offset(-insets.right)
make.top.equalTo(topicButton).offset(topicButton.frame.size.height / 2.0 - 5.0)
}
topicButton.oex_addAction({ [weak self] (action : AnyObject!) -> Void in
self?.showTopicPicker()
}, for: UIControl.Event.touchUpInside)
postButton.isEnabled = false
titleTextField.oex_addAction({[weak self] _ in
self?.validatePostButton()
}, for: .editingChanged)
self.growingTextController.setupWithScrollView(scrollView: scrollView, textView: contentTextView, bottomView: postButton)
self.insetsController.setupInController(owner: self, scrollView: scrollView)
// Force setting it to call didSet which is only called out of initialization context
self.selectedThreadType = .Question
loadController.setupInController(controller: self, contentView: self.scrollView)
topics.listen(self, success : {[weak self]_ in
self?.loadedData()
}, failure : {[weak self] error in
self?.loadController.state = LoadState.failed(error: error)
})
backgroundView.addSubview(tapButton)
backgroundView.sendSubviewToBack(tapButton)
tapButton.backgroundColor = UIColor.clear
tapButton.frame = CGRect(x: 0, y: 0, width: backgroundView.frame.size.width, height: backgroundView.frame.size.height)
tapButton.isAccessibilityElement = false
tapButton.accessibilityLabel = Strings.accessibilityHideKeyboard
tapButton.oex_addAction({[weak self] (sender) in
self?.view.endEditing(true)
}, for: .touchUpInside)
setAccessibilityIdentifiers()
}
private func setAccessibilityIdentifiers() {
view.accessibilityIdentifier = "DiscussionNewPostViewController:view"
scrollView.accessibilityIdentifier = "DiscussionNewPostViewController:scroll-view"
backgroundView.accessibilityIdentifier = "DiscussionNewPostViewController:background-view"
contentTextView.accessibilityIdentifier = "DiscussionNewPostViewController:content-text-view"
titleTextField.accessibilityIdentifier = "DiscussionNewPostViewController:title-text-field"
discussionQuestionSegmentedControl.accessibilityIdentifier = "DiscussionNewPostViewController:segment-control"
topicButton.accessibilityIdentifier = "DiscussionNewPostViewController:topic-button"
postButton.accessibilityIdentifier = "DiscussionNewPostViewController:post-button"
contentTitleLabel.accessibilityIdentifier = "DiscussionNewPostViewController:content-title-label"
titleLabel.accessibilityIdentifier = "DiscussionNewPostViewController:title-label"
tapButton.accessibilityIdentifier = "DiscussionNewPostViewController:tap-button"
}
private func configureSegmentControl() {
discussionQuestionSegmentedControl.removeAllSegments()
let questionIcon = Icon.Question.attributedTextWithStyle(style: titleTextStyle)
let questionTitle = NSAttributedString.joinInNaturalLayout(attributedStrings: [questionIcon,
titleTextStyle.attributedString(withText: Strings.question)])
let discussionIcon = Icon.Comments.attributedTextWithStyle(style: titleTextStyle)
let discussionTitle = NSAttributedString.joinInNaturalLayout(attributedStrings: [discussionIcon,
titleTextStyle.attributedString(withText: Strings.discussion)])
let segmentOptions : [(title : NSAttributedString, value : DiscussionThreadType)] = [
(title : questionTitle, value : .Question),
(title : discussionTitle, value : .Discussion),
]
for i in 0..<segmentOptions.count {
discussionQuestionSegmentedControl.insertSegmentWithAttributedTitle(title: segmentOptions[i].title, index: i, animated: false)
discussionQuestionSegmentedControl.subviews[i].accessibilityLabel = segmentOptions[i].title.string
}
discussionQuestionSegmentedControl.oex_addAction({ [weak self] (control:AnyObject) -> Void in
if let segmentedControl = control as? UISegmentedControl {
let index = segmentedControl.selectedSegmentIndex
let threadType = segmentOptions[index].value
self?.selectedThreadType = threadType
self?.updateSelectedTabColor()
}
else {
assert(true, "Invalid Segment ID, Remove this segment index OR handle it in the ThreadType enum")
}
}, for: UIControl.Event.valueChanged)
discussionQuestionSegmentedControl.tintColor = OEXStyles.shared().primaryXLightColor()
discussionQuestionSegmentedControl.setTitleTextAttributes([NSAttributedString.Key.foregroundColor: OEXStyles.shared().neutralWhite()], for: UIControl.State.selected)
discussionQuestionSegmentedControl.selectedSegmentIndex = 0
updateSelectedTabColor()
}
private func updateSelectedTabColor() {
// //UIsegmentControl don't Multiple tint color so updating tint color of subviews to match desired behaviour
let subViews:NSArray = discussionQuestionSegmentedControl.subviews as NSArray
for i in 0..<subViews.count {
if (subViews.object(at: i) as AnyObject).isSelected ?? false {
let view = subViews.object(at: i) as! UIView
view.tintColor = OEXStyles.shared().primaryBaseColor()
}
else {
let view = subViews.object(at: i) as! UIView
view.tintColor = OEXStyles.shared().primaryXLightColor()
}
}
}
override public func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
self.environment.analytics.trackDiscussionScreen(withName: AnalyticsScreenName.CreateTopicThread, courseId: self.courseID, value: selectedTopic?.name, threadId: nil, topicId: selectedTopic?.id, responseID: nil)
}
override public var shouldAutorotate: Bool {
return true
}
override public var supportedInterfaceOrientations: UIInterfaceOrientationMask {
return .allButUpsideDown
}
private func loadedData() {
loadController.state = topics.value?.count == 0 ? LoadState.empty(icon: .NoTopics, message : Strings.unableToLoadCourseContent) : .Loaded
if selectedTopic == nil {
selectedTopic = firstSelectableTopic
}
setTopicsButtonTitle()
}
private func setTopicsButtonTitle() {
if let topic = selectedTopic, let name = topic.name {
let title = Strings.topic(topic: name)
topicButton.setAttributedTitle(OEXTextStyle(weight : .normal, size: .small, color: OEXStyles.shared().primaryXLightColor()).attributedString(withText: title), for: .normal)
}
}
func showTopicPicker() {
if self.optionsViewController != nil {
return
}
view.endEditing(true)
self.optionsViewController = MenuOptionsViewController()
self.optionsViewController?.delegate = self
guard let courseTopics = topics.value else {
//Don't need to configure an empty state here because it's handled in viewDidLoad()
return
}
self.optionsViewController?.options = courseTopics.map {
return MenuOptionsViewController.MenuOption(depth : $0.depth, label : $0.name ?? "")
}
self.optionsViewController?.selectedOptionIndex = self.selectedTopicIndex()
self.view.addSubview(self.optionsViewController!.view)
self.optionsViewController!.view.snp.makeConstraints { make in
make.trailing.equalTo(self.topicButton)
make.leading.equalTo(self.topicButton)
make.top.equalTo(self.topicButton.snp.bottom).offset(-3)
make.bottom.equalTo(safeBottom)
}
self.optionsViewController?.view.alpha = 0.0
UIView.animate(withDuration: 0.3) {
self.optionsViewController?.view.alpha = 1.0
}
}
private func selectedTopicIndex() -> Int? {
guard let selected = selectedTopic else {
return 0
}
return self.topics.value?.firstIndexMatching {
return $0.id == selected.id
}
}
public func textViewDidChange(_ textView: UITextView) {
validatePostButton()
growingTextController.handleTextChange()
}
public func menuOptionsController(controller : MenuOptionsViewController, canSelectOptionAtIndex index : Int) -> Bool {
return self.topics.value?[index].isSelectable ?? false
}
private func validatePostButton() {
self.postButton.isEnabled = !(titleTextField.text ?? "").isEmpty && !contentTextView.text.isEmpty && self.selectedTopic != nil
}
func menuOptionsController(controller : MenuOptionsViewController, selectedOptionAtIndex index: Int) {
selectedTopic = self.topics.value?[index]
if let topic = selectedTopic, topic.id != nil {
setTopicsButtonTitle()
UIAccessibility.post(notification: UIAccessibility.Notification.layoutChanged, argument: titleTextField);
UIView.animate(withDuration: 0.3, animations: {
self.optionsViewController?.view.alpha = 0.0
}, completion: {[weak self](finished: Bool) in
self?.optionsViewController?.view.removeFromSuperview()
self?.optionsViewController = nil
})
}
}
public override func viewDidLayoutSubviews() {
self.insetsController.updateInsets()
growingTextController.scrollToVisible()
}
private func textFieldDidBeginEditing(textField: UITextField) {
tapButton.isAccessibilityElement = true
}
private func textFieldDidEndEditing(textField: UITextField) {
tapButton.isAccessibilityElement = false
}
public func textViewDidBeginEditing(_ textView: UITextView) {
tapButton.isAccessibilityElement = true
}
public func textViewDidEndEditing(_ textView: UITextView) {
tapButton.isAccessibilityElement = false
}
}
extension UISegmentedControl {
//UIsegmentControl didn't support attributedTitle by default
func insertSegmentWithAttributedTitle(title: NSAttributedString, index: NSInteger, animated: Bool) {
let segmentLabel = UILabel()
segmentLabel.backgroundColor = UIColor.clear
segmentLabel.textAlignment = .center
segmentLabel.attributedText = title
segmentLabel.sizeToFit()
self.insertSegment(with: segmentLabel.toImage(), at: 1, animated: false)
}
}
extension UILabel {
func toImage()-> UIImage? {
UIGraphicsBeginImageContextWithOptions(self.bounds.size, false, 0)
self.layer.render(in: UIGraphicsGetCurrentContext()!)
let image = UIGraphicsGetImageFromCurrentImageContext()
UIGraphicsEndImageContext();
return image;
}
}
// For use in testing only
extension DiscussionNewPostViewController {
public func t_topicsLoaded() -> OEXStream<[DiscussionTopic]> {
return topics
}
}
| apache-2.0 | 5c2036235b6f972be7b84866afacfc82 | 44.167464 | 254 | 0.685752 | 5.690175 | false | false | false | false |
glimpseio/ChannelZ | Sources/ChannelZ/Combinators.swift | 1 | 64865 | //
// Combinators.swift
// ChannelZ
//
// Created by Marc Prud'hommeaux on 4/5/16.
// Copyright © 2010-2020 glimpse.io. All rights reserved.
//
// Swift 4 TODO: Variadic Generics: https://github.com/apple/swift/blob/master/docs/GenericsManifesto.md#variadic-generics
/// One of a set number of options; simulates a union of arbitrarity arity
public protocol ChooseNType {
/// Returns the number of choices
var arity: Int { get }
/// The first type in thie choice; also the primary type, in that it will be the subject of `firstMap`
associatedtype T1
var v1: T1? { get set }
}
public extension ChooseNType {
/// Similar to `flatMap`, except it will call the function when the element of this
/// type is the T1 type, and null if it is any other type (T2, T3, ...)
@inlinable func firstMap<U>(_ f: (T1) throws -> U?) rethrows -> U? {
if let value = self.v1 {
return try f(value)
} else {
return nil
}
}
}
/// One of at least 2 options
public protocol Choose2Type : ChooseNType {
associatedtype T2
var v2: T2? { get set }
}
/// An error that indicates that multiple errors occured when decoding the type;
/// Each error should correspond to one of the choices for this type.
public struct ChoiceDecodingError<T: ChooseNType> : Error {
public let errors: [Error]
public init(errors: [Error]) {
self.errors = errors
}
}
/// One of exactly 2 options
public enum Choose2<T1, T2>: Choose2Type {
public var arity: Int { return 2 }
/// First of 2
case v1(T1)
/// Second of 2
case v2(T2)
@inlinable public init(t1: T1) { self = .v1(t1) }
@inlinable public init(_ t1: T1) { self = .v1(t1) }
@inlinable public init(t2: T2) { self = .v2(t2) }
@inlinable public init(_ t2: T2) { self = .v2(t2) }
@inlinable public var first: T1? { if case .v1(let x) = self { return x } else { return nil } }
@inlinable public var v1: T1? {
get { if case .v1(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v1(x) } }
}
@inlinable public var v2: T2? {
get { if case .v2(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v2(x) } }
}
}
public extension Choose2 where T1 == T2 {
/// When a ChooseN type wraps the same value types, returns the single value
@inlinable var value: T1 {
switch self {
case .v1(let x): return x
case .v2(let x): return x
}
}
}
extension Choose2 : Encodable where T1 : Encodable, T2 : Encodable {
@inlinable public func encode(to encoder: Encoder) throws {
switch self {
case .v1(let x): try x.encode(to: encoder)
case .v2(let x): try x.encode(to: encoder)
}
}
}
extension Choose2 : Decodable where T1 : Decodable, T2 : Decodable {
@inlinable public init(from decoder: Decoder) throws {
var errors: [Error] = []
do { self = try .v1(T1(from: decoder)); return } catch { errors.append(error) }
do { self = try .v2(T2(from: decoder)); return } catch { errors.append(error) }
throw ChoiceDecodingError<Choose2>(errors: errors)
}
}
extension Choose2 : Equatable where T1 : Equatable, T2 : Equatable { }
extension Choose2 : Hashable where T1 : Hashable, T2 : Hashable { }
/// One of at least 3 options
public protocol Choose3Type : Choose2Type {
associatedtype T3
var v3: T3? { get set }
}
/// One of exactly 3 options
public enum Choose3<T1, T2, T3>: Choose3Type {
@inlinable public var arity: Int { return 3 }
/// First of 3
case v1(T1)
/// Second of 3
case v2(T2)
/// Third of 3
case v3(T3)
@inlinable public init(t1: T1) { self = .v1(t1) }
@inlinable public init(_ t1: T1) { self = .v1(t1) }
@inlinable public init(t2: T2) { self = .v2(t2) }
@inlinable public init(_ t2: T2) { self = .v2(t2) }
@inlinable public init(t3: T3) { self = .v3(t3) }
@inlinable public init(_ t3: T3) { self = .v3(t3) }
@inlinable public var first: T1? { if case .v1(let x) = self { return x } else { return nil } }
@inlinable public var v1: T1? {
get { if case .v1(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v1(x) } }
}
@inlinable public var v2: T2? {
get { if case .v2(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v2(x) } }
}
@inlinable public var v3: T3? {
get { if case .v3(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v3(x) } }
}
/// Split the tuple into nested Choose2 instances
@inlinable public func split() -> Choose2<Choose2<T1, T2>, T3> {
switch self {
case .v1(let v): return .v1(.v1(v))
case .v2(let v): return .v1(.v2(v))
case .v3(let v): return .v2(v)
}
}
}
public extension Choose3 where T1 == T2, T2 == T3 {
/// When a ChooseN type wraps the same value types, returns the single value
@inlinable var value: T1 {
switch self {
case .v1(let x): return x
case .v2(let x): return x
case .v3(let x): return x
}
}
}
extension Choose3 : Encodable where T1 : Encodable, T2 : Encodable, T3 : Encodable {
@inlinable public func encode(to encoder: Encoder) throws {
switch self {
case .v1(let x): try x.encode(to: encoder)
case .v2(let x): try x.encode(to: encoder)
case .v3(let x): try x.encode(to: encoder)
}
}
}
extension Choose3 : Decodable where T1 : Decodable, T2 : Decodable, T3 : Decodable {
@inlinable public init(from decoder: Decoder) throws {
var errors: [Error] = []
do { self = try .v1(T1(from: decoder)); return } catch { errors.append(error) }
do { self = try .v2(T2(from: decoder)); return } catch { errors.append(error) }
do { self = try .v3(T3(from: decoder)); return } catch { errors.append(error) }
throw ChoiceDecodingError<Choose3>(errors: errors)
}
}
extension Choose3 : Equatable where T1 : Equatable, T2 : Equatable, T3 : Equatable { }
extension Choose3 : Hashable where T1 : Hashable, T2 : Hashable, T3 : Hashable { }
/// One of at least 4 options
public protocol Choose4Type : Choose3Type {
associatedtype T4
var v4: T4? { get set }
}
/// One of exactly 4 options
public enum Choose4<T1, T2, T3, T4>: Choose4Type {
@inlinable public var arity: Int { return 4 }
/// First of 4
case v1(T1)
/// Second of 4
case v2(T2)
/// Third of 4
case v3(T3)
/// Fourth of 4
case v4(T4)
@inlinable public init(t1: T1) { self = .v1(t1) }
@inlinable public init(_ t1: T1) { self = .v1(t1) }
@inlinable public init(t2: T2) { self = .v2(t2) }
@inlinable public init(_ t2: T2) { self = .v2(t2) }
@inlinable public init(t3: T3) { self = .v3(t3) }
@inlinable public init(_ t3: T3) { self = .v3(t3) }
@inlinable public init(t4: T4) { self = .v4(t4) }
@inlinable public init(_ t4: T4) { self = .v4(t4) }
@inlinable public var first: T1? { if case .v1(let x) = self { return x } else { return nil } }
@inlinable public var v1: T1? {
get { if case .v1(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v1(x) } }
}
@inlinable public var v2: T2? {
get { if case .v2(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v2(x) } }
}
@inlinable public var v3: T3? {
get { if case .v3(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v3(x) } }
}
@inlinable public var v4: T4? {
get { if case .v4(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v4(x) } }
}
/// Split the tuple into nested Choose2 instances
@inlinable public func split() -> Choose2<Choose2<Choose2<T1, T2>, T3>, T4> {
switch self {
case .v1(let v): return .v1(.v1(.v1(v)))
case .v2(let v): return .v1(.v1(.v2(v)))
case .v3(let v): return .v1(.v2(v))
case .v4(let v): return .v2(v)
}
}
}
public extension Choose4 where T1 == T2, T2 == T3, T3 == T4 {
/// When a ChooseN type wraps the same value types, returns the single value
@inlinable var value: T1 {
switch self {
case .v1(let x): return x
case .v2(let x): return x
case .v3(let x): return x
case .v4(let x): return x
}
}
}
extension Choose4 : Encodable where T1 : Encodable, T2 : Encodable, T3 : Encodable, T4 : Encodable {
@inlinable public func encode(to encoder: Encoder) throws {
switch self {
case .v1(let x): try x.encode(to: encoder)
case .v2(let x): try x.encode(to: encoder)
case .v3(let x): try x.encode(to: encoder)
case .v4(let x): try x.encode(to: encoder)
}
}
}
extension Choose4 : Decodable where T1 : Decodable, T2 : Decodable, T3 : Decodable, T4 : Decodable {
@inlinable public init(from decoder: Decoder) throws {
var errors: [Error] = []
do { self = try .v1(T1(from: decoder)); return } catch { errors.append(error) }
do { self = try .v2(T2(from: decoder)); return } catch { errors.append(error) }
do { self = try .v3(T3(from: decoder)); return } catch { errors.append(error) }
do { self = try .v4(T4(from: decoder)); return } catch { errors.append(error) }
throw ChoiceDecodingError<Choose4>(errors: errors)
}
}
extension Choose4 : Equatable where T1 : Equatable, T2 : Equatable, T3 : Equatable, T4 : Equatable { }
extension Choose4 : Hashable where T1 : Hashable, T2 : Hashable, T3 : Hashable, T4 : Hashable { }
/// One of at least 5 options
public protocol Choose5Type : Choose4Type {
associatedtype T5
var v5: T5? { get set }
}
/// One of exactly 5 options
public enum Choose5<T1, T2, T3, T4, T5>: Choose5Type {
@inlinable public var arity: Int { return 5 }
/// First of 5
case v1(T1)
/// Second of 5
case v2(T2)
/// Third of 5
case v3(T3)
/// Fourth of 5
case v4(T4)
/// Fifth of 5
case v5(T5)
@inlinable public init(t1: T1) { self = .v1(t1) }
@inlinable public init(_ t1: T1) { self = .v1(t1) }
@inlinable public init(t2: T2) { self = .v2(t2) }
@inlinable public init(_ t2: T2) { self = .v2(t2) }
@inlinable public init(t3: T3) { self = .v3(t3) }
@inlinable public init(_ t3: T3) { self = .v3(t3) }
@inlinable public init(t4: T4) { self = .v4(t4) }
@inlinable public init(_ t4: T4) { self = .v4(t4) }
@inlinable public init(t5: T5) { self = .v5(t5) }
@inlinable public init(_ t5: T5) { self = .v5(t5) }
@inlinable public var first: T1? { if case .v1(let x) = self { return x } else { return nil } }
@inlinable public var v1: T1? {
get { if case .v1(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v1(x) } }
}
@inlinable public var v2: T2? {
get { if case .v2(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v2(x) } }
}
@inlinable public var v3: T3? {
get { if case .v3(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v3(x) } }
}
@inlinable public var v4: T4? {
get { if case .v4(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v4(x) } }
}
@inlinable public var v5: T5? {
get { if case .v5(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v5(x) } }
}
/// Split the tuple into nested Choose2 instances
@inlinable public func split() -> Choose2<Choose2<Choose2<Choose2<T1, T2>, T3>, T4>, T5> {
switch self {
case .v1(let v): return .v1(.v1(.v1(.v1(v))))
case .v2(let v): return .v1(.v1(.v1(.v2(v))))
case .v3(let v): return .v1(.v1(.v2(v)))
case .v4(let v): return .v1(.v2(v))
case .v5(let v): return .v2(v)
}
}
}
public extension Choose5 where T1 == T2, T2 == T3, T3 == T4, T4 == T5 {
/// When a ChooseN type wraps the same value types, returns the single value
@inlinable var value: T1 {
switch self {
case .v1(let x): return x
case .v2(let x): return x
case .v3(let x): return x
case .v4(let x): return x
case .v5(let x): return x
}
}
}
extension Choose5 : Encodable where T1 : Encodable, T2 : Encodable, T3 : Encodable, T4 : Encodable, T5 : Encodable {
@inlinable public func encode(to encoder: Encoder) throws {
switch self {
case .v1(let x): try x.encode(to: encoder)
case .v2(let x): try x.encode(to: encoder)
case .v3(let x): try x.encode(to: encoder)
case .v4(let x): try x.encode(to: encoder)
case .v5(let x): try x.encode(to: encoder)
}
}
}
extension Choose5 : Decodable where T1 : Decodable, T2 : Decodable, T3 : Decodable, T4 : Decodable, T5 : Decodable {
@inlinable public init(from decoder: Decoder) throws {
var errors: [Error] = []
do { self = try .v1(T1(from: decoder)); return } catch { errors.append(error) }
do { self = try .v2(T2(from: decoder)); return } catch { errors.append(error) }
do { self = try .v3(T3(from: decoder)); return } catch { errors.append(error) }
do { self = try .v4(T4(from: decoder)); return } catch { errors.append(error) }
do { self = try .v5(T5(from: decoder)); return } catch { errors.append(error) }
throw ChoiceDecodingError<Choose5>(errors: errors)
}
}
extension Choose5 : Equatable where T1 : Equatable, T2 : Equatable, T3 : Equatable, T4 : Equatable, T5 : Equatable { }
extension Choose5 : Hashable where T1 : Hashable, T2 : Hashable, T3 : Hashable, T4 : Hashable, T5 : Hashable { }
/// One of at least 6 options
public protocol Choose6Type : Choose5Type {
associatedtype T6
var v6: T6? { get set }
}
/// One of exactly 6 options
public enum Choose6<T1, T2, T3, T4, T5, T6>: Choose6Type {
@inlinable public var arity: Int { return 6 }
/// First of 6
case v1(T1)
/// Second of 6
case v2(T2)
/// Third of 6
case v3(T3)
/// Fourth of 6
case v4(T4)
/// Fifth of 6
case v5(T5)
/// Sixth of 6
case v6(T6)
@inlinable public init(t1: T1) { self = .v1(t1) }
@inlinable public init(_ t1: T1) { self = .v1(t1) }
@inlinable public init(t2: T2) { self = .v2(t2) }
@inlinable public init(_ t2: T2) { self = .v2(t2) }
@inlinable public init(t3: T3) { self = .v3(t3) }
@inlinable public init(_ t3: T3) { self = .v3(t3) }
@inlinable public init(t4: T4) { self = .v4(t4) }
@inlinable public init(_ t4: T4) { self = .v4(t4) }
@inlinable public init(t5: T5) { self = .v5(t5) }
@inlinable public init(_ t5: T5) { self = .v5(t5) }
@inlinable public init(t6: T6) { self = .v6(t6) }
@inlinable public init(_ t6: T6) { self = .v6(t6) }
@inlinable public var first: T1? { if case .v1(let x) = self { return x } else { return nil } }
@inlinable public var v1: T1? {
get { if case .v1(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v1(x) } }
}
@inlinable public var v2: T2? {
get { if case .v2(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v2(x) } }
}
@inlinable public var v3: T3? {
get { if case .v3(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v3(x) } }
}
@inlinable public var v4: T4? {
get { if case .v4(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v4(x) } }
}
@inlinable public var v5: T5? {
get { if case .v5(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v5(x) } }
}
@inlinable public var v6: T6? {
get { if case .v6(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v6(x) } }
}
/// Split the tuple into nested Choose2 instances
@inlinable public func split() -> Choose2<Choose2<Choose2<Choose2<Choose2<T1, T2>, T3>, T4>, T5>, T6> {
switch self {
case .v1(let v): return .v1(.v1(.v1(.v1(.v1(v)))))
case .v2(let v): return .v1(.v1(.v1(.v1(.v2(v)))))
case .v3(let v): return .v1(.v1(.v1(.v2(v))))
case .v4(let v): return .v1(.v1(.v2(v)))
case .v5(let v): return .v1(.v2(v))
case .v6(let v): return .v2(v)
}
}
}
public extension Choose6 where T1 == T2, T2 == T3, T3 == T4, T4 == T5, T5 == T6 {
/// When a ChooseN type wraps the same value types, returns the single value
var value: T1 {
switch self {
case .v1(let x): return x
case .v2(let x): return x
case .v3(let x): return x
case .v4(let x): return x
case .v5(let x): return x
case .v6(let x): return x
}
}
}
extension Choose6 : Encodable where T1 : Encodable, T2 : Encodable, T3 : Encodable, T4 : Encodable, T5 : Encodable, T6 : Encodable {
@inlinable public func encode(to encoder: Encoder) throws {
switch self {
case .v1(let x): try x.encode(to: encoder)
case .v2(let x): try x.encode(to: encoder)
case .v3(let x): try x.encode(to: encoder)
case .v4(let x): try x.encode(to: encoder)
case .v5(let x): try x.encode(to: encoder)
case .v6(let x): try x.encode(to: encoder)
}
}
}
extension Choose6 : Decodable where T1 : Decodable, T2 : Decodable, T3 : Decodable, T4 : Decodable, T5 : Decodable, T6 : Decodable {
@inlinable public init(from decoder: Decoder) throws {
var errors: [Error] = []
do { self = try .v1(T1(from: decoder)); return } catch { errors.append(error) }
do { self = try .v2(T2(from: decoder)); return } catch { errors.append(error) }
do { self = try .v3(T3(from: decoder)); return } catch { errors.append(error) }
do { self = try .v4(T4(from: decoder)); return } catch { errors.append(error) }
do { self = try .v5(T5(from: decoder)); return } catch { errors.append(error) }
do { self = try .v6(T6(from: decoder)); return } catch { errors.append(error) }
throw ChoiceDecodingError<Choose6>(errors: errors)
}
}
extension Choose6 : Equatable where T1 : Equatable, T2 : Equatable, T3 : Equatable, T4 : Equatable, T5 : Equatable, T6 : Equatable { }
extension Choose6 : Hashable where T1 : Hashable, T2 : Hashable, T3 : Hashable, T4 : Hashable, T5 : Hashable, T6 : Hashable { }
/// One of at least 7 options
public protocol Choose7Type : Choose6Type {
associatedtype T7
var v7: T7? { get set }
}
/// One of exactly 7 options
public enum Choose7<T1, T2, T3, T4, T5, T6, T7>: Choose7Type {
@inlinable public var arity: Int { return 7 }
/// First of 7
case v1(T1)
/// Second of 7
case v2(T2)
/// Third of 7
case v3(T3)
/// Fourth of 7
case v4(T4)
/// Fifth of 7
case v5(T5)
/// Sixth of 7
case v6(T6)
/// Seventh of 7
case v7(T7)
@inlinable public init(t1: T1) { self = .v1(t1) }
@inlinable public init(_ t1: T1) { self = .v1(t1) }
@inlinable public init(t2: T2) { self = .v2(t2) }
@inlinable public init(_ t2: T2) { self = .v2(t2) }
@inlinable public init(t3: T3) { self = .v3(t3) }
@inlinable public init(_ t3: T3) { self = .v3(t3) }
@inlinable public init(t4: T4) { self = .v4(t4) }
@inlinable public init(_ t4: T4) { self = .v4(t4) }
@inlinable public init(t5: T5) { self = .v5(t5) }
@inlinable public init(_ t5: T5) { self = .v5(t5) }
@inlinable public init(t6: T6) { self = .v6(t6) }
@inlinable public init(_ t6: T6) { self = .v6(t6) }
@inlinable public init(t7: T7) { self = .v7(t7) }
@inlinable public init(_ t7: T7) { self = .v7(t7) }
@inlinable public var first: T1? { if case .v1(let x) = self { return x } else { return nil } }
@inlinable public var v1: T1? {
get { if case .v1(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v1(x) } }
}
@inlinable public var v2: T2? {
get { if case .v2(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v2(x) } }
}
@inlinable public var v3: T3? {
get { if case .v3(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v3(x) } }
}
@inlinable public var v4: T4? {
get { if case .v4(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v4(x) } }
}
@inlinable public var v5: T5? {
get { if case .v5(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v5(x) } }
}
@inlinable public var v6: T6? {
get { if case .v6(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v6(x) } }
}
@inlinable public var v7: T7? {
get { if case .v7(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v7(x) } }
}
/// Split the tuple into nested Choose2 instances
@inlinable public func split() -> Choose2<Choose2<Choose2<Choose2<Choose2<Choose2<T1, T2>, T3>, T4>, T5>, T6>, T7> {
switch self {
case .v1(let v): return .v1(.v1(.v1(.v1(.v1(.v1(v))))))
case .v2(let v): return .v1(.v1(.v1(.v1(.v1(.v2(v))))))
case .v3(let v): return .v1(.v1(.v1(.v1(.v2(v)))))
case .v4(let v): return .v1(.v1(.v1(.v2(v))))
case .v5(let v): return .v1(.v1(.v2(v)))
case .v6(let v): return .v1(.v2(v))
case .v7(let v): return .v2(v)
}
}
}
public extension Choose7 where T1 == T2, T2 == T3, T3 == T4, T4 == T5, T5 == T6, T6 == T7 {
/// When a ChooseN type wraps the same value types, returns the single value
@inlinable var value: T1 {
switch self {
case .v1(let x): return x
case .v2(let x): return x
case .v3(let x): return x
case .v4(let x): return x
case .v5(let x): return x
case .v6(let x): return x
case .v7(let x): return x
}
}
}
extension Choose7 : Encodable where T1 : Encodable, T2 : Encodable, T3 : Encodable, T4 : Encodable, T5 : Encodable, T6 : Encodable, T7 : Encodable {
@inlinable public func encode(to encoder: Encoder) throws {
switch self {
case .v1(let x): try x.encode(to: encoder)
case .v2(let x): try x.encode(to: encoder)
case .v3(let x): try x.encode(to: encoder)
case .v4(let x): try x.encode(to: encoder)
case .v5(let x): try x.encode(to: encoder)
case .v6(let x): try x.encode(to: encoder)
case .v7(let x): try x.encode(to: encoder)
}
}
}
extension Choose7 : Decodable where T1 : Decodable, T2 : Decodable, T3 : Decodable, T4 : Decodable, T5 : Decodable, T6 : Decodable, T7 : Decodable {
@inlinable public init(from decoder: Decoder) throws {
var errors: [Error] = []
do { self = try .v1(T1(from: decoder)); return } catch { errors.append(error) }
do { self = try .v2(T2(from: decoder)); return } catch { errors.append(error) }
do { self = try .v3(T3(from: decoder)); return } catch { errors.append(error) }
do { self = try .v4(T4(from: decoder)); return } catch { errors.append(error) }
do { self = try .v5(T5(from: decoder)); return } catch { errors.append(error) }
do { self = try .v6(T6(from: decoder)); return } catch { errors.append(error) }
do { self = try .v7(T7(from: decoder)); return } catch { errors.append(error) }
throw ChoiceDecodingError<Choose7>(errors: errors)
}
}
extension Choose7 : Equatable where T1 : Equatable, T2 : Equatable, T3 : Equatable, T4 : Equatable, T5 : Equatable, T6 : Equatable, T7 : Equatable { }
extension Choose7 : Hashable where T1 : Hashable, T2 : Hashable, T3 : Hashable, T4 : Hashable, T5 : Hashable, T6 : Hashable, T7 : Hashable { }
/// One of at least 8 options
public protocol Choose8Type : Choose7Type {
associatedtype T8
var v8: T8? { get set }
}
/// One of exactly 8 options
public enum Choose8<T1, T2, T3, T4, T5, T6, T7, T8>: Choose8Type {
@inlinable public var arity: Int { return 8 }
/// First of 8
case v1(T1)
/// Second of 8
case v2(T2)
/// Third of 8
case v3(T3)
/// Fourth of 8
case v4(T4)
/// Fifth of 8
case v5(T5)
/// Sixth of 8
case v6(T6)
/// Seventh of 8
case v7(T7)
/// Eighth of 8
case v8(T8)
@inlinable public init(t1: T1) { self = .v1(t1) }
@inlinable public init(_ t1: T1) { self = .v1(t1) }
@inlinable public init(t2: T2) { self = .v2(t2) }
@inlinable public init(_ t2: T2) { self = .v2(t2) }
@inlinable public init(t3: T3) { self = .v3(t3) }
@inlinable public init(_ t3: T3) { self = .v3(t3) }
@inlinable public init(t4: T4) { self = .v4(t4) }
@inlinable public init(_ t4: T4) { self = .v4(t4) }
@inlinable public init(t5: T5) { self = .v5(t5) }
@inlinable public init(_ t5: T5) { self = .v5(t5) }
@inlinable public init(t6: T6) { self = .v6(t6) }
@inlinable public init(_ t6: T6) { self = .v6(t6) }
@inlinable public init(t7: T7) { self = .v7(t7) }
@inlinable public init(_ t7: T7) { self = .v7(t7) }
@inlinable public init(t8: T8) { self = .v8(t8) }
@inlinable public init(_ t8: T8) { self = .v8(t8) }
@inlinable public var first: T1? { if case .v1(let x) = self { return x } else { return nil } }
@inlinable public var v1: T1? {
get { if case .v1(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v1(x) } }
}
@inlinable public var v2: T2? {
get { if case .v2(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v2(x) } }
}
@inlinable public var v3: T3? {
get { if case .v3(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v3(x) } }
}
@inlinable public var v4: T4? {
get { if case .v4(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v4(x) } }
}
@inlinable public var v5: T5? {
get { if case .v5(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v5(x) } }
}
@inlinable public var v6: T6? {
get { if case .v6(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v6(x) } }
}
@inlinable public var v7: T7? {
get { if case .v7(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v7(x) } }
}
@inlinable public var v8: T8? {
get { if case .v8(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v8(x) } }
}
/// Split the tuple into nested Choose2 instances
@inlinable public func split() -> Choose2<Choose2<Choose2<Choose2<Choose2<Choose2<Choose2<T1, T2>, T3>, T4>, T5>, T6>, T7>, T8> {
switch self {
case .v1(let v): return .v1(.v1(.v1(.v1(.v1(.v1(.v1(v)))))))
case .v2(let v): return .v1(.v1(.v1(.v1(.v1(.v1(.v2(v)))))))
case .v3(let v): return .v1(.v1(.v1(.v1(.v1(.v2(v))))))
case .v4(let v): return .v1(.v1(.v1(.v1(.v2(v)))))
case .v5(let v): return .v1(.v1(.v1(.v2(v))))
case .v6(let v): return .v1(.v1(.v2(v)))
case .v7(let v): return .v1(.v2(v))
case .v8(let v): return .v2(v)
}
}
}
public extension Choose8 where T1 == T2, T2 == T3, T3 == T4, T4 == T5, T5 == T6, T6 == T7, T7 == T8 {
/// When a ChooseN type wraps the same value types, returns the single value
@inlinable var value: T1 {
switch self {
case .v1(let x): return x
case .v2(let x): return x
case .v3(let x): return x
case .v4(let x): return x
case .v5(let x): return x
case .v6(let x): return x
case .v7(let x): return x
case .v8(let x): return x
}
}
}
extension Choose8 : Encodable where T1 : Encodable, T2 : Encodable, T3 : Encodable, T4 : Encodable, T5 : Encodable, T6 : Encodable, T7 : Encodable, T8 : Encodable {
@inlinable public func encode(to encoder: Encoder) throws {
switch self {
case .v1(let x): try x.encode(to: encoder)
case .v2(let x): try x.encode(to: encoder)
case .v3(let x): try x.encode(to: encoder)
case .v4(let x): try x.encode(to: encoder)
case .v5(let x): try x.encode(to: encoder)
case .v6(let x): try x.encode(to: encoder)
case .v7(let x): try x.encode(to: encoder)
case .v8(let x): try x.encode(to: encoder)
}
}
}
extension Choose8 : Decodable where T1 : Decodable, T2 : Decodable, T3 : Decodable, T4 : Decodable, T5 : Decodable, T6 : Decodable, T7 : Decodable, T8 : Decodable {
@inlinable public init(from decoder: Decoder) throws {
var errors: [Error] = []
do { self = try .v1(T1(from: decoder)); return } catch { errors.append(error) }
do { self = try .v2(T2(from: decoder)); return } catch { errors.append(error) }
do { self = try .v3(T3(from: decoder)); return } catch { errors.append(error) }
do { self = try .v4(T4(from: decoder)); return } catch { errors.append(error) }
do { self = try .v5(T5(from: decoder)); return } catch { errors.append(error) }
do { self = try .v6(T6(from: decoder)); return } catch { errors.append(error) }
do { self = try .v7(T7(from: decoder)); return } catch { errors.append(error) }
do { self = try .v8(T8(from: decoder)); return } catch { errors.append(error) }
throw ChoiceDecodingError<Choose8>(errors: errors)
}
}
extension Choose8 : Equatable where T1 : Equatable, T2 : Equatable, T3 : Equatable, T4 : Equatable, T5 : Equatable, T6 : Equatable, T7 : Equatable, T8 : Equatable { }
extension Choose8 : Hashable where T1 : Hashable, T2 : Hashable, T3 : Hashable, T4 : Hashable, T5 : Hashable, T6 : Hashable, T7 : Hashable, T8 : Hashable { }
/// One of at least 9 options
public protocol Choose9Type : Choose8Type {
associatedtype T9
var v9: T9? { get set }
}
/// One of exactly 9 options
public enum Choose9<T1, T2, T3, T4, T5, T6, T7, T8, T9>: Choose9Type {
@inlinable public var arity: Int { return 9 }
/// First of 9
case v1(T1)
/// Second of 9
case v2(T2)
/// Third of 9
case v3(T3)
/// Fourth of 9
case v4(T4)
/// Fifth of 9
case v5(T5)
/// Sixth of 9
case v6(T6)
/// Seventh of 9
case v7(T7)
/// Eighth of 9
case v8(T8)
/// Ninth of 9
case v9(T9)
@inlinable public init(t1: T1) { self = .v1(t1) }
@inlinable public init(_ t1: T1) { self = .v1(t1) }
@inlinable public init(t2: T2) { self = .v2(t2) }
@inlinable public init(_ t2: T2) { self = .v2(t2) }
@inlinable public init(t3: T3) { self = .v3(t3) }
@inlinable public init(_ t3: T3) { self = .v3(t3) }
@inlinable public init(t4: T4) { self = .v4(t4) }
@inlinable public init(_ t4: T4) { self = .v4(t4) }
@inlinable public init(t5: T5) { self = .v5(t5) }
@inlinable public init(_ t5: T5) { self = .v5(t5) }
@inlinable public init(t6: T6) { self = .v6(t6) }
@inlinable public init(_ t6: T6) { self = .v6(t6) }
@inlinable public init(t7: T7) { self = .v7(t7) }
@inlinable public init(_ t7: T7) { self = .v7(t7) }
@inlinable public init(t8: T8) { self = .v8(t8) }
@inlinable public init(_ t8: T8) { self = .v8(t8) }
@inlinable public init(t9: T9) { self = .v9(t9) }
@inlinable public init(_ t9: T9) { self = .v9(t9) }
@inlinable public var first: T1? { if case .v1(let x) = self { return x } else { return nil } }
@inlinable public var v1: T1? {
get { if case .v1(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v1(x) } }
}
@inlinable public var v2: T2? {
get { if case .v2(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v2(x) } }
}
@inlinable public var v3: T3? {
get { if case .v3(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v3(x) } }
}
@inlinable public var v4: T4? {
get { if case .v4(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v4(x) } }
}
@inlinable public var v5: T5? {
get { if case .v5(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v5(x) } }
}
@inlinable public var v6: T6? {
get { if case .v6(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v6(x) } }
}
@inlinable public var v7: T7? {
get { if case .v7(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v7(x) } }
}
@inlinable public var v8: T8? {
get { if case .v8(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v8(x) } }
}
@inlinable public var v9: T9? {
get { if case .v9(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v9(x) } }
}
/// Split the tuple into nested Choose2 instances
@inlinable public func split() -> Choose2<Choose2<Choose2<Choose2<Choose2<Choose2<Choose2<Choose2<T1, T2>, T3>, T4>, T5>, T6>, T7>, T8>, T9> {
switch self {
case .v1(let v): return .v1(.v1(.v1(.v1(.v1(.v1(.v1(.v1(v))))))))
case .v2(let v): return .v1(.v1(.v1(.v1(.v1(.v1(.v1(.v2(v))))))))
case .v3(let v): return .v1(.v1(.v1(.v1(.v1(.v1(.v2(v)))))))
case .v4(let v): return .v1(.v1(.v1(.v1(.v1(.v2(v))))))
case .v5(let v): return .v1(.v1(.v1(.v1(.v2(v)))))
case .v6(let v): return .v1(.v1(.v1(.v2(v))))
case .v7(let v): return .v1(.v1(.v2(v)))
case .v8(let v): return .v1(.v2(v))
case .v9(let v): return .v2(v)
}
}
}
public extension Choose9 where T1 == T2, T2 == T3, T3 == T4, T4 == T5, T5 == T6, T6 == T7, T7 == T8, T8 == T9 {
/// When a ChooseN type wraps the same value types, returns the single value
@inlinable var value: T1 {
switch self {
case .v1(let x): return x
case .v2(let x): return x
case .v3(let x): return x
case .v4(let x): return x
case .v5(let x): return x
case .v6(let x): return x
case .v7(let x): return x
case .v8(let x): return x
case .v9(let x): return x
}
}
}
extension Choose9 : Encodable where T1 : Encodable, T2 : Encodable, T3 : Encodable, T4 : Encodable, T5 : Encodable, T6 : Encodable, T7 : Encodable, T8 : Encodable, T9 : Encodable {
@inlinable public func encode(to encoder: Encoder) throws {
switch self {
case .v1(let x): try x.encode(to: encoder)
case .v2(let x): try x.encode(to: encoder)
case .v3(let x): try x.encode(to: encoder)
case .v4(let x): try x.encode(to: encoder)
case .v5(let x): try x.encode(to: encoder)
case .v6(let x): try x.encode(to: encoder)
case .v7(let x): try x.encode(to: encoder)
case .v8(let x): try x.encode(to: encoder)
case .v9(let x): try x.encode(to: encoder)
}
}
}
extension Choose9 : Decodable where T1 : Decodable, T2 : Decodable, T3 : Decodable, T4 : Decodable, T5 : Decodable, T6 : Decodable, T7 : Decodable, T8 : Decodable, T9 : Decodable {
@inlinable public init(from decoder: Decoder) throws {
var errors: [Error] = []
do { self = try .v1(T1(from: decoder)); return } catch { errors.append(error) }
do { self = try .v2(T2(from: decoder)); return } catch { errors.append(error) }
do { self = try .v3(T3(from: decoder)); return } catch { errors.append(error) }
do { self = try .v4(T4(from: decoder)); return } catch { errors.append(error) }
do { self = try .v5(T5(from: decoder)); return } catch { errors.append(error) }
do { self = try .v6(T6(from: decoder)); return } catch { errors.append(error) }
do { self = try .v7(T7(from: decoder)); return } catch { errors.append(error) }
do { self = try .v8(T8(from: decoder)); return } catch { errors.append(error) }
do { self = try .v9(T9(from: decoder)); return } catch { errors.append(error) }
throw ChoiceDecodingError<Choose9>(errors: errors)
}
}
extension Choose9 : Equatable where T1 : Equatable, T2 : Equatable, T3 : Equatable, T4 : Equatable, T5 : Equatable, T6 : Equatable, T7 : Equatable, T8 : Equatable, T9 : Equatable { }
extension Choose9 : Hashable where T1 : Hashable, T2 : Hashable, T3 : Hashable, T4 : Hashable, T5 : Hashable, T6 : Hashable, T7 : Hashable, T8 : Hashable, T9 : Hashable { }
/// One of at least 10 options
public protocol Choose10Type : Choose9Type {
associatedtype T10
var v10: T10? { get set }
}
/// One of exactly 10 options
public enum Choose10<T1, T2, T3, T4, T5, T6, T7, T8, T9, T10>: Choose10Type {
@inlinable public var arity: Int { return 10 }
/// First of 10
case v1(T1)
/// Second of 10
case v2(T2)
/// Third of 10
case v3(T3)
/// Fourth of 10
case v4(T4)
/// Fifth of 10
case v5(T5)
/// Sixth of 10
case v6(T6)
/// Seventh of 10
case v7(T7)
/// Eighth of 10
case v8(T8)
/// Ninth of 10
case v9(T9)
/// Tenth of 10
case v10(T10)
@inlinable public init(t1: T1) { self = .v1(t1) }
@inlinable public init(_ t1: T1) { self = .v1(t1) }
@inlinable public init(t2: T2) { self = .v2(t2) }
@inlinable public init(_ t2: T2) { self = .v2(t2) }
@inlinable public init(t3: T3) { self = .v3(t3) }
@inlinable public init(_ t3: T3) { self = .v3(t3) }
@inlinable public init(t4: T4) { self = .v4(t4) }
@inlinable public init(_ t4: T4) { self = .v4(t4) }
@inlinable public init(t5: T5) { self = .v5(t5) }
@inlinable public init(_ t5: T5) { self = .v5(t5) }
@inlinable public init(t6: T6) { self = .v6(t6) }
@inlinable public init(_ t6: T6) { self = .v6(t6) }
@inlinable public init(t7: T7) { self = .v7(t7) }
@inlinable public init(_ t7: T7) { self = .v7(t7) }
@inlinable public init(t8: T8) { self = .v8(t8) }
@inlinable public init(_ t8: T8) { self = .v8(t8) }
@inlinable public init(t9: T9) { self = .v9(t9) }
@inlinable public init(_ t9: T9) { self = .v9(t9) }
@inlinable public init(t10: T10) { self = .v10(t10) }
@inlinable public init(_ t10: T10) { self = .v10(t10) }
@inlinable public var first: T1? { if case .v1(let x) = self { return x } else { return nil } }
@inlinable public var v1: T1? {
get { if case .v1(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v1(x) } }
}
@inlinable public var v2: T2? {
get { if case .v2(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v2(x) } }
}
@inlinable public var v3: T3? {
get { if case .v3(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v3(x) } }
}
@inlinable public var v4: T4? {
get { if case .v4(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v4(x) } }
}
@inlinable public var v5: T5? {
get { if case .v5(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v5(x) } }
}
@inlinable public var v6: T6? {
get { if case .v6(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v6(x) } }
}
@inlinable public var v7: T7? {
get { if case .v7(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v7(x) } }
}
@inlinable public var v8: T8? {
get { if case .v8(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v8(x) } }
}
@inlinable public var v9: T9? {
get { if case .v9(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v9(x) } }
}
@inlinable public var v10: T10? {
get { if case .v10(let x) = self { return x } else { return nil } }
set(x) { if let x = x { self = .v10(x) } }
}
/// Split the tuple into nested Choose2 instances
@inlinable public func split() -> Choose2<Choose2<Choose2<Choose2<Choose2<Choose2<Choose2<Choose2<Choose2<T1, T2>, T3>, T4>, T5>, T6>, T7>, T8>, T9>, T10> {
switch self {
case .v1(let v): return .v1(.v1(.v1(.v1(.v1(.v1(.v1(.v1(.v1(v)))))))))
case .v2(let v): return .v1(.v1(.v1(.v1(.v1(.v1(.v1(.v1(.v2(v)))))))))
case .v3(let v): return .v1(.v1(.v1(.v1(.v1(.v1(.v1(.v2(v))))))))
case .v4(let v): return .v1(.v1(.v1(.v1(.v1(.v1(.v2(v)))))))
case .v5(let v): return .v1(.v1(.v1(.v1(.v1(.v2(v))))))
case .v6(let v): return .v1(.v1(.v1(.v1(.v2(v)))))
case .v7(let v): return .v1(.v1(.v1(.v2(v))))
case .v8(let v): return .v1(.v1(.v2(v)))
case .v9(let v): return .v1(.v2(v))
case .v10(let v): return .v2(v)
}
}
}
public extension Choose10 where T1 == T2, T2 == T3, T3 == T4, T4 == T5, T5 == T6, T6 == T7, T7 == T8, T8 == T9, T9 == T10 {
/// When a ChooseN type wraps the same value types, returns the single value
@inlinable var value: T1 {
switch self {
case .v1(let x): return x
case .v2(let x): return x
case .v3(let x): return x
case .v4(let x): return x
case .v5(let x): return x
case .v6(let x): return x
case .v7(let x): return x
case .v8(let x): return x
case .v9(let x): return x
case .v10(let x): return x
}
}
}
extension Choose10 : Encodable where T1 : Encodable, T2 : Encodable, T3 : Encodable, T4 : Encodable, T5 : Encodable, T6 : Encodable, T7 : Encodable, T8 : Encodable, T9 : Encodable, T10 : Encodable {
@inlinable public func encode(to encoder: Encoder) throws {
switch self {
case .v1(let x): try x.encode(to: encoder)
case .v2(let x): try x.encode(to: encoder)
case .v3(let x): try x.encode(to: encoder)
case .v4(let x): try x.encode(to: encoder)
case .v5(let x): try x.encode(to: encoder)
case .v6(let x): try x.encode(to: encoder)
case .v7(let x): try x.encode(to: encoder)
case .v8(let x): try x.encode(to: encoder)
case .v9(let x): try x.encode(to: encoder)
case .v10(let x): try x.encode(to: encoder)
}
}
}
extension Choose10 : Decodable where T1 : Decodable, T2 : Decodable, T3 : Decodable, T4 : Decodable, T5 : Decodable, T6 : Decodable, T7 : Decodable, T8 : Decodable, T9 : Decodable, T10 : Decodable {
@inlinable public init(from decoder: Decoder) throws {
var errors: [Error] = []
do { self = try .v1(T1(from: decoder)); return } catch { errors.append(error) }
do { self = try .v2(T2(from: decoder)); return } catch { errors.append(error) }
do { self = try .v3(T3(from: decoder)); return } catch { errors.append(error) }
do { self = try .v4(T4(from: decoder)); return } catch { errors.append(error) }
do { self = try .v5(T5(from: decoder)); return } catch { errors.append(error) }
do { self = try .v6(T6(from: decoder)); return } catch { errors.append(error) }
do { self = try .v7(T7(from: decoder)); return } catch { errors.append(error) }
do { self = try .v8(T8(from: decoder)); return } catch { errors.append(error) }
do { self = try .v9(T9(from: decoder)); return } catch { errors.append(error) }
do { self = try .v10(T10(from: decoder)); return } catch { errors.append(error) }
throw ChoiceDecodingError<Choose10>(errors: errors)
}
}
extension Choose10 : Equatable where T1 : Equatable, T2 : Equatable, T3 : Equatable, T4 : Equatable, T5 : Equatable, T6 : Equatable, T7 : Equatable, T8 : Equatable, T9 : Equatable, T10 : Equatable { }
extension Choose10 : Hashable where T1 : Hashable, T2 : Hashable, T3 : Hashable, T4 : Hashable, T5 : Hashable, T6 : Hashable, T7 : Hashable, T8 : Hashable, T9 : Hashable, T10 : Hashable { }
// MARK - Channel either with flatten operation: |
/// Channel either & flattening operation
@inlinable public func |<S1, S2, T1, T2>(lhs: Channel<S1, T1>, rhs: Channel<S2, T2>) -> Channel<(S1, S2), Choose2<T1, T2>> {
return lhs.either(rhs)
}
/// Channel combination & flattening operation
@inlinable public func |<S1, S2, S3, T1, T2, T3>(lhs: Channel<(S1, S2), Choose2<T1, T2>>, rhs: Channel<S3, T3>)->Channel<(S1, S2, S3), Choose3<T1, T2, T3>> {
return combineSources(lhs.either(rhs)).map { choice in
switch choice {
case .v1(.v1(let x)): return .v1(x)
case .v1(.v2(let x)): return .v2(x)
case .v2(let x): return .v3(x)
}
}
}
/// Channel combination & flattening operation
@inlinable public func |<S1, S2, S3, S4, T1, T2, T3, T4>(lhs: Channel<(S1, S2, S3), Choose3<T1, T2, T3>>, rhs: Channel<S4, T4>)->Channel<(S1, S2, S3, S4), Choose4<T1, T2, T3, T4>> {
return combineSources(lhs.either(rhs)).map { choice in
switch choice {
case .v1(.v1(let x)): return .v1(x)
case .v1(.v2(let x)): return .v2(x)
case .v1(.v3(let x)): return .v3(x)
case .v2(let x): return .v4(x)
}
}
}
/// Channel combination & flattening operation
@inlinable public func |<S1, S2, S3, S4, S5, T1, T2, T3, T4, T5>(lhs: Channel<(S1, S2, S3, S4), Choose4<T1, T2, T3, T4>>, rhs: Channel<S5, T5>)->Channel<(S1, S2, S3, S4, S5), Choose5<T1, T2, T3, T4, T5>> {
return combineSources(lhs.either(rhs)).map { choice in
switch choice {
case .v1(.v1(let x)): return .v1(x)
case .v1(.v2(let x)): return .v2(x)
case .v1(.v3(let x)): return .v3(x)
case .v1(.v4(let x)): return .v4(x)
case .v2(let x): return .v5(x)
}
}
}
/// Channel combination & flattening operation
@inlinable public func |<S1, S2, S3, S4, S5, S6, T1, T2, T3, T4, T5, T6>(lhs: Channel<(S1, S2, S3, S4, S5), Choose5<T1, T2, T3, T4, T5>>, rhs: Channel<S6, T6>)->Channel<(S1, S2, S3, S4, S5, S6), Choose6<T1, T2, T3, T4, T5, T6>> {
return combineSources(lhs.either(rhs)).map { choice in
switch choice {
case .v1(.v1(let x)): return .v1(x)
case .v1(.v2(let x)): return .v2(x)
case .v1(.v3(let x)): return .v3(x)
case .v1(.v4(let x)): return .v4(x)
case .v1(.v5(let x)): return .v5(x)
case .v2(let x): return .v6(x)
}
}
}
/// Channel combination & flattening operation
@inlinable public func |<S1, S2, S3, S4, S5, S6, S7, T1, T2, T3, T4, T5, T6, T7>(lhs: Channel<(S1, S2, S3, S4, S5, S6), Choose6<T1, T2, T3, T4, T5, T6>>, rhs: Channel<S7, T7>)->Channel<(S1, S2, S3, S4, S5, S6, S7), Choose7<T1, T2, T3, T4, T5, T6, T7>> {
return combineSources(lhs.either(rhs)).map { choice in
switch choice {
case .v1(.v1(let x)): return .v1(x)
case .v1(.v2(let x)): return .v2(x)
case .v1(.v3(let x)): return .v3(x)
case .v1(.v4(let x)): return .v4(x)
case .v1(.v5(let x)): return .v5(x)
case .v1(.v6(let x)): return .v6(x)
case .v2(let x): return .v7(x)
}
}
}
/// Channel combination & flattening operation
@inlinable public func |<S1, S2, S3, S4, S5, S6, S7, S8, T1, T2, T3, T4, T5, T6, T7, T8>(lhs: Channel<(S1, S2, S3, S4, S5, S6, S7), Choose7<T1, T2, T3, T4, T5, T6, T7>>, rhs: Channel<S8, T8>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8), Choose8<T1, T2, T3, T4, T5, T6, T7, T8>> {
return combineSources(lhs.either(rhs)).map { choice in
switch choice {
case .v1(.v1(let x)): return .v1(x)
case .v1(.v2(let x)): return .v2(x)
case .v1(.v3(let x)): return .v3(x)
case .v1(.v4(let x)): return .v4(x)
case .v1(.v5(let x)): return .v5(x)
case .v1(.v6(let x)): return .v6(x)
case .v1(.v7(let x)): return .v7(x)
case .v2(let x): return .v8(x)
}
}
}
/// Channel combination & flattening operation
@inlinable public func |<S1, S2, S3, S4, S5, S6, S7, S8, S9, T1, T2, T3, T4, T5, T6, T7, T8, T9>(lhs: Channel<(S1, S2, S3, S4, S5, S6, S7, S8), Choose8<T1, T2, T3, T4, T5, T6, T7, T8>>, rhs: Channel<S9, T9>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9), Choose9<T1, T2, T3, T4, T5, T6, T7, T8, T9>> {
return combineSources(lhs.either(rhs)).map { choice in
switch choice {
case .v1(.v1(let x)): return .v1(x)
case .v1(.v2(let x)): return .v2(x)
case .v1(.v3(let x)): return .v3(x)
case .v1(.v4(let x)): return .v4(x)
case .v1(.v5(let x)): return .v5(x)
case .v1(.v6(let x)): return .v6(x)
case .v1(.v7(let x)): return .v7(x)
case .v1(.v8(let x)): return .v8(x)
case .v2(let x): return .v9(x)
}
}
}
/// Channel combination & flattening operation
@inlinable public func |<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10>(lhs: Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9), Choose9<T1, T2, T3, T4, T5, T6, T7, T8, T9>>, rhs: Channel<S10, T10>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10), Choose10<T1, T2, T3, T4, T5, T6, T7, T8, T9, T10>> {
return combineSources(lhs.either(rhs)).map { choice in
switch choice {
case .v1(.v1(let x)): return .v1(x)
case .v1(.v2(let x)): return .v2(x)
case .v1(.v3(let x)): return .v3(x)
case .v1(.v4(let x)): return .v4(x)
case .v1(.v5(let x)): return .v5(x)
case .v1(.v6(let x)): return .v6(x)
case .v1(.v7(let x)): return .v7(x)
case .v1(.v8(let x)): return .v8(x)
case .v1(.v9(let x)): return .v9(x)
case .v2(let x): return .v10(x)
}
}
}
// MARK - Channel combine with flatten operation: &
/// Channel `combine` & flattening operation
@inlinable public func &<S1, S2, T1, T2>(lhs: Channel<S1, T1>, rhs: Channel<S2, T2>) -> Channel<(S1, S2), (T1, T2)> {
return lhs.combine(rhs)
}
/// Channel `combine` & flattening operation
@inlinable public func &<S1, S2, S3, T1, T2, T3>(lhs: Channel<(S1, S2), (T1, T2)>, rhs: Channel<S3, T3>)->Channel<(S1, S2, S3), (T1, T2, T3)> { return combineSources(combineAll(lhs.combine(rhs))) }
/// Channel `combine` & flattening operation
@inlinable public func &<S1, S2, S3, S4, T1, T2, T3, T4>(lhs: Channel<(S1, S2, S3), (T1, T2, T3)>, rhs: Channel<S4, T4>)->Channel<(S1, S2, S3, S4), (T1, T2, T3, T4)> { return combineSources(combineAll(lhs.combine(rhs))) }
/// Channel `combine` & flattening operation
@inlinable public func &<S1, S2, S3, S4, S5, T1, T2, T3, T4, T5>(lhs: Channel<(S1, S2, S3, S4), (T1, T2, T3, T4)>, rhs: Channel<S5, T5>)->Channel<(S1, S2, S3, S4, S5), (T1, T2, T3, T4, T5)> { return combineSources(combineAll(lhs.combine(rhs))) }
/// Channel `combine` & flattening operation
@inlinable public func &<S1, S2, S3, S4, S5, S6, T1, T2, T3, T4, T5, T6>(lhs: Channel<(S1, S2, S3, S4, S5), (T1, T2, T3, T4, T5)>, rhs: Channel<S6, T6>)->Channel<(S1, S2, S3, S4, S5, S6), (T1, T2, T3, T4, T5, T6)> { return combineSources(combineAll(lhs.combine(rhs))) }
/// Channel `combine` & flattening operation
@inlinable public func &<S1, S2, S3, S4, S5, S6, S7, T1, T2, T3, T4, T5, T6, T7>(lhs: Channel<(S1, S2, S3, S4, S5, S6), (T1, T2, T3, T4, T5, T6)>, rhs: Channel<S7, T7>)->Channel<(S1, S2, S3, S4, S5, S6, S7), (T1, T2, T3, T4, T5, T6, T7)> { return combineSources(combineAll(lhs.combine(rhs))) }
/// Channel `combine` & flattening operation
@inlinable public func &<S1, S2, S3, S4, S5, S6, S7, S8, T1, T2, T3, T4, T5, T6, T7, T8>(lhs: Channel<(S1, S2, S3, S4, S5, S6, S7), (T1, T2, T3, T4, T5, T6, T7)>, rhs: Channel<S8, T8>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8), (T1, T2, T3, T4, T5, T6, T7, T8)> { return combineSources(combineAll(lhs.combine(rhs))) }
/// Channel `combine` & flattening operation
@inlinable public func &<S1, S2, S3, S4, S5, S6, S7, S8, S9, T1, T2, T3, T4, T5, T6, T7, T8, T9>(lhs: Channel<(S1, S2, S3, S4, S5, S6, S7, S8), (T1, T2, T3, T4, T5, T6, T7, T8)>, rhs: Channel<S9, T9>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9), (T1, T2, T3, T4, T5, T6, T7, T8, T9)> { return combineSources(combineAll(lhs.combine(rhs))) }
/// Channel `combine` & flattening operation
@inlinable public func &<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10>(lhs: Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9), (T1, T2, T3, T4, T5, T6, T7, T8, T9)>, rhs: Channel<S10, T10>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10), (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10)> { return combineSources(combineAll(lhs.combine(rhs))) }
// MARK - Channel zip with flatten operation: ^
/// Channel zipping & flattening operation
@inlinable public func ^<S1, S2, T1, T2>(lhs: Channel<S1, T1>, rhs: Channel<S2, T2>) -> Channel<(S1, S2), (T1, T2)> {
return lhs.zip(rhs)
}
/// Channel zipping & flattening operation
@inlinable public func ^<S1, S2, S3, T1, T2, T3>(lhs: Channel<(S1, S2), (T1, T2)>, rhs: Channel<S3, T3>)->Channel<(S1, S2, S3), (T1, T2, T3)> { return combineSources(combineAll(lhs.zip(rhs))) }
/// Channel zipping & flattening operation
@inlinable public func ^<S1, S2, S3, S4, T1, T2, T3, T4>(lhs: Channel<(S1, S2, S3), (T1, T2, T3)>, rhs: Channel<S4, T4>)->Channel<(S1, S2, S3, S4), (T1, T2, T3, T4)> { return combineSources(combineAll(lhs.zip(rhs))) }
/// Channel zipping & flattening operation
@inlinable public func ^<S1, S2, S3, S4, S5, T1, T2, T3, T4, T5>(lhs: Channel<(S1, S2, S3, S4), (T1, T2, T3, T4)>, rhs: Channel<S5, T5>)->Channel<(S1, S2, S3, S4, S5), (T1, T2, T3, T4, T5)> { return combineSources(combineAll(lhs.zip(rhs))) }
/// Channel zipping & flattening operation
@inlinable public func ^<S1, S2, S3, S4, S5, S6, T1, T2, T3, T4, T5, T6>(lhs: Channel<(S1, S2, S3, S4, S5), (T1, T2, T3, T4, T5)>, rhs: Channel<S6, T6>)->Channel<(S1, S2, S3, S4, S5, S6), (T1, T2, T3, T4, T5, T6)> { return combineSources(combineAll(lhs.zip(rhs))) }
/// Channel zipping & flattening operation
@inlinable public func ^<S1, S2, S3, S4, S5, S6, S7, T1, T2, T3, T4, T5, T6, T7>(lhs: Channel<(S1, S2, S3, S4, S5, S6), (T1, T2, T3, T4, T5, T6)>, rhs: Channel<S7, T7>)->Channel<(S1, S2, S3, S4, S5, S6, S7), (T1, T2, T3, T4, T5, T6, T7)> { return combineSources(combineAll(lhs.zip(rhs))) }
/// Channel zipping & flattening operation
@inlinable public func ^<S1, S2, S3, S4, S5, S6, S7, S8, T1, T2, T3, T4, T5, T6, T7, T8>(lhs: Channel<(S1, S2, S3, S4, S5, S6, S7), (T1, T2, T3, T4, T5, T6, T7)>, rhs: Channel<S8, T8>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8), (T1, T2, T3, T4, T5, T6, T7, T8)> { return combineSources(combineAll(lhs.zip(rhs))) }
/// Channel zipping & flattening operation
@inlinable public func ^<S1, S2, S3, S4, S5, S6, S7, S8, S9, T1, T2, T3, T4, T5, T6, T7, T8, T9>(lhs: Channel<(S1, S2, S3, S4, S5, S6, S7, S8), (T1, T2, T3, T4, T5, T6, T7, T8)>, rhs: Channel<S9, T9>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9), (T1, T2, T3, T4, T5, T6, T7, T8, T9)> { return combineSources(combineAll(lhs.zip(rhs))) }
/// Channel zipping & flattening operation
@inlinable public func ^<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10>(lhs: Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9), (T1, T2, T3, T4, T5, T6, T7, T8, T9)>, rhs: Channel<S10, T10>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10), (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10)> { return combineSources(combineAll(lhs.zip(rhs))) }
@usableFromInline func combineSources<S1, S2, S3, T>(_ rcvr: Channel<((S1, S2), S3), T>)->Channel<(S1, S2, S3), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, T>(_ rcvr: Channel<((S1, S2, S3), S4), T>)->Channel<(S1, S2, S3, S4), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, T>(_ rcvr: Channel<((S1, S2, S3, S4), S5), T>)->Channel<(S1, S2, S3, S4, S5), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5), S6), T>)->Channel<(S1, S2, S3, S4, S5, S6), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6), S7), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, S8, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6, S7), S8), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.0.6, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, S8, S9, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6, S7, S8), S9), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.0.6, src.0.7, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6, S7, S8, S9), S10), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.0.6, src.0.7, src.0.8, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6, S7, S8, S9, S10), S11), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.0.6, src.0.7, src.0.8, src.0.9, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11), S12), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.0.6, src.0.7, src.0.8, src.0.9, src.0.10, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12), S13), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.0.6, src.0.7, src.0.8, src.0.9, src.0.10, src.0.11, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13), S14), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.0.6, src.0.7, src.0.8, src.0.9, src.0.10, src.0.11, src.0.12, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14), S15), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.0.6, src.0.7, src.0.8, src.0.9, src.0.10, src.0.11, src.0.12, src.0.13, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15), S16), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.0.6, src.0.7, src.0.8, src.0.9, src.0.10, src.0.11, src.0.12, src.0.13, src.0.14, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16, S17, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16), S17), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16, S17), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.0.6, src.0.7, src.0.8, src.0.9, src.0.10, src.0.11, src.0.12, src.0.13, src.0.14, src.0.15, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16, S17, S18, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16, S17), S18), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16, S17, S18), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.0.6, src.0.7, src.0.8, src.0.9, src.0.10, src.0.11, src.0.12, src.0.13, src.0.14, src.0.15, src.0.16, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16, S17, S18, S19, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16, S17, S18), S19), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16, S17, S18, S19), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.0.6, src.0.7, src.0.8, src.0.9, src.0.10, src.0.11, src.0.12, src.0.13, src.0.14, src.0.15, src.0.16, src.0.17, src.1) } }
@usableFromInline func combineSources<S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16, S17, S18, S19, S20, T>(_ rcvr: Channel<((S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16, S17, S18, S19), S20), T>)->Channel<(S1, S2, S3, S4, S5, S6, S7, S8, S9, S10, S11, S12, S13, S14, S15, S16, S17, S18, S19, S20), T> { return rcvr.resource { src in (src.0.0, src.0.1, src.0.2, src.0.3, src.0.4, src.0.5, src.0.6, src.0.7, src.0.8, src.0.9, src.0.10, src.0.11, src.0.12, src.0.13, src.0.14, src.0.15, src.0.16, src.0.17, src.0.18, src.1) } }
@usableFromInline func combineAll<S, T1, T2, T3>(_ rcvr: Channel<S, ((T1, T2), T3)>)->Channel<S, (T1, T2, T3)> { return rcvr.map { ($0.0.0, $0.0.1, $0.1) } }
@usableFromInline func combineAll<S, T1, T2, T3, T4>(_ rcvr: Channel<S, ((T1, T2, T3), T4)>)->Channel<S, (T1, T2, T3, T4)> { return rcvr.map { ($0.0.0, $0.0.1, $0.0.2, $0.1) } }
@usableFromInline func combineAll<S, T1, T2, T3, T4, T5>(_ rcvr: Channel<S, ((T1, T2, T3, T4), T5)>)->Channel<S, (T1, T2, T3, T4, T5)> { return rcvr.map { ($0.0.0, $0.0.1, $0.0.2, $0.0.3, $0.1) } }
@usableFromInline func combineAll<S, T1, T2, T3, T4, T5, T6>(_ rcvr: Channel<S, ((T1, T2, T3, T4, T5), T6)>)->Channel<S, (T1, T2, T3, T4, T5, T6)> { return rcvr.map { ($0.0.0, $0.0.1, $0.0.2, $0.0.3, $0.0.4, $0.1) } }
@usableFromInline func combineAll<S, T1, T2, T3, T4, T5, T6, T7>(_ rcvr: Channel<S, ((T1, T2, T3, T4, T5, T6), T7)>)->Channel<S, (T1, T2, T3, T4, T5, T6, T7)> { return rcvr.map { ($0.0.0, $0.0.1, $0.0.2, $0.0.3, $0.0.4, $0.0.5, $0.1) } }
@usableFromInline func combineAll<S, T1, T2, T3, T4, T5, T6, T7, T8>(_ rcvr: Channel<S, ((T1, T2, T3, T4, T5, T6, T7), T8)>)->Channel<S, (T1, T2, T3, T4, T5, T6, T7, T8)> { return rcvr.map { ($0.0.0, $0.0.1, $0.0.2, $0.0.3, $0.0.4, $0.0.5, $0.0.6, $0.1) } }
@usableFromInline func combineAll<S, T1, T2, T3, T4, T5, T6, T7, T8, T9>(_ rcvr: Channel<S, ((T1, T2, T3, T4, T5, T6, T7, T8), T9)>)->Channel<S, (T1, T2, T3, T4, T5, T6, T7, T8, T9)> { return rcvr.map { ($0.0.0, $0.0.1, $0.0.2, $0.0.3, $0.0.4, $0.0.5, $0.0.6, $0.0.7, $0.1) } }
@usableFromInline func combineAll<S, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10>(_ rcvr: Channel<S, ((T1, T2, T3, T4, T5, T6, T7, T8, T9), T10)>)->Channel<S, (T1, T2, T3, T4, T5, T6, T7, T8, T9, T10)> { return rcvr.map { ($0.0.0, $0.0.1, $0.0.2, $0.0.3, $0.0.4, $0.0.5, $0.0.6, $0.0.7, $0.0.8, $0.1) } }
| mit | 824048f51576602015abada5fc1d45a8 | 43.733793 | 575 | 0.564597 | 2.565315 | false | false | false | false |
gecko655/Swifter | Sources/SwifterAuth.swift | 2 | 9166 | //
// SwifterAuth.swift
// Swifter
//
// Copyright (c) 2014 Matt Donnelly.
//
// 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
#if os(iOS)
import UIKit
import SafariServices
#else
import AppKit
#endif
public extension Swifter {
public typealias TokenSuccessHandler = (Credential.OAuthAccessToken?, URLResponse) -> Void
/**
Begin Authorization with a Callback URL.
- OS X only
*/
#if os(OSX)
public func authorize(with callbackURL: URL, success: TokenSuccessHandler?, failure: FailureHandler? = nil) {
self.postOAuthRequestToken(with: callbackURL, success: { token, response in
var requestToken = token!
NotificationCenter.default.addObserver(forName: .SwifterCallbackNotification, object: nil, queue: .main) { notification in
NotificationCenter.default.removeObserver(self)
let url = notification.userInfo![CallbackNotification.optionsURLKey] as! URL
let parameters = url.query!.queryStringParameters
requestToken.verifier = parameters["oauth_verifier"]
self.postOAuthAccessToken(with: requestToken, success: { accessToken, response in
self.client.credential = Credential(accessToken: accessToken!)
success?(accessToken!, response)
}, failure: failure)
}
let authorizeURL = URL(string: "oauth/authorize", relativeTo: TwitterURL.oauth.url)
let queryURL = URL(string: authorizeURL!.absoluteString + "?oauth_token=\(token!.key)")!
NSWorkspace.shared().open(queryURL)
}, failure: failure)
}
#endif
/**
Begin Authorization with a Callback URL
- Parameter presentFromViewController: The viewController used to present the SFSafariViewController.
The UIViewController must inherit SFSafariViewControllerDelegate
*/
#if os(iOS)
public func authorize(with callbackURL: URL, presentFrom presentingViewController: UIViewController? , success: TokenSuccessHandler?, failure: FailureHandler? = nil) {
self.postOAuthRequestToken(with: callbackURL, success: { token, response in
var requestToken = token!
NotificationCenter.default.addObserver(forName: .SwifterCallbackNotification, object: nil, queue: .main) { notification in
NotificationCenter.default.removeObserver(self)
presentingViewController?.presentedViewController?.dismiss(animated: true, completion: nil)
let url = notification.userInfo![CallbackNotification.optionsURLKey] as! URL
let parameters = url.query!.queryStringParameters
requestToken.verifier = parameters["oauth_verifier"]
self.postOAuthAccessToken(with: requestToken, success: { accessToken, response in
self.client.credential = Credential(accessToken: accessToken!)
success?(accessToken!, response)
}, failure: failure)
}
let authorizeURL = URL(string: "oauth/authorize", relativeTo: TwitterURL.oauth.url)
let queryURL = URL(string: authorizeURL!.absoluteString + "?oauth_token=\(token!.key)")!
if #available(iOS 9.0, *) , let delegate = presentingViewController as? SFSafariViewControllerDelegate {
let safariView = SFSafariViewController(url: queryURL)
safariView.delegate = delegate
presentingViewController?.present(safariView, animated: true, completion: nil)
} else {
UIApplication.shared.openURL(queryURL)
}
}, failure: failure)
}
#endif
public class func handleOpenURL(_ url: URL) {
let notification = Notification(name: .SwifterCallbackNotification, object: nil, userInfo: [CallbackNotification.optionsURLKey: url])
NotificationCenter.default.post(notification)
}
public func authorizeAppOnly(success: TokenSuccessHandler?, failure: FailureHandler?) {
self.postOAuth2BearerToken(success: { json, response in
if let tokenType = json["token_type"].string {
if tokenType == "bearer" {
let accessToken = json["access_token"].string
let credentialToken = Credential.OAuthAccessToken(key: accessToken!, secret: "")
self.client.credential = Credential(accessToken: credentialToken)
success?(credentialToken, response)
} else {
let error = SwifterError(message: "Cannot find bearer token in server response", kind: .invalidAppOnlyBearerToken)
failure?(error)
}
} else if case .object = json["errors"] {
let error = SwifterError(message: json["errors"]["message"].string!, kind: .responseError(code: json["errors"]["code"].integer!))
failure?(error)
} else {
let error = SwifterError(message: "Cannot find JSON dictionary in response", kind: .invalidJSONResponse)
failure?(error)
}
}, failure: failure)
}
public func postOAuth2BearerToken(success: JSONSuccessHandler?, failure: FailureHandler?) {
let path = "oauth2/token"
var parameters = Dictionary<String, Any>()
parameters["grant_type"] = "client_credentials"
self.jsonRequest(path: path, baseURL: .oauth, method: .POST, parameters: parameters, success: success, failure: failure)
}
public func invalidateOAuth2BearerToken(success: TokenSuccessHandler?, failure: FailureHandler?) {
let path = "oauth2/invalidate_token"
self.jsonRequest(path: path, baseURL: .oauth, method: .POST, parameters: [:], success: { json, response in
if let accessToken = json["access_token"].string {
self.client.credential = nil
let credentialToken = Credential.OAuthAccessToken(key: accessToken, secret: "")
success?(credentialToken, response)
} else {
success?(nil, response)
}
}, failure: failure)
}
public func postOAuthRequestToken(with callbackURL: URL, success: @escaping TokenSuccessHandler, failure: FailureHandler?) {
let path = "oauth/request_token"
let parameters: [String: Any] = ["oauth_callback": callbackURL.absoluteString]
self.client.post(path, baseURL: .oauth, parameters: parameters, uploadProgress: nil, downloadProgress: nil, success: { data, response in
let responseString = String(data: data, encoding: .utf8)!
let accessToken = Credential.OAuthAccessToken(queryString: responseString)
success(accessToken, response)
}, failure: failure)
}
public func postOAuthAccessToken(with requestToken: Credential.OAuthAccessToken, success: @escaping TokenSuccessHandler, failure: FailureHandler?) {
if let verifier = requestToken.verifier {
let path = "oauth/access_token"
let parameters: [String: Any] = ["oauth_token": requestToken.key, "oauth_verifier": verifier]
self.client.post(path, baseURL: .oauth, parameters: parameters, uploadProgress: nil, downloadProgress: nil, success: { data, response in
let responseString = String(data: data, encoding: .utf8)!
let accessToken = Credential.OAuthAccessToken(queryString: responseString)
success(accessToken, response)
}, failure: failure)
} else {
let error = SwifterError(message: "Bad OAuth response received from server", kind: .badOAuthResponse)
failure?(error)
}
}
}
| mit | 35fa529e0928053ef2eeefe2dd467c61 | 47.242105 | 171 | 0.634955 | 5.335274 | false | false | false | false |
kentaiwami/FiNote | ios/FiNote/FiNote/Movie/Movies/MoviesUserInfoViewController.swift | 1 | 7628 | //
// MoviesUserInfoViewController.swift
// FiNote
//
// Created by 岩見建汰 on 2018/01/26.
// Copyright © 2018年 Kenta. All rights reserved.
//
import UIKit
import Eureka
import NVActivityIndicatorView
import Alamofire
import SwiftyJSON
import KeychainAccess
class MoviesUserInfoViewController: FormViewController {
var MovieCommonFunc = MovieCommon()
var movie_id = 0
var onomatopoeia: [String] = []
var dvd = false
var fav = false
var count = 1
var choices: [String] = []
fileprivate let utility = Utility()
override func viewDidLoad() {
super.viewDidLoad()
self.navigationItem.title = "Edit Info"
let close = UIBarButtonItem(image: UIImage(named: "icon_cancel"), style: .plain, target: self, action: #selector(TapCloseButton))
let save = UIBarButtonItem(image: UIImage(named: "icon_check"), style: .plain, target: self, action: #selector(TapSaveButton))
self.navigationItem.setLeftBarButton(close, animated: true)
self.navigationItem.setRightBarButton(save, animated: true)
MovieCommonFunc.CallGetOnomatopoeiaAPI(act: { obj in
self.choices = obj["results"].arrayValue.map{$0.stringValue}
self.CreateForm()
}, vc: self)
}
@objc func TapCloseButton() {
self.dismiss(animated: true, completion: nil)
}
@objc func TapSaveButton() {
let choosing = MovieCommonFunc.GetChoosingOnomatopoeia(values: form.values())
if choosing.count == 0 {
utility.showStandardAlert(title: "Error", msg: "オノマトペは少なくとも1つ以上追加する必要があります", vc: self)
}else {
CallUpdateMovieUserInfoAPI()
}
}
func SetMovieID(movie_id: Int) {
self.movie_id = movie_id
}
func SetOnomatopoeia(onomatopoeia: [String]) {
self.onomatopoeia = onomatopoeia
}
func SetDVD(dvd: Bool) {
self.dvd = dvd
}
func SetFAV(fav: Bool) {
self.fav = fav
}
func CreateForm() {
UIView.setAnimationsEnabled(false)
form +++ Section(header: "DVDの所持・お気に入り登録", footer: "")
<<< SwitchRow("") { row in
row.title = "DVD"
row.value = dvd
row.tag = "dvd"
}
<<< SwitchRow("") { row in
row.title = "Favorite"
row.value = fav
row.tag = "fav"
}
form +++ MultivaluedSection(
multivaluedOptions: [.Insert, .Delete],
header: "オノマトペの登録",
footer: "映画を観た気分を登録してください") {
$0.tag = "onomatopoeia"
$0.multivaluedRowToInsertAt = { _ in
let options = self.MovieCommonFunc.GetOnomatopoeiaNewChoices(values: self.form.values(), choices: self.choices)
if options.count == 0 {
return PickerInputRow<String>{
$0.title = "タップして選択..."
$0.options = options
$0.value = ""
$0.tag = "onomatopoeia_\(self.count)"
self.count += 1
}.onCellSelection({ (cell, row) in
row.options = self.MovieCommonFunc.GetOnomatopoeiaNewChoices(ignore: row.value!, values: self.form.values(), choices: self.choices)
row.updateCell()
})
}else {
return PickerInputRow<String>{
$0.title = "タップして選択..."
$0.options = options
$0.value = options.first!
$0.tag = "onomatopoeia_\(self.count)"
self.count += 1
}.onCellSelection({ (cell, row) in
row.options = self.MovieCommonFunc.GetOnomatopoeiaNewChoices(ignore: row.value!, values: self.form.values(), choices: self.choices)
row.updateCell()
})
}
}
for (i, name) in onomatopoeia.enumerated() {
$0 <<< PickerInputRow<String> {
$0.title = "タップして選択..."
$0.value = name
$0.options = MovieCommonFunc.GetOnomatopoeiaNewChoices(values: self.form.values(), choices: self.choices)
$0.tag = "onomatopoeia_\(i)"
}.onCellSelection({ (cell, row) in
row.options = self.MovieCommonFunc.GetOnomatopoeiaNewChoices(ignore: row.value!, values: self.form.values(), choices: self.choices)
row.updateCell()
})
count = i+1
}
}
UIView.setAnimationsEnabled(true)
}
func CallUpdateMovieUserInfoAPI() {
let urlString = API.base.rawValue+API.v1.rawValue+API.movie.rawValue+API.update.rawValue
let activityData = ActivityData(message: "Updating", type: .lineScaleParty)
let keychain = Keychain()
let appdelegate = utility.getAppDelegate()
let choosing_onomatopoeia = NSOrderedSet(array: MovieCommonFunc.GetChoosingOnomatopoeia(values: form.values())).array as! [String]
let params = [
"username": (try! keychain.getString("username"))!,
"password": (try! keychain.getString("password"))!,
"tmdb_id": movie_id,
"dvd": form.values()["dvd"] as! Bool,
"fav": form.values()["fav"] as! Bool,
"onomatopoeia": choosing_onomatopoeia
] as [String : Any]
NVActivityIndicatorPresenter.sharedInstance.startAnimating(activityData, nil)
DispatchQueue(label: "update-movie-user-info").async {
Alamofire.request(urlString, method: .post, parameters: params, encoding: JSONEncoding.default).responseJSON { (response) in
NVActivityIndicatorPresenter.sharedInstance.stopAnimating(nil)
guard let res = response.result.value else{return}
let obj = JSON(res)
print("***** API results *****")
print(obj)
print("***** API results *****")
if self.utility.isHTTPStatus(statusCode: response.response?.statusCode) {
let index = appdelegate.movies.firstIndex(where: {$0.id == self.movie_id})
let index_int = index?.advanced(by: 0)
appdelegate.movies[index_int!].onomatopoeia = choosing_onomatopoeia
// MovieInfo画面を閉じる前にMovieDetail画面でpop(Moviesへ遷移)
let nav = self.presentingViewController as! UINavigationController
nav.popViewController(animated: true)
self.dismiss(animated: true, completion: nil)
}else {
self.utility.showStandardAlert(title: "Error", msg: obj.arrayValue[0].stringValue, vc: self)
}
}
}
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
}
}
| mit | af2b6b1cf985f8bd480e95274586b2c7 | 38.716578 | 159 | 0.528208 | 4.748721 | false | false | false | false |
hexperimental/HxLib | HxLib/Classes/HxLocalStorage.swift | 1 | 2620 | //
// HxLocalStorage.swift
// Pods
//
// Created by Antonio Perez on 2017-04-18.
//
//
import Foundation
public class HxLocalStorage: AnyObject {
static var defaultValues:[String:AnyObject] = [String:AnyObject]()
public class func defaultValue(_ float:Float, forKey key:String) {
HxLocalStorage.defaultValues[key] = float as AnyObject
}
public class func defaultValue(_ int:Int, forKey key:String) {
HxLocalStorage.defaultValues[key] = int as AnyObject
}
public class func defaultValue(_ string:String, forKey key:String) {
HxLocalStorage.defaultValues[key] = string as AnyObject
}
public class func defaultValue(_ bool:Bool, forKey key:String) {
HxLocalStorage.defaultValues[key] = bool as AnyObject
}
public class func erase(_ key:String){
let userDefaults = UserDefaults.standard
userDefaults.set(nil, forKey: key)
userDefaults.synchronize()
}
public class func write(_ data:AnyObject? = nil, forKey key:String){
let userDefaults = UserDefaults.standard
userDefaults.set(data, forKey: key)
userDefaults.synchronize()
}
public class func write(_ float:Float, forKey key:String) {
HxLocalStorage.write(float as AnyObject, forKey:key)
}
public class func write(_ int:Int, forKey key:String) {
HxLocalStorage.write(int as AnyObject, forKey:key)
}
public class func write(_ string:String, forKey key:String) {
HxLocalStorage.write(string as AnyObject, forKey:key)
}
public class func write(_ bool:Bool, forKey key:String) {
HxLocalStorage.write(bool as AnyObject, forKey:key)
}
public class func read(_ keyStr:String)->AnyObject? {
let userDefaults = UserDefaults.standard
if let data:AnyObject = userDefaults.object(forKey: keyStr) as AnyObject? {
return data
}
if let defaultValue:AnyObject = HxLocalStorage.defaultValues[keyStr] as AnyObject? {
return defaultValue
}
return nil
}
public class func string(forKey str:String)->String? {
return HxLocalStorage.read(str) as? String
}
public class func stringValue(forKey str:String)->String {
return HxLocalStorage.read(str) as! String
}
public class func intValue(forKey str:String)->Int {
return HxLocalStorage.read(str) as! Int
}
public class func boolValue(forKey str:String)->Bool {
return HxLocalStorage.read(str) as! Bool
}
}
| mit | eff756e1af8c40e8798e5afee0e87afd | 28.772727 | 92 | 0.645802 | 4.478632 | false | false | false | false |
LittoCats/coffee-mobile | CoffeeMobile/Base/Utils/NSFundationExtension/CMNSThreadExtension.swift | 1 | 1573 | //
// NSThreadExtension.swift
// CoffeeMobile
//
// Created by 程巍巍 on 5/21/15.
// Copyright (c) 2015 Littocats. All rights reserved.
//
import Foundation
extension NSThread {
static func evalOnThread(thread: NSThread, waitUntilDon wait: Bool, closure: dispatch_block_t){
if thread == NSThread.currentThread() {
return closure()
}
Sync(closure: closure).evalSelector("excute", onThread: thread, waitUntilDone: wait)
}
private class Sync: NSObject {
private static var onceToken: dispatch_once_t = 0
override class func initialize(){
dispatch_once(&onceToken, { () -> Void in
var method = class_getInstanceMethod(NSObject.self, "evalSelector:onThread:withObject:waitUntilDone:modes:")
var _method = class_getInstanceMethod(NSObject.self, "performSelector:onThread:withObject:waitUntilDone:modes:")
method_exchangeImplementations(method, _method)
})
}
var closure: dispatch_block_t
init(closure: dispatch_block_t) {
self.closure = closure
}
@objc func excute() {
self.closure()
}
}
}
extension NSObject {
@objc private func evalSelector(selector: Selector, onThread thread: NSThread, withObject arg: AnyObject? = nil, waitUntilDone wait: Bool = true, modes array: [String] = [NSDefaultRunLoopMode]) {
evalSelector(selector, onThread: thread, withObject: arg, waitUntilDone: wait, modes: array)
}
} | apache-2.0 | bd74fec64e3d5013a5f95973c47038ff | 32.361702 | 199 | 0.631142 | 4.477143 | false | false | false | false |
karstengresch/rw_studies | RWBooks/RWBooks/ProfileViewController.swift | 1 | 2050 | //
// ViewController.swift
// RWBooks
//
// Created by Main Account on 5/13/15.
// Copyright (c) 2015 Razeware LLC. All rights reserved.
//
import UIKit
// http://www.materialpalette.com/light-blue/deep-orange
class ProfileViewController: UIViewController, UICollectionViewDataSource, UICollectionViewDelegate, UIViewControllerTransitioningDelegate {
@IBOutlet weak var avatarView: AvatarView!
@IBOutlet weak var topView: UIView!
@IBOutlet weak var followButton: UIButton!
@IBOutlet weak var collectionView: UICollectionView!
let books = Book.all
override func viewDidLoad() {
super.viewDidLoad()
followButton.layer.cornerRadius = CGRectGetHeight(followButton.bounds) / 2
}
func numberOfSectionsInCollectionView(collectionView: UICollectionView) -> Int {
return 1
}
func collectionView(collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return books.count
}
func collectionView(collectionView: UICollectionView, cellForItemAtIndexPath indexPath: NSIndexPath) -> UICollectionViewCell {
let cell = collectionView.dequeueReusableCellWithReuseIdentifier("BookCell", forIndexPath: indexPath) as! BookCell
let book = books[indexPath.row]
cell.imageView.image = book.cover
cell.imageView.layer.shadowRadius = 4
cell.imageView.layer.shadowOpacity = 0.5
cell.imageView.layer.shadowOffset = CGSize.zero
return cell
}
func collectionView(collectionView: UICollectionView, didSelectItemAtIndexPath indexPath: NSIndexPath) {
_ = self.collectionView(collectionView, cellForItemAtIndexPath: indexPath) as! BookCell
performSegueWithIdentifier("ShowBook", sender: indexPath)
}
override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) {
if let indexPath = sender as? NSIndexPath {
let destVC = segue.destinationViewController as! BookViewController
destVC.book = books[indexPath.row]
}
}
@IBAction func unwindToProfileView(sender: UIStoryboardSegue) {
}
}
| unlicense | e6758c41985acbae068cb933854b29eb | 30.538462 | 140 | 0.750244 | 5.176768 | false | false | false | false |
weareyipyip/SwiftStylable | Sources/SwiftStylable/Classes/Style/StylableComponents/STLayoutContraint.swift | 1 | 2884 | //
// STLayoutContraint.swift
// Pods-SwiftStylableExample
//
// Created by Rens Wijnmalen on 04/02/2019.
//
import UIKit
@IBDesignable open class STLayoutContraint: NSLayoutConstraint {
private var _dimension:String?
// -----------------------------------------------------------------------------------------------------------------------
//
// MARK: - Initializers & deinit
//
// -----------------------------------------------------------------------------------------------------------------------
public override init() {
super.init()
NotificationCenter.default.addObserver(self, selector: #selector(STLayoutContraint.stylesDidUpdate(_:)), name: STYLES_DID_UPDATE, object: nil)
}
open override func awakeFromNib() {
super.awakeFromNib()
NotificationCenter.default.addObserver(self, selector: #selector(STLayoutContraint.stylesDidUpdate(_:)), name: STYLES_DID_UPDATE, object: nil)
}
deinit {
NotificationCenter.default.removeObserver(self)
}
// -----------------------------------------------------------------------------------------------------------------------
//
// MARK: - Computed properties
//
// -----------------------------------------------------------------------------------------------------------------------
@IBInspectable open var dimension:String? {
set {
self._dimension = newValue
self.updateDimension()
}
get {
return self._dimension
}
}
// -----------------------------------------------------------------------------------------------------------------------
//
// MARK: - Public methods
//
// -----------------------------------------------------------------------------------------------------------------------
public func applyDimension(_ name:String){
if self._dimension != name{
self._dimension = name
self.updateDimension()
}
}
public func updateDimension(){
if let dimensionName = self._dimension{
if let size = Styles.shared.dimensionNamed(dimensionName){
self.constant = size
} else {
print("WARNING: Dimension \(dimensionName) does not exist. (Is the dimension of type \"number\" in the plist 😉)")
}
}
}
// -----------------------------------------------------------------------------------------------------------------------
//
// MARK: - Internal methods
//
// -----------------------------------------------------------------------------------------------------------------------
@objc internal func stylesDidUpdate(_ notification:Notification) {
self.updateDimension()
}
}
| mit | 571457e870999b56bb9a8433abf44827 | 33.297619 | 150 | 0.372093 | 6.925481 | false | false | false | false |
Draveness/RbSwift | RbSwiftTests/Array/Array+MutateSpec.swift | 1 | 4073 | //
// Array+MutateSpec.swift
// RbSwift
//
// Created by Draveness on 23/03/2017.
// Copyright © 2017 draveness. All rights reserved.
//
import Quick
import Nimble
import RbSwift
class ArrayMutateSpec: BaseSpec {
override func spec() {
describe(".clear") {
it("makes the array empty") {
var s = [1, 2, 3]
expect(s.clear()).to(equal([]))
}
}
describe(".delete") {
it("deletes and returns all the object if found") {
var arr1 = [1, 2, 3]
expect(arr1.delete(1)!).to(equal(1))
expect(arr1).to(equal([2, 3]))
var arr2 = [1, 2, 3, 1, 1]
expect(arr2.delete(1)!).to(equal(1))
expect(arr2).to(equal([2, 3]))
}
it("deletes and return the first object if flag all is false") {
var arr = [1, 2, 3, 1, 1]
expect(arr.delete(1, all: false)!).to(equal(1))
expect(arr).to(equal([2, 3, 1, 1]))
}
it("returns nil if found nothing") {
var arr1 = [1, 2, 3]
expect(arr1.delete(4)).to(beNil())
expect(arr1).to(equal([1, 2, 3]))
}
}
describe(".pop(num:)") {
it("returns the last element in array or nil") {
var arr = [1, 2, 3]
expect(arr.pop()).to(equal(3))
expect(arr).to(equal([1, 2]))
var arr1: [Int] = []
expect(arr1.pop()).to(beNil())
expect(arr1).to(equal([]))
var arr2 = [1, 2, 3]
expect(arr2.pop(2)).to(equal([2, 3]))
expect(arr2).to(equal([1]))
var arr3 = [1, 2, 3]
expect(arr3.pop(-1)).to(equal([]))
expect(arr3).to(equal([1, 2, 3]))
var arr4 = [1, 2, 3]
expect(arr4.pop(4)).to(equal([1, 2, 3]))
expect(arr4).to(equal([]))
}
}
describe(".push(objs:)") {
it("prepends objects to the front of self, moving other elements upwards.") {
var arr = [1, 2, 3]
expect(arr.push(1)).to(equal([1, 2, 3, 1]))
expect(arr).to(equal([1, 2, 3, 1]))
var arr1: [Int] = [1]
expect(arr1.push(1, 2, 3)).to(equal([1, 1, 2, 3]))
expect(arr1).to(equal([1, 1, 2, 3]))
}
}
describe(".shift(num:)") {
it("returns the first element in array or nil") {
var arr = [1, 2, 3]
expect(arr.shift()).to(equal(1))
expect(arr).to(equal([2, 3]))
var arr1: [Int] = []
expect(arr1.shift()).to(beNil())
expect(arr1).to(equal([]))
var arr2 = [1, 2, 3]
expect(arr2.shift(2)).to(equal([1, 2]))
expect(arr2).to(equal([3]))
var arr3 = [1, 2, 3]
expect(arr3.shift(-1)).to(equal([]))
expect(arr3).to(equal([1, 2, 3]))
var arr4 = [1, 2, 3]
expect(arr4.shift(4)).to(equal([1, 2, 3]))
expect(arr4).to(equal([]))
}
}
describe(".unshift(objs:)") {
it("prepends objects to the front of self, moving other elements upwards.") {
var arr = [1, 2, 3]
expect(arr.unshift(1)).to(equal([1, 1, 2, 3]))
expect(arr).to(equal([1, 1, 2, 3]))
var arr1: [Int] = [1, 2, 3]
expect(arr1.unshift(1, 2)).to(equal([1, 2, 1, 2, 3]))
expect(arr1).to(equal([1, 2, 1, 2, 3]))
}
}
}
}
| mit | a7a87a887a8068e6c3b75e5700d464c7 | 32.933333 | 89 | 0.388261 | 3.812734 | false | false | false | false |
ahoppen/swift | stdlib/public/Cxx/std.swift | 1 | 558 | //===----------------------------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2022 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
//
//===----------------------------------------------------------------------===//
@_exported import std // Clang module
| apache-2.0 | 420f787dcfd8407c5e2233fd8b613341 | 41.923077 | 80 | 0.526882 | 5.524752 | false | false | false | false |
ahoppen/swift | test/decl/var/property_wrappers.swift | 6 | 59110 | // RUN: %target-typecheck-verify-swift -swift-version 5
// ---------------------------------------------------------------------------
// Property wrapper type definitions
// ---------------------------------------------------------------------------
@propertyWrapper
struct Wrapper<T> {
private var _stored: T
init(stored: T) {
self._stored = stored
}
var wrappedValue: T {
get { _stored }
set { _stored = newValue }
}
}
@propertyWrapper
struct WrapperWithInitialValue<T> {
var wrappedValue: T
init(wrappedValue initialValue: T) {
self.wrappedValue = initialValue
}
}
@propertyWrapper
struct WrapperWithDefaultInit<T> {
private var stored: T?
var wrappedValue: T {
get { stored! }
set { stored = newValue }
}
init() {
self.stored = nil
}
}
@propertyWrapper
struct WrapperAcceptingAutoclosure<T> {
private let fn: () -> T
var wrappedValue: T {
return fn()
}
init(wrappedValue fn: @autoclosure @escaping () -> T) {
self.fn = fn
}
init(body fn: @escaping () -> T) {
self.fn = fn
}
}
@propertyWrapper
struct MissingValue<T> { }
// expected-error@-1{{property wrapper type 'MissingValue' does not contain a non-static property named 'wrappedValue'}} {{educational-notes=property-wrapper-requirements}}{{25-25=var wrappedValue: <#Value#>}}
@propertyWrapper
struct StaticValue {
static var wrappedValue: Int = 17
}
// expected-error@-3{{property wrapper type 'StaticValue' does not contain a non-static property named 'wrappedValue'}}{{21-21=var wrappedValue: <#Value#>}}
// expected-error@+1{{'@propertyWrapper' attribute cannot be applied to this declaration}}
@propertyWrapper
protocol CannotBeAWrapper {
associatedtype Value
var wrappedValue: Value { get set }
}
@propertyWrapper
struct NonVisibleValueWrapper<Value> {
private var wrappedValue: Value // expected-error{{private property 'wrappedValue' cannot have more restrictive access than its enclosing property wrapper type 'NonVisibleValueWrapper' (which is internal)}} {{educational-notes=property-wrapper-requirements}}
}
@propertyWrapper
struct NonVisibleInitWrapper<Value> {
var wrappedValue: Value
private init(wrappedValue initialValue: Value) { // expected-error{{private initializer 'init(wrappedValue:)' cannot have more restrictive access than its enclosing property wrapper type 'NonVisibleInitWrapper' (which is internal)}}
self.wrappedValue = initialValue
}
}
@propertyWrapper
struct InitialValueTypeMismatch<Value> {
var wrappedValue: Value // expected-note{{'wrappedValue' declared here}}
init(wrappedValue initialValue: Value?) { // expected-error{{'init(wrappedValue:)' parameter type ('Value?') must be the same as its 'wrappedValue' property type ('Value') or an @autoclosure thereof}} {{educational-notes=property-wrapper-requirements}}
self.wrappedValue = initialValue!
}
}
@propertyWrapper
struct MultipleInitialValues<Value> {
var wrappedValue: Value? = nil // expected-note 2{{'wrappedValue' declared here}}
init(wrappedValue initialValue: Int) { // expected-error{{'init(wrappedValue:)' parameter type ('Int') must be the same as its 'wrappedValue' property type ('Value?') or an @autoclosure thereof}}
}
init(wrappedValue initialValue: Double) { // expected-error{{'init(wrappedValue:)' parameter type ('Double') must be the same as its 'wrappedValue' property type ('Value?') or an @autoclosure thereof}}
}
}
@propertyWrapper
struct InitialValueFailable<Value> {
var wrappedValue: Value
init?(wrappedValue initialValue: Value) { // expected-error{{property wrapper initializer 'init(wrappedValue:)' cannot be failable}} {{educational-notes=property-wrapper-requirements}}
return nil
}
}
@propertyWrapper
struct InitialValueFailableIUO<Value> {
var wrappedValue: Value
init!(wrappedValue initialValue: Value) { // expected-error{{property wrapper initializer 'init(wrappedValue:)' cannot be failable}}
return nil
}
}
// ---------------------------------------------------------------------------
// Property wrapper type definitions
// ---------------------------------------------------------------------------
@propertyWrapper
struct _lowercaseWrapper<T> {
var wrappedValue: T
}
@propertyWrapper
struct _UppercaseWrapper<T> {
var wrappedValue: T
}
// ---------------------------------------------------------------------------
// Local property wrappers
// ---------------------------------------------------------------------------
func testLocalContext() {
@WrapperWithInitialValue
var x = 17
x = 42
let _: Int = x
let _: WrapperWithInitialValue = _x
@WrapperWithInitialValue(wrappedValue: 17)
var initialValue
let _: Int = initialValue
let _: WrapperWithInitialValue = _initialValue
@Clamping(min: 0, max: 100)
var percent = 50
let _: Int = percent
let _: Clamping = _percent
@WrapperA @WrapperB
var composed = "hello"
let _: WrapperA<WrapperB> = _composed
@WrapperWithStorageRef
var hasProjection = 10
let _: Wrapper = $hasProjection
@WrapperWithInitialValue
var uninitialized: Int { // expected-error {{non-member observing properties require an initializer}}
didSet {}
}
}
// ---------------------------------------------------------------------------
// Limitations on where property wrappers can be used
// ---------------------------------------------------------------------------
enum SomeEnum {
case foo
@Wrapper(stored: 17)
var bar: Int // expected-error{{property 'bar' declared inside an enum cannot have a wrapper}}
// expected-error@-1{{enums must not contain stored properties}}
@Wrapper(stored: 17)
static var x: Int
}
protocol SomeProtocol {
@Wrapper(stored: 17)
var bar: Int // expected-error{{property 'bar' declared inside a protocol cannot have a wrapper}}
// expected-error@-1{{property in protocol must have explicit { get } or { get set } specifier}}
@Wrapper(stored: 17)
static var x: Int // expected-error{{property 'x' declared inside a protocol cannot have a wrapper}}
// expected-error@-1{{property in protocol must have explicit { get } or { get set } specifier}}
}
struct HasWrapper { }
extension HasWrapper {
@Wrapper(stored: 17)
var inExt: Int // expected-error{{property 'inExt' declared inside an extension cannot have a wrapper}}
// expected-error@-1{{extensions must not contain stored properties}}
@Wrapper(stored: 17)
static var x: Int
}
class ClassWithWrappers {
@Wrapper(stored: 17)
var x: Int
}
class Superclass {
var x: Int = 0
}
class SubclassOfClassWithWrappers: ClassWithWrappers {
override var x: Int {
get { return super.x }
set { super.x = newValue }
}
}
class SubclassWithWrapper: Superclass {
@Wrapper(stored: 17)
override var x: Int { get { return 0 } set { } } // expected-error{{property 'x' with attached wrapper cannot override another property}}
}
class C { }
struct BadCombinations {
@WrapperWithInitialValue
lazy var x: C = C() // expected-error{{property 'x' with a wrapper cannot also be lazy}}
@Wrapper
weak var y: C? // expected-error{{property 'y' with a wrapper cannot also be weak}}
@Wrapper
unowned var z: C // expected-error{{property 'z' with a wrapper cannot also be unowned}}
}
struct MultipleWrappers {
// FIXME: The diagnostics here aren't great. The problem is that we're
// attempting to splice a 'wrappedValue:' argument into the call to Wrapper's
// init, but it doesn't have a matching init. We're then attempting to access
// the nested 'wrappedValue', but Wrapper's 'wrappedValue' is Int.
@Wrapper(stored: 17) // expected-error{{cannot convert value of type 'Int' to expected argument type 'WrapperWithInitialValue<Int>'}}
@WrapperWithInitialValue // expected-error{{extra argument 'wrappedValue' in call}}
var x: Int = 17
@WrapperWithInitialValue // expected-error 2{{property wrapper can only apply to a single variable}}
var (y, z) = (1, 2)
}
// ---------------------------------------------------------------------------
// Initialization
// ---------------------------------------------------------------------------
struct Initialization {
@Wrapper(stored: 17)
var x: Int
@Wrapper(stored: 17)
var x2: Double
@Wrapper(stored: 17)
var x3 = 42 // expected-error {{extra argument 'wrappedValue' in call}}
@Wrapper(stored: 17)
var x4
@WrapperWithInitialValue
var y = true
@WrapperWithInitialValue<Int>
var y2 = true // expected-error{{cannot convert value of type 'Bool' to specified type 'Int'}}
mutating func checkTypes(s: String) {
x2 = s // expected-error{{cannot assign value of type 'String' to type 'Double'}}
x4 = s // expected-error{{cannot assign value of type 'String' to type 'Int'}}
y = s // expected-error{{cannot assign value of type 'String' to type 'Bool'}}
}
}
@propertyWrapper
struct Clamping<V: Comparable> {
var value: V
let min: V
let max: V
init(wrappedValue initialValue: V, min: V, max: V) {
value = initialValue
self.min = min
self.max = max
assert(value >= min && value <= max)
}
var wrappedValue: V {
get { return value }
set {
if newValue < min {
value = min
} else if newValue > max {
value = max
} else {
value = newValue
}
}
}
}
struct Color {
@Clamping(min: 0, max: 255) var red: Int = 127
@Clamping(min: 0, max: 255) var green: Int = 127
@Clamping(min: 0, max: 255) var blue: Int = 127
@Clamping(min: 0, max: 255) var alpha: Int = 255
}
func testColor() {
_ = Color(green: 17)
}
// ---------------------------------------------------------------------------
// Wrapper type formation
// ---------------------------------------------------------------------------
@propertyWrapper
struct IntWrapper {
var wrappedValue: Int
}
@propertyWrapper
struct WrapperForHashable<T: Hashable> { // expected-note{{where 'T' = 'NotHashable'}}
var wrappedValue: T
}
@propertyWrapper
struct WrapperWithTwoParams<T, U> {
var wrappedValue: (T, U)
}
struct NotHashable { }
struct UseWrappersWithDifferentForm {
@IntWrapper
var x: Int
@WrapperForHashable // expected-error {{generic struct 'WrapperForHashable' requires that 'NotHashable' conform to 'Hashable'}}
var y: NotHashable
@WrapperForHashable
var yOkay: Int
@WrapperWithTwoParams
var zOkay: (Int, Float)
@HasNestedWrapper.NestedWrapper // expected-error {{generic parameter 'T' could not be inferred}} expected-note {{explicitly specify}}
var w: Int
@HasNestedWrapper<Double>.NestedWrapper
var wOkay: Int
@HasNestedWrapper.ConcreteNestedWrapper
var wOkay2: Int
}
@propertyWrapper
struct Function<T, U> { // expected-note{{'U' declared as parameter to type 'Function'}}
var wrappedValue: (T) -> U?
}
struct TestFunction {
@Function var f: (Int) -> Float?
// FIXME: This diagnostic should be more specific
@Function var f2: (Int) -> Float // expected-error {{property type '(Int) -> Float' does not match 'wrappedValue' type '(Int) -> U?'}}
// expected-error@-1 {{generic parameter 'U' could not be inferred}}
// expected-note@-2 {{explicitly specify}}
func test() {
let _: Int = _f // expected-error{{cannot convert value of type 'Function<Int, Float>' to specified type 'Int'}}
}
}
// ---------------------------------------------------------------------------
// Nested wrappers
// ---------------------------------------------------------------------------
struct HasNestedWrapper<T> { // expected-note {{'T' declared as parameter to type 'HasNestedWrapper'}}
@propertyWrapper
struct NestedWrapper<U> {
var wrappedValue: U
init(wrappedValue initialValue: U) {
self.wrappedValue = initialValue
}
}
@propertyWrapper
struct ConcreteNestedWrapper {
var wrappedValue: T
init(wrappedValue initialValue: T) {
self.wrappedValue = initialValue
}
}
@NestedWrapper
var y: [T] = []
}
struct UsesNestedWrapper<V> {
@HasNestedWrapper<V>.NestedWrapper
var y: [V]
}
// ---------------------------------------------------------------------------
// Referencing the backing store
// ---------------------------------------------------------------------------
struct BackingStore<T> {
@Wrapper
var x: T
@WrapperWithInitialValue
private var y = true // expected-note{{'y' declared here}}
func getXStorage() -> Wrapper<T> {
return _x
}
func getYStorage() -> WrapperWithInitialValue<Bool> {
return self._y
}
}
func testBackingStore<T>(bs: BackingStore<T>) {
_ = bs.x
_ = bs.y // expected-error{{'y' is inaccessible due to 'private' protection level}}
}
// ---------------------------------------------------------------------------
// Explicitly-specified accessors
// ---------------------------------------------------------------------------
struct WrapperWithAccessors {
@Wrapper // expected-error{{property wrapper cannot be applied to a computed property}}
var x: Int {
return 17
}
}
struct UseWillSetDidSet {
@Wrapper
var x: Int {
willSet {
print(newValue)
}
}
@Wrapper
var y: Int {
didSet {
print(oldValue)
}
}
@Wrapper
var z: Int {
willSet {
print(newValue)
}
didSet {
print(oldValue)
}
}
}
struct DidSetUsesSelf {
@Wrapper
var x: Int {
didSet {
print(self)
}
}
}
// ---------------------------------------------------------------------------
// Mutating/nonmutating
// ---------------------------------------------------------------------------
@propertyWrapper
struct WrapperWithNonMutatingSetter<Value> {
class Box {
var wrappedValue: Value
init(wrappedValue: Value) {
self.wrappedValue = wrappedValue
}
}
var box: Box
init(wrappedValue initialValue: Value) {
self.box = Box(wrappedValue: initialValue)
}
var wrappedValue: Value {
get { return box.wrappedValue }
nonmutating set { box.wrappedValue = newValue }
}
}
@propertyWrapper
struct WrapperWithMutatingGetter<Value> {
var readCount = 0
var writeCount = 0
var stored: Value
init(wrappedValue initialValue: Value) {
self.stored = initialValue
}
var wrappedValue: Value {
mutating get {
readCount += 1
return stored
}
set {
writeCount += 1
stored = newValue
}
}
}
@propertyWrapper
class ClassWrapper<Value> {
var wrappedValue: Value
init(wrappedValue initialValue: Value) {
self.wrappedValue = initialValue
}
}
struct UseMutatingnessWrappers {
@WrapperWithNonMutatingSetter
var x = true
@WrapperWithMutatingGetter
var y = 17
@WrapperWithNonMutatingSetter // expected-error{{property wrapper can only be applied to a 'var'}}
let z = 3.14159 // expected-note 2{{change 'let' to 'var' to make it mutable}}
@ClassWrapper
var w = "Hello"
}
func testMutatingness() {
var mutable = UseMutatingnessWrappers()
_ = mutable.x
mutable.x = false
_ = mutable.y
mutable.y = 42
_ = mutable.z
mutable.z = 2.71828 // expected-error{{cannot assign to property: 'z' is a 'let' constant}}
_ = mutable.w
mutable.w = "Goodbye"
let nonmutable = UseMutatingnessWrappers() // expected-note 2{{change 'let' to 'var' to make it mutable}}
// Okay due to nonmutating setter
_ = nonmutable.x
nonmutable.x = false
_ = nonmutable.y // expected-error{{cannot use mutating getter on immutable value: 'nonmutable' is a 'let' constant}}
nonmutable.y = 42 // expected-error{{cannot use mutating getter on immutable value: 'nonmutable' is a 'let' constant}}
_ = nonmutable.z
nonmutable.z = 2.71828 // expected-error{{cannot assign to property: 'z' is a 'let' constant}}
// Okay due to implicitly nonmutating setter
_ = nonmutable.w
nonmutable.w = "World"
}
// ---------------------------------------------------------------------------
// Access control
// ---------------------------------------------------------------------------
struct HasPrivateWrapper<T> {
@propertyWrapper
private struct PrivateWrapper<U> { // expected-note{{type declared here}}
var wrappedValue: U
init(wrappedValue initialValue: U) {
self.wrappedValue = initialValue
}
}
@PrivateWrapper
var y: [T] = []
// expected-error@-1{{property must be declared private because its property wrapper type uses a private type}}
// Okay to reference private entities from a private property
@PrivateWrapper
private var z: [T]
}
public struct HasUsableFromInlineWrapper<T> {
@propertyWrapper
struct InternalWrapper<U> { // expected-note{{type declared here}}
var wrappedValue: U
init(wrappedValue initialValue: U) {
self.wrappedValue = initialValue
}
}
@InternalWrapper
@usableFromInline
var y: [T] = []
// expected-error@-1{{property wrapper type referenced from a '@usableFromInline' property must be '@usableFromInline' or public}}
}
@propertyWrapper
class Box<Value> {
private(set) var wrappedValue: Value
init(wrappedValue initialValue: Value) {
self.wrappedValue = initialValue
}
}
struct UseBox {
@Box
var x = 17 // expected-note{{'_x' declared here}}
}
func testBox(ub: UseBox) {
_ = ub.x
ub.x = 5 // expected-error{{cannot assign to property: 'x' is a get-only property}}
var mutableUB = ub
mutableUB = ub
}
func backingVarIsPrivate(ub: UseBox) {
_ = ub._x // expected-error{{'_x' is inaccessible due to 'private' protection level}}
}
// ---------------------------------------------------------------------------
// Memberwise initializers
// ---------------------------------------------------------------------------
struct MemberwiseInits<T> {
@Wrapper
var x: Bool
@WrapperWithInitialValue
var y: T
}
func testMemberwiseInits() {
// expected-error@+1{{type '(Wrapper<Bool>, Double) -> MemberwiseInits<Double>'}}
let _: Int = MemberwiseInits<Double>.init
_ = MemberwiseInits(x: Wrapper(stored: true), y: 17)
}
struct DefaultedMemberwiseInits {
@Wrapper(stored: true)
var x: Bool
@WrapperWithInitialValue
var y: Int = 17
@WrapperWithInitialValue(wrappedValue: 17)
var z: Int
@WrapperWithDefaultInit
var w: Int
@WrapperWithDefaultInit
var optViaDefaultInit: Int?
@WrapperWithInitialValue
var optViaInitialValue: Int?
}
struct CannotDefaultMemberwiseOptionalInit { // expected-note{{'init(x:)' declared here}}
@Wrapper
var x: Int?
}
func testDefaultedMemberwiseInits() {
_ = DefaultedMemberwiseInits()
_ = DefaultedMemberwiseInits(
x: Wrapper(stored: false),
y: 42,
z: WrapperWithInitialValue(wrappedValue: 42))
_ = DefaultedMemberwiseInits(y: 42)
_ = DefaultedMemberwiseInits(x: Wrapper(stored: false))
_ = DefaultedMemberwiseInits(z: WrapperWithInitialValue(wrappedValue: 42))
_ = DefaultedMemberwiseInits(w: WrapperWithDefaultInit())
_ = DefaultedMemberwiseInits(optViaDefaultInit: WrapperWithDefaultInit())
_ = DefaultedMemberwiseInits(optViaInitialValue: nil)
_ = DefaultedMemberwiseInits(optViaInitialValue: 42)
_ = CannotDefaultMemberwiseOptionalInit() // expected-error{{missing argument for parameter 'x' in call}}
_ = CannotDefaultMemberwiseOptionalInit(x: Wrapper(stored: nil))
}
// ---------------------------------------------------------------------------
// Default initializers
// ---------------------------------------------------------------------------
struct DefaultInitializerStruct {
@Wrapper(stored: true)
var x
@WrapperWithInitialValue
var y: Int = 10
}
struct NoDefaultInitializerStruct { // expected-note{{'init(x:)' declared here}}
@Wrapper
var x: Bool
}
class DefaultInitializerClass {
@Wrapper(stored: true)
var x
@WrapperWithInitialValue
final var y: Int = 10
}
class NoDefaultInitializerClass { // expected-error{{class 'NoDefaultInitializerClass' has no initializers}}
@Wrapper
final var x: Bool // expected-note{{stored property 'x' without initial value prevents synthesized initializers}}
}
func testDefaultInitializers() {
_ = DefaultInitializerStruct()
_ = DefaultInitializerClass()
_ = NoDefaultInitializerStruct() // expected-error{{missing argument for parameter 'x' in call}}
}
struct DefaultedPrivateMemberwiseLets {
@Wrapper(stored: true)
private var x: Bool
@WrapperWithInitialValue
var y: Int = 17
@WrapperWithInitialValue(wrappedValue: 17)
private var z: Int
}
func testDefaultedPrivateMemberwiseLets() {
_ = DefaultedPrivateMemberwiseLets()
_ = DefaultedPrivateMemberwiseLets(y: 42)
_ = DefaultedPrivateMemberwiseLets(x: Wrapper(stored: false)) // expected-error{{argument passed to call that takes no arguments}}
}
// ---------------------------------------------------------------------------
// Storage references
// ---------------------------------------------------------------------------
@propertyWrapper
struct WrapperWithStorageRef<T> {
var wrappedValue: T
var projectedValue: Wrapper<T> {
return Wrapper(stored: wrappedValue)
}
}
extension Wrapper {
var wrapperOnlyAPI: Int { return 17 }
}
struct TestStorageRef {
@WrapperWithStorageRef var x: Int // expected-note{{'_x' declared here}}
init(x: Int) {
self._x = WrapperWithStorageRef(wrappedValue: x)
}
mutating func test() {
let _: Wrapper = $x
let i = $x.wrapperOnlyAPI
let _: Int = i
// x is mutable, $x is not
x = 17
$x = Wrapper(stored: 42) // expected-error{{cannot assign to property: '$x' is immutable}}
}
}
func testStorageRef(tsr: TestStorageRef) {
let _: Wrapper = tsr.$x
_ = tsr._x // expected-error{{'_x' is inaccessible due to 'private' protection level}}
}
struct TestStorageRefPrivate {
@WrapperWithStorageRef private(set) var x: Int
init() {
self._x = WrapperWithStorageRef(wrappedValue: 5)
}
}
func testStorageRefPrivate() {
var tsr = TestStorageRefPrivate()
let a = tsr.$x // okay, getter is internal
tsr.$x = a // expected-error{{cannot assign to property: '$x' is immutable}}
}
// rdar://problem/50873275 - crash when using wrapper with projectedValue in
// generic type.
@propertyWrapper
struct InitialValueWrapperWithStorageRef<T> {
var wrappedValue: T
init(wrappedValue initialValue: T) {
wrappedValue = initialValue
}
var projectedValue: Wrapper<T> {
return Wrapper(stored: wrappedValue)
}
}
struct TestGenericStorageRef<T> {
struct Inner { }
@InitialValueWrapperWithStorageRef var inner: Inner = Inner()
}
// Wiring up the _projectedValueProperty attribute.
struct TestProjectionValuePropertyAttr {
@_projectedValueProperty(wrapperA)
@WrapperWithStorageRef var a: String
var wrapperA: Wrapper<String> {
Wrapper(stored: "blah")
}
@_projectedValueProperty(wrapperB) // expected-error{{could not find projection value property 'wrapperB'}}
@WrapperWithStorageRef var b: String
}
// ---------------------------------------------------------------------------
// Misc. semantic issues
// ---------------------------------------------------------------------------
@propertyWrapper
struct BrokenLazy { }
// expected-error@-1{{property wrapper type 'BrokenLazy' does not contain a non-static property named 'wrappedValue'}}
struct S {
@BrokenLazy
var wrappedValue: Int
}
@propertyWrapper
struct DynamicSelfStruct {
var wrappedValue: Self { self } // okay
var projectedValue: Self { self } // okay
}
@propertyWrapper
class DynamicSelf {
var wrappedValue: Self { self } // expected-error {{property wrapper wrapped value cannot have dynamic Self type}}
var projectedValue: Self? { self } // expected-error {{property wrapper projected value cannot have dynamic Self type}}
}
struct UseDynamicSelfWrapper {
@DynamicSelf() var value
}
// ---------------------------------------------------------------------------
// Invalid redeclaration
// ---------------------------------------------------------------------------
@propertyWrapper
struct WrapperWithProjectedValue<T> {
var wrappedValue: T
var projectedValue: T { return wrappedValue }
}
class TestInvalidRedeclaration1 {
@WrapperWithProjectedValue var i = 17
// expected-note@-1 {{'i' previously declared here}}
// expected-note@-2 {{'$i' synthesized for property wrapper projected value}}
// expected-note@-3 {{'_i' synthesized for property wrapper backing storage}}
@WrapperWithProjectedValue var i = 39
// expected-error@-1 {{invalid redeclaration of 'i'}}
// expected-error@-2 {{invalid redeclaration of synthesized property '$i'}}
// expected-error@-3 {{invalid redeclaration of synthesized property '_i'}}
}
// SR-12839
struct TestInvalidRedeclaration2 {
var _foo1 = 123 // expected-error {{invalid redeclaration of synthesized property '_foo1'}}
@WrapperWithInitialValue var foo1 = 123 // expected-note {{'_foo1' synthesized for property wrapper backing storage}}
}
struct TestInvalidRedeclaration3 {
@WrapperWithInitialValue var foo1 = 123 // expected-note {{'_foo1' synthesized for property wrapper backing storage}}
var _foo1 = 123 // expected-error {{invalid redeclaration of synthesized property '_foo1'}}
}
// Diagnose when wrapped property uses the name we use for lazy variable storage property.
struct TestInvalidRedeclaration4 {
@WrapperWithProjectedValue var __lazy_storage_$_foo: Int
// expected-error@-1 {{invalid redeclaration of synthesized property '$__lazy_storage_$_foo'}}
// expected-note@-2 {{'$__lazy_storage_$_foo' synthesized for property wrapper projected value}}
lazy var foo = 1
}
// ---------------------------------------------------------------------------
// Closures in initializers
// ---------------------------------------------------------------------------
struct UsesExplicitClosures {
@WrapperAcceptingAutoclosure(body: { 42 })
var x: Int
@WrapperAcceptingAutoclosure(body: { return 42 })
var y: Int
}
// ---------------------------------------------------------------------------
// Enclosing instance diagnostics
// ---------------------------------------------------------------------------
@propertyWrapper
struct Observable<Value> {
private var stored: Value
init(wrappedValue: Value) {
self.stored = wrappedValue
}
@available(*, unavailable, message: "must be in a class")
var wrappedValue: Value { // expected-note{{'wrappedValue' has been explicitly marked unavailable here}}
get { fatalError("called wrappedValue getter") }
set { fatalError("called wrappedValue setter") }
}
static subscript<EnclosingSelf>(
_enclosingInstance observed: EnclosingSelf,
wrapped wrappedKeyPath: ReferenceWritableKeyPath<EnclosingSelf, Value>,
storage storageKeyPath: ReferenceWritableKeyPath<EnclosingSelf, Self>
) -> Value {
get {
observed[keyPath: storageKeyPath].stored
}
set {
observed[keyPath: storageKeyPath].stored = newValue
}
}
}
struct MyObservedValueType {
@Observable // expected-error{{'wrappedValue' is unavailable: must be in a class}}
var observedProperty = 17
}
// ---------------------------------------------------------------------------
// Miscellaneous bugs
// ---------------------------------------------------------------------------
// rdar://problem/50822051 - compiler assertion / hang
@propertyWrapper
struct PD<Value> {
var wrappedValue: Value
init<A>(wrappedValue initialValue: Value, a: A) {
self.wrappedValue = initialValue
}
}
struct TestPD {
@PD(a: "foo") var foo: Int = 42
}
protocol P { }
@propertyWrapper
struct WrapperRequiresP<T: P> {
var wrappedValue: T
var projectedValue: T { return wrappedValue }
}
struct UsesWrapperRequiringP {
// expected-note@-1{{in declaration of}}
@WrapperRequiresP var x.: UsesWrapperRequiringP
// expected-error@-1{{expected member name following '.'}}
// expected-error@-2{{expected declaration}}
// expected-error@-3{{type annotation missing in pattern}}
}
// SR-10899 / rdar://problem/51588022
@propertyWrapper
struct SR_10899_Wrapper {
var wrappedValue: String { "hi" }
}
struct SR_10899_Usage {
@SR_10899_Wrapper var thing: Bool // expected-error{{property type 'Bool' does not match 'wrappedValue' type 'String'}}
}
// https://bugs.swift.org/browse/SR-14730
@propertyWrapper
struct StringWrappedValue {
var wrappedValue: String
}
struct SR_14730 {
// expected-error@+1 {{property type '() -> String' does not match 'wrappedValue' type 'String'}}
@StringWrappedValue var value: () -> String
}
// SR-11061 / rdar://problem/52593304 assertion with DeclContext mismatches
class SomeValue {
@SomeA(closure: { $0 }) var some: Int = 100
}
@propertyWrapper
struct SomeA<T> {
var wrappedValue: T
let closure: (T) -> (T)
init(wrappedValue initialValue: T, closure: @escaping (T) -> (T)) {
self.wrappedValue = initialValue
self.closure = closure
}
}
// rdar://problem/51989272 - crash when the property wrapper is a generic type
// alias
typealias Alias<T> = WrapperWithInitialValue<T>
struct TestAlias {
@Alias var foo = 17
}
// rdar://problem/52969503 - crash due to invalid source ranges in ill-formed
// code.
@propertyWrapper
struct Wrap52969503<T> {
var wrappedValue: T
init(blah: Int, wrappedValue: T) { }
}
struct Test52969503 {
@Wrap52969503(blah: 5) var foo: Int = 1 // expected-error{{argument 'blah' must precede argument 'wrappedValue'}}
}
//
// ---------------------------------------------------------------------------
// Property wrapper composition
// ---------------------------------------------------------------------------
@propertyWrapper
struct WrapperA<Value> {
var wrappedValue: Value
init(wrappedValue initialValue: Value) {
wrappedValue = initialValue
}
}
@propertyWrapper
struct WrapperB<Value> {
var wrappedValue: Value
init(wrappedValue initialValue: Value) {
wrappedValue = initialValue
}
}
@propertyWrapper
struct WrapperC<Value> { // expected-note {{'Value' declared as parameter to type 'WrapperC'}}
var wrappedValue: Value?
init(wrappedValue initialValue: Value?) {
wrappedValue = initialValue
}
}
@propertyWrapper
struct WrapperD<Value, X, Y> {
var wrappedValue: Value
}
@propertyWrapper
struct WrapperE<Value> {
var wrappedValue: Value
}
struct TestComposition {
@WrapperA @WrapperB @WrapperC var p1: Int?
@WrapperA @WrapperB @WrapperC var p2 = "Hello"
@WrapperD<WrapperE, Int, String> @WrapperE var p3: Int?
@WrapperD<WrapperC, Int, String> @WrapperC var p4: Int?
@WrapperD<WrapperC, Int, String> @WrapperE var p5: Int // expected-error{{generic parameter 'Value' could not be inferred}}
// expected-note@-1 {{explicitly specify the generic arguments to fix this issue}}
// expected-error@-2 {{composed wrapper type 'WrapperE<Int>' does not match type of 'WrapperD<WrapperC<Value>, Int, String>.wrappedValue', which is 'WrapperC<Value>'}}
@Wrapper<String> @Wrapper var value: Int // expected-error{{composed wrapper type 'Wrapper<Int>' does not match type of 'Wrapper<String>.wrappedValue', which is 'String'}}
func triggerErrors(d: Double) { // expected-note 6 {{mark method 'mutating' to make 'self' mutable}} {{2-2=mutating }}
p1 = d // expected-error{{cannot assign value of type 'Double' to type 'Int?'}} {{8-8=Int(}} {{9-9=)}}
// expected-error@-1 {{cannot assign to property: 'self' is immutable}}
p2 = d // expected-error{{cannot assign value of type 'Double' to type 'String?'}}
// expected-error@-1 {{cannot assign to property: 'self' is immutable}}
// TODO(diagnostics): Looks like source range for 'd' here is reported as starting at 10, but it should be 8
p3 = d // expected-error{{cannot assign value of type 'Double' to type 'Int?'}} {{10-10=Int(}} {{11-11=)}}
// expected-error@-1 {{cannot assign to property: 'self' is immutable}}
_p1 = d // expected-error{{cannot assign value of type 'Double' to type 'WrapperA<WrapperB<WrapperC<Int>>>'}}
// expected-error@-1 {{cannot assign to property: 'self' is immutable}}
_p2 = d // expected-error{{cannot assign value of type 'Double' to type 'WrapperA<WrapperB<WrapperC<String>>>'}}
// expected-error@-1 {{cannot assign to property: 'self' is immutable}}
_p3 = d // expected-error{{cannot assign value of type 'Double' to type 'WrapperD<WrapperE<Int?>, Int, String>'}}
// expected-error@-1 {{cannot assign to property: 'self' is immutable}}
}
}
// ---------------------------------------------------------------------------
// Property wrapper composition type inference
// ---------------------------------------------------------------------------
protocol DefaultValue {
static var defaultValue: Self { get }
}
extension Int: DefaultValue {
static var defaultValue: Int { 0 }
}
struct TestCompositionTypeInference {
@propertyWrapper
struct A<Value: DefaultValue> {
var wrappedValue: Value
init(wrappedValue: Value = .defaultValue, key: String) {
self.wrappedValue = wrappedValue
}
}
@propertyWrapper
struct B<Value: DefaultValue>: DefaultValue {
var wrappedValue: Value
init(wrappedValue: Value = .defaultValue) {
self.wrappedValue = wrappedValue
}
static var defaultValue: B<Value> { B() }
}
// All of these are okay
@A(key: "b") @B
var a: Int = 0
@A(key: "b") @B
var b: Int
@A(key: "c") @B @B
var c: Int
}
// ---------------------------------------------------------------------------
// Missing Property Wrapper Unwrap Diagnostics
// ---------------------------------------------------------------------------
@propertyWrapper
struct Foo<T> { // expected-note {{arguments to generic parameter 'T' ('W' and 'Int') are expected to be equal}}
var wrappedValue: T {
get {
fatalError("boom")
}
set {
}
}
var prop: Int = 42
func foo() {}
func bar(x: Int) {}
subscript(q: String) -> Int {
get { return 42 }
set { }
}
subscript(x x: Int) -> Int {
get { return 42 }
set { }
}
subscript(q q: String, a: Int) -> Bool {
get { return false }
set { }
}
}
extension Foo : Equatable where T : Equatable {
static func == (lhs: Foo, rhs: Foo) -> Bool {
lhs.wrappedValue == rhs.wrappedValue
}
}
extension Foo : Hashable where T : Hashable {
func hash(into hasher: inout Hasher) {
hasher.combine(wrappedValue)
}
}
@propertyWrapper
struct Bar<T, V> {
var wrappedValue: T
func bar() {}
// TODO(diagnostics): We need to figure out what to do about subscripts.
// The problem standing in our way - keypath application choice
// is always added to results even if it's not applicable.
}
@propertyWrapper
struct Baz<T> {
var wrappedValue: T
func onPropertyWrapper() {}
var projectedValue: V {
return V()
}
}
extension Bar where V == String { // expected-note {{where 'V' = 'Bool'}}
func barWhereVIsString() {}
}
struct V {
func onProjectedValue() {}
}
struct W {
func onWrapped() {}
}
struct MissingPropertyWrapperUnwrap {
@Foo var w: W
@Foo var x: Int
@Bar<Int, Bool> var y: Int
@Bar<Int, String> var z: Int
@Baz var usesProjectedValue: W
func a<T>(_: Foo<T>) {}
func a<T>(named: Foo<T>) {}
func b(_: Foo<Int>) {}
func c(_: V) {}
func d(_: W) {}
func e(_: Foo<W>) {}
subscript<T : Hashable>(takesFoo x: Foo<T>) -> Foo<T> { x }
func baz() {
self.x.foo() // expected-error {{referencing instance method 'foo()' requires wrapper 'Foo<Int>'}}{{10-10=_}}
self.x.prop // expected-error {{referencing property 'prop' requires wrapper 'Foo<Int>'}} {{10-10=_}}
self.x.bar(x: 42) // expected-error {{referencing instance method 'bar(x:)' requires wrapper 'Foo<Int>'}} {{10-10=_}}
self.y.bar() // expected-error {{referencing instance method 'bar()' requires wrapper 'Bar<Int, Bool>'}}{{10-10=_}}
self.y.barWhereVIsString() // expected-error {{referencing instance method 'barWhereVIsString()' requires wrapper 'Bar<Int, Bool>'}}{{10-10=_}}
// expected-error@-1 {{referencing instance method 'barWhereVIsString()' on 'Bar' requires the types 'Bool' and 'String' be equivalent}}
self.z.barWhereVIsString() // expected-error {{referencing instance method 'barWhereVIsString()' requires wrapper 'Bar<Int, String>'}}{{10-10=_}}
self.usesProjectedValue.onPropertyWrapper() // expected-error {{referencing instance method 'onPropertyWrapper()' requires wrapper 'Baz<W>'}}{{10-10=_}}
self._w.onWrapped() // expected-error {{referencing instance method 'onWrapped()' requires wrapped value of type 'W'}}{{10-11=}}
self.usesProjectedValue.onProjectedValue() // expected-error {{referencing instance method 'onProjectedValue()' requires wrapper 'V'}}{{10-10=$}}
self.$usesProjectedValue.onWrapped() // expected-error {{referencing instance method 'onWrapped()' requires wrapped value of type 'W'}}{{10-11=}}
self._usesProjectedValue.onWrapped() // expected-error {{referencing instance method 'onWrapped()' requires wrapped value of type 'W'}}{{10-11=}}
a(self.w) // expected-error {{cannot convert value 'w' of type 'W' to expected type 'Foo<W>', use wrapper instead}}{{12-12=_}}
b(self.x) // expected-error {{cannot convert value 'x' of type 'Int' to expected type 'Foo<Int>', use wrapper instead}}{{12-12=_}}
b(self.w) // expected-error {{cannot convert value of type 'W' to expected argument type 'Foo<Int>'}}
e(self.w) // expected-error {{cannot convert value 'w' of type 'W' to expected type 'Foo<W>', use wrapper instead}}{{12-12=_}}
b(self._w) // expected-error {{cannot convert value of type 'Foo<W>' to expected argument type 'Foo<Int>'}}
c(self.usesProjectedValue) // expected-error {{cannot convert value 'usesProjectedValue' of type 'W' to expected type 'V', use wrapper instead}}{{12-12=$}}
d(self.$usesProjectedValue) // expected-error {{cannot convert value '$usesProjectedValue' of type 'V' to expected type 'W', use wrapped value instead}}{{12-13=}}
d(self._usesProjectedValue) // expected-error {{cannot convert value '_usesProjectedValue' of type 'Baz<W>' to expected type 'W', use wrapped value instead}}{{12-13=}}
self.x["ultimate question"] // expected-error {{referencing subscript 'subscript(_:)' requires wrapper 'Foo<Int>'}} {{10-10=_}}
self.x["ultimate question"] = 42 // expected-error {{referencing subscript 'subscript(_:)' requires wrapper 'Foo<Int>'}} {{10-10=_}}
self.x[x: 42] // expected-error {{referencing subscript 'subscript(x:)' requires wrapper 'Foo<Int>'}} {{10-10=_}}
self.x[x: 42] = 0 // expected-error {{referencing subscript 'subscript(x:)' requires wrapper 'Foo<Int>'}} {{10-10=_}}
self.x[q: "ultimate question", 42] // expected-error {{referencing subscript 'subscript(q:_:)' requires wrapper 'Foo<Int>'}} {{10-10=_}}
self.x[q: "ultimate question", 42] = true // expected-error {{referencing subscript 'subscript(q:_:)' requires wrapper 'Foo<Int>'}} {{10-10=_}}
// SR-11476
_ = \Self.[takesFoo: self.x] // expected-error {{cannot convert value 'x' of type 'Int' to expected type 'Foo<Int>', use wrapper instead}}{{31-31=_}}
_ = \Foo<W>.[x: self._x] // expected-error {{cannot convert value '_x' of type 'Foo<Int>' to expected type 'Int', use wrapped value instead}} {{26-27=}}
}
}
struct InvalidPropertyDelegateUse {
// TODO(diagnostics): We need to a tailored diagnostic for extraneous arguments in property delegate initialization
@Foo var x: Int = 42 // expected-error@:21 {{argument passed to call that takes no arguments}}
func test() {
self.x.foo() // expected-error {{value of type 'Int' has no member 'foo'}}
}
}
// SR-11060
class SR_11060_Class {
@SR_11060_Wrapper var property: Int = 1234 // expected-error {{missing argument for parameter 'string' in property wrapper initializer; add 'wrappedValue' and 'string' arguments in '@SR_11060_Wrapper(...)'}}
}
@propertyWrapper
struct SR_11060_Wrapper {
var wrappedValue: Int
init(wrappedValue: Int, string: String) { // expected-note {{'init(wrappedValue:string:)' declared here}}
self.wrappedValue = wrappedValue
}
}
// SR-11138
// Check that all possible compositions of nonmutating/mutating accessors
// on wrappers produce wrapped properties with the correct settability and
// mutatiness in all compositions.
@propertyWrapper
struct NonmutatingGetWrapper<T> {
var wrappedValue: T {
nonmutating get { fatalError() }
}
}
@propertyWrapper
struct MutatingGetWrapper<T> {
var wrappedValue: T {
mutating get { fatalError() }
}
}
@propertyWrapper
struct NonmutatingGetNonmutatingSetWrapper<T> {
var wrappedValue: T {
nonmutating get { fatalError() }
nonmutating set { fatalError() }
}
}
@propertyWrapper
struct MutatingGetNonmutatingSetWrapper<T> {
var wrappedValue: T {
mutating get { fatalError() }
nonmutating set { fatalError() }
}
}
@propertyWrapper
struct NonmutatingGetMutatingSetWrapper<T> {
var wrappedValue: T {
nonmutating get { fatalError() }
mutating set { fatalError() }
}
}
@propertyWrapper
struct MutatingGetMutatingSetWrapper<T> {
var wrappedValue: T {
mutating get { fatalError() }
mutating set { fatalError() }
}
}
struct AllCompositionsStruct {
// Should have nonmutating getter, undefined setter
@NonmutatingGetWrapper @NonmutatingGetWrapper
var ngxs_ngxs: Int
// Should be disallowed
@NonmutatingGetWrapper @MutatingGetWrapper // expected-error{{cannot be composed}}
var ngxs_mgxs: Int
// Should have nonmutating getter, nonmutating setter
@NonmutatingGetWrapper @NonmutatingGetNonmutatingSetWrapper
var ngxs_ngns: Int
// Should be disallowed
@NonmutatingGetWrapper @MutatingGetNonmutatingSetWrapper // expected-error{{cannot be composed}}
var ngxs_mgns: Int
// Should have nonmutating getter, undefined setter
@NonmutatingGetWrapper @NonmutatingGetMutatingSetWrapper
var ngxs_ngms: Int
// Should be disallowed
@NonmutatingGetWrapper @MutatingGetMutatingSetWrapper // expected-error{{cannot be composed}}
var ngxs_mgms: Int
////
// Should have mutating getter, undefined setter
@MutatingGetWrapper @NonmutatingGetWrapper
var mgxs_ngxs: Int
// Should be disallowed
@MutatingGetWrapper @MutatingGetWrapper // expected-error{{cannot be composed}}
var mgxs_mgxs: Int
// Should have mutating getter, mutating setter
@MutatingGetWrapper @NonmutatingGetNonmutatingSetWrapper
var mgxs_ngns: Int
// Should be disallowed
@MutatingGetWrapper @MutatingGetNonmutatingSetWrapper // expected-error{{cannot be composed}}
var mgxs_mgns: Int
// Should have mutating getter, undefined setter
@MutatingGetWrapper @NonmutatingGetMutatingSetWrapper
var mgxs_ngms: Int
// Should be disallowed
@MutatingGetWrapper @MutatingGetMutatingSetWrapper // expected-error{{cannot be composed}}
var mgxs_mgms: Int
////
// Should have nonmutating getter, undefined setter
@NonmutatingGetNonmutatingSetWrapper @NonmutatingGetWrapper
var ngns_ngxs: Int
// Should have nonmutating getter, undefined setter
@NonmutatingGetNonmutatingSetWrapper @MutatingGetWrapper
var ngns_mgxs: Int
// Should have nonmutating getter, nonmutating setter
@NonmutatingGetNonmutatingSetWrapper @NonmutatingGetNonmutatingSetWrapper
var ngns_ngns: Int
// Should have nonmutating getter, nonmutating setter
@NonmutatingGetNonmutatingSetWrapper @MutatingGetNonmutatingSetWrapper
var ngns_mgns: Int
// Should have nonmutating getter, nonmutating setter
@NonmutatingGetNonmutatingSetWrapper @NonmutatingGetMutatingSetWrapper
var ngns_ngms: Int
// Should have nonmutating getter, nonmutating setter
@NonmutatingGetNonmutatingSetWrapper @MutatingGetMutatingSetWrapper
var ngns_mgms: Int
////
// Should have mutating getter, undefined setter
@MutatingGetNonmutatingSetWrapper @NonmutatingGetWrapper
var mgns_ngxs: Int
// Should have mutating getter, undefined setter
@MutatingGetNonmutatingSetWrapper @MutatingGetWrapper
var mgns_mgxs: Int
// Should have mutating getter, mutating setter
@MutatingGetNonmutatingSetWrapper @NonmutatingGetNonmutatingSetWrapper
var mgns_ngns: Int
// Should have mutating getter, mutating setter
@MutatingGetNonmutatingSetWrapper @MutatingGetNonmutatingSetWrapper
var mgns_mgns: Int
// Should have mutating getter, mutating setter
@MutatingGetNonmutatingSetWrapper @NonmutatingGetMutatingSetWrapper
var mgns_ngms: Int
// Should have mutating getter, mutating setter
@MutatingGetNonmutatingSetWrapper @MutatingGetMutatingSetWrapper
var mgns_mgms: Int
////
// Should have nonmutating getter, undefined setter
@NonmutatingGetMutatingSetWrapper @NonmutatingGetWrapper
var ngms_ngxs: Int
// Should have mutating getter, undefined setter
@NonmutatingGetMutatingSetWrapper @MutatingGetWrapper
var ngms_mgxs: Int
// Should have nonmutating getter, nonmutating setter
@NonmutatingGetMutatingSetWrapper @NonmutatingGetNonmutatingSetWrapper
var ngms_ngns: Int
// Should have mutating getter, nonmutating setter
@NonmutatingGetMutatingSetWrapper @MutatingGetNonmutatingSetWrapper
var ngms_mgns: Int
// Should have nonmutating getter, mutating setter
@NonmutatingGetMutatingSetWrapper @NonmutatingGetMutatingSetWrapper
var ngms_ngms: Int
// Should have mutating getter, mutating setter
@NonmutatingGetMutatingSetWrapper @MutatingGetMutatingSetWrapper
var ngms_mgms: Int
////
// Should have mutating getter, undefined setter
@MutatingGetMutatingSetWrapper @NonmutatingGetWrapper
var mgms_ngxs: Int
// Should have mutating getter, undefined setter
@MutatingGetMutatingSetWrapper @MutatingGetWrapper
var mgms_mgxs: Int
// Should have mutating getter, mutating setter
@MutatingGetMutatingSetWrapper @NonmutatingGetNonmutatingSetWrapper
var mgms_ngns: Int
// Should have mutating getter, mutating setter
@MutatingGetMutatingSetWrapper @MutatingGetNonmutatingSetWrapper
var mgms_mgns: Int
// Should have mutating getter, mutating setter
@MutatingGetMutatingSetWrapper @NonmutatingGetMutatingSetWrapper
var mgms_ngms: Int
// Should have mutating getter, mutating setter
@MutatingGetMutatingSetWrapper @MutatingGetMutatingSetWrapper
var mgms_mgms: Int
func readonlyContext(x: Int) { // expected-note *{{}}
_ = ngxs_ngxs
// _ = ngxs_mgxs
_ = ngxs_ngns
// _ = ngxs_mgns
_ = ngxs_ngms
// _ = ngxs_mgms
_ = mgxs_ngxs // expected-error{{}}
// _ = mgxs_mgxs
_ = mgxs_ngns // expected-error{{}}
// _ = mgxs_mgns
_ = mgxs_ngms // expected-error{{}}
// _ = mgxs_mgms
_ = ngns_ngxs
_ = ngns_mgxs
_ = ngns_ngns
_ = ngns_mgns
_ = ngns_ngms
_ = ngns_mgms
_ = mgns_ngxs // expected-error{{}}
_ = mgns_mgxs // expected-error{{}}
_ = mgns_ngns // expected-error{{}}
_ = mgns_mgns // expected-error{{}}
_ = mgns_ngms // expected-error{{}}
_ = mgns_mgms // expected-error{{}}
_ = ngms_ngxs
_ = ngms_mgxs // expected-error{{}}
_ = ngms_ngns
_ = ngms_mgns // expected-error{{}}
_ = ngms_ngms
_ = ngms_mgms // expected-error{{}}
_ = mgms_ngxs // expected-error{{}}
_ = mgms_mgxs // expected-error{{}}
_ = mgms_ngns // expected-error{{}}
_ = mgms_mgns // expected-error{{}}
_ = mgms_ngms // expected-error{{}}
_ = mgms_mgms // expected-error{{}}
////
ngxs_ngxs = x // expected-error{{}}
// ngxs_mgxs = x
ngxs_ngns = x
// ngxs_mgns = x
ngxs_ngms = x // expected-error{{}}
// ngxs_mgms = x
mgxs_ngxs = x // expected-error{{}}
// mgxs_mgxs = x
mgxs_ngns = x // expected-error{{}}
// mgxs_mgns = x
mgxs_ngms = x // expected-error{{}}
// mgxs_mgms = x
ngns_ngxs = x // expected-error{{}}
ngns_mgxs = x // expected-error{{}}
ngns_ngns = x
ngns_mgns = x
ngns_ngms = x
ngns_mgms = x
mgns_ngxs = x // expected-error{{}}
mgns_mgxs = x // expected-error{{}}
mgns_ngns = x // expected-error{{}}
mgns_mgns = x // expected-error{{}}
mgns_ngms = x // expected-error{{}}
mgns_mgms = x // expected-error{{}}
ngms_ngxs = x // expected-error{{}}
ngms_mgxs = x // expected-error{{}}
ngms_ngns = x
// FIXME: This ought to be allowed because it's a pure set, so the mutating
// get should not come into play.
ngms_mgns = x // expected-error{{cannot use mutating getter}}
ngms_ngms = x // expected-error{{}}
ngms_mgms = x // expected-error{{}}
mgms_ngxs = x // expected-error{{}}
mgms_mgxs = x // expected-error{{}}
mgms_ngns = x // expected-error{{}}
mgms_mgns = x // expected-error{{}}
mgms_ngms = x // expected-error{{}}
mgms_mgms = x // expected-error{{}}
}
mutating func mutatingContext(x: Int) {
_ = ngxs_ngxs
// _ = ngxs_mgxs
_ = ngxs_ngns
// _ = ngxs_mgns
_ = ngxs_ngms
// _ = ngxs_mgms
_ = mgxs_ngxs
// _ = mgxs_mgxs
_ = mgxs_ngns
// _ = mgxs_mgns
_ = mgxs_ngms
// _ = mgxs_mgms
_ = ngns_ngxs
_ = ngns_mgxs
_ = ngns_ngns
_ = ngns_mgns
_ = ngns_ngms
_ = ngns_mgms
_ = mgns_ngxs
_ = mgns_mgxs
_ = mgns_ngns
_ = mgns_mgns
_ = mgns_ngms
_ = mgns_mgms
_ = ngms_ngxs
_ = ngms_mgxs
_ = ngms_ngns
_ = ngms_mgns
_ = ngms_ngms
_ = ngms_mgms
_ = mgms_ngxs
_ = mgms_mgxs
_ = mgms_ngns
_ = mgms_mgns
_ = mgms_ngms
_ = mgms_mgms
////
ngxs_ngxs = x // expected-error{{}}
// ngxs_mgxs = x
ngxs_ngns = x
// ngxs_mgns = x
ngxs_ngms = x // expected-error{{}}
// ngxs_mgms = x
mgxs_ngxs = x // expected-error{{}}
// mgxs_mgxs = x
mgxs_ngns = x
// mgxs_mgns = x
mgxs_ngms = x // expected-error{{}}
// mgxs_mgms = x
ngns_ngxs = x // expected-error{{}}
ngns_mgxs = x // expected-error{{}}
ngns_ngns = x
ngns_mgns = x
ngns_ngms = x
ngns_mgms = x
mgns_ngxs = x // expected-error{{}}
mgns_mgxs = x // expected-error{{}}
mgns_ngns = x
mgns_mgns = x
mgns_ngms = x
mgns_mgms = x
ngms_ngxs = x // expected-error{{}}
ngms_mgxs = x // expected-error{{}}
ngms_ngns = x
ngms_mgns = x
ngms_ngms = x
ngms_mgms = x
mgms_ngxs = x // expected-error{{}}
mgms_mgxs = x // expected-error{{}}
mgms_ngns = x
mgms_mgns = x
mgms_ngms = x
mgms_mgms = x
}
}
// rdar://problem/54184846 - crash while trying to retrieve wrapper info on l-value base type
func test_missing_method_with_lvalue_base() {
@propertyWrapper
struct Ref<T> {
var wrappedValue: T
}
struct S<T> where T: RandomAccessCollection, T.Element: Equatable {
@Ref var v: T.Element
init(items: T, v: Ref<T.Element>) {
self.v.binding = v // expected-error {{value of type 'T.Element' has no member 'binding'}}
}
}
}
// SR-11288
// Look into the protocols that the type conforms to
// typealias as propertyWrapper //
@propertyWrapper
struct SR_11288_S0 {
var wrappedValue: Int
}
protocol SR_11288_P1 {
typealias SR_11288_Wrapper1 = SR_11288_S0
}
struct SR_11288_S1: SR_11288_P1 {
@SR_11288_Wrapper1 var answer = 42 // Okay
}
// associatedtype as propertyWrapper //
protocol SR_11288_P2 {
associatedtype SR_11288_Wrapper2 = SR_11288_S0
}
struct SR_11288_S2: SR_11288_P2 {
@SR_11288_Wrapper2 var answer = 42 // expected-error {{unknown attribute 'SR_11288_Wrapper2'}}
}
protocol SR_11288_P3 {
associatedtype SR_11288_Wrapper3
}
struct SR_11288_S3: SR_11288_P3 {
typealias SR_11288_Wrapper3 = SR_11288_S0
@SR_11288_Wrapper3 var answer = 42 // Okay
}
// typealias as propertyWrapper in a constrained protocol extension //
protocol SR_11288_P4 {}
extension SR_11288_P4 where Self: AnyObject { // expected-note {{requirement specified as 'Self' : 'AnyObject' [with Self = SR_11288_S4]}}
typealias SR_11288_Wrapper4 = SR_11288_S0
}
struct SR_11288_S4: SR_11288_P4 {
@SR_11288_Wrapper4 var answer = 42 // expected-error {{'Self.SR_11288_Wrapper4' (aka 'SR_11288_S0') requires that 'SR_11288_S4' be a class type}}
}
class SR_11288_C0: SR_11288_P4 {
@SR_11288_Wrapper4 var answer = 42 // Okay
}
// typealias as propertyWrapper in a generic type //
protocol SR_11288_P5 {
typealias SR_11288_Wrapper5 = SR_11288_S0
}
struct SR_11288_S5<T>: SR_11288_P5 {
@SR_11288_Wrapper5 var answer = 42 // Okay
}
// SR-11393
protocol Copyable: AnyObject {
func copy() -> Self
}
@propertyWrapper
struct CopyOnWrite<Value: Copyable> {
init(wrappedValue: Value) {
self.wrappedValue = wrappedValue
}
var wrappedValue: Value
var projectedValue: Value {
mutating get {
if !isKnownUniquelyReferenced(&wrappedValue) {
wrappedValue = wrappedValue.copy()
}
return wrappedValue
}
set {
wrappedValue = newValue
}
}
}
final class CopyOnWriteTest: Copyable {
let a: Int
init(a: Int) {
self.a = a
}
func copy() -> Self {
Self.init(a: a)
}
}
struct CopyOnWriteDemo1 {
@CopyOnWrite var a = CopyOnWriteTest(a: 3)
func foo() { // expected-note{{mark method 'mutating' to make 'self' mutable}}
_ = $a // expected-error{{cannot use mutating getter on immutable value: 'self' is immutable}}
}
}
@propertyWrapper
struct NonMutatingProjectedValueSetWrapper<Value> {
var wrappedValue: Value
var projectedValue: Value {
get { wrappedValue }
nonmutating set { }
}
}
struct UseNonMutatingProjectedValueSet {
@NonMutatingProjectedValueSetWrapper var x = 17
func test() { // expected-note{{mark method 'mutating' to make 'self' mutable}}
$x = 42 // okay
x = 42 // expected-error{{cannot assign to property: 'self' is immutable}}
}
}
// SR-11478
@propertyWrapper
struct SR_11478_W<Value> {
var wrappedValue: Value
}
class SR_11478_C1 {
@SR_11478_W static var bool1: Bool = true // Ok
@SR_11478_W class var bool2: Bool = true // expected-error {{class stored properties not supported in classes; did you mean 'static'?}}
@SR_11478_W class final var bool3: Bool = true // expected-error {{class stored properties not supported in classes; did you mean 'static'?}}
}
final class SR_11478_C2 {
@SR_11478_W static var bool1: Bool = true // Ok
@SR_11478_W class var bool2: Bool = true // expected-error {{class stored properties not supported in classes; did you mean 'static'?}}
@SR_11478_W class final var bool3: Bool = true // expected-error {{class stored properties not supported in classes; did you mean 'static'?}}
}
// SR-11381
@propertyWrapper
struct SR_11381_W<T> {
init(wrappedValue: T) {}
var wrappedValue: T {
fatalError()
}
}
struct SR_11381_S {
@SR_11381_W var foo: Int = nil // expected-error {{'nil' is not compatible with expected argument type 'Int'}}
}
// rdar://problem/53349209 - regression in property wrapper inference
struct Concrete1: P {}
@propertyWrapper struct ConcreteWrapper {
var wrappedValue: Concrete1 { get { fatalError() } }
}
struct TestConcrete1 {
@ConcreteWrapper() var s1
func f() {
// Good:
let _: P = self.s1
// Bad:
self.g(s1: self.s1)
// Ugly:
self.g(s1: self.s1 as P)
}
func g(s1: P) {
// ...
}
}
// SR-11477
// Two initializers that can default initialize the wrapper //
@propertyWrapper
struct SR_11477_W1 { // Okay
let name: String
init() {
self.name = "Init"
}
init(name: String = "DefaultParamInit") {
self.name = name
}
var wrappedValue: Int {
get { return 0 }
}
}
// Two initializers with default arguments that can default initialize the wrapper //
@propertyWrapper
struct SR_11477_W2 { // Okay
let name: String
init(anotherName: String = "DefaultParamInit1") {
self.name = anotherName
}
init(name: String = "DefaultParamInit2") {
self.name = name
}
var wrappedValue: Int {
get { return 0 }
}
}
// Single initializer that can default initialize the wrapper //
@propertyWrapper
struct SR_11477_W3 { // Okay
let name: String
init() {
self.name = "Init"
}
var wrappedValue: Int {
get { return 0 }
}
}
// rdar://problem/56213175 - backward compatibility issue with Swift 5.1,
// which unconditionally skipped protocol members.
protocol ProtocolWithWrapper {
associatedtype Wrapper = Float // expected-note{{associated type 'Wrapper' declared here}}
}
struct UsesProtocolWithWrapper: ProtocolWithWrapper {
@Wrapper var foo: Int // expected-warning{{ignoring associated type 'Wrapper' in favor of module-scoped property wrapper 'Wrapper'; please qualify the reference with 'property_wrappers'}}{{4-4=property_wrappers.}}
}
// rdar://problem/56350060 - [Dynamic key path member lookup] Assertion when subscripting with a key path
func test_rdar56350060() {
@propertyWrapper
@dynamicMemberLookup
struct DynamicWrapper<Value> {
var wrappedValue: Value { fatalError() }
subscript<T>(keyPath keyPath: KeyPath<Value, T>) -> DynamicWrapper<T> {
fatalError()
}
subscript<T>(dynamicMember keyPath: KeyPath<Value, T>) -> DynamicWrapper<T> {
return self[keyPath: keyPath] // Ok
}
}
}
// rdar://problem/57411331 - crash due to incorrectly synthesized "nil" default
// argument.
@propertyWrapper
struct Blah<Value> {
init(blah _: Int) { }
var wrappedValue: Value {
let val: Value? = nil
return val!
}
}
struct UseRdar57411331 {
let x = Rdar57411331(other: 5)
}
struct Rdar57411331 {
@Blah(blah: 17) var something: Int?
var other: Int
}
// SR-11994
@propertyWrapper
open class OpenPropertyWrapperWithPublicInit {
public init(wrappedValue: String) { // Okay
self.wrappedValue = wrappedValue
}
open var wrappedValue: String = "Hello, world"
}
// SR-11654
struct SR_11654_S {}
class SR_11654_C {
@Foo var property: SR_11654_S?
}
func sr_11654_generic_func<T>(_ argument: T?) -> T? {
return argument
}
let sr_11654_c = SR_11654_C()
_ = sr_11654_generic_func(sr_11654_c.property) // Okay
// rdar://problem/59471019 - property wrapper initializer requires empty parens
// for default init
@propertyWrapper
struct DefaultableIntWrapper {
var wrappedValue: Int
init() {
self.wrappedValue = 0
}
}
struct TestDefaultableIntWrapper {
@DefaultableIntWrapper var x
@DefaultableIntWrapper() var y
@DefaultableIntWrapper var z: Int
mutating func test() {
x = y
y = z
}
}
@propertyWrapper
public struct NonVisibleImplicitInit {
// expected-error@-1 {{internal initializer 'init()' cannot have more restrictive access than its enclosing property wrapper type 'NonVisibleImplicitInit' (which is public)}}
public var wrappedValue: Bool {
return false
}
}
@propertyWrapper
struct OptionalWrapper<T> {
init() {}
var wrappedValue: T? { nil }
}
struct UseOptionalWrapper {
@OptionalWrapper var p: Int?? // Okay
}
@propertyWrapper
struct WrapperWithFailableInit<Value> {
var wrappedValue: Value
init(_ base: WrapperWithFailableInit<Value>) { fatalError() }
init?(_ base: WrapperWithFailableInit<Value?>) { fatalError() }
}
struct TestInitError {
// FIXME: bad diagnostics when a wrapper does not support init from wrapped value
// expected-error@+2 {{extraneous argument label 'wrappedValue:' in call}}
// expected-error@+1 {{cannot convert value of type 'Int' to specified type 'WrapperWithFailableInit<Int>'}}
@WrapperWithFailableInit var value: Int = 10
}
| apache-2.0 | 16b5e05485e25c0314cee205054f61b7 | 27.040797 | 260 | 0.649535 | 4.197855 | false | false | false | false |
richardpiazza/SOSwift | Sources/SOSwift/DateTime.swift | 1 | 2346 | import Foundation
public struct DateTime: RawRepresentable, Equatable, Codable {
public typealias RawValue = Date
/// A default `DateFormatter` for interacting with Schema.org date-time formats.
@available(macOS 10.12, iOS 10.0, tvOS 10.0, watchOS 3.0, *)
public static var iso8601: ISO8601DateFormatter {
let formatter = ISO8601DateFormatter()
formatter.formatOptions = .withInternetDateTime
return formatter
}
/// A fallback `DateFormatter` using the format `yyyy'-'MM'-'dd'T'HH':'mm':'ssZZZZZ`
public static var iso8601Simple: DateFormatter {
let formatter = DateFormatter()
formatter.dateFormat = "yyyy'-'MM'-'dd'T'HH':'mm':'ssZZZZZ"
return formatter
}
public static func makeDate(from stringValue: String) throws -> Date {
let _date: Date?
if #available(macOS 10.12, iOS 10.0, tvOS 10.0, watchOS 3.0, *) {
_date = iso8601.date(from: stringValue)
} else {
_date = iso8601Simple.date(from: stringValue)
}
guard let date = _date else {
throw SchemaError.incorrectDateFormat
}
return date
}
public static func makeString(from date: Date) -> String {
if #available(macOS 10.12, iOS 10.0, tvOS 10.0, watchOS 3.0, *) {
return iso8601.string(from: date)
} else {
return iso8601Simple.string(from: date)
}
}
public var rawValue: Date
public init(rawValue: Date) {
self.rawValue = rawValue
}
public init?(stringValue: String) {
let date: Date
do {
date = try type(of: self).makeDate(from: stringValue)
} catch {
return nil
}
rawValue = date
}
public init(from decoder: Decoder) throws {
let container = try decoder.singleValueContainer()
let value = try container.decode(String.self)
rawValue = try type(of: self).makeDate(from: value)
}
public func encode(to encoder: Encoder) throws {
var container = encoder.singleValueContainer()
try container.encode(stringValue)
}
public var stringValue: String {
return type(of: self).makeString(from: rawValue)
}
}
| mit | 0ec130cf06dbf8f532eec02a0f22144e | 28.325 | 88 | 0.591219 | 4.511538 | false | false | false | false |
brennanMKE/StravaKit | Sources/Activity.swift | 2 | 7540 | //
// Activity.swift
// StravaKit
//
// Created by Brennan Stehling on 8/22/16.
// Copyright © 2016 SmallSharpTools LLC. All rights reserved.
//
import Foundation
import CoreLocation
/**
Model Representation of an activity.
*/
public struct Activity {
public let activityId: Int
public let externalId: String
public let uploadId: Int
public let athleteId: Int
public let athleteResourceState: Int
public let name: String
public let distance: Float
public let movingTime: Int
public let elapsedTime: Int
public let totalElevationGain: Float
public let type: String
public let timezone: String
public let startCoordinates: [CLLocationDegrees]
public let endCoordinates: [CLLocationDegrees]
public let city: String
public let state: String
public let country: String
public let achievementCount: Int
public let kudosCount: Int
public let commentCount: Int
public let athleteCount: Int
public let photoCount: Int
public let map: Map
public let trainer: Bool
public let commute: Bool
public let manual: Bool
public let privateActivity: Bool
public let flagged: Bool
public let gearId: Int?
public let averageSpeed: Float
public let maxSpeed: Float
public let deviceWatts: Bool
public let hasHeartrate: Bool
public let elevationHigh: Float
public let elevationLow: Float
public let totalPhotoCount: Int
public let hasKudoed: Bool
internal let startDateString: String
internal let startDateLocalString: String
public let averageWatts: Float?
public let weightedAverageWatts: Float?
public let kilojoules: Float?
public let workoutType: Int?
/**
Failable initializer.
*/
init?(dictionary: JSONDictionary) {
if let s = JSONSupport(dictionary: dictionary),
let activityId: Int = s.value("id"),
let externalId: String = s.value("external_id"),
let uploadId: Int = s.value("upload_id"),
let athleteDictionary: JSONDictionary = s.value("athlete"),
let a = JSONSupport(dictionary: athleteDictionary),
let athleteId: Int = a.value("id"),
let athleteResourceState: Int = a.value("resource_state"),
let name: String = s.value("name"),
let distance: Float = s.value("distance"),
let movingTime: Int = s.value("moving_time"),
let elapsedTime: Int = s.value("elapsed_time"),
let totalElevationGain: Float = s.value("total_elevation_gain"),
let type: String = s.value("type"),
let startDate: String = s.value("start_date"),
let startDateLocal: String = s.value("start_date_local"),
let timezone: String = s.value("timezone"),
let startCoordinates: [CLLocationDegrees] = s.value("start_latlng"),
startCoordinates.count == 2,
let endCoordinates: [CLLocationDegrees] = s.value("end_latlng"),
endCoordinates.count == 2,
let city: String = s.value("location_city"),
let state: String = s.value("location_state"),
let country: String = s.value("location_country"),
let achievementCount: Int = s.value("achievement_count"),
let kudosCount: Int = s.value("kudos_count"),
let commentCount: Int = s.value("comment_count"),
let athleteCount: Int = s.value("athlete_count"),
let photoCount: Int = s.value("photo_count"),
let mapDictionary: JSONDictionary = s.value("map"),
let map = Map(dictionary: mapDictionary),
let trainer: Bool = s.value("trainer"),
let commute: Bool = s.value("commute"),
let manual: Bool = s.value("manual"),
let privateActivity: Bool = s.value("private"),
let flagged: Bool = s.value("flagged"),
let averageSpeed: Float = s.value("average_speed"),
let maxSpeed: Float = s.value("max_speed"),
let deviceWatts: Bool = s.value("device_watts"),
let hasHeartrate: Bool = s.value("has_heartrate"),
let elevationHigh: Float = s.value("elev_high"),
let elevationLow: Float = s.value("elev_low"),
let totalPhotoCount: Int = s.value("total_photo_count"),
let hasKudoed: Bool = s.value("has_kudoed") {
self.activityId = activityId
self.externalId = externalId
self.uploadId = uploadId
self.athleteId = athleteId
self.athleteResourceState = athleteResourceState
self.name = name
self.distance = distance
self.movingTime = movingTime
self.elapsedTime = elapsedTime
self.totalElevationGain = totalElevationGain
self.type = type
self.startDateString = startDate
self.startDateLocalString = startDateLocal
self.timezone = timezone
self.startCoordinates = startCoordinates
self.endCoordinates = endCoordinates
self.city = city
self.state = state
self.country = country
self.achievementCount = achievementCount
self.kudosCount = kudosCount
self.commentCount = commentCount
self.athleteCount = athleteCount
self.photoCount = photoCount
self.map = map
self.trainer = trainer
self.commute = commute
self.manual = manual
self.privateActivity = privateActivity
self.flagged = flagged
self.averageSpeed = averageSpeed
self.maxSpeed = maxSpeed
self.deviceWatts = deviceWatts
self.hasHeartrate = hasHeartrate
self.elevationHigh = elevationHigh
self.elevationLow = elevationLow
self.totalPhotoCount = totalPhotoCount
self.hasKudoed = hasKudoed
// Optional Properties
self.gearId = s.value("gear_id", required: false)
self.averageWatts = s.value("average_watts", required: false)
self.weightedAverageWatts = s.value("weighted_average_watts", required: false)
self.kilojoules = s.value("kilojoules", required: false)
self.workoutType = s.value("workout_type", required: false)
}
else {
return nil
}
}
public static func activities(_ dictionaries: [JSONDictionary]) -> [Activity]? {
let activities = dictionaries.flatMap { (d) in
return Activity(dictionary: d)
}
return activities.count > 0 ? activities : nil
}
public var startCoordinate: CLLocationCoordinate2D {
guard let latitude = startCoordinates.first,
let longitude = startCoordinates.last
else {
return kCLLocationCoordinate2DInvalid
}
return CLLocationCoordinate2DMake(latitude, longitude)
}
public var endCoordinate: CLLocationCoordinate2D {
guard let latitude = endCoordinates.first,
let longitude = endCoordinates.last
else {
return kCLLocationCoordinate2DInvalid
}
return CLLocationCoordinate2DMake(latitude, longitude)
}
public var startDate: Date? {
return Strava.dateFromString(startDateString)
}
public var startDateLocal: Date? {
return Strava.dateFromString(startDateLocalString)
}
}
| mit | 67032b9db3d1206299f75edb7c7e4629 | 37.269036 | 90 | 0.621037 | 4.700125 | false | false | false | false |
lokinfey/MyPerfectframework | Examples/Ultimate Noughts and Crosses/GameState.swift | 1 | 2695 | //
// GameState.swift
// Ultimate Noughts and Crosses
//
// Created by Kyle Jessup on 2015-10-28.
// Copyright © 2015 PerfectlySoft. All rights reserved.
//
//===----------------------------------------------------------------------===//
//
// This source file is part of the Perfect.org open source project
//
// Copyright (c) 2015 - 2016 PerfectlySoft Inc. and the Perfect project authors
// Licensed under Apache License v2.0
//
// See http://perfect.org/licensing.html for license information
//
//===----------------------------------------------------------------------===//
//
// X,Y
// Across, Down
// _________________
// | 0,0 | 1,0 | 2,0 |
// | 0,1 | 1,1 | 2,1 |
// | 0,2 | 1,2 | 2,2 |
// -----------------
let INVALID_ID = -1
let MAX_X = 8
let MAX_Y = 8
enum PieceType: Int {
case None = 0, Oh = 1, Ex = 2, OhWin = 3, ExWin = 4
}
class Player {
let nick: String
let gameId: Int
let type: PieceType
init(nick: String, gameId: Int, type: PieceType) {
self.nick = nick
self.gameId = gameId
self.type = type
}
}
class Board: CustomStringConvertible {
typealias IndexType = (Int, Int)
var slots: [[PieceType]] = [[.None, .None, .None], [.None, .None, .None], [.None, .None, .None]]
var owner: PieceType = .None
init() {}
subscript(index: IndexType) -> PieceType {
get {
return self.slots[index.0][index.1]
}
set(newValue) {
self.slots[index.0][index.1] = newValue
}
}
var description: String {
var s = ""
for y in 0..<3 {
if y != 0 {
s.appendContentsOf("\n")
}
for x in 0..<3 {
let curr = self[(x, y)]
switch curr {
case .Ex:
s.appendContentsOf("X")
case .Oh:
s.appendContentsOf("O")
default:
s.appendContentsOf("_")
}
}
}
return s
}
}
class Field: CustomStringConvertible {
typealias IndexType = (Int, Int)
var boards: [[Board]] = [[Board(), Board(), Board()], [Board(), Board(), Board()], [Board(), Board(), Board()]]
init() {}
subscript(index: IndexType) -> Board {
get {
return self.boards[index.0][index.1]
}
set(newValue) {
self.boards[index.0][index.1] = newValue
}
}
var description: String {
var s = ""
for y in 0..<3 {
if y != 0 {
s.appendContentsOf("\n\n")
}
let b0 = self[(0, y)].description.characters.split("\n")
let b1 = self[(1, y)].description.characters.split("\n")
let b2 = self[(2, y)].description.characters.split("\n")
for x in 0..<3 {
if x != 0 {
s.appendContentsOf("\n")
}
s.appendContentsOf(b0[x])
s.appendContentsOf(" ")
s.appendContentsOf(b1[x])
s.appendContentsOf(" ")
s.appendContentsOf(b2[x])
}
}
return s
}
}
class GameState {
}
| apache-2.0 | e0d427adc953201d6a6d6331fd6f6c98 | 18.955556 | 112 | 0.545286 | 3.037204 | false | false | false | false |
Prince2k3/TableViewDataSource | Example Projects/Example Project Swift/Example Project Swift/TableViewDataSource.swift | 1 | 9555 | import UIKit
@objc(MSTableViewCellDataSource)
public protocol TableViewCellDataSource: class {
@objc(configureDataForCell:)
func configure(_ data: Any?)
}
@objc(MSTableViewDataSourceDelegate)
public protocol TableViewDataSourceDelegate: class {
@objc(dataSource:didConfigureCellAtIndexPath:)
func didConfigureCell(_ cell: TableViewCellDataSource, atIndexPath indexPath: IndexPath)
@objc(dataSource:commitEditingStyleForIndexPath:)
optional func commitEditingStyle(_ editingStyle: UITableViewCellEditingStyle, forIndexPath indexPath: IndexPath)
}
@objc(MSTableViewDataSourceCellItem)
open class TableViewDataSourceCellItem: NSObject {
open var cellIdentifier: String?
open var item: Any?
open var cellHeight: CGFloat?
}
@objc(MSTableViewDataSource)
open class TableViewDataSource: NSObject, UITableViewDataSource {
internal var cellItems: [TableViewDataSourceCellItem]?
internal(set) var cellIdentifier: String?
open var items: [Any]?
open var title: String?
open weak var delegate: TableViewDataSourceDelegate?
open var sectionHeaderView: UIView?
open var reusableHeaderFooterViewIdentifier: String?
open var editable: Bool = false
open var movable: Bool = false
open var editableCells: [IndexPath: UITableViewCellEditingStyle]? // NSNumber represents the UITableViewCellEditingStyle
open var movableCells: [IndexPath]?
override init() {
super.init()
}
public convenience init(cellItems: [TableViewDataSourceCellItem]) {
self.init()
self.cellItems = cellItems
}
public convenience init(cellIdentifier: String, items: [Any]? = nil) {
self.init()
self.cellIdentifier = cellIdentifier
self.items = items
}
//MARK: -
@objc(itemAtIndexPath:)
open func item(at indexPath: IndexPath) -> Any? {
if let items = self.items , items.count > 0 && indexPath.row < items.count {
return items[indexPath.row]
}
return nil
}
@objc(cellItemAtIndexPath:)
open func cellItem(at indexPath: IndexPath) -> TableViewDataSourceCellItem? {
if let cellItems = self.cellItems , cellItems.count > 0 && indexPath.row < cellItems.count {
return cellItems[indexPath.row]
}
return nil
}
//MARK: - UITableViewDataSource
open func numberOfSections(in tableView: UITableView) -> Int {
return 1
}
open func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
if let cellItems = self.cellItems {
return cellItems.count
}
if let items = self.items {
return items.count
}
return 0
}
open func tableView(_ tableView: UITableView, canMoveRowAt indexPath: IndexPath) -> Bool {
if self.movable {
if let movableCells = movableCells {
return movableCells.contains(indexPath)
}
}
return false
}
open func tableView(_ tableView: UITableView, canEditRowAt indexPath: IndexPath) -> Bool {
if self.editable {
if let editableCells = editableCells {
return editableCells.keys.contains(indexPath)
}
}
return false
}
open func tableView(_ tableView: UITableView, commit editingStyle: UITableViewCellEditingStyle, forRowAt indexPath: IndexPath) {
self.delegate?.commitEditingStyle?(editingStyle, forIndexPath: indexPath)
}
open func tableView(_ tableView: UITableView, moveRowAt sourceIndexPath: IndexPath, to destinationIndexPath: IndexPath) {
if let item = items?[sourceIndexPath.row] {
self.items?.remove(at: sourceIndexPath.row)
self.items?.insert(item, at: destinationIndexPath.row)
}
}
open func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
var identifier: String?
var item: Any?
if let cellItems = cellItems , cellItems.count > 0 {
let cellItem = self.cellItem(at: indexPath)!
identifier = cellItem.cellIdentifier
item = cellItem.item
} else {
item = self.item(at: indexPath)
identifier = cellIdentifier
}
let cell = tableView.dequeueReusableCell(withIdentifier: identifier!, for: indexPath)
if cell is TableViewCellDataSource {
let sourceCell = cell as! TableViewCellDataSource
sourceCell.configure(item)
delegate?.didConfigureCell(sourceCell, atIndexPath: indexPath)
}
return cell
}
}
@objc(MSTableViewSectionDataSource)
open class TableViewSectionDataSource: NSObject, UITableViewDataSource {
open weak var delegate: TableViewDataSourceDelegate?
open fileprivate(set) var dataSources: [TableViewDataSource]?
open var enableIndexing: Bool = false
open var showDefaultHeaderTitle: Bool = true
public convenience init(dataSources: [TableViewDataSource]) {
self.init()
self.dataSources = dataSources
}
@objc(itemAtIndexPath:)
open func item(at indexPath: IndexPath) -> Any? {
let dataSource = self.dataSources![indexPath.section]
return dataSource.item(at: indexPath)
}
@objc(cellItemAtIndexPath:)
open func cellItem(at indexPath: IndexPath) -> TableViewDataSourceCellItem? {
let dataSource = self.dataSources![indexPath.section]
return dataSource.cellItem(at: indexPath)
}
@objc(dataSourceAtIndexPath:)
open func dataSource(at indexPath: IndexPath) -> TableViewDataSource {
return self.dataSources![indexPath.section]
}
@objc(titleAtIndexPath:)
open func title(at indexPath: IndexPath) -> String? {
let dataSource = self.dataSources![indexPath.section]
return dataSource.title
}
@objc(sectionHeaderViewAtIndexPath:)
open func sectionHeaderView(at indexPath: IndexPath) -> UIView? {
let dataSource = self.dataSources![indexPath.section]
return dataSource.sectionHeaderView
}
//MARK: - UITableViewDataSource
open func numberOfSections(in tableView: UITableView) -> Int {
if let dataSources = self.dataSources {
return dataSources.count
}
return 1
}
open func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
if let dataSources = self.dataSources {
let dataSource = dataSources[section]
return dataSource.tableView(tableView, numberOfRowsInSection: section)
}
return 0
}
open func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let dataSource = self.dataSources![indexPath.section]
return dataSource.tableView(tableView, cellForRowAt: indexPath)
}
open func tableView(_ tableView: UITableView, canMoveRowAt indexPath: IndexPath) -> Bool {
let dataSource = self.dataSources![indexPath.section]
return dataSource.tableView(tableView, canMoveRowAt: indexPath)
}
open func tableView(_ tableView: UITableView, canEditRowAt indexPath: IndexPath) -> Bool {
let dataSource = self.dataSources![indexPath.section]
return dataSource.tableView(tableView, canEditRowAt: indexPath)
}
open func tableView(_ tableView: UITableView, commit editingStyle: UITableViewCellEditingStyle, forRowAt indexPath: IndexPath) {
self.delegate?.commitEditingStyle?(editingStyle, forIndexPath: indexPath)
}
open func tableView(_ tableView: UITableView, moveRowAt sourceIndexPath: IndexPath, to destinationIndexPath: IndexPath) {
if var sourceItems = self.dataSource(at: sourceIndexPath).items,
var destinationItems = self.dataSource(at: destinationIndexPath).items {
let item = sourceItems.remove(at: sourceIndexPath.row)
destinationItems.insert(item, at: destinationIndexPath.row)
self.dataSources?[sourceIndexPath.section].items = sourceItems
self.dataSources?[destinationIndexPath.section].items = destinationItems
}
}
//MARK - Indexing
open func tableView(_ tableView: UITableView, titleForHeaderInSection section: Int) -> String? {
if self.showDefaultHeaderTitle {
if let dataSources = self.dataSources {
let dataSource = dataSources[section]
return dataSource.title
}
return nil
}
if !self.enableIndexing {
return nil
}
let numberOfRows = self.tableView(tableView, numberOfRowsInSection: section)
if numberOfRows == 0 {
return nil
}
return UILocalizedIndexedCollation.current().sectionTitles[section]
}
open func sectionIndexTitles(for tableView: UITableView) -> [String]? {
if !self.enableIndexing {
return nil
}
return UILocalizedIndexedCollation.current().sectionTitles
}
open func tableView(_ tableView: UITableView, sectionForSectionIndexTitle title: String, at index: Int) -> Int {
return UILocalizedIndexedCollation.current().section(forSectionIndexTitle: index)
}
}
| mit | 2869eeeecdecc8832c40174ffdf08389 | 34.128676 | 132 | 0.658399 | 5.456882 | false | false | false | false |
weissmar/CharacterSheet | iOS_Files/characterSheet/Character.swift | 1 | 819 | //
// Character.swift
// characterSheet
//
// Created by Rachel Weissman-Hohler on 8/12/16.
// Copyright © 2016 Rachel Weissman-Hohler. All rights reserved.
//
import UIKit
class Character {
// MARK: Properties
var name: String
var id: String
var XP: Int?
var IQ: Int?
var STR: Int?
var DEX: Int?
var charImage: UIImage?
var inventory: [Item]?
// Mark: Initializer
init?(name: String, id: String, XP: Int?, IQ: Int?, STR: Int?, DEX: Int?) {
// initialize properties to passed-in values
self.name = name
self.id = id
self.XP = XP
self.IQ = IQ
self.STR = STR
self.DEX = DEX
// check for empty name and empty id
if name.isEmpty || id.isEmpty {
return nil
}
}
}
| mit | 4c100c34a22ed6fd86ea5d3d6124eb5e | 21.108108 | 79 | 0.556235 | 3.603524 | false | false | false | false |
CaptainTeemo/Saffron | Saffron/GifToVideo.swift | 1 | 6707 | //
// GifToVideo.swift
// Saffron
//
// Created by CaptainTeemo on 7/17/16.
// Copyright © 2016 Captain Teemo. All rights reserved.
//
import Foundation
import AVFoundation
public final class GifToVideo: NSObject {
fileprivate let gifQueue = DispatchQueue(label: "com.saffron.gifToVideo", attributes: DispatchQueue.Attributes.concurrent)
fileprivate static let instance = GifToVideo()
fileprivate var done: ((String) -> Void)?
/**
Convert gif image to video.
- parameter gifImage: A UIImage contains gif data.
- parameter saveToLibrary: Save to library or not.
- parameter done: Callback with video path when convert finished.
*/
public class func convert(_ gifImage: UIImage, saveToLibrary: Bool = true, done: ((String) -> Void)? = nil) throws {
try instance.convertToVideo(gifImage, saveToLibrary: saveToLibrary, done: done)
}
fileprivate func convertToVideo(_ gifImage: UIImage, saveToLibrary: Bool = true, done: ((String) -> Void)? = nil) throws {
guard let data = gifImage.gifData else {
throw Error.error(-100, description: "Gif data is nil.")
}
self.done = done
let (frames, duration) = UIImage.animatedFrames(data)
let tempPath = NSSearchPathForDirectoriesInDomains(.documentDirectory, .userDomainMask, true)[0] + "/temp.mp4"
if FileManager.default.fileExists(atPath: tempPath) {
try FileManager.default.removeItem(atPath: tempPath)
}
let writer = try AVAssetWriter(outputURL: URL(fileURLWithPath: tempPath), fileType: AVFileTypeQuickTimeMovie)
let settings: [String: AnyObject] = [AVVideoCodecKey: AVVideoCodecH264 as AnyObject,
AVVideoWidthKey: gifImage.size.width as AnyObject,
AVVideoHeightKey: gifImage.size.height as AnyObject]
let input = AVAssetWriterInput(mediaType: AVMediaTypeVideo, outputSettings: settings)
guard writer.canAdd(input) else {
fatalError("cannot add input")
}
writer.add(input)
let sourceBufferAttributes: [String : AnyObject] = [
kCVPixelBufferPixelFormatTypeKey as String : Int(kCVPixelFormatType_32ARGB) as AnyObject,
kCVPixelBufferWidthKey as String : gifImage.size.width as AnyObject,
kCVPixelBufferHeightKey as String : gifImage.size.height as AnyObject]
let pixelBufferAdaptor = AVAssetWriterInputPixelBufferAdaptor(assetWriterInput: input, sourcePixelBufferAttributes: sourceBufferAttributes)
writer.startWriting()
writer.startSession(atSourceTime: kCMTimeZero)
let fps = Int32(Double(frames.count) / duration)
let frameDuration = CMTimeMake(1, fps)
var frameCount = 0
input.requestMediaDataWhenReady(on: gifQueue, using: {
while input.isReadyForMoreMediaData && frameCount < frames.count {
let lastFrameTime = CMTimeMake(Int64(frameCount), fps)
let presentationTime = frameCount == 0 ? lastFrameTime : CMTimeAdd(lastFrameTime, frameDuration)
let image = frames[frameCount]
do {
try self.appendPixelBuffer(image, adaptor: pixelBufferAdaptor, presentationTime: presentationTime)
} catch let error as NSError {
fatalError(error.localizedDescription)
}
frameCount += 1
}
if (frameCount >= frames.count) {
input.markAsFinished()
writer.finishWriting {
dispatchOnMain {
if (writer.error != nil) {
print("Error converting images to video: \(writer.error)")
} else {
if saveToLibrary {
UISaveVideoAtPathToSavedPhotosAlbum(tempPath, self, #selector(self.video), nil)
} else {
done?(tempPath)
}
}
}
}
}
})
}
fileprivate func appendPixelBuffer(_ image: UIImage, adaptor: AVAssetWriterInputPixelBufferAdaptor, presentationTime: CMTime) throws {
if let pixelBufferPool = adaptor.pixelBufferPool {
let pixelBufferPointer = UnsafeMutablePointer<CVPixelBuffer?>.allocate(capacity: 1)
let status: CVReturn = CVPixelBufferPoolCreatePixelBuffer(
kCFAllocatorDefault,
pixelBufferPool,
pixelBufferPointer
)
if let pixelBuffer = pixelBufferPointer.pointee, status == 0 {
CVPixelBufferLockBaseAddress(pixelBuffer, CVPixelBufferLockFlags(rawValue: CVOptionFlags(0)))
let pixelData = CVPixelBufferGetBaseAddress(pixelBuffer)
let rgbColorSpace = CGColorSpaceCreateDeviceRGB()
// Create CGBitmapContext
let context = CGContext(
data: pixelData,
width: Int(image.size.width),
height: Int(image.size.height),
bitsPerComponent: 8,
bytesPerRow: CVPixelBufferGetBytesPerRow(pixelBuffer),
space: rgbColorSpace,
bitmapInfo: CGImageAlphaInfo.premultipliedFirst.rawValue
)
// Draw image into context
if let cgImage = image.cgImage {
context?.draw(cgImage, in: CGRect(x: 0, y: 0, width: image.size.width, height: image.size.height))
}
CVPixelBufferUnlockBaseAddress(pixelBuffer, CVPixelBufferLockFlags(rawValue: CVOptionFlags(0)))
adaptor.append(pixelBuffer, withPresentationTime: presentationTime)
pixelBufferPointer.deinitialize()
} else {
throw Error.error(-100, description: "Error: Failed to allocate pixel buffer from pool.")
}
pixelBufferPointer.deallocate(capacity: 1)
}
}
// - (void)video:(NSString *)videoPath didFinishSavingWithError:(NSError *)error contextInfo:(void *)contextInfo;
@objc fileprivate func video(_ videoPath: String, didFinishSavingWithError: NSError, contextInfo: UnsafeMutableRawPointer) {
done?(videoPath)
}
}
| mit | 0dc66f7ff19a244372e0468c3000f4af | 44.310811 | 147 | 0.587981 | 5.806061 | false | false | false | false |
grpc/grpc-swift | Sources/GRPC/Interceptor/ClientTransport.swift | 1 | 34432 | /*
* Copyright 2020, gRPC Authors All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import Logging
import NIOCore
import NIOHPACK
import NIOHTTP2
/// This class is the glue between a `NIO.Channel` and the `ClientInterceptorPipeline`. In fact
/// this object owns the interceptor pipeline and is also a `ChannelHandler`. The caller has very
/// little API to use on this class: they may configure the transport by adding it to a
/// `NIO.ChannelPipeline` with `configure(_:)`, send request parts via `send(_:promise:)` and
/// attempt to cancel the RPC with `cancel(promise:)`. Response parts – after traversing the
/// interceptor pipeline – are emitted to the `onResponsePart` callback supplied to the initializer.
///
/// In most instances the glue code is simple: transformations are applied to the request and
/// response types used by the interceptor pipeline and the `NIO.Channel`. In addition, the
/// transport keeps track of the state of the call and the `Channel`, taking appropriate action
/// when these change. This includes buffering request parts from the interceptor pipeline until
/// the `NIO.Channel` becomes active.
///
/// ### Thread Safety
///
/// This class is not thread safe. All methods **must** be executed on the transport's `callEventLoop`.
@usableFromInline
internal final class ClientTransport<Request, Response> {
/// The `EventLoop` the call is running on. State must be accessed from this event loop.
@usableFromInline
internal let callEventLoop: EventLoop
/// The current state of the transport.
private var state: ClientTransportState = .idle
/// A promise for the underlying `Channel`. We'll succeed this when we transition to `active`
/// and fail it when we transition to `closed`.
private var channelPromise: EventLoopPromise<Channel>?
// Note: initial capacity is 4 because it's a power of 2 and most calls are unary so will
// have 3 parts.
/// A buffer to store request parts and promises in before the channel has become active.
private var writeBuffer = MarkedCircularBuffer<RequestAndPromise>(initialCapacity: 4)
/// The request serializer.
private let serializer: AnySerializer<Request>
/// The response deserializer.
private let deserializer: AnyDeserializer<Response>
/// A request part and a promise.
private struct RequestAndPromise {
var request: GRPCClientRequestPart<Request>
var promise: EventLoopPromise<Void>?
}
/// Details about the call.
internal let callDetails: CallDetails
/// A logger.
internal var logger: GRPCLogger
/// Is the call streaming requests?
private var isStreamingRequests: Bool {
switch self.callDetails.type {
case .unary, .serverStreaming:
return false
case .clientStreaming, .bidirectionalStreaming:
return true
}
}
// Our `NIO.Channel` will fire trailers and the `GRPCStatus` to us separately. It's more
// convenient to have both at the same time when intercepting response parts. We'll hold on to the
// trailers here and only forward them when we receive the status.
private var trailers: HPACKHeaders?
/// The interceptor pipeline connected to this transport. The pipeline also holds references
/// to `self` which are dropped when the interceptor pipeline is closed.
@usableFromInline
internal var _pipeline: ClientInterceptorPipeline<Request, Response>?
/// The `NIO.Channel` used by the transport, if it is available.
private var channel: Channel?
/// A callback which is invoked once when the stream channel becomes active.
private let onStart: () -> Void
/// Our current state as logging metadata.
private var stateForLogging: Logger.MetadataValue {
if self.state.mayBuffer {
return "\(self.state) (\(self.writeBuffer.count) parts buffered)"
} else {
return "\(self.state)"
}
}
internal init(
details: CallDetails,
eventLoop: EventLoop,
interceptors: [ClientInterceptor<Request, Response>],
serializer: AnySerializer<Request>,
deserializer: AnyDeserializer<Response>,
errorDelegate: ClientErrorDelegate?,
onStart: @escaping () -> Void,
onError: @escaping (Error) -> Void,
onResponsePart: @escaping (GRPCClientResponsePart<Response>) -> Void
) {
self.callEventLoop = eventLoop
self.callDetails = details
self.onStart = onStart
let logger = GRPCLogger(wrapping: details.options.logger)
self.logger = logger
self.serializer = serializer
self.deserializer = deserializer
// The references to self held by the pipeline are dropped when it is closed.
self._pipeline = ClientInterceptorPipeline(
eventLoop: eventLoop,
details: details,
logger: logger,
interceptors: interceptors,
errorDelegate: errorDelegate,
onError: onError,
onCancel: self.cancelFromPipeline(promise:),
onRequestPart: self.sendFromPipeline(_:promise:),
onResponsePart: onResponsePart
)
}
// MARK: - Call Object API
/// Configure the transport to communicate with the server.
/// - Parameter configurator: A callback to invoke in order to configure this transport.
/// - Important: This *must* to be called from the `callEventLoop`.
internal func configure(_ configurator: @escaping (ChannelHandler) -> EventLoopFuture<Void>) {
self.callEventLoop.assertInEventLoop()
if self.state.configureTransport() {
self.configure(using: configurator)
}
}
/// Send a request part – via the interceptor pipeline – to the server.
/// - Parameters:
/// - part: The part to send.
/// - promise: A promise which will be completed when the request part has been handled.
/// - Important: This *must* to be called from the `callEventLoop`.
@inlinable
internal func send(_ part: GRPCClientRequestPart<Request>, promise: EventLoopPromise<Void>?) {
self.callEventLoop.assertInEventLoop()
if let pipeline = self._pipeline {
pipeline.send(part, promise: promise)
} else {
promise?.fail(GRPCError.AlreadyComplete())
}
}
/// Attempt to cancel the RPC notifying any interceptors.
/// - Parameter promise: A promise which will be completed when the cancellation attempt has
/// been handled.
internal func cancel(promise: EventLoopPromise<Void>?) {
self.callEventLoop.assertInEventLoop()
if let pipeline = self._pipeline {
pipeline.cancel(promise: promise)
} else {
promise?.fail(GRPCError.AlreadyComplete())
}
}
/// A request for the underlying `Channel`.
internal func getChannel() -> EventLoopFuture<Channel> {
self.callEventLoop.assertInEventLoop()
// Do we already have a promise?
if let promise = self.channelPromise {
return promise.futureResult
} else {
// Make and store the promise.
let promise = self.callEventLoop.makePromise(of: Channel.self)
self.channelPromise = promise
// Ask the state machine if we can have it.
switch self.state.getChannel() {
case .succeed:
if let channel = self.channel {
promise.succeed(channel)
}
case .fail:
promise.fail(GRPCError.AlreadyComplete())
case .doNothing:
()
}
return promise.futureResult
}
}
}
// MARK: - Pipeline API
extension ClientTransport {
/// Sends a request part on the transport. Should only be called from the interceptor pipeline.
/// - Parameters:
/// - part: The request part to send.
/// - promise: A promise which will be completed when the part has been handled.
/// - Important: This *must* to be called from the `callEventLoop`.
private func sendFromPipeline(
_ part: GRPCClientRequestPart<Request>,
promise: EventLoopPromise<Void>?
) {
self.callEventLoop.assertInEventLoop()
switch self.state.send() {
case .writeToBuffer:
self.buffer(part, promise: promise)
case .writeToChannel:
// Banging the channel is okay here: we'll only be told to 'writeToChannel' if we're in the
// correct state, the requirements of that state are having an active `Channel`.
self.writeToChannel(
self.channel!,
part: part,
promise: promise,
flush: self.shouldFlush(after: part)
)
case .alreadyComplete:
promise?.fail(GRPCError.AlreadyComplete())
}
}
/// Attempt to cancel the RPC. Should only be called from the interceptor pipeline.
/// - Parameter promise: A promise which will be completed when the cancellation has been handled.
/// - Important: This *must* to be called from the `callEventLoop`.
private func cancelFromPipeline(promise: EventLoopPromise<Void>?) {
self.callEventLoop.assertInEventLoop()
if self.state.cancel() {
let error = GRPCError.RPCCancelledByClient()
let status = error.makeGRPCStatus()
self.forwardToInterceptors(.end(status, [:]))
self.failBufferedWrites(with: error)
self.channel?.close(mode: .all, promise: nil)
self.channelPromise?.fail(error)
promise?.succeed(())
} else {
promise?.succeed(())
}
}
}
// MARK: - ChannelHandler API
extension ClientTransport: ChannelInboundHandler {
@usableFromInline
typealias InboundIn = _RawGRPCClientResponsePart
@usableFromInline
typealias OutboundOut = _RawGRPCClientRequestPart
@usableFromInline
internal func handlerRemoved(context: ChannelHandlerContext) {
self.dropReferences()
}
@usableFromInline
internal func handlerAdded(context: ChannelHandlerContext) {
if context.channel.isActive {
self.transportActivated(channel: context.channel)
}
}
@usableFromInline
internal func errorCaught(context: ChannelHandlerContext, error: Error) {
self.handleError(error)
}
@usableFromInline
internal func channelActive(context: ChannelHandlerContext) {
self.transportActivated(channel: context.channel)
}
@usableFromInline
internal func channelInactive(context: ChannelHandlerContext) {
self.transportDeactivated()
}
@usableFromInline
internal func channelRead(context: ChannelHandlerContext, data: NIOAny) {
switch self.unwrapInboundIn(data) {
case let .initialMetadata(headers):
self.receiveFromChannel(initialMetadata: headers)
case let .message(box):
self.receiveFromChannel(message: box.message)
case let .trailingMetadata(trailers):
self.receiveFromChannel(trailingMetadata: trailers)
case let .status(status):
self.receiveFromChannel(status: status)
}
// (We're the end of the channel. No need to forward anything.)
}
}
extension ClientTransport {
/// The `Channel` became active. Send out any buffered requests.
private func transportActivated(channel: Channel) {
if self.callEventLoop.inEventLoop {
self._transportActivated(channel: channel)
} else {
self.callEventLoop.execute {
self._transportActivated(channel: channel)
}
}
}
/// On-loop implementation of `transportActivated(channel:)`.
private func _transportActivated(channel: Channel) {
self.callEventLoop.assertInEventLoop()
switch self.state.activate() {
case .unbuffer:
self.logger.addIPAddressMetadata(local: channel.localAddress, remote: channel.remoteAddress)
self._pipeline?.logger = self.logger
self.logger.debug("activated stream channel")
self.channel = channel
self.onStart()
self.unbuffer()
case .close:
channel.close(mode: .all, promise: nil)
case .doNothing:
()
}
}
/// The `Channel` became inactive. Fail any buffered writes and forward an error to the
/// interceptor pipeline if necessary.
private func transportDeactivated() {
if self.callEventLoop.inEventLoop {
self._transportDeactivated()
} else {
self.callEventLoop.execute {
self._transportDeactivated()
}
}
}
/// On-loop implementation of `transportDeactivated()`.
private func _transportDeactivated() {
self.callEventLoop.assertInEventLoop()
switch self.state.deactivate() {
case .doNothing:
()
case .tearDown:
let status = GRPCStatus(code: .unavailable, message: "Transport became inactive")
self.forwardErrorToInterceptors(status)
self.failBufferedWrites(with: status)
self.channelPromise?.fail(status)
case .failChannelPromise:
self.channelPromise?.fail(GRPCError.AlreadyComplete())
}
}
/// Drops any references to the `Channel` and interceptor pipeline.
private func dropReferences() {
if self.callEventLoop.inEventLoop {
self.channel = nil
} else {
self.callEventLoop.execute {
self.channel = nil
}
}
}
/// Handles an error caught in the pipeline or from elsewhere. The error may be forwarded to the
/// interceptor pipeline and any buffered writes will be failed. Any underlying `Channel` will
/// also be closed.
internal func handleError(_ error: Error) {
if self.callEventLoop.inEventLoop {
self._handleError(error)
} else {
self.callEventLoop.execute {
self._handleError(error)
}
}
}
/// On-loop implementation of `handleError(_:)`.
private func _handleError(_ error: Error) {
self.callEventLoop.assertInEventLoop()
switch self.state.handleError() {
case .doNothing:
()
case .propagateError:
self.forwardErrorToInterceptors(error)
self.failBufferedWrites(with: error)
case .propagateErrorAndClose:
self.forwardErrorToInterceptors(error)
self.failBufferedWrites(with: error)
self.channel?.close(mode: .all, promise: nil)
}
}
/// Receive initial metadata from the `Channel`.
private func receiveFromChannel(initialMetadata headers: HPACKHeaders) {
if self.callEventLoop.inEventLoop {
self._receiveFromChannel(initialMetadata: headers)
} else {
self.callEventLoop.execute {
self._receiveFromChannel(initialMetadata: headers)
}
}
}
/// On-loop implementation of `receiveFromChannel(initialMetadata:)`.
private func _receiveFromChannel(initialMetadata headers: HPACKHeaders) {
self.callEventLoop.assertInEventLoop()
if self.state.channelRead(isEnd: false) {
self.forwardToInterceptors(.metadata(headers))
}
}
/// Receive response message bytes from the `Channel`.
private func receiveFromChannel(message buffer: ByteBuffer) {
if self.callEventLoop.inEventLoop {
self._receiveFromChannel(message: buffer)
} else {
self.callEventLoop.execute {
self._receiveFromChannel(message: buffer)
}
}
}
/// On-loop implementation of `receiveFromChannel(message:)`.
private func _receiveFromChannel(message buffer: ByteBuffer) {
self.callEventLoop.assertInEventLoop()
do {
let message = try self.deserializer.deserialize(byteBuffer: buffer)
if self.state.channelRead(isEnd: false) {
self.forwardToInterceptors(.message(message))
}
} catch {
self.handleError(error)
}
}
/// Receive trailing metadata from the `Channel`.
private func receiveFromChannel(trailingMetadata trailers: HPACKHeaders) {
// The `Channel` delivers trailers and `GRPCStatus` separately, we want to emit them together
// in the interceptor pipeline.
if self.callEventLoop.inEventLoop {
self.trailers = trailers
} else {
self.callEventLoop.execute {
self.trailers = trailers
}
}
}
/// Receive the final status from the `Channel`.
private func receiveFromChannel(status: GRPCStatus) {
if self.callEventLoop.inEventLoop {
self._receiveFromChannel(status: status)
} else {
self.callEventLoop.execute {
self._receiveFromChannel(status: status)
}
}
}
/// On-loop implementation of `receiveFromChannel(status:)`.
private func _receiveFromChannel(status: GRPCStatus) {
self.callEventLoop.assertInEventLoop()
if self.state.channelRead(isEnd: true) {
self.forwardToInterceptors(.end(status, self.trailers ?? [:]))
self.trailers = nil
}
}
}
// MARK: - State Handling
private enum ClientTransportState {
/// Idle. We're waiting for the RPC to be configured.
///
/// Valid transitions:
/// - `awaitingTransport` (the transport is being configured)
/// - `closed` (the RPC cancels)
case idle
/// Awaiting transport. The RPC has requested transport and we're waiting for that transport to
/// activate. We'll buffer any outbound messages from this state. Receiving messages from the
/// transport in this state is an error.
///
/// Valid transitions:
/// - `activatingTransport` (the channel becomes active)
/// - `closing` (the RPC cancels)
/// - `closed` (the channel fails to become active)
case awaitingTransport
/// The transport is active but we're unbuffering any requests to write on that transport.
/// We'll continue buffering in this state. Receiving messages from the transport in this state
/// is okay.
///
/// Valid transitions:
/// - `active` (we finish unbuffering)
/// - `closing` (the RPC cancels, the channel encounters an error)
/// - `closed` (the channel becomes inactive)
case activatingTransport
/// Fully active. An RPC is in progress and is communicating over an active transport.
///
/// Valid transitions:
/// - `closing` (the RPC cancels, the channel encounters an error)
/// - `closed` (the channel becomes inactive)
case active
/// Closing. Either the RPC was cancelled or any `Channel` associated with the transport hasn't
/// become inactive yet.
///
/// Valid transitions:
/// - `closed` (the channel becomes inactive)
case closing
/// We're closed. Any writes from the RPC will be failed. Any responses from the transport will
/// be ignored.
///
/// Valid transitions:
/// - none: this state is terminal.
case closed
/// Whether writes may be unbuffered in this state.
internal var isUnbuffering: Bool {
switch self {
case .activatingTransport:
return true
case .idle, .awaitingTransport, .active, .closing, .closed:
return false
}
}
/// Whether this state allows writes to be buffered. (This is useful only to inform logging.)
internal var mayBuffer: Bool {
switch self {
case .idle, .activatingTransport, .awaitingTransport:
return true
case .active, .closing, .closed:
return false
}
}
}
extension ClientTransportState {
/// The caller would like to configure the transport. Returns a boolean indicating whether we
/// should configure it or not.
mutating func configureTransport() -> Bool {
switch self {
// We're idle until we configure. Anything else is just a repeat request to configure.
case .idle:
self = .awaitingTransport
return true
case .awaitingTransport, .activatingTransport, .active, .closing, .closed:
return false
}
}
enum SendAction {
/// Write the request into the buffer.
case writeToBuffer
/// Write the request into the channel.
case writeToChannel
/// The RPC has already completed, fail any promise associated with the write.
case alreadyComplete
}
/// The pipeline would like to send a request part to the transport.
mutating func send() -> SendAction {
switch self {
// We don't have any transport yet, just buffer the part.
case .idle, .awaitingTransport, .activatingTransport:
return .writeToBuffer
// We have a `Channel`, we can pipe the write straight through.
case .active:
return .writeToChannel
// The transport is going or has gone away. Fail the promise.
case .closing, .closed:
return .alreadyComplete
}
}
enum UnbufferedAction {
/// Nothing needs to be done.
case doNothing
/// Succeed the channel promise associated with the transport.
case succeedChannelPromise
}
/// We finished dealing with the buffered writes.
mutating func unbuffered() -> UnbufferedAction {
switch self {
// These can't happen since we only begin unbuffering when we transition to
// '.activatingTransport', which must come after these two states..
case .idle, .awaitingTransport:
preconditionFailure("Requests can't be unbuffered before the transport is activated")
// We dealt with any buffered writes. We can become active now. This is the only way to become
// active.
case .activatingTransport:
self = .active
return .succeedChannelPromise
case .active:
preconditionFailure("Unbuffering completed but the transport is already active")
// Something caused us to close while unbuffering, that's okay, we won't take any further
// action.
case .closing, .closed:
return .doNothing
}
}
/// Cancel the RPC and associated `Channel`, if possible. Returns a boolean indicated whether
/// cancellation can go ahead (and also whether the channel should be torn down).
mutating func cancel() -> Bool {
switch self {
case .idle:
// No RPC has been started and we don't have a `Channel`. We need to tell the interceptor
// we're done, fail any writes, and then deal with the cancellation promise.
self = .closed
return true
case .awaitingTransport:
// An RPC has started and we're waiting for the `Channel` to activate. We'll mark ourselves as
// closing. We don't need to explicitly close the `Channel`, this will happen as a result of
// the `Channel` becoming active (see `channelActive(context:)`).
self = .closing
return true
case .activatingTransport:
// The RPC has started, the `Channel` is active and we're emptying our write buffer. We'll
// mark ourselves as closing: we'll error the interceptor pipeline, close the channel, fail
// any buffered writes and then complete the cancellation promise.
self = .closing
return true
case .active:
// The RPC and channel are up and running. We'll fail the RPC and close the channel.
self = .closing
return true
case .closing, .closed:
// We're already closing or closing. The cancellation is too late.
return false
}
}
enum ActivateAction {
case unbuffer
case close
case doNothing
}
/// `channelActive` was invoked on the transport by the `Channel`.
mutating func activate() -> ActivateAction {
// The channel has become active: what now?
switch self {
case .idle:
preconditionFailure("Can't activate an idle transport")
case .awaitingTransport:
self = .activatingTransport
return .unbuffer
case .activatingTransport, .active:
// Already activated.
return .doNothing
case .closing:
// We remain in closing: we only transition to closed on 'channelInactive'.
return .close
case .closed:
preconditionFailure("Invalid state: stream is already inactive")
}
}
enum ChannelInactiveAction {
/// Tear down the transport; forward an error to the interceptors and fail any buffered writes.
case tearDown
/// Fail the 'Channel' promise, if one exists; the RPC is already complete.
case failChannelPromise
/// Do nothing.
case doNothing
}
/// `channelInactive` was invoked on the transport by the `Channel`.
mutating func deactivate() -> ChannelInactiveAction {
switch self {
case .idle:
// We can't become inactive before we've requested a `Channel`.
preconditionFailure("Can't deactivate an idle transport")
case .awaitingTransport, .activatingTransport, .active:
// We're activating the transport - i.e. offloading any buffered requests - and the channel
// became inactive. We haven't received an error (otherwise we'd be `closing`) so we should
// synthesize an error status to fail the RPC with.
self = .closed
return .tearDown
case .closing:
// We were already closing, now we're fully closed.
self = .closed
return .failChannelPromise
case .closed:
// We're already closed.
return .doNothing
}
}
/// `channelRead` was invoked on the transport by the `Channel`. Returns a boolean value
/// indicating whether the part that was read should be forwarded to the interceptor pipeline.
mutating func channelRead(isEnd: Bool) -> Bool {
switch self {
case .idle, .awaitingTransport:
// If there's no `Channel` or the `Channel` isn't active, then we can't read anything.
preconditionFailure("Can't receive response part on idle transport")
case .activatingTransport, .active:
// We have an active `Channel`, we can forward the request part but we may need to start
// closing if we see the status, since it indicates the call is terminating.
if isEnd {
self = .closing
}
return true
case .closing, .closed:
// We closed early, ignore any reads.
return false
}
}
enum HandleErrorAction {
/// Propagate the error to the interceptor pipeline and fail any buffered writes.
case propagateError
/// As above, but close the 'Channel' as well.
case propagateErrorAndClose
/// No action is required.
case doNothing
}
/// An error was caught.
mutating func handleError() -> HandleErrorAction {
switch self {
case .idle:
// The `Channel` can't error if it doesn't exist.
preconditionFailure("Can't catch error on idle transport")
case .awaitingTransport:
// We're waiting for the `Channel` to become active. We're toast now, so close, failing any
// buffered writes along the way.
self = .closing
return .propagateError
case .activatingTransport,
.active:
// We're either fully active or unbuffering. Forward an error, fail any writes and then close.
self = .closing
return .propagateErrorAndClose
case .closing, .closed:
// We're already closing/closed, we can ignore this.
return .doNothing
}
}
enum GetChannelAction {
/// No action is required.
case doNothing
/// Succeed the Channel promise.
case succeed
/// Fail the 'Channel' promise, the RPC is already complete.
case fail
}
/// The caller has asked for the underlying `Channel`.
mutating func getChannel() -> GetChannelAction {
switch self {
case .idle, .awaitingTransport, .activatingTransport:
// Do nothing, we'll complete the promise when we become active or closed.
return .doNothing
case .active:
// We're already active, so there was no promise to succeed when we made this transition. We
// can complete it now.
return .succeed
case .closing:
// We'll complete the promise when we transition to closed.
return .doNothing
case .closed:
// We're already closed; there was no promise to fail when we made this transition. We can go
// ahead and fail it now though.
return .fail
}
}
}
// MARK: - State Actions
extension ClientTransport {
/// Configures this transport with the `configurator`.
private func configure(using configurator: (ChannelHandler) -> EventLoopFuture<Void>) {
configurator(self).whenFailure { error in
// We might be on a different EL, but `handleError` will sort that out for us, so no need to
// hop.
if error is GRPCStatus || error is GRPCStatusTransformable {
self.handleError(error)
} else {
// Fallback to something which will mark the RPC as 'unavailable'.
self.handleError(ConnectionFailure(reason: error))
}
}
}
/// Append a request part to the write buffer.
/// - Parameters:
/// - part: The request part to buffer.
/// - promise: A promise to complete when the request part has been sent.
private func buffer(
_ part: GRPCClientRequestPart<Request>,
promise: EventLoopPromise<Void>?
) {
self.callEventLoop.assertInEventLoop()
self.logger.trace("buffering request part", metadata: [
"request_part": "\(part.name)",
"call_state": self.stateForLogging,
])
self.writeBuffer.append(.init(request: part, promise: promise))
}
/// Writes any buffered request parts to the `Channel`.
private func unbuffer() {
self.callEventLoop.assertInEventLoop()
guard let channel = self.channel else {
return
}
// Save any flushing until we're done writing.
var shouldFlush = false
self.logger.trace("unbuffering request parts", metadata: [
"request_parts": "\(self.writeBuffer.count)",
])
// Why the double loop? A promise completed as a result of the flush may enqueue more writes,
// or causes us to change state (i.e. we may have to close). If we didn't loop around then we
// may miss more buffered writes.
while self.state.isUnbuffering, !self.writeBuffer.isEmpty {
// Pull out as many writes as possible.
while let write = self.writeBuffer.popFirst() {
self.logger.trace("unbuffering request part", metadata: [
"request_part": "\(write.request.name)",
])
if !shouldFlush {
shouldFlush = self.shouldFlush(after: write.request)
}
self.writeToChannel(channel, part: write.request, promise: write.promise, flush: false)
}
// Okay, flush now.
if shouldFlush {
shouldFlush = false
channel.flush()
}
}
if self.writeBuffer.isEmpty {
self.logger.trace("request buffer drained")
} else {
self.logger.notice("unbuffering aborted", metadata: ["call_state": self.stateForLogging])
}
// We're unbuffered. What now?
switch self.state.unbuffered() {
case .doNothing:
()
case .succeedChannelPromise:
self.channelPromise?.succeed(channel)
}
}
/// Fails any promises that come with buffered writes with `error`.
/// - Parameter error: The `Error` to fail promises with.
private func failBufferedWrites(with error: Error) {
self.logger.trace("failing buffered writes", metadata: ["call_state": self.stateForLogging])
while let write = self.writeBuffer.popFirst() {
write.promise?.fail(error)
}
}
/// Write a request part to the `Channel`.
/// - Parameters:
/// - channel: The `Channel` to write `part` to.
/// - part: The request part to write.
/// - promise: A promise to complete once the write has been completed.
/// - flush: Whether to flush the `Channel` after writing.
private func writeToChannel(
_ channel: Channel,
part: GRPCClientRequestPart<Request>,
promise: EventLoopPromise<Void>?,
flush: Bool
) {
switch part {
case let .metadata(headers):
let head = self.makeRequestHead(with: headers)
channel.write(self.wrapOutboundOut(.head(head)), promise: promise)
case let .message(request, metadata):
do {
let bytes = try self.serializer.serialize(request, allocator: channel.allocator)
let message = _MessageContext<ByteBuffer>(bytes, compressed: metadata.compress)
channel.write(self.wrapOutboundOut(.message(message)), promise: promise)
} catch {
self.handleError(error)
}
case .end:
channel.write(self.wrapOutboundOut(.end), promise: promise)
}
if flush {
channel.flush()
}
}
/// Forward the response part to the interceptor pipeline.
/// - Parameter part: The response part to forward.
private func forwardToInterceptors(_ part: GRPCClientResponsePart<Response>) {
self.callEventLoop.assertInEventLoop()
self._pipeline?.receive(part)
}
/// Forward the error to the interceptor pipeline.
/// - Parameter error: The error to forward.
private func forwardErrorToInterceptors(_ error: Error) {
self.callEventLoop.assertInEventLoop()
self._pipeline?.errorCaught(error)
}
}
// MARK: - Helpers
extension ClientTransport {
/// Returns whether the `Channel` should be flushed after writing the given part to it.
private func shouldFlush(after part: GRPCClientRequestPart<Request>) -> Bool {
switch part {
case .metadata:
// If we're not streaming requests then we hold off on the flush until we see end.
return self.isStreamingRequests
case let .message(_, metadata):
// Message flushing is determined by caller preference.
return metadata.flush
case .end:
// Always flush at the end of the request stream.
return true
}
}
/// Make a `_GRPCRequestHead` with the provided metadata.
private func makeRequestHead(with metadata: HPACKHeaders) -> _GRPCRequestHead {
return _GRPCRequestHead(
method: self.callDetails.options.cacheable ? "GET" : "POST",
scheme: self.callDetails.scheme,
path: self.callDetails.path,
host: self.callDetails.authority,
deadline: self.callDetails.options.timeLimit.makeDeadline(),
customMetadata: metadata,
encoding: self.callDetails.options.messageEncoding
)
}
}
extension GRPCClientRequestPart {
/// The name of the request part, used for logging.
fileprivate var name: String {
switch self {
case .metadata:
return "metadata"
case .message:
return "message"
case .end:
return "end"
}
}
}
// A wrapper for connection errors: we need to be able to preserve the underlying error as
// well as extract a 'GRPCStatus' with code '.unavailable'.
internal struct ConnectionFailure: Error, GRPCStatusTransformable, CustomStringConvertible {
/// The reason the connection failed.
var reason: Error
init(reason: Error) {
self.reason = reason
}
var description: String {
return String(describing: self.reason)
}
func makeGRPCStatus() -> GRPCStatus {
return GRPCStatus(
code: .unavailable,
message: String(describing: self.reason),
cause: self.reason
)
}
}
| apache-2.0 | 7b6e1bddf7bbd714a1e1bc1a1593cd9d | 31.814109 | 103 | 0.686451 | 4.492561 | false | false | false | false |
grpc/grpc-swift | Sources/GRPC/GRPCChannel/GRPCChannel.swift | 1 | 11890 | /*
* Copyright 2020, gRPC Authors All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import NIOCore
import NIOHTTP2
import SwiftProtobuf
public protocol GRPCChannel: GRPCPreconcurrencySendable {
/// Makes a gRPC call on the channel with requests and responses conforming to
/// `SwiftProtobuf.Message`.
///
/// Note: this is a lower-level construct that any of ``UnaryCall``, ``ClientStreamingCall``,
/// ``ServerStreamingCall`` or ``BidirectionalStreamingCall`` and does not have an API to protect
/// users against protocol violations (such as sending to requests on a unary call).
///
/// After making the ``Call``, users must ``Call/invoke(onError:onResponsePart:)`` the call with a callback which is invoked
/// for each response part (or error) received. Any call to ``Call/send(_:)`` prior to calling
/// ``Call/invoke(onError:onResponsePart:)`` will fail and not be sent. Users are also responsible for closing the request stream
/// by sending the `.end` request part.
///
/// - Parameters:
/// - path: The path of the RPC, e.g. "/echo.Echo/get".
/// - type: The type of the RPC, e.g. ``GRPCCallType/unary``.
/// - callOptions: Options for the RPC.
/// - interceptors: A list of interceptors to intercept the request and response stream with.
func makeCall<Request: SwiftProtobuf.Message, Response: SwiftProtobuf.Message>(
path: String,
type: GRPCCallType,
callOptions: CallOptions,
interceptors: [ClientInterceptor<Request, Response>]
) -> Call<Request, Response>
/// Makes a gRPC call on the channel with requests and responses conforming to ``GRPCPayload``.
///
/// Note: this is a lower-level construct that any of ``UnaryCall``, ``ClientStreamingCall``,
/// ``ServerStreamingCall`` or ``BidirectionalStreamingCall`` and does not have an API to protect
/// users against protocol violations (such as sending to requests on a unary call).
///
/// After making the ``Call``, users must ``Call/invoke(onError:onResponsePart:)`` the call with a callback which is invoked
/// for each response part (or error) received. Any call to ``Call/send(_:)`` prior to calling
/// ``Call/invoke(onError:onResponsePart:)`` will fail and not be sent. Users are also responsible for closing the request stream
/// by sending the `.end` request part.
///
/// - Parameters:
/// - path: The path of the RPC, e.g. "/echo.Echo/get".
/// - type: The type of the RPC, e.g. ``GRPCCallType/unary``.
/// - callOptions: Options for the RPC.
/// - interceptors: A list of interceptors to intercept the request and response stream with.
func makeCall<Request: GRPCPayload, Response: GRPCPayload>(
path: String,
type: GRPCCallType,
callOptions: CallOptions,
interceptors: [ClientInterceptor<Request, Response>]
) -> Call<Request, Response>
/// Close the channel, and any connections associated with it. Any ongoing RPCs may fail.
///
/// - Returns: Returns a future which will be resolved when shutdown has completed.
func close() -> EventLoopFuture<Void>
/// Close the channel, and any connections associated with it. Any ongoing RPCs may fail.
///
/// - Parameter promise: A promise which will be completed when shutdown has completed.
func close(promise: EventLoopPromise<Void>)
/// Attempt to gracefully shutdown the channel. New RPCs will be failed immediately and existing
/// RPCs may continue to run until they complete.
///
/// - Parameters:
/// - deadline: A point in time by which the graceful shutdown must have completed. If the
/// deadline passes and RPCs are still active then the connection will be closed forcefully
/// and any remaining in-flight RPCs may be failed.
/// - promise: A promise which will be completed when shutdown has completed.
func closeGracefully(deadline: NIODeadline, promise: EventLoopPromise<Void>)
}
// Default implementations to avoid breaking API. Implementations provided by GRPC override these.
extension GRPCChannel {
public func close(promise: EventLoopPromise<Void>) {
promise.completeWith(self.close())
}
public func closeGracefully(deadline: NIODeadline, promise: EventLoopPromise<Void>) {
promise.completeWith(self.close())
}
}
extension GRPCChannel {
/// Make a unary gRPC call.
///
/// - Parameters:
/// - path: Path of the RPC, e.g. "/echo.Echo/Get"
/// - request: The request to send.
/// - callOptions: Options for the RPC.
/// - interceptors: A list of interceptors to intercept the request and response stream with.
public func makeUnaryCall<Request: Message, Response: Message>(
path: String,
request: Request,
callOptions: CallOptions,
interceptors: [ClientInterceptor<Request, Response>] = []
) -> UnaryCall<Request, Response> {
let unary: UnaryCall<Request, Response> = UnaryCall(
call: self.makeCall(
path: path,
type: .unary,
callOptions: callOptions,
interceptors: interceptors
)
)
unary.invoke(request)
return unary
}
/// Make a unary gRPC call.
///
/// - Parameters:
/// - path: Path of the RPC, e.g. "/echo.Echo/Get"
/// - request: The request to send.
/// - callOptions: Options for the RPC.
/// - interceptors: A list of interceptors to intercept the request and response stream with.
public func makeUnaryCall<Request: GRPCPayload, Response: GRPCPayload>(
path: String,
request: Request,
callOptions: CallOptions,
interceptors: [ClientInterceptor<Request, Response>] = []
) -> UnaryCall<Request, Response> {
let rpc: UnaryCall<Request, Response> = UnaryCall(
call: self.makeCall(
path: path,
type: .unary,
callOptions: callOptions,
interceptors: interceptors
)
)
rpc.invoke(request)
return rpc
}
/// Makes a client-streaming gRPC call.
///
/// - Parameters:
/// - path: Path of the RPC, e.g. "/echo.Echo/Get"
/// - callOptions: Options for the RPC.
/// - interceptors: A list of interceptors to intercept the request and response stream with.
public func makeClientStreamingCall<Request: Message, Response: Message>(
path: String,
callOptions: CallOptions,
interceptors: [ClientInterceptor<Request, Response>] = []
) -> ClientStreamingCall<Request, Response> {
let rpc: ClientStreamingCall<Request, Response> = ClientStreamingCall(
call: self.makeCall(
path: path,
type: .clientStreaming,
callOptions: callOptions,
interceptors: interceptors
)
)
rpc.invoke()
return rpc
}
/// Makes a client-streaming gRPC call.
///
/// - Parameters:
/// - path: Path of the RPC, e.g. "/echo.Echo/Get"
/// - callOptions: Options for the RPC.
/// - interceptors: A list of interceptors to intercept the request and response stream with.
public func makeClientStreamingCall<Request: GRPCPayload, Response: GRPCPayload>(
path: String,
callOptions: CallOptions,
interceptors: [ClientInterceptor<Request, Response>] = []
) -> ClientStreamingCall<Request, Response> {
let rpc: ClientStreamingCall<Request, Response> = ClientStreamingCall(
call: self.makeCall(
path: path,
type: .clientStreaming,
callOptions: callOptions,
interceptors: interceptors
)
)
rpc.invoke()
return rpc
}
/// Make a server-streaming gRPC call.
///
/// - Parameters:
/// - path: Path of the RPC, e.g. "/echo.Echo/Get"
/// - request: The request to send.
/// - callOptions: Options for the RPC.
/// - interceptors: A list of interceptors to intercept the request and response stream with.
/// - handler: Response handler; called for every response received from the server.
public func makeServerStreamingCall<Request: Message, Response: Message>(
path: String,
request: Request,
callOptions: CallOptions,
interceptors: [ClientInterceptor<Request, Response>] = [],
handler: @escaping (Response) -> Void
) -> ServerStreamingCall<Request, Response> {
let rpc: ServerStreamingCall<Request, Response> = ServerStreamingCall(
call: self.makeCall(
path: path,
type: .serverStreaming,
callOptions: callOptions,
interceptors: interceptors
),
callback: handler
)
rpc.invoke(request)
return rpc
}
/// Make a server-streaming gRPC call.
///
/// - Parameters:
/// - path: Path of the RPC, e.g. "/echo.Echo/Get"
/// - request: The request to send.
/// - callOptions: Options for the RPC.
/// - interceptors: A list of interceptors to intercept the request and response stream with.
/// - handler: Response handler; called for every response received from the server.
public func makeServerStreamingCall<Request: GRPCPayload, Response: GRPCPayload>(
path: String,
request: Request,
callOptions: CallOptions,
interceptors: [ClientInterceptor<Request, Response>] = [],
handler: @escaping (Response) -> Void
) -> ServerStreamingCall<Request, Response> {
let rpc: ServerStreamingCall<Request, Response> = ServerStreamingCall(
call: self.makeCall(
path: path,
type: .serverStreaming,
callOptions: callOptions,
interceptors: []
),
callback: handler
)
rpc.invoke(request)
return rpc
}
/// Makes a bidirectional-streaming gRPC call.
///
/// - Parameters:
/// - path: Path of the RPC, e.g. "/echo.Echo/Get"
/// - callOptions: Options for the RPC.
/// - interceptors: A list of interceptors to intercept the request and response stream with.
/// - handler: Response handler; called for every response received from the server.
public func makeBidirectionalStreamingCall<Request: Message, Response: Message>(
path: String,
callOptions: CallOptions,
interceptors: [ClientInterceptor<Request, Response>] = [],
handler: @escaping (Response) -> Void
) -> BidirectionalStreamingCall<Request, Response> {
let rpc: BidirectionalStreamingCall<Request, Response> = BidirectionalStreamingCall(
call: self.makeCall(
path: path,
type: .bidirectionalStreaming,
callOptions: callOptions,
interceptors: interceptors
),
callback: handler
)
rpc.invoke()
return rpc
}
/// Makes a bidirectional-streaming gRPC call.
///
/// - Parameters:
/// - path: Path of the RPC, e.g. "/echo.Echo/Get"
/// - callOptions: Options for the RPC.
/// - interceptors: A list of interceptors to intercept the request and response stream with.
/// - handler: Response handler; called for every response received from the server.
public func makeBidirectionalStreamingCall<Request: GRPCPayload, Response: GRPCPayload>(
path: String,
callOptions: CallOptions,
interceptors: [ClientInterceptor<Request, Response>] = [],
handler: @escaping (Response) -> Void
) -> BidirectionalStreamingCall<Request, Response> {
let rpc: BidirectionalStreamingCall<Request, Response> = BidirectionalStreamingCall(
call: self.makeCall(
path: path,
type: .bidirectionalStreaming,
callOptions: callOptions,
interceptors: interceptors
),
callback: handler
)
rpc.invoke()
return rpc
}
}
| apache-2.0 | 7d00a9fa30940f892068e973604116f4 | 38.111842 | 131 | 0.679479 | 4.395564 | false | false | false | false |
hsoi/RxSwift | RxExample/RxExample/Examples/APIWrappers/APIWrappersViewController.swift | 2 | 6324 | //
// APIWrappersViewController.swift
// RxExample
//
// Created by Carlos García on 8/7/15.
// Copyright © 2015 Krunoslav Zaher. All rights reserved.
//
import UIKit
import CoreLocation
#if !RX_NO_MODULE
import RxSwift
import RxCocoa
#endif
extension UILabel {
public override var accessibilityValue: String! {
get {
return self.text
}
set {
self.text = newValue
self.accessibilityValue = newValue
}
}
}
class APIWrappersViewController: ViewController {
@IBOutlet weak var debugLabel: UILabel!
@IBOutlet weak var openActionSheet: UIButton!
@IBOutlet weak var openAlertView: UIButton!
@IBOutlet weak var bbitem: UIBarButtonItem!
@IBOutlet weak var segmentedControl: UISegmentedControl!
@IBOutlet weak var switcher: UISwitch!
@IBOutlet weak var activityIndicator: UIActivityIndicatorView!
@IBOutlet weak var button: UIButton!
@IBOutlet weak var slider: UISlider!
@IBOutlet weak var textField: UITextField!
@IBOutlet weak var datePicker: UIDatePicker!
@IBOutlet weak var mypan: UIPanGestureRecognizer!
@IBOutlet weak var textView: UITextView!
let manager = CLLocationManager()
override func viewDidLoad() {
super.viewDidLoad()
datePicker.date = NSDate(timeIntervalSince1970: 0)
let ash = UIActionSheet(title: "Title", delegate: nil, cancelButtonTitle: "Cancel", destructiveButtonTitle: "OK")
let av = UIAlertView(title: "Title", message: "The message", delegate: nil, cancelButtonTitle: "Cancel", otherButtonTitles: "OK", "Two", "Three", "Four", "Five")
openActionSheet.rx_tap
.subscribeNext { [weak self] x in
if let view = self?.view {
ash.showInView(view)
}
}
.addDisposableTo(disposeBag)
openAlertView.rx_tap
.subscribeNext { x in
av.show()
}
.addDisposableTo(disposeBag)
// MARK: UIActionSheet
ash.rx_clickedButtonAtIndex
.subscribeNext { [weak self] x in
self?.debug("UIActionSheet clickedButtonAtIndex \(x)")
}
.addDisposableTo(disposeBag)
ash.rx_willDismissWithButtonIndex
.subscribeNext { [weak self] x in
self?.debug("UIActionSheet willDismissWithButtonIndex \(x)")
}
.addDisposableTo(disposeBag)
ash.rx_didDismissWithButtonIndex
.subscribeNext { [weak self] x in
self?.debug("UIActionSheet didDismissWithButtonIndex \(x)")
}
.addDisposableTo(disposeBag)
// MARK: UIAlertView
av.rx_clickedButtonAtIndex
.subscribeNext { [weak self] x in
self?.debug("UIAlertView clickedButtonAtIndex \(x)")
}
.addDisposableTo(disposeBag)
av.rx_willDismissWithButtonIndex
.subscribeNext { [weak self] x in
self?.debug("UIAlertView willDismissWithButtonIndex \(x)")
}
.addDisposableTo(disposeBag)
av.rx_didDismissWithButtonIndex
.subscribeNext { [weak self] x in
self?.debug("UIAlertView didDismissWithButtonIndex \(x)")
}
.addDisposableTo(disposeBag)
// MARK: UIBarButtonItem
bbitem.rx_tap
.subscribeNext { [weak self] x in
self?.debug("UIBarButtonItem Tapped")
}
.addDisposableTo(disposeBag)
// MARK: UISegmentedControl
segmentedControl.rx_value
.subscribeNext { [weak self] x in
self?.debug("UISegmentedControl value \(x)")
}
.addDisposableTo(disposeBag)
// MARK: UISwitch
switcher.rx_value
.subscribeNext { [weak self] x in
self?.debug("UISwitch value \(x)")
}
.addDisposableTo(disposeBag)
// MARK: UIActivityIndicatorView
switcher.rx_value
.bindTo(activityIndicator.rx_animating)
.addDisposableTo(disposeBag)
// MARK: UIButton
button.rx_tap
.subscribeNext { [weak self] x in
self?.debug("UIButton Tapped")
}
.addDisposableTo(disposeBag)
// MARK: UISlider
slider.rx_value
.subscribeNext { [weak self] x in
self?.debug("UISlider value \(x)")
}
.addDisposableTo(disposeBag)
// MARK: UIDatePicker
datePicker.rx_date
.subscribeNext { [weak self] x in
self?.debug("UIDatePicker date \(x)")
}
.addDisposableTo(disposeBag)
// MARK: UITextField
textField.rx_text
.subscribeNext { [weak self] x in
self?.debug("UITextField text \(x)")
}
.addDisposableTo(disposeBag)
// MARK: UIGestureRecognizer
mypan.rx_event
.subscribeNext { [weak self] x in
self?.debug("UIGestureRecognizer event \(x.state)")
}
.addDisposableTo(disposeBag)
// MARK: UITextView
textView.rx_text
.subscribeNext { [weak self] x in
self?.debug("UITextView event \(x)")
}
.addDisposableTo(disposeBag)
// MARK: CLLocationManager
#if !RX_NO_MODULE
manager.requestWhenInUseAuthorization()
#endif
manager.rx_didUpdateLocations
.subscribeNext { [weak self] x in
self?.debug("rx_didUpdateLocations \(x)")
}
.addDisposableTo(disposeBag)
_ = manager.rx_didFailWithError
.subscribeNext { [weak self] x in
self?.debug("rx_didFailWithError \(x)")
}
manager.rx_didChangeAuthorizationStatus
.subscribeNext { status in
print("Authorization status \(status)")
}
.addDisposableTo(disposeBag)
manager.startUpdatingLocation()
}
func debug(string: String) {
print(string)
debugLabel.text = string
}
}
| mit | 9ea93209f09cfee7b5ad2f46e66239e7 | 24.699187 | 169 | 0.5677 | 5.459413 | false | false | false | false |
an-indya/WorldWatch | WorldWatch WatchKit Extension/InterfaceController.swift | 1 | 2009 | //
// InterfaceController.swift
// AppleWatchDemo WatchKit Extension
//
// Created by Anindya Sengupta on 24/11/2014.
// Copyright (c) 2014 Anindya Sengupta. All rights reserved.
//
import WatchKit
import Foundation
class InterfaceController: WKInterfaceController {
@IBOutlet weak var table: WKInterfaceTable!
override init(context: AnyObject?) {
super.init(context: context)
populateTable()
}
private func populateTable () {
var plistKeys: NSDictionary?
var timeZones: NSDictionary?
if let path = NSBundle.mainBundle().pathForResource("Timezones", ofType: "plist") {
plistKeys = NSDictionary(contentsOfFile: path)!
timeZones = plistKeys!["TimeZones"] as NSDictionary?
}
if let dict = timeZones {
table.setNumberOfRows(dict.count, withRowType: "LocalTimeRowController")
var keyArray = dict.allKeys as [String]
func alphabaticalSort(s1: String, s2: String) -> Bool {
return s1 < s2
}
var sortedCityNamesArray = sorted(keyArray, alphabaticalSort)
for (index, key) in enumerate(sortedCityNamesArray) {
let row = table.rowControllerAtIndex(index) as LocalTimeRowController
row.countryLabel.setText((key as String))
var value: AnyObject? = dict[key as String]
row.localTimeLabel.setTimeZone(NSTimeZone(name: value as String))
}
}
}
override func willActivate() {
// This method is called when watch view controller is about to be visible to user
super.willActivate()
NSLog("%@ will activate", self)
}
override func didDeactivate() {
// This method is called when watch view controller is no longer visible
NSLog("%@ did deactivate", self)
super.didDeactivate()
}
}
| mit | 617fc8905eb291a1de6672c4feee8138 | 30.390625 | 91 | 0.601792 | 5.009975 | false | false | false | false |
dymx101/Gamers | Pods/Starscream/WebSocket.swift | 1 | 29758 | //////////////////////////////////////////////////////////////////////////////////////////////////
//
// Websocket.swift
//
// Created by Dalton Cherry on 7/16/14.
//
//////////////////////////////////////////////////////////////////////////////////////////////////
import Foundation
import CoreFoundation
public protocol WebSocketDelegate: class {
func websocketDidConnect(socket: WebSocket)
func websocketDidDisconnect(socket: WebSocket, error: NSError?)
func websocketDidReceiveMessage(socket: WebSocket, text: String)
func websocketDidReceiveData(socket: WebSocket, data: NSData)
}
public protocol WebSocketPongDelegate: class {
func websocketDidReceivePong(socket: WebSocket)
}
public class WebSocket : NSObject, NSStreamDelegate {
enum OpCode : UInt8 {
case ContinueFrame = 0x0
case TextFrame = 0x1
case BinaryFrame = 0x2
//3-7 are reserved.
case ConnectionClose = 0x8
case Ping = 0x9
case Pong = 0xA
//B-F reserved.
}
enum CloseCode : UInt16 {
case Normal = 1000
case GoingAway = 1001
case ProtocolError = 1002
case ProtocolUnhandledType = 1003
// 1004 reserved.
case NoStatusReceived = 1005
//1006 reserved.
case Encoding = 1007
case PolicyViolated = 1008
case MessageTooBig = 1009
}
enum InternalErrorCode : UInt16 {
// 0-999 WebSocket status codes not used
case OutputStreamWriteError = 1
}
//Where the callback is executed. It defaults to the main UI thread queue.
public var queue = dispatch_get_main_queue()
var optionalProtocols : Array<String>?
//Constant Values.
let headerWSUpgradeName = "Upgrade"
let headerWSUpgradeValue = "websocket"
let headerWSHostName = "Host"
let headerWSConnectionName = "Connection"
let headerWSConnectionValue = "Upgrade"
let headerWSProtocolName = "Sec-WebSocket-Protocol"
let headerWSVersionName = "Sec-WebSocket-Version"
let headerWSVersionValue = "13"
let headerWSKeyName = "Sec-WebSocket-Key"
let headerOriginName = "Origin"
let headerWSAcceptName = "Sec-WebSocket-Accept"
let BUFFER_MAX = 4096
let FinMask: UInt8 = 0x80
let OpCodeMask: UInt8 = 0x0F
let RSVMask: UInt8 = 0x70
let MaskMask: UInt8 = 0x80
let PayloadLenMask: UInt8 = 0x7F
let MaxFrameSize: Int = 32
class WSResponse {
var isFin = false
var code: OpCode = .ContinueFrame
var bytesLeft = 0
var frameCount = 0
var buffer: NSMutableData?
}
public weak var delegate: WebSocketDelegate?
public weak var pongDelegate: WebSocketPongDelegate?
public var onConnect: ((Void) -> Void)?
public var onDisconnect: ((NSError?) -> Void)?
public var onText: ((String) -> Void)?
public var onData: ((NSData) -> Void)?
public var onPong: ((Void) -> Void)?
public var headers = Dictionary<String,String>()
public var voipEnabled = false
public var selfSignedSSL = false
public var security: Security?
public var isConnected :Bool {
return connected
}
private var url: NSURL
private var inputStream: NSInputStream?
private var outputStream: NSOutputStream?
private var isRunLoop = false
private var connected = false
private var isCreated = false
private var writeQueue: NSOperationQueue?
private var readStack = Array<WSResponse>()
private var inputQueue = Array<NSData>()
private var fragBuffer: NSData?
private var certValidated = false
private var didDisconnect = false
//init the websocket with a url
public init(url: NSURL) {
self.url = url
}
//used for setting protocols.
public convenience init(url: NSURL, protocols: Array<String>) {
self.init(url: url)
optionalProtocols = protocols
}
///Connect to the websocket server on a background thread
public func connect() {
if isCreated {
return
}
dispatch_async(queue,{ [weak self] in
self?.didDisconnect = false
})
dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT,0), { [weak self] in
self?.isCreated = true
self?.createHTTPRequest()
self?.isCreated = false
})
}
///disconnect from the websocket server
public func disconnect() {
writeError(CloseCode.Normal.rawValue)
}
///write a string to the websocket. This sends it as a text frame.
public func writeString(str: String) {
dequeueWrite(str.dataUsingEncoding(NSUTF8StringEncoding)!, code: .TextFrame)
}
///write binary data to the websocket. This sends it as a binary frame.
public func writeData(data: NSData) {
dequeueWrite(data, code: .BinaryFrame)
}
//write a ping to the websocket. This sends it as a control frame.
//yodel a sound to the planet. This sends it as an astroid. http://youtu.be/Eu5ZJELRiJ8?t=42s
public func writePing(data: NSData) {
dequeueWrite(data, code: .Ping)
}
//private methods below!
//private method that starts the connection
private func createHTTPRequest() {
let str: NSString = url.absoluteString!
let urlRequest = CFHTTPMessageCreateRequest(kCFAllocatorDefault, "GET",
url, kCFHTTPVersion1_1).takeRetainedValue()
var port = url.port
if port == nil {
if url.scheme == "wss" || url.scheme == "https" {
port = 443
} else {
port = 80
}
}
self.addHeader(urlRequest, key: headerWSUpgradeName, val: headerWSUpgradeValue)
self.addHeader(urlRequest, key: headerWSConnectionName, val: headerWSConnectionValue)
if let protocols = optionalProtocols {
self.addHeader(urlRequest, key: headerWSProtocolName, val: ",".join(protocols))
}
self.addHeader(urlRequest, key: headerWSVersionName, val: headerWSVersionValue)
self.addHeader(urlRequest, key: headerWSKeyName, val: self.generateWebSocketKey())
self.addHeader(urlRequest, key: headerOriginName, val: url.absoluteString!)
self.addHeader(urlRequest, key: headerWSHostName, val: "\(url.host!):\(port!)")
for (key,value) in headers {
self.addHeader(urlRequest, key: key, val: value)
}
let serializedRequest: NSData = CFHTTPMessageCopySerializedMessage(urlRequest).takeRetainedValue()
self.initStreamsWithData(serializedRequest, Int(port!))
}
//Add a header to the CFHTTPMessage by using the NSString bridges to CFString
private func addHeader(urlRequest: CFHTTPMessage,key: String, val: String) {
let nsKey: NSString = key
let nsVal: NSString = val
CFHTTPMessageSetHeaderFieldValue(urlRequest,
nsKey,
nsVal)
}
//generate a websocket key as needed in rfc
private func generateWebSocketKey() -> String {
var key = ""
let seed = 16
for (var i = 0; i < seed; i++) {
let uni = UnicodeScalar(UInt32(97 + arc4random_uniform(25)))
key += "\(Character(uni))"
}
var data = key.dataUsingEncoding(NSUTF8StringEncoding)
var baseKey = data?.base64EncodedStringWithOptions(NSDataBase64EncodingOptions(0))
return baseKey!
}
//Start the stream connection and write the data to the output stream
private func initStreamsWithData(data: NSData, _ port: Int) {
//higher level API we will cut over to at some point
//NSStream.getStreamsToHostWithName(url.host, port: url.port.integerValue, inputStream: &inputStream, outputStream: &outputStream)
var readStream: Unmanaged<CFReadStream>?
var writeStream: Unmanaged<CFWriteStream>?
let h: NSString = url.host!
CFStreamCreatePairWithSocketToHost(nil, h, UInt32(port), &readStream, &writeStream)
inputStream = readStream!.takeRetainedValue()
outputStream = writeStream!.takeRetainedValue()
inputStream!.delegate = self
outputStream!.delegate = self
if url.scheme == "wss" || url.scheme == "https" {
inputStream!.setProperty(NSStreamSocketSecurityLevelNegotiatedSSL, forKey: NSStreamSocketSecurityLevelKey)
outputStream!.setProperty(NSStreamSocketSecurityLevelNegotiatedSSL, forKey: NSStreamSocketSecurityLevelKey)
} else {
certValidated = true //not a https session, so no need to check SSL pinning
}
if self.voipEnabled {
inputStream!.setProperty(NSStreamNetworkServiceTypeVoIP, forKey: NSStreamNetworkServiceType)
outputStream!.setProperty(NSStreamNetworkServiceTypeVoIP, forKey: NSStreamNetworkServiceType)
}
if self.selfSignedSSL {
let settings: Dictionary<NSObject, NSObject> = [kCFStreamSSLValidatesCertificateChain: NSNumber(bool:false), kCFStreamSSLPeerName: kCFNull]
inputStream!.setProperty(settings, forKey: kCFStreamPropertySSLSettings as! String)
outputStream!.setProperty(settings, forKey: kCFStreamPropertySSLSettings as! String)
}
isRunLoop = true
inputStream!.scheduleInRunLoop(NSRunLoop.currentRunLoop(), forMode: NSDefaultRunLoopMode)
outputStream!.scheduleInRunLoop(NSRunLoop.currentRunLoop(), forMode: NSDefaultRunLoopMode)
inputStream!.open()
outputStream!.open()
let bytes = UnsafePointer<UInt8>(data.bytes)
outputStream!.write(bytes, maxLength: data.length)
while(isRunLoop) {
NSRunLoop.currentRunLoop().runMode(NSDefaultRunLoopMode, beforeDate: NSDate.distantFuture() as! NSDate)
}
}
//delegate for the stream methods. Processes incoming bytes
public func stream(aStream: NSStream, handleEvent eventCode: NSStreamEvent) {
if let sec = security where !certValidated && (eventCode == .HasBytesAvailable || eventCode == .HasSpaceAvailable) {
var possibleTrust: AnyObject? = aStream.propertyForKey(kCFStreamPropertySSLPeerTrust as! String)
if let trust: AnyObject = possibleTrust {
var domain: AnyObject? = aStream.propertyForKey(kCFStreamSSLPeerName as! String)
if sec.isValid(trust as! SecTrustRef, domain: domain as! String?) {
certValidated = true
} else {
let error = self.errorWithDetail("Invalid SSL certificate", code: 1)
doDisconnect(error)
disconnectStream(error)
return
}
}
}
if eventCode == .HasBytesAvailable {
if(aStream == inputStream) {
processInputStream()
}
} else if eventCode == .ErrorOccurred {
disconnectStream(aStream.streamError)
} else if eventCode == .EndEncountered {
disconnectStream(nil)
}
}
//disconnect the stream object
private func disconnectStream(error: NSError?) {
if writeQueue != nil {
writeQueue!.waitUntilAllOperationsAreFinished()
}
if let stream = inputStream {
stream.removeFromRunLoop(NSRunLoop.currentRunLoop(), forMode: NSDefaultRunLoopMode)
stream.close()
}
if let stream = outputStream {
stream.removeFromRunLoop(NSRunLoop.currentRunLoop(), forMode: NSDefaultRunLoopMode)
stream.close()
}
outputStream = nil
isRunLoop = false
certValidated = false
self.doDisconnect(error)
connected = false
}
///handles the incoming bytes and sending them to the proper processing method
private func processInputStream() {
let buf = NSMutableData(capacity: BUFFER_MAX)
var buffer = UnsafeMutablePointer<UInt8>(buf!.bytes)
let length = inputStream!.read(buffer, maxLength: BUFFER_MAX)
if length > 0 {
if !connected {
let status = processHTTP(buffer, bufferLen: length)
if !status {
doDisconnect(self.errorWithDetail("Invalid HTTP upgrade", code: 1))
}
} else {
var process = false
if inputQueue.count == 0 {
process = true
}
inputQueue.append(NSData(bytes: buffer, length: length))
if process {
dequeueInput()
}
}
}
}
///dequeue the incoming input so it is processed in order
private func dequeueInput() {
if inputQueue.count > 0 {
let data = inputQueue[0]
var work = data
if (fragBuffer != nil) {
var combine = NSMutableData(data: fragBuffer!)
combine.appendData(data)
work = combine
fragBuffer = nil
}
let buffer = UnsafePointer<UInt8>(work.bytes)
processRawMessage(buffer, bufferLen: work.length)
inputQueue = inputQueue.filter{$0 != data}
dequeueInput()
}
}
///Finds the HTTP Packet in the TCP stream, by looking for the CRLF.
private func processHTTP(buffer: UnsafePointer<UInt8>, bufferLen: Int) -> Bool {
let CRLFBytes = [UInt8(ascii: "\r"), UInt8(ascii: "\n"), UInt8(ascii: "\r"), UInt8(ascii: "\n")]
var k = 0
var totalSize = 0
for var i = 0; i < bufferLen; i++ {
if buffer[i] == CRLFBytes[k] {
k++
if k == 3 {
totalSize = i + 1
break
}
} else {
k = 0
}
}
if totalSize > 0 {
if validateResponse(buffer, bufferLen: totalSize) {
dispatch_async(queue,{ [weak self] in
self?.connected = true
if let connectBlock = self?.onConnect {
connectBlock()
}
if let s = self {
s.delegate?.websocketDidConnect(s)
}
})
totalSize += 1 //skip the last \n
let restSize = bufferLen - totalSize
if restSize > 0 {
processRawMessage((buffer+totalSize),bufferLen: restSize)
}
return true
}
}
return false
}
///validates the HTTP is a 101 as per the RFC spec
private func validateResponse(buffer: UnsafePointer<UInt8>, bufferLen: Int) -> Bool {
let response = CFHTTPMessageCreateEmpty(kCFAllocatorDefault, 0).takeRetainedValue()
CFHTTPMessageAppendBytes(response, buffer, bufferLen)
if CFHTTPMessageGetResponseStatusCode(response) != 101 {
return false
}
let cfHeaders = CFHTTPMessageCopyAllHeaderFields(response)
let headers: NSDictionary = cfHeaders.takeRetainedValue()
let acceptKey = headers[headerWSAcceptName] as! NSString
if acceptKey.length > 0 {
return true
}
return false
}
///process the websocket data
private func processRawMessage(buffer: UnsafePointer<UInt8>, bufferLen: Int) {
var response = readStack.last
if response != nil && bufferLen < 2 {
fragBuffer = NSData(bytes: buffer, length: bufferLen)
return
}
if response != nil && response!.bytesLeft > 0 {
let resp = response!
var len = resp.bytesLeft
var extra = bufferLen - resp.bytesLeft
if resp.bytesLeft > bufferLen {
len = bufferLen
extra = 0
}
resp.bytesLeft -= len
resp.buffer?.appendData(NSData(bytes: buffer, length: len))
processResponse(resp)
var offset = bufferLen - extra
if extra > 0 {
processExtra((buffer+offset), bufferLen: extra)
}
return
} else {
let isFin = (FinMask & buffer[0])
let receivedOpcode = (OpCodeMask & buffer[0])
let isMasked = (MaskMask & buffer[1])
let payloadLen = (PayloadLenMask & buffer[1])
var offset = 2
if((isMasked > 0 || (RSVMask & buffer[0]) > 0) && receivedOpcode != OpCode.Pong.rawValue) {
let errCode = CloseCode.ProtocolError.rawValue
let error = self.errorWithDetail("masked and rsv data is not currently supported", code: errCode)
self.doDisconnect(error)
writeError(errCode)
return
}
let isControlFrame = (receivedOpcode == OpCode.ConnectionClose.rawValue || receivedOpcode == OpCode.Ping.rawValue)
if !isControlFrame && (receivedOpcode != OpCode.BinaryFrame.rawValue && receivedOpcode != OpCode.ContinueFrame.rawValue &&
receivedOpcode != OpCode.TextFrame.rawValue && receivedOpcode != OpCode.Pong.rawValue) {
let errCode = CloseCode.ProtocolError.rawValue
let error = self.errorWithDetail("unknown opcode: \(receivedOpcode)", code: errCode)
self.doDisconnect(error)
writeError(errCode)
return
}
if isControlFrame && isFin == 0 {
let errCode = CloseCode.ProtocolError.rawValue
let error = self.errorWithDetail("control frames can't be fragmented", code: errCode)
self.doDisconnect(error)
writeError(errCode)
return
}
if receivedOpcode == OpCode.ConnectionClose.rawValue {
var code = CloseCode.Normal.rawValue
if payloadLen == 1 {
code = CloseCode.ProtocolError.rawValue
} else if payloadLen > 1 {
var codeBuffer = UnsafePointer<UInt16>((buffer+offset))
code = codeBuffer[0].bigEndian
if code < 1000 || (code > 1003 && code < 1007) || (code > 1011 && code < 3000) {
code = CloseCode.ProtocolError.rawValue
}
offset += 2
}
if payloadLen > 2 {
let len = Int(payloadLen-2)
if len > 0 {
let bytes = UnsafePointer<UInt8>((buffer+offset))
var str: NSString? = NSString(data: NSData(bytes: bytes, length: len), encoding: NSUTF8StringEncoding)
if str == nil {
code = CloseCode.ProtocolError.rawValue
}
}
}
let error = self.errorWithDetail("connection closed by server", code: code)
self.doDisconnect(error)
writeError(code)
return
}
if isControlFrame && payloadLen > 125 {
writeError(CloseCode.ProtocolError.rawValue)
return
}
var dataLength = UInt64(payloadLen)
if dataLength == 127 {
let bytes = UnsafePointer<UInt64>((buffer+offset))
dataLength = bytes[0].bigEndian
offset += sizeof(UInt64)
} else if dataLength == 126 {
let bytes = UnsafePointer<UInt16>((buffer+offset))
dataLength = UInt64(bytes[0].bigEndian)
offset += sizeof(UInt16)
}
if bufferLen < offset || UInt64(bufferLen - offset) < dataLength {
fragBuffer = NSData(bytes: buffer, length: bufferLen)
return
}
var len = dataLength
if dataLength > UInt64(bufferLen) {
len = UInt64(bufferLen-offset)
}
var data: NSData!
if len < 0 {
len = 0
data = NSData()
} else {
data = NSData(bytes: UnsafePointer<UInt8>((buffer+offset)), length: Int(len))
}
if receivedOpcode == OpCode.Pong.rawValue {
dispatch_async(queue,{ [weak self] in
if let pongBlock = self?.onPong {
pongBlock()
}
if let s = self {
s.pongDelegate?.websocketDidReceivePong(s)
}
})
let step = Int(offset+numericCast(len))
let extra = bufferLen-step
if extra > 0 {
processRawMessage((buffer+step), bufferLen: extra)
}
return
}
var response = readStack.last
if isControlFrame {
response = nil //don't append pings
}
if isFin == 0 && receivedOpcode == OpCode.ContinueFrame.rawValue && response == nil {
let errCode = CloseCode.ProtocolError.rawValue
let error = self.errorWithDetail("continue frame before a binary or text frame", code: errCode)
self.doDisconnect(error)
writeError(errCode)
return
}
var isNew = false
if(response == nil) {
if receivedOpcode == OpCode.ContinueFrame.rawValue {
let errCode = CloseCode.ProtocolError.rawValue
let error = self.errorWithDetail("first frame can't be a continue frame",
code: errCode)
self.doDisconnect(error)
writeError(errCode)
return
}
isNew = true
response = WSResponse()
response!.code = OpCode(rawValue: receivedOpcode)!
response!.bytesLeft = Int(dataLength)
response!.buffer = NSMutableData(data: data)
} else {
if receivedOpcode == OpCode.ContinueFrame.rawValue {
response!.bytesLeft = Int(dataLength)
} else {
let errCode = CloseCode.ProtocolError.rawValue
let error = self.errorWithDetail("second and beyond of fragment message must be a continue frame",
code: errCode)
self.doDisconnect(error)
writeError(errCode)
return
}
response!.buffer!.appendData(data)
}
if response != nil {
response!.bytesLeft -= Int(len)
response!.frameCount++
response!.isFin = isFin > 0 ? true : false
if(isNew) {
readStack.append(response!)
}
processResponse(response!)
}
let step = Int(offset+numericCast(len))
let extra = bufferLen-step
if(extra > 0) {
processExtra((buffer+step), bufferLen: extra)
}
}
}
///process the extra of a buffer
private func processExtra(buffer: UnsafePointer<UInt8>, bufferLen: Int) {
if bufferLen < 2 {
fragBuffer = NSData(bytes: buffer, length: bufferLen)
} else {
processRawMessage(buffer, bufferLen: bufferLen)
}
}
///process the finished response of a buffer
private func processResponse(response: WSResponse) -> Bool {
if response.isFin && response.bytesLeft <= 0 {
if response.code == .Ping {
let data = response.buffer! //local copy so it is perverse for writing
dequeueWrite(data, code: OpCode.Pong)
} else if response.code == .TextFrame {
var str: NSString? = NSString(data: response.buffer!, encoding: NSUTF8StringEncoding)
if str == nil {
writeError(CloseCode.Encoding.rawValue)
return false
}
dispatch_async(queue,{ [weak self] in
if let textBlock = self?.onText {
textBlock(str! as! String)
}
if let s = self {
s.delegate?.websocketDidReceiveMessage(s, text: str! as! String)
}
})
} else if response.code == .BinaryFrame {
let data = response.buffer! //local copy so it is perverse for writing
dispatch_async(queue,{ [weak self] in
if let dataBlock = self?.onData {
dataBlock(data)
}
if let s = self {
s.delegate?.websocketDidReceiveData(s, data: data)
}
})
}
readStack.removeLast()
return true
}
return false
}
///Create an error
private func errorWithDetail(detail: String, code: UInt16) -> NSError {
var details = Dictionary<String,String>()
details[NSLocalizedDescriptionKey] = detail
return NSError(domain: "Websocket", code: Int(code), userInfo: details)
}
///write a an error to the socket
private func writeError(code: UInt16) {
let buf = NSMutableData(capacity: sizeof(UInt16))
var buffer = UnsafeMutablePointer<UInt16>(buf!.bytes)
buffer[0] = code.bigEndian
dequeueWrite(NSData(bytes: buffer, length: sizeof(UInt16)), code: .ConnectionClose)
}
///used to write things to the stream
private func dequeueWrite(data: NSData, code: OpCode) {
if writeQueue == nil {
writeQueue = NSOperationQueue()
writeQueue!.maxConcurrentOperationCount = 1
}
writeQueue!.addOperationWithBlock { [unowned self] in
//stream isn't ready, let's wait
var tries = 0;
while self.outputStream == nil || !self.connected {
if(tries < 5) {
sleep(1);
} else {
break;
}
tries++;
}
if !self.connected {
return
}
var offset = 2
let bytes = UnsafeMutablePointer<UInt8>(data.bytes)
let dataLength = data.length
let frame = NSMutableData(capacity: dataLength + self.MaxFrameSize)
let buffer = UnsafeMutablePointer<UInt8>(frame!.mutableBytes)
buffer[0] = self.FinMask | code.rawValue
if dataLength < 126 {
buffer[1] = CUnsignedChar(dataLength)
} else if dataLength <= Int(UInt16.max) {
buffer[1] = 126
var sizeBuffer = UnsafeMutablePointer<UInt16>((buffer+offset))
sizeBuffer[0] = UInt16(dataLength).bigEndian
offset += sizeof(UInt16)
} else {
buffer[1] = 127
var sizeBuffer = UnsafeMutablePointer<UInt64>((buffer+offset))
sizeBuffer[0] = UInt64(dataLength).bigEndian
offset += sizeof(UInt64)
}
buffer[1] |= self.MaskMask
var maskKey = UnsafeMutablePointer<UInt8>(buffer + offset)
SecRandomCopyBytes(kSecRandomDefault, Int(sizeof(UInt32)), maskKey)
offset += sizeof(UInt32)
for (var i = 0; i < dataLength; i++) {
buffer[offset] = bytes[i] ^ maskKey[i % sizeof(UInt32)]
offset += 1
}
var total = 0
while true {
if self.outputStream == nil {
break
}
let writeBuffer = UnsafePointer<UInt8>(frame!.bytes+total)
var len = self.outputStream?.write(writeBuffer, maxLength: offset-total)
if len == nil || len! < 0 {
var error: NSError?
if let streamError = self.outputStream?.streamError {
error = streamError
} else {
let errCode = InternalErrorCode.OutputStreamWriteError.rawValue
error = self.errorWithDetail("output stream error during write", code: errCode)
}
self.doDisconnect(error)
break
} else {
total += len!
}
if total >= offset {
break
}
}
}
}
///used to preform the disconnect delegate
private func doDisconnect(error: NSError?) {
if !self.didDisconnect {
dispatch_async(queue,{ [weak self] in
self?.didDisconnect = true
if let disconnect = self?.onDisconnect {
disconnect(error)
}
if let s = self {
s.delegate?.websocketDidDisconnect(s, error: error)
}
})
}
}
}
| apache-2.0 | caa6968fe3e64670faedd2349f0f8eea | 39.988981 | 151 | 0.54876 | 5.471226 | false | false | false | false |
arn00s/barceloneta | Barceloneta/AppDelegate.swift | 1 | 1188 | import UIKit
@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate, COSTouchVisualizerWindowDelegate {
var window: UIWindow?
// var window: UIWindow? = {
// var customWindow = COSTouchVisualizerWindow(frame: UIScreen.main.bounds)
// customWindow.touchVisualizerWindowDelegate = self
//
// customWindow.fillColor = UIColor(red:0.07, green:0.73, blue:0.86, alpha:1)
// customWindow.strokeColor = UIColor.clear
// customWindow.touchAlpha = 0.4
//
// customWindow.rippleFillColor = UIColor(red:0.98, green:0.68, blue:0.22, alpha:1)
// customWindow.rippleStrokeColor = UIColor.clear
// customWindow.rippleAlpha = 0.4
//
// return customWindow
// }()
// swiftlint:disable:next line_length
private func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?) -> Bool {
// Override point for customization after application launch.
return true
}
func touchVisualizerWindowShouldAlwaysShowFingertip(_ window: COSTouchVisualizerWindow!) -> Bool {
return true
}
}
| mit | f95a5d8c9090065e67d1891ca8ceb8cf | 37.322581 | 153 | 0.68771 | 4.273381 | false | false | false | false |
ualch9/onebusaway-iphone | OneBusAway/ui/MapTable/ChevronCardCell.swift | 2 | 3543 | //
// ChevronCardCell.swift
// OneBusAway
//
// Created by Aaron Brethorst on 9/12/18.
// Copyright © 2018 OneBusAway. All rights reserved.
//
import UIKit
import OBAKit
import SnapKit
class ChevronCardCell: SelfSizingCollectionCell {
override open func prepareForReuse() {
super.prepareForReuse()
imageView.image = nil
contentStack.removeArrangedSubview(imageView)
imageView.removeFromSuperview()
}
override init(frame: CGRect) {
super.init(frame: frame)
backgroundColor = OBATheme.mapTableBackgroundColor
let imageViewWrapper = imageView.oba_embedInWrapperView(withConstraints: false)
imageViewWrapper.backgroundColor = .white
imageView.snp.remakeConstraints { make in
make.width.equalTo(16.0)
make.edges.equalToSuperview().inset(UIEdgeInsets(top: 0, left: OBATheme.defaultPadding, bottom: 0, right: 0))
}
let cardWrapper = contentStack.oba_embedInCardWrapper()
contentView.addSubview(cardWrapper)
cardWrapper.snp.makeConstraints { make in
make.edges.equalToSuperview().inset(SelfSizingCollectionCell.leftRightInsets)
}
contentView.layer.addSublayer(separator)
}
required init?(coder aDecoder: NSCoder) { fatalError("init(coder:) has not been implemented") }
override func layoutSubviews() {
super.layoutSubviews()
let bounds = contentView.bounds
let height: CGFloat = 0.5
let sideInset = OBATheme.defaultEdgeInsets.left
separator.frame = CGRect(x: sideInset, y: bounds.height - height, width: bounds.width - (2 * sideInset), height: height)
}
// MARK: - Properties
private lazy var contentStack: UIStackView = {
return UIStackView.oba_horizontalStack(withArrangedSubviews: [imageView, contentWrapper, chevronWrapper])
}()
public let contentWrapper: UIView = {
let view = UIView()
view.translatesAutoresizingMaskIntoConstraints = false
if #available(iOS 13, *) {
view.backgroundColor = .secondarySystemGroupedBackground
} else {
view.backgroundColor = .white
}
return view
}()
private let imageView: UIImageView = {
let imageView = UIImageView()
if #available(iOS 13, *) {
imageView.backgroundColor = .secondarySystemGroupedBackground
} else {
imageView.backgroundColor = .white
}
imageView.contentMode = .scaleAspectFit
return imageView
}()
private let separator: CALayer = {
let layer = CALayer()
layer.backgroundColor = UIColor(red: 200 / 255.0, green: 199 / 255.0, blue: 204 / 255.0, alpha: 1).cgColor
return layer
}()
private let chevronWrapper: UIView = {
let chevronImage = UIImageView(image: #imageLiteral(resourceName: "chevron"))
chevronImage.tintColor = .darkGray
let chevronWrapper = chevronImage.oba_embedInWrapperView(withConstraints: false)
chevronImage.snp.makeConstraints { make in
make.height.equalTo(14)
make.width.equalTo(8)
make.leading.trailing.equalToSuperview().inset(UIEdgeInsets(top: 0, left: 0, bottom: 0, right: OBATheme.defaultPadding))
make.centerY.equalToSuperview()
}
if #available(iOS 13, *) {
chevronWrapper.backgroundColor = .secondarySystemGroupedBackground
} else {
chevronWrapper.backgroundColor = .white
}
return chevronWrapper
}()
}
| apache-2.0 | a19667f330c3d143f646a4f5879f942b | 32.102804 | 132 | 0.663467 | 4.912621 | false | false | false | false |
sora0077/iTunesMusic | Sources/Model/DiskCache.swift | 1 | 4811 | //
// DiskCache.swift
// iTunesMusic
//
// Created by 林達也 on 2016/10/24.
// Copyright © 2016年 jp.sora0077. All rights reserved.
//
import Foundation
import RxSwift
extension Model {
public final class DiskCache {
public static let shared = DiskCache(dir: Settings.Track.Cache.directory)
fileprivate let impl: DiskCacheImpl
fileprivate var downloading: Set<Int> = []
fileprivate let threshold = 3
private init(dir: URL) {
impl = DiskCacheImpl(dir: dir)
}
public var diskSizeInBytes: Int {
return impl.diskSizeInBytes
}
public func removeAll() -> Observable<Void> {
return impl.removeAll()
}
}
}
extension Model.DiskCache: PlayerMiddleware {
public func didEndPlayTrack(_ trackId: Int) {
guard canDownload(trackId: trackId) else { return }
let realm = iTunesRealm()
guard
let track = realm.object(ofType: _Track.self, forPrimaryKey: trackId),
let url = track.metadata?.previewURL,
let duration = track.metadata?.duration,
track.metadata?.fileURL == nil else {
return
}
let dir = impl.dir
let filename = url.lastPathComponent
downloading.insert(trackId)
URLSession.shared.downloadTask(with: url, completionHandler: { [weak self] (url, _, error) in
defer {
_ = self?.downloading.remove(trackId)
}
guard let src = url else { return }
let realm = iTunesRealm()
guard let track = realm.object(ofType: _Track.self, forPrimaryKey: trackId) else { return }
do {
try realm.write {
let to = dir.appendingPathComponent(filename)
try? FileManager.default.removeItem(at: to)
try FileManager.default.moveItem(at: src, to: to)
let metadata = _TrackMetadata(track: track)
metadata.updateCache(filename: filename)
metadata.duration = duration
realm.add(metadata, update: true)
}
} catch {
print("\(error)")
}
}).resume()
}
private func canDownload(trackId: Int) -> Bool {
if downloading.contains(trackId) { return false }
let realm = iTunesRealm()
let cache = realm.object(ofType: _DiskCacheCounter.self, forPrimaryKey: trackId) ?? {
let cache = _DiskCacheCounter()
cache.trackId = trackId
return cache
}()
// swiftlint:disable:next force_try
try! realm.write {
cache.counter += 1
realm.add(cache, update: true)
}
guard cache.counter >= threshold else { return false }
return true
}
}
extension Model.DiskCache: ReactiveCompatible {}
extension Reactive where Base: Model.DiskCache {
public var diskSizeInBytes: Observable<Int> {
return base.impl._diskSizeInBytes.asObservable()
}
}
private final class DiskCacheImpl: NSObject, NSFilePresenter {
fileprivate private(set) lazy var _diskSizeInBytes: Variable<Int> = Variable<Int>(self.diskSizeInBytes)
let dir: URL
var presentedItemURL: URL? { return dir }
let presentedItemOperationQueue = OperationQueue()
init(dir: URL) {
self.dir = dir
super.init()
NSFileCoordinator.addFilePresenter(self)
}
func presentedSubitemDidChange(at url: URL) {
_diskSizeInBytes.value = diskSizeInBytes
}
var diskSizeInBytes: Int {
do {
let paths = try FileManager.default.contentsOfDirectory(at: dir, includingPropertiesForKeys: [.fileSizeKey])
let sizes = try paths.map {
try $0.resourceValues(forKeys: [.fileSizeKey]).fileSize ?? 0
}
return sizes.reduce(0, +)
} catch {
print(error)
return 0
}
}
func removeAll() -> Observable<Void> {
let dir = self.dir
return Observable.create { subscriber in
do {
try FileManager.default.removeItem(at: dir)
try FileManager.default.createDirectory(at: dir, withIntermediateDirectories: true, attributes: nil)
let realm = iTunesRealm()
try realm.write {
realm.delete(realm.objects(_DiskCacheCounter.self))
}
subscriber.onNext(())
subscriber.onCompleted()
} catch {
subscriber.onError(error)
}
return Disposables.create()
}.subscribeOn(SerialDispatchQueueScheduler(qos: .background))
}
}
| mit | 0ccaa289c17cee1508ff06bc12a42a9f | 29.392405 | 120 | 0.576426 | 4.9 | false | false | false | false |
mobilabsolutions/jenkins-ios | JenkinsiOS/Controller/ComputerTableViewController.swift | 1 | 4235 | //
// ComputerTableViewController.swift
// JenkinsiOS
//
// Created by Robert on 10.08.18.
// Copyright © 2018 MobiLab Solutions. All rights reserved.
//
import UIKit
class ComputerTableViewController: UITableViewController {
var computer: Computer? {
didSet {
computerData = computer != nil ? data(for: computer!) : []
}
}
private var computerData: [(String, String)] = []
override func viewDidLoad() {
super.viewDidLoad()
tableView.register(UINib(nibName: "DetailTableViewCell", bundle: .main), forCellReuseIdentifier: Constants.Identifiers.computerCell)
tableView.register(UITableViewCell.self, forCellReuseIdentifier: Constants.Identifiers.headerCell)
tableView.separatorStyle = .none
tableView.backgroundColor = Constants.UI.backgroundColor
title = computer?.displayName ?? "Node"
}
private func data(for computer: Computer) -> [(String, String)] {
let numberFormatter = NumberFormatter()
numberFormatter.numberStyle = .decimal
let gbOfTotalPhysicalMemory = computer.monitorData?.totalPhysicalMemory?.bytesToGigabytesString(numberFormatter: numberFormatter) ?? "Unknown"
let gbOfAvailablePhysicalMemory = computer.monitorData?.availablePhysicalMemory?.bytesToGigabytesString(numberFormatter: numberFormatter) ?? "Unknown"
let gbOfTotalSwapMemory = computer.monitorData?.totalSwapSpace?.bytesToGigabytesString(numberFormatter: numberFormatter) ?? "Unknown"
let gbOfAvailableSwapMemory = computer.monitorData?.availableSwapSpace?.bytesToGigabytesString(numberFormatter: numberFormatter) ?? "Unknown"
return [
("Name", computer.displayName),
("Executors", "\(computer.numExecutors)"),
("Idle", "\(computer.idle)"),
("JNLP Agent", "\(computer.jnlpAgent)"),
("Offline", "\(computer.offline)"),
("Temporarily Offline", "\((computer.temporarilyOffline).textify())"),
("Launch Supported", "\(computer.launchSupported)"),
("Available Physical Memory", gbOfAvailablePhysicalMemory),
("Physical Memory", gbOfTotalPhysicalMemory),
("Available Swap Space", gbOfAvailableSwapMemory),
("Swap Space", gbOfTotalSwapMemory),
]
}
// MARK: - Table view data source
override func numberOfSections(in _: UITableView) -> Int {
return 2
}
override func tableView(_: UITableView, numberOfRowsInSection section: Int) -> Int {
if section == 0 {
return 1
}
return computerData.count
}
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
if indexPath.section == 0 {
let cell = tableView.dequeueReusableCell(withIdentifier: Constants.Identifiers.headerCell, for: indexPath)
cell.textLabel?.text = computer?.displayName.uppercased() ?? "NODE"
cell.contentView.backgroundColor = Constants.UI.backgroundColor
cell.textLabel?.textColor = Constants.UI.greyBlue
cell.textLabel?.font = UIFont.boldDefaultFont(ofSize: 13)
return cell
}
let cell = tableView.dequeueReusableCell(withIdentifier: Constants.Identifiers.computerCell, for: indexPath) as! DetailTableViewCell
cell.titleLabel.text = computerData[indexPath.row].0
cell.detailLabel.text = computerData[indexPath.row].1
cell.container.borders = [.left, .right, .bottom]
if indexPath.row == 0 {
cell.container.cornersToRound = [.topLeft, .topRight]
cell.container.borders.insert(.top)
} else if indexPath.row == computerData.count - 1 {
cell.container.cornersToRound = [.bottomLeft, .bottomRight]
}
return cell
}
override func tableView(_: UITableView, willDisplay cell: UITableViewCell, forRowAt _: IndexPath) {
guard let cell = cell as? DetailTableViewCell
else { return }
cell.setNeedsLayout()
cell.layoutIfNeeded()
}
override func tableView(_: UITableView, willSelectRowAt _: IndexPath) -> IndexPath? {
return nil
}
}
| mit | 018a42bd5841a07d1e942b1384937538 | 40.920792 | 158 | 0.665092 | 5.095066 | false | false | false | false |
Pencroff/ai-hackathon-2017 | IOS APP/FoodAI/FoodAPIResponse.swift | 1 | 1136 | //
// FoodAPIResponse.swift
// FoodAI
//
// Created by Pablo on 2/19/17.
// Copyright © 2017 Pablo Carvalho. All rights reserved.
//
import Foundation
import Gloss
class FoodAPIResponse : Decodable {
let code: Int
let needCheck: Bool
let status: String
let qid: Int
let tags: [String:Double]
lazy var foodName : String! = { [unowned self] in
if let first = self.tags.first {
return first.key
}
return "Not Food :("
}()
required init?(json: JSON) {
self.code = ("code" <~~ json)!
self.status = ("status" <~~ json)!
self.qid = ("qid" <~~ json)!
let needCheck = ("need_check" <~~ json)! == "true"
self.needCheck = needCheck
var tags = [String:Double]()
let tagsArrays : [[String]] = ("tags" <~~ json)!
tagsArrays.forEach { (array) in
if array.count == 2 {
if let value = Double(array[1]),
value > 0.0 {
tags[array[0]] = value
}
}
}
self.tags = tags
}
}
| mit | cf3cf8137c6e04339675c74f433510bb | 23.673913 | 58 | 0.492511 | 3.954704 | false | false | false | false |
nakau1/Formations | Formations/Sources/Modules/FormationTemplate/Views/Edit/FormationTemplatePin.swift | 1 | 951 | // =============================================================================
// Formations
// Copyright 2017 yuichi.nakayasu All rights reserved.
// =============================================================================
import UIKit
import Rswift
@IBDesignable class FormationTemplatePin: UIView {
@IBOutlet private weak var imageView: UIImageView!
class func create(position: Position) -> FormationTemplatePin {
let ret = R.nib.formationTemplatePin.firstView(owner: nil)!
ret.imageView.isUserInteractionEnabled = true
ret.imageView.layer.cornerRadius = ret.bounds.width / 2
ret.imageView.layer.borderColor = position.backgroundColor.withBrightnessComponent(0.64).cgColor
ret.imageView.layer.borderWidth = 2
ret.imageView.clipsToBounds = true
ret.imageView.image = UIImage.filled(color: position.backgroundColor, size: ret.bounds.size)
return ret
}
}
| apache-2.0 | caeaf0d5a686797acf4386aad60512ec | 42.227273 | 104 | 0.599369 | 5.196721 | false | false | false | false |
blockchain/My-Wallet-V3-iOS | Modules/FeatureCardIssuing/Sources/FeatureCardIssuingUI/Order/SSNInputView.swift | 1 | 3921 | // Copyright © Blockchain Luxembourg S.A. All rights reserved.
import BlockchainComponentLibrary
import ComposableArchitecture
import FeatureCardIssuingDomain
import Localization
import SwiftUI
import ToolKit
struct SSNInputView: View {
@State var isFirstResponder: Bool = false
@State var hideSsn: Bool = true
private typealias L10n = LocalizationConstants.CardIssuing.Order.KYC
private let store: Store<CardOrderingState, CardOrderingAction>
init(store: Store<CardOrderingState, CardOrderingAction>) {
self.store = store
}
var body: some View {
WithViewStore(store) { viewStore in
VStack(spacing: Spacing.padding3) {
VStack(alignment: .leading, spacing: Spacing.padding1) {
Text(L10n.SSN.title)
.typography(.title3)
.multilineTextAlignment(.center)
Text(L10n.SSN.description)
.typography(.paragraph1)
.foregroundColor(.WalletSemantic.body)
.multilineTextAlignment(.leading)
}
.padding(.horizontal, Spacing.padding2)
VStack(alignment: .leading) {
Text(L10n.SSN.Input.title)
.typography(.paragraph2)
// Password
Input(
text: viewStore.binding(\.$ssn),
isFirstResponder: $isFirstResponder,
placeholder: L10n.SSN.Input.placeholder,
state: 1...8 ~= viewStore.state.ssn.count ? .error : .default,
configuration: { textField in
textField.isSecureTextEntry = hideSsn
textField.textContentType = .password
textField.returnKeyType = .next
},
trailing: {
if hideSsn {
IconButton(icon: .lockClosed) {
hideSsn = false
}
} else {
IconButton(icon: .lockOpen) {
hideSsn = true
}
}
},
onReturnTapped: {
isFirstResponder = false
}
)
Text(L10n.SSN.Input.caption)
.typography(.caption1)
.foregroundColor(.semantic.muted)
}
.padding(.horizontal, Spacing.padding2)
Spacer()
PrimaryButton(title: L10n.Buttons.next) {
viewStore.send(.binding(.set(\.$isProductSelectionVisible, true)))
}
.disabled(viewStore.state.ssn.count < 9)
.padding(Spacing.padding2)
}
.padding(.vertical, Spacing.padding3)
.primaryNavigation(title: L10n.SSN.Navigation.title)
PrimaryNavigationLink(
destination: ProductSelectionView(store: store),
isActive: viewStore.binding(\.$isProductSelectionVisible),
label: EmptyView.init
)
}
}
}
#if DEBUG
struct SSNInput_Previews: PreviewProvider {
static var previews: some View {
NavigationView {
SSNInputView(
store: Store(
initialState: CardOrderingState(
address: MockServices.address,
ssn: ""
),
reducer: cardOrderingReducer,
environment: .preview
)
)
}
}
}
#endif
| lgpl-3.0 | 875c676d2bfbf196864f0b530f25fef1 | 35.981132 | 86 | 0.473469 | 5.764706 | false | false | false | false |
itsaboutcode/WordPress-iOS | WordPress/Classes/ViewRelated/Blog/QuickStartChecklistHeader.swift | 1 | 4981 | import Gridicons
class QuickStartChecklistHeader: UIView {
var collapseListener: ((Bool) -> Void)?
var collapse: Bool = false {
didSet {
collapseListener?(collapse)
/* The animation will always take the shortest way.
* Therefore CGFloat.pi and -CGFloat.pi animates in same position.
* As we need anti-clockwise rotation we forcefully made it a shortest way by using 0.999
*/
let rotate = (collapse ? 0.999 : 180.0) * CGFloat.pi
let alpha = collapse ? 0.0 : 1.0
animator.animateWithDuration(0.3, animations: { [weak self] in
self?.bottomStroke.alpha = CGFloat(alpha)
self?.chevronView.transform = CGAffineTransform(rotationAngle: rotate)
})
updateCollapseHeaderAccessibility()
}
}
var count: Int = 0 {
didSet {
titleLabel.text = String(format: Constant.title, count)
updateCollapseHeaderAccessibility()
}
}
@IBOutlet private var titleLabel: UILabel! {
didSet {
WPStyleGuide.configureLabel(titleLabel, textStyle: .body)
titleLabel.textColor = .neutral(.shade30)
}
}
@IBOutlet private var chevronView: UIImageView! {
didSet {
chevronView.image = .gridicon(.chevronDown)
chevronView.tintColor = .textTertiary
}
}
@IBOutlet var topStroke: UIView! {
didSet {
topStroke.backgroundColor = .divider
}
}
@IBOutlet private var bottomStroke: UIView! {
didSet {
bottomStroke.backgroundColor = .divider
}
}
@IBOutlet private var contentView: UIView! {
didSet {
contentView.leadingAnchor.constraint(equalTo: contentViewLeadingAnchor).isActive = true
contentView.trailingAnchor.constraint(equalTo: contentViewTrailingAnchor).isActive = true
}
}
private let animator = Animator()
private var contentViewLeadingAnchor: NSLayoutXAxisAnchor {
return WPDeviceIdentification.isiPhone() ? safeAreaLayoutGuide.leadingAnchor : layoutMarginsGuide.leadingAnchor
}
private var contentViewTrailingAnchor: NSLayoutXAxisAnchor {
return WPDeviceIdentification.isiPhone() ? safeAreaLayoutGuide.trailingAnchor : layoutMarginsGuide.trailingAnchor
}
@IBAction private func headerDidTouch(_ sender: UIButton) {
collapse.toggle()
}
override func awakeFromNib() {
super.awakeFromNib()
contentView.backgroundColor = .listForeground
prepareForVoiceOver()
}
}
private enum Constant {
static let title = NSLocalizedString("Complete (%i)", comment: "The table view header title that displays the number of completed tasks")
}
// MARK: - Accessible
extension QuickStartChecklistHeader: Accessible {
func prepareForVoiceOver() {
// Here we explicit configure the subviews, to prepare for the desired composite behavior
bottomStroke.isAccessibilityElement = false
contentView.isAccessibilityElement = false
titleLabel.isAccessibilityElement = false
chevronView.isAccessibilityElement = false
// Neither the top stroke nor the button (overlay) are outlets, so we configured them in the nib
// From an accessibility perspective, this view is essentially monolithic, so we configure it accordingly
isAccessibilityElement = true
accessibilityTraits = [.header, .button]
updateCollapseHeaderAccessibility()
}
func updateCollapseHeaderAccessibility() {
let accessibilityHintText: String
let accessibilityLabelFormat: String
if collapse {
accessibilityHintText = NSLocalizedString("Collapses the list of completed tasks.", comment: "Accessibility hint for the list of completed tasks presented during Quick Start.")
accessibilityLabelFormat = NSLocalizedString("Expanded, %i completed tasks, toggling collapses the list of these tasks", comment: "Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks.")
} else {
accessibilityHintText = NSLocalizedString("Expands the list of completed tasks.", comment: "Accessibility hint for the list of completed tasks presented during Quick Start.")
accessibilityLabelFormat = NSLocalizedString("Collapsed, %i completed tasks, toggling expands the list of these tasks", comment: "Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks.")
}
accessibilityHint = accessibilityHintText
let localizedAccessibilityDescription = String(format: accessibilityLabelFormat, arguments: [count])
accessibilityLabel = localizedAccessibilityDescription
}
}
| gpl-2.0 | a931f99de409367037d8590e0b02f079 | 40.857143 | 297 | 0.684802 | 5.602925 | false | false | false | false |
nighttime/EchoiOS | Echo/SwipeHintArrowsView.swift | 1 | 3542 | //
// SwipeHintArrowsView.swift
// Echo
//
// Created by Nick McKenna on 11/1/14.
// Copyright (c) 2014 nighttime software. All rights reserved.
//
import UIKit
enum ArrowType {
case Green
case Red
}
class SwipeHintArrowsView : UIView {
var type: ArrowType
let arrow1 = UIImageView(image: UIImage(named: "arrowGreen.png"))
let arrow2 = UIImageView(image: UIImage(named: "arrowGreen.png"))
let arrow3 = UIImageView(image: UIImage(named: "arrowGreen.png"))
let low: CGFloat = 0.2
let high: CGFloat = 1.0
let inDur: NSTimeInterval = 0.75
let outDur: NSTimeInterval = 1.0
var animating = false
init(type: ArrowType) {
self.type = type
super.init(frame: CGRectMake(0, 0, arrow1.viewWidth, arrow1.viewWidth + 20))
}
required init(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
override func didMoveToSuperview() {
var imageName: String
if type == .Green {
arrow1.center = CGPointMake(CGRectGetMidX(self.bounds), self.viewHeight - CGRectGetMidY(arrow1.bounds))
arrow2.center = CGPointMake(arrow1.center.x, arrow1.center.y - 10)
arrow3.center = CGPointMake(arrow2.center.x, arrow2.center.y - 10)
} else {
arrow1.image = UIImage(named: "arrowRed.png")
arrow2.image = UIImage(named: "arrowRed.png")
arrow3.image = UIImage(named: "arrowRed.png")
arrow1.center = CGPointMake(CGRectGetMidX(self.bounds), CGRectGetMidY(arrow1.bounds))
arrow2.center = CGPointMake(arrow1.center.x, arrow1.center.y + 10)
arrow3.center = CGPointMake(arrow2.center.x, arrow2.center.y + 10)
}
arrow1.alpha = 0.0
arrow2.alpha = 0.0
arrow3.alpha = 0.0
self.addSubview(arrow1)
self.addSubview(arrow2)
self.addSubview(arrow3)
}
func animate() {
if !animating {
animateFirst()
}
}
private func animateFirst() {
UIView.animateWithDuration(inDur, delay: 0.0, options: (.CurveEaseIn), animations: {
self.arrow1.alpha = self.high
}, completion: {done in
UIView.animateWithDuration(self.outDur, delay: 0.0, options: (.CurveEaseOut), animations: {
self.arrow1.alpha = self.low
}, completion: {done in
self.animateSecond()
})
})
}
private func animateSecond() {
UIView.animateWithDuration(inDur, delay: 0.0, options: (.CurveEaseIn), animations: {
self.arrow2.alpha = self.high
}, completion: {done in
UIView.animateWithDuration(self.outDur, delay: 0.0, options: (.CurveEaseOut), animations: {
self.arrow2.alpha = self.low
}, completion: {done in
self.animateThird()
})
})
}
private func animateThird() {
UIView.animateWithDuration(inDur, delay: 0.0, options: (.CurveEaseIn), animations: {
self.arrow3.alpha = self.high
}, completion: {done in
UIView.animateWithDuration(self.outDur, delay: 0.0, options: (.CurveEaseOut), animations: {
self.arrow3.alpha = self.low
}, completion: {done in
self.animateFirst()
})
})
}
}
| mit | 5382bef640a905a85e0c7d07007fce71 | 30.90991 | 115 | 0.568041 | 4.211653 | false | false | false | false |
abertelrud/swift-package-manager | Sources/PackageRegistry/RegistryDownloadsManager.swift | 2 | 13842 | //===----------------------------------------------------------------------===//
//
// This source file is part of the Swift open source project
//
// Copyright (c) 2022 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
//
//===----------------------------------------------------------------------===//
import Basics
import Dispatch
import Foundation
import PackageModel
import TSCBasic
import PackageLoading
public class RegistryDownloadsManager: Cancellable {
public typealias Delegate = RegistryDownloadsManagerDelegate
private let fileSystem: FileSystem
private let path: AbsolutePath
private let cachePath: AbsolutePath?
private let registryClient: RegistryClient
private let checksumAlgorithm: HashAlgorithm
private let delegate: Delegate?
private var pendingLookups = [PackageIdentity: DispatchGroup]()
private var pendingLookupsLock = NSLock()
public init(
fileSystem: FileSystem,
path: AbsolutePath,
cachePath: AbsolutePath?,
registryClient: RegistryClient,
checksumAlgorithm: HashAlgorithm,
delegate: Delegate?
) {
self.fileSystem = fileSystem
self.path = path
self.cachePath = cachePath
self.registryClient = registryClient
self.checksumAlgorithm = checksumAlgorithm
self.delegate = delegate
}
public func lookup(
package: PackageIdentity,
version: Version,
observabilityScope: ObservabilityScope,
delegateQueue: DispatchQueue,
callbackQueue: DispatchQueue,
completion: @escaping (Result<AbsolutePath, Error>) -> Void
) {
// wrap the callback in the requested queue
let completion = { result in callbackQueue.async { completion(result) } }
let packageRelativePath: RelativePath
let packagePath: AbsolutePath
do {
packageRelativePath = try package.downloadPath(version: version)
packagePath = self.path.appending(packageRelativePath)
// TODO: we can do some finger-print checking to improve the validation
// already exists and valid, we can exit early
if try self.fileSystem.validPackageDirectory(packagePath) {
return completion(.success(packagePath))
}
} catch {
return completion(.failure(error))
}
// next we check if there is a pending lookup
self.pendingLookupsLock.lock()
if let pendingLookup = self.pendingLookups[package] {
self.pendingLookupsLock.unlock()
// chain onto the pending lookup
pendingLookup.notify(queue: callbackQueue) {
// at this point the previous lookup should be complete and we can re-lookup
self.lookup(
package: package,
version: version,
observabilityScope: observabilityScope,
delegateQueue: delegateQueue,
callbackQueue: callbackQueue,
completion: completion
)
}
} else {
// record the pending lookup
assert(self.pendingLookups[package] == nil)
let group = DispatchGroup()
group.enter()
self.pendingLookups[package] = group
self.pendingLookupsLock.unlock()
// inform delegate that we are starting to fetch
// calculate if cached (for delegate call) outside queue as it may change while queue is processing
let isCached = self.cachePath.map{ self.fileSystem.exists($0.appending(packageRelativePath)) } ?? false
delegateQueue.async {
let details = FetchDetails(fromCache: isCached, updatedCache: false)
self.delegate?.willFetch(package: package, version: version, fetchDetails: details)
}
// make sure destination is free.
try? self.fileSystem.removeFileTree(packagePath)
let start = DispatchTime.now()
self.downloadAndPopulateCache(
package: package,
version: version,
packagePath: packagePath,
observabilityScope: observabilityScope,
delegateQueue: delegateQueue,
callbackQueue: callbackQueue
) { result in
// inform delegate that we finished to fetch
let duration = start.distance(to: .now())
delegateQueue.async {
self.delegate?.didFetch(package: package, version: version, result: result, duration: duration)
}
// remove the pending lookup
self.pendingLookupsLock.lock()
self.pendingLookups[package]?.leave()
self.pendingLookups[package] = nil
self.pendingLookupsLock.unlock()
// and done
completion(result.map{ _ in packagePath })
}
}
}
/// Cancel any outstanding requests
public func cancel(deadline: DispatchTime) throws {
try self.registryClient.cancel(deadline: deadline)
}
private func downloadAndPopulateCache(
package: PackageIdentity,
version: Version,
packagePath: AbsolutePath,
observabilityScope: ObservabilityScope,
delegateQueue: DispatchQueue,
callbackQueue: DispatchQueue,
completion: @escaping (Result<FetchDetails, Error>) -> Void
) {
if let cachePath = self.cachePath {
do {
let relativePath = try package.downloadPath(version: version)
let cachedPackagePath = cachePath.appending(relativePath)
try self.initializeCacheIfNeeded(cachePath: cachePath)
try self.fileSystem.withLock(on: cachedPackagePath, type: .exclusive) {
// download the package into the cache unless already exists
if try self.fileSystem.validPackageDirectory(cachedPackagePath) {
// extra validation to defend from racy edge cases
if self.fileSystem.exists(packagePath) {
throw StringError("\(packagePath) already exists unexpectedly")
}
// copy the package from the cache into the package path.
try self.fileSystem.createDirectory(packagePath.parentDirectory, recursive: true)
try self.fileSystem.copy(from: cachedPackagePath, to: packagePath)
completion(.success(.init(fromCache: true, updatedCache: false)))
} else {
// it is possible that we already created the directory before from failed attempts, so clear leftover data if present.
try? self.fileSystem.removeFileTree(cachedPackagePath)
// download the package from the registry
self.registryClient.downloadSourceArchive(
package: package,
version: version,
fileSystem: self.fileSystem,
destinationPath: cachedPackagePath,
checksumAlgorithm: self.checksumAlgorithm,
progressHandler: updateDownloadProgress,
observabilityScope: observabilityScope,
callbackQueue: callbackQueue
) { result in
completion(result.tryMap {
// extra validation to defend from racy edge cases
if self.fileSystem.exists(packagePath) {
throw StringError("\(packagePath) already exists unexpectedly")
}
// copy the package from the cache into the package path.
try self.fileSystem.createDirectory(packagePath.parentDirectory, recursive: true)
try self.fileSystem.copy(from: cachedPackagePath, to: packagePath)
return FetchDetails(fromCache: true, updatedCache: true)
})
}
}
}
} catch {
// download without populating the cache in the case of an error.
observabilityScope.emit(warning: "skipping cache due to an error: \(error)")
// it is possible that we already created the directory from failed attempts, so clear leftover data if present.
try? self.fileSystem.removeFileTree(packagePath)
self.registryClient.downloadSourceArchive(
package: package,
version: version,
fileSystem: self.fileSystem,
destinationPath: packagePath,
checksumAlgorithm: self.checksumAlgorithm,
progressHandler: updateDownloadProgress,
observabilityScope: observabilityScope,
callbackQueue: callbackQueue
) { result in
completion(result.map{ FetchDetails(fromCache: false, updatedCache: false) })
}
}
} else {
// it is possible that we already created the directory from failed attempts, so clear leftover data if present.
try? self.fileSystem.removeFileTree(packagePath)
// download without populating the cache when no `cachePath` is set.
self.registryClient.downloadSourceArchive(
package: package,
version: version,
fileSystem: self.fileSystem,
destinationPath: packagePath,
checksumAlgorithm: self.checksumAlgorithm,
progressHandler: updateDownloadProgress,
observabilityScope: observabilityScope,
callbackQueue: callbackQueue
) { result in
completion(result.map{ FetchDetails(fromCache: false, updatedCache: false) })
}
}
// utility to update progress
func updateDownloadProgress(downloaded: Int64, total: Int64?) -> Void {
delegateQueue.async {
self.delegate?.fetching(
package: package,
version: version,
bytesDownloaded: downloaded,
totalBytesToDownload: total
)
}
}
}
public func remove(package: PackageIdentity) throws {
let relativePath = try package.downloadPath()
let packagesPath = self.path.appending(relativePath)
try self.fileSystem.removeFileTree(packagesPath)
}
public func reset() throws {
try self.fileSystem.removeFileTree(self.path)
}
public func purgeCache() throws {
guard let cachePath = self.cachePath else {
return
}
try self.fileSystem.withLock(on: cachePath, type: .exclusive) {
let cachedPackages = try self.fileSystem.getDirectoryContents(cachePath)
for packagePath in cachedPackages {
try self.fileSystem.removeFileTree(cachePath.appending(component: packagePath))
}
}
}
private func initializeCacheIfNeeded(cachePath: AbsolutePath) throws {
if !self.fileSystem.exists(cachePath) {
try self.fileSystem.createDirectory(cachePath, recursive: true)
}
}
}
/// Delegate to notify clients about actions being performed by RegistryManager.
public protocol RegistryDownloadsManagerDelegate {
/// Called when a package is about to be fetched.
func willFetch(package: PackageIdentity, version: Version, fetchDetails: RegistryDownloadsManager.FetchDetails)
/// Called when a package has finished fetching.
func didFetch(package: PackageIdentity, version: Version, result: Result<RegistryDownloadsManager.FetchDetails, Error>, duration: DispatchTimeInterval)
/// Called every time the progress of a repository fetch operation updates.
func fetching(package: PackageIdentity, version: Version, bytesDownloaded: Int64, totalBytesToDownload: Int64?)
}
extension RegistryDownloadsManager {
/// Additional information about a fetch
public struct FetchDetails: Equatable {
/// Indicates if the repository was fetched from the cache or from the remote.
public let fromCache: Bool
/// Indicates wether the wether the repository was already present in the cache and updated or if a clean fetch was performed.
public let updatedCache: Bool
}
}
extension FileSystem {
func validPackageDirectory(_ path: AbsolutePath) throws -> Bool {
if !self.exists(path) {
return false
}
return try self.getDirectoryContents(path).contains(Manifest.filename)
}
}
extension PackageIdentity {
internal func downloadPath() throws -> RelativePath {
guard let (scope, name) = self.scopeAndName else {
throw StringError("invalid package identity, expected registry scope and name")
}
return RelativePath(scope.description).appending(component: name.description)
}
internal func downloadPath(version: Version) throws -> RelativePath {
try self.downloadPath().appending(component: version.description)
}
}
| apache-2.0 | bed57dd158e37ba7ffee12ef345427a5 | 42.665615 | 155 | 0.599119 | 5.943323 | false | false | false | false |
tjw/swift | stdlib/public/core/Mirror.swift | 1 | 35581 | //===--- Mirror.swift -----------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2017 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
// FIXME: ExistentialCollection needs to be supported before this will work
// without the ObjC Runtime.
/// A representation of the substructure and display style of an instance of
/// any type.
///
/// A mirror describes the parts that make up a particular instance, such as
/// the instance's stored properties, collection or tuple elements, or its
/// active enumeration case. Mirrors also provide a "display style" property
/// that suggests how this mirror might be rendered.
///
/// Playgrounds and the debugger use the `Mirror` type to display
/// representations of values of any type. For example, when you pass an
/// instance to the `dump(_:_:_:_:)` function, a mirror is used to render that
/// instance's runtime contents.
///
/// struct Point {
/// let x: Int, y: Int
/// }
///
/// let p = Point(x: 21, y: 30)
/// print(String(reflecting: p))
/// // Prints "▿ Point
/// // - x: 21
/// // - y: 30"
///
/// To customize the mirror representation of a custom type, add conformance to
/// the `CustomReflectable` protocol.
@_fixed_layout // FIXME(sil-serialize-all)
public struct Mirror {
/// Representation of descendant classes that don't override
/// `customMirror`.
///
/// Note that the effect of this setting goes no deeper than the
/// nearest descendant class that overrides `customMirror`, which
/// in turn can determine representation of *its* descendants.
@_frozen // FIXME(sil-serialize-all)
@usableFromInline // FIXME(sil-serialize-all)
internal enum _DefaultDescendantRepresentation {
/// Generate a default mirror for descendant classes that don't
/// override `customMirror`.
///
/// This case is the default.
case generated
/// Suppress the representation of descendant classes that don't
/// override `customMirror`.
///
/// This option may be useful at the root of a class cluster, where
/// implementation details of descendants should generally not be
/// visible to clients.
case suppressed
}
/// The representation to use for ancestor classes.
///
/// A class that conforms to the `CustomReflectable` protocol can control how
/// its mirror represents ancestor classes by initializing the mirror
/// with an `AncestorRepresentation`. This setting has no effect on mirrors
/// reflecting value type instances.
public enum AncestorRepresentation {
/// Generates a default mirror for all ancestor classes.
///
/// This case is the default when initializing a `Mirror` instance.
///
/// When you use this option, a subclass's mirror generates default mirrors
/// even for ancestor classes that conform to the `CustomReflectable`
/// protocol. To avoid dropping the customization provided by ancestor
/// classes, an override of `customMirror` should pass
/// `.customized({ super.customMirror })` as `ancestorRepresentation` when
/// initializing its mirror.
case generated
/// Uses the nearest ancestor's implementation of `customMirror` to create
/// a mirror for that ancestor.
///
/// Other classes derived from such an ancestor are given a default mirror.
/// The payload for this option should always be `{ super.customMirror }`:
///
/// var customMirror: Mirror {
/// return Mirror(
/// self,
/// children: ["someProperty": self.someProperty],
/// ancestorRepresentation: .customized({ super.customMirror })) // <==
/// }
case customized(() -> Mirror)
/// Suppresses the representation of all ancestor classes.
///
/// In a mirror created with this ancestor representation, the
/// `superclassMirror` property is `nil`.
case suppressed
}
/// Creates a mirror that reflects on the given instance.
///
/// If the dynamic type of `subject` conforms to `CustomReflectable`, the
/// resulting mirror is determined by its `customMirror` property.
/// Otherwise, the result is generated by the language.
///
/// If the dynamic type of `subject` has value semantics, subsequent
/// mutations of `subject` will not observable in `Mirror`. In general,
/// though, the observability of mutations is unspecified.
///
/// - Parameter subject: The instance for which to create a mirror.
@inlinable // FIXME(sil-serialize-all)
public init(reflecting subject: Any) {
if case let customized as CustomReflectable = subject {
self = customized.customMirror
} else {
self = Mirror(internalReflecting: subject)
}
}
/// An element of the reflected instance's structure.
///
/// When the `label` component in not `nil`, it may represent the name of a
/// stored property or an active `enum` case. If you pass strings to the
/// `descendant(_:_:)` method, labels are used for lookup.
public typealias Child = (label: String?, value: Any)
/// The type used to represent substructure.
///
/// When working with a mirror that reflects a bidirectional or random access
/// collection, you may find it useful to "upgrade" instances of this type
/// to `AnyBidirectionalCollection` or `AnyRandomAccessCollection`. For
/// example, to display the last twenty children of a mirror if they can be
/// accessed efficiently, you write the following code:
///
/// if let b = AnyBidirectionalCollection(someMirror.children) {
/// for element in b.suffix(20) {
/// print(element)
/// }
/// }
public typealias Children = AnyCollection<Child>
/// A suggestion of how a mirror's subject is to be interpreted.
///
/// Playgrounds and the debugger will show a representation similar
/// to the one used for instances of the kind indicated by the
/// `DisplayStyle` case name when the mirror is used for display.
public enum DisplayStyle {
case `struct`, `class`, `enum`, tuple, optional, collection
case dictionary, `set`
}
@inlinable // FIXME(sil-serialize-all)
internal static func _noSuperclassMirror() -> Mirror? { return nil }
@_semantics("optimize.sil.specialize.generic.never")
@inline(never)
@inlinable // FIXME(sil-serialize-all)
internal static func _superclassIterator<Subject>(
_ subject: Subject, _ ancestorRepresentation: AncestorRepresentation
) -> () -> Mirror? {
if let subjectClass = Subject.self as? AnyClass,
let superclass = _getSuperclass(subjectClass) {
switch ancestorRepresentation {
case .generated:
return {
Mirror(internalReflecting: subject, subjectType: superclass)
}
case .customized(let makeAncestor):
return {
let ancestor = makeAncestor()
if superclass == ancestor.subjectType
|| ancestor._defaultDescendantRepresentation == .suppressed {
return ancestor
} else {
return Mirror(internalReflecting: subject,
subjectType: superclass,
customAncestor: ancestor)
}
}
case .suppressed:
break
}
}
return Mirror._noSuperclassMirror
}
/// Creates a mirror representing the given subject with a specified
/// structure.
///
/// You use this initializer from within your type's `customMirror`
/// implementation to create a customized mirror.
///
/// If `subject` is a class instance, `ancestorRepresentation` determines
/// whether ancestor classes will be represented and whether their
/// `customMirror` implementations will be used. By default, the
/// `customMirror` implementation of any ancestors is ignored. To prevent
/// bypassing customized ancestors, pass
/// `.customized({ super.customMirror })` as the `ancestorRepresentation`
/// parameter when implementing your type's `customMirror` property.
///
/// - Parameters:
/// - subject: The instance to represent in the new mirror.
/// - children: The structure to use for the mirror. The collection
/// traversal modeled by `children` is captured so that the resulting
/// mirror's children may be upgraded to a bidirectional or random
/// access collection later. See the `children` property for details.
/// - displayStyle: The preferred display style for the mirror when
/// presented in the debugger or in a playground. The default is `nil`.
/// - ancestorRepresentation: The means of generating the subject's
/// ancestor representation. `ancestorRepresentation` is ignored if
/// `subject` is not a class instance. The default is `.generated`.
@inlinable // FIXME(sil-serialize-all)
public init<Subject, C : Collection>(
_ subject: Subject,
children: C,
displayStyle: DisplayStyle? = nil,
ancestorRepresentation: AncestorRepresentation = .generated
) where C.Element == Child
{
self.subjectType = Subject.self
self._makeSuperclassMirror = Mirror._superclassIterator(
subject, ancestorRepresentation)
self.children = Children(children)
self.displayStyle = displayStyle
self._defaultDescendantRepresentation
= subject is CustomLeafReflectable ? .suppressed : .generated
}
/// Creates a mirror representing the given subject with unlabeled children.
///
/// You use this initializer from within your type's `customMirror`
/// implementation to create a customized mirror, particularly for custom
/// types that are collections. The labels of the resulting mirror's
/// `children` collection are all `nil`.
///
/// If `subject` is a class instance, `ancestorRepresentation` determines
/// whether ancestor classes will be represented and whether their
/// `customMirror` implementations will be used. By default, the
/// `customMirror` implementation of any ancestors is ignored. To prevent
/// bypassing customized ancestors, pass
/// `.customized({ super.customMirror })` as the `ancestorRepresentation`
/// parameter when implementing your type's `customMirror` property.
///
/// - Parameters:
/// - subject: The instance to represent in the new mirror.
/// - unlabeledChildren: The children to use for the mirror. The collection
/// traversal modeled by `unlabeledChildren` is captured so that the
/// resulting mirror's children may be upgraded to a bidirectional or
/// random access collection later. See the `children` property for
/// details.
/// - displayStyle: The preferred display style for the mirror when
/// presented in the debugger or in a playground. The default is `nil`.
/// - ancestorRepresentation: The means of generating the subject's
/// ancestor representation. `ancestorRepresentation` is ignored if
/// `subject` is not a class instance. The default is `.generated`.
@inlinable // FIXME(sil-serialize-all)
public init<Subject, C : Collection>(
_ subject: Subject,
unlabeledChildren: C,
displayStyle: DisplayStyle? = nil,
ancestorRepresentation: AncestorRepresentation = .generated
)
{
self.subjectType = Subject.self
self._makeSuperclassMirror = Mirror._superclassIterator(
subject, ancestorRepresentation)
let lazyChildren =
unlabeledChildren.lazy.map { Child(label: nil, value: $0) }
self.children = Children(lazyChildren)
self.displayStyle = displayStyle
self._defaultDescendantRepresentation
= subject is CustomLeafReflectable ? .suppressed : .generated
}
/// Creates a mirror representing the given subject using a dictionary
/// literal for the structure.
///
/// You use this initializer from within your type's `customMirror`
/// implementation to create a customized mirror. Pass a dictionary literal
/// with string keys as `children`. Although an *actual* dictionary is
/// arbitrarily-ordered, when you create a mirror with a dictionary literal,
/// the ordering of the mirror's `children` will exactly match that of the
/// literal you pass.
///
/// If `subject` is a class instance, `ancestorRepresentation` determines
/// whether ancestor classes will be represented and whether their
/// `customMirror` implementations will be used. By default, the
/// `customMirror` implementation of any ancestors is ignored. To prevent
/// bypassing customized ancestors, pass
/// `.customized({ super.customMirror })` as the `ancestorRepresentation`
/// parameter when implementing your type's `customMirror` property.
///
/// - Parameters:
/// - subject: The instance to represent in the new mirror.
/// - children: A dictionary literal to use as the structure for the
/// mirror. The `children` collection of the resulting mirror may be
/// upgraded to a random access collection later. See the `children`
/// property for details.
/// - displayStyle: The preferred display style for the mirror when
/// presented in the debugger or in a playground. The default is `nil`.
/// - ancestorRepresentation: The means of generating the subject's
/// ancestor representation. `ancestorRepresentation` is ignored if
/// `subject` is not a class instance. The default is `.generated`.
@inlinable // FIXME(sil-serialize-all)
public init<Subject>(
_ subject: Subject,
children: DictionaryLiteral<String, Any>,
displayStyle: DisplayStyle? = nil,
ancestorRepresentation: AncestorRepresentation = .generated
) {
self.subjectType = Subject.self
self._makeSuperclassMirror = Mirror._superclassIterator(
subject, ancestorRepresentation)
let lazyChildren = children.lazy.map { Child(label: $0.0, value: $0.1) }
self.children = Children(lazyChildren)
self.displayStyle = displayStyle
self._defaultDescendantRepresentation
= subject is CustomLeafReflectable ? .suppressed : .generated
}
/// The static type of the subject being reflected.
///
/// This type may differ from the subject's dynamic type when this mirror
/// is the `superclassMirror` of another mirror.
public let subjectType: Any.Type
/// A collection of `Child` elements describing the structure of the
/// reflected subject.
public let children: Children
/// A suggested display style for the reflected subject.
public let displayStyle: DisplayStyle?
/// A mirror of the subject's superclass, if one exists.
@inlinable // FIXME(sil-serialize-all)
public var superclassMirror: Mirror? {
return _makeSuperclassMirror()
}
@usableFromInline // FIXME(sil-serialize-all)
internal let _makeSuperclassMirror: () -> Mirror?
@usableFromInline // FIXME(sil-serialize-all)
internal let _defaultDescendantRepresentation: _DefaultDescendantRepresentation
}
/// A type that explicitly supplies its own mirror.
///
/// You can create a mirror for any type using the `Mirror(reflecting:)`
/// initializer, but if you are not satisfied with the mirror supplied for
/// your type by default, you can make it conform to `CustomReflectable` and
/// return a custom `Mirror` instance.
public protocol CustomReflectable {
/// The custom mirror for this instance.
///
/// If this type has value semantics, the mirror should be unaffected by
/// subsequent mutations of the instance.
var customMirror: Mirror { get }
}
/// A type that explicitly supplies its own mirror, but whose
/// descendant classes are not represented in the mirror unless they
/// also override `customMirror`.
public protocol CustomLeafReflectable : CustomReflectable {}
//===--- Addressing -------------------------------------------------------===//
/// A protocol for legitimate arguments to `Mirror`'s `descendant`
/// method.
///
/// Do not declare new conformances to this protocol; they will not
/// work as expected.
public protocol MirrorPath {
// FIXME(ABI)#49 (Sealed Protocols): this protocol should be "non-open" and
// you shouldn't be able to create conformances.
}
extension Int : MirrorPath {}
extension String : MirrorPath {}
extension Mirror {
@_fixed_layout // FIXME(sil-serialize-all)
@usableFromInline // FIXME(sil-serialize-all)
internal struct _Dummy : CustomReflectable {
@inlinable // FIXME(sil-serialize-all)
internal init(mirror: Mirror) {
self.mirror = mirror
}
@usableFromInline // FIXME(sil-serialize-all)
internal var mirror: Mirror
@inlinable // FIXME(sil-serialize-all)
internal var customMirror: Mirror { return mirror }
}
/// Returns a specific descendant of the reflected subject, or `nil` if no
/// such descendant exists.
///
/// Pass a variadic list of string and integer arguments. Each string
/// argument selects the first child with a matching label. Each integer
/// argument selects the child at that offset. For example, passing
/// `1, "two", 3` as arguments to `myMirror.descendant(_:_:)` is equivalent
/// to:
///
/// var result: Any? = nil
/// let children = myMirror.children
/// if let i0 = children.index(
/// children.startIndex, offsetBy: 1, limitedBy: children.endIndex),
/// i0 != children.endIndex
/// {
/// let grandChildren = Mirror(reflecting: children[i0].value).children
/// if let i1 = grandChildren.index(where: { $0.label == "two" }) {
/// let greatGrandChildren =
/// Mirror(reflecting: grandChildren[i1].value).children
/// if let i2 = greatGrandChildren.index(
/// greatGrandChildren.startIndex,
/// offsetBy: 3,
/// limitedBy: greatGrandChildren.endIndex),
/// i2 != greatGrandChildren.endIndex
/// {
/// // Success!
/// result = greatGrandChildren[i2].value
/// }
/// }
/// }
///
/// This function is suitable for exploring the structure of a mirror in a
/// REPL or playground, but is not intended to be efficient. The efficiency
/// of finding each element in the argument list depends on the argument
/// type and the capabilities of the each level of the mirror's `children`
/// collections. Each string argument requires a linear search, and unless
/// the underlying collection supports random-access traversal, each integer
/// argument also requires a linear operation.
///
/// - Parameters:
/// - first: The first mirror path component to access.
/// - rest: Any remaining mirror path components.
/// - Returns: The descendant of this mirror specified by the given mirror
/// path components if such a descendant exists; otherwise, `nil`.
@inlinable // FIXME(sil-serialize-all)
public func descendant(
_ first: MirrorPath, _ rest: MirrorPath...
) -> Any? {
var result: Any = _Dummy(mirror: self)
for e in [first] + rest {
let children = Mirror(reflecting: result).children
let position: Children.Index
if case let label as String = e {
position = children.index { $0.label == label } ?? children.endIndex
}
else if let offset = e as? Int {
position = children.index(children.startIndex,
offsetBy: offset,
limitedBy: children.endIndex) ?? children.endIndex
}
else {
_preconditionFailure(
"Someone added a conformance to MirrorPath; that privilege is reserved to the standard library")
}
if position == children.endIndex { return nil }
result = children[position].value
}
return result
}
}
//===--- QuickLooks -------------------------------------------------------===//
/// The sum of types that can be used as a Quick Look representation.
///
/// The `PlaygroundQuickLook` protocol is deprecated, and will be removed from
/// the standard library in a future Swift release. To customize the logging of
/// your type in a playground, conform to the
/// `CustomPlaygroundDisplayConvertible` protocol, which does not use the
/// `PlaygroundQuickLook` enum.
///
/// If you need to provide a customized playground representation in Swift 4.0
/// or Swift 3.2 or earlier, use a conditional compilation block:
///
/// #if swift(>=4.1) || (swift(>=3.3) && !swift(>=4.0))
/// // With Swift 4.1 and later (including Swift 3.3 and later), use
/// // the CustomPlaygroundDisplayConvertible protocol.
/// #else
/// // With Swift 4.0 and Swift 3.2 and earlier, use PlaygroundQuickLook
/// // and the CustomPlaygroundQuickLookable protocol.
/// #endif
@_frozen // rdar://problem/38719739 - needed by LLDB
@available(*, deprecated, message: "PlaygroundQuickLook will be removed in a future Swift version. For customizing how types are presented in playgrounds, use CustomPlaygroundDisplayConvertible instead.")
public enum PlaygroundQuickLook {
/// Plain text.
case text(String)
/// An integer numeric value.
case int(Int64)
/// An unsigned integer numeric value.
case uInt(UInt64)
/// A single precision floating-point numeric value.
case float(Float32)
/// A double precision floating-point numeric value.
case double(Float64)
// FIXME: Uses an Any to avoid coupling a particular Cocoa type.
/// An image.
case image(Any)
// FIXME: Uses an Any to avoid coupling a particular Cocoa type.
/// A sound.
case sound(Any)
// FIXME: Uses an Any to avoid coupling a particular Cocoa type.
/// A color.
case color(Any)
// FIXME: Uses an Any to avoid coupling a particular Cocoa type.
/// A bezier path.
case bezierPath(Any)
// FIXME: Uses an Any to avoid coupling a particular Cocoa type.
/// An attributed string.
case attributedString(Any)
// FIXME: Uses explicit coordinates to avoid coupling a particular Cocoa type.
/// A rectangle.
case rectangle(Float64, Float64, Float64, Float64)
// FIXME: Uses explicit coordinates to avoid coupling a particular Cocoa type.
/// A point.
case point(Float64, Float64)
// FIXME: Uses explicit coordinates to avoid coupling a particular Cocoa type.
/// A size.
case size(Float64, Float64)
/// A boolean value.
case bool(Bool)
// FIXME: Uses explicit values to avoid coupling a particular Cocoa type.
/// A range.
case range(Int64, Int64)
// FIXME: Uses an Any to avoid coupling a particular Cocoa type.
/// A GUI view.
case view(Any)
// FIXME: Uses an Any to avoid coupling a particular Cocoa type.
/// A graphical sprite.
case sprite(Any)
/// A Uniform Resource Locator.
case url(String)
/// Raw data that has already been encoded in a format the IDE understands.
case _raw([UInt8], String)
}
extension PlaygroundQuickLook {
/// Creates a new Quick Look for the given instance.
///
/// If the dynamic type of `subject` conforms to
/// `CustomPlaygroundQuickLookable`, the result is found by calling its
/// `customPlaygroundQuickLook` property. Otherwise, the result is
/// synthesized by the language. In some cases, the synthesized result may
/// be `.text(String(reflecting: subject))`.
///
/// - Note: If the dynamic type of `subject` has value semantics, subsequent
/// mutations of `subject` will not observable in the Quick Look. In
/// general, though, the observability of such mutations is unspecified.
///
/// - Parameter subject: The instance to represent with the resulting Quick
/// Look.
@inlinable // FIXME(sil-serialize-all)
@available(*, deprecated, message: "PlaygroundQuickLook will be removed in a future Swift version.")
public init(reflecting subject: Any) {
if let customized = subject as? CustomPlaygroundQuickLookable {
self = customized.customPlaygroundQuickLook
}
else if let customized = subject as? _DefaultCustomPlaygroundQuickLookable {
self = customized._defaultCustomPlaygroundQuickLook
}
else {
if let q = Mirror.quickLookObject(subject) {
self = q
}
else {
self = .text(String(reflecting: subject))
}
}
}
}
/// A type that explicitly supplies its own playground Quick Look.
///
/// The `CustomPlaygroundQuickLookable` protocol is deprecated, and will be
/// removed from the standard library in a future Swift release. To customize
/// the logging of your type in a playground, conform to the
/// `CustomPlaygroundDisplayConvertible` protocol.
///
/// If you need to provide a customized playground representation in Swift 4.0
/// or Swift 3.2 or earlier, use a conditional compilation block:
///
/// #if swift(>=4.1) || (swift(>=3.3) && !swift(>=4.0))
/// // With Swift 4.1 and later (including Swift 3.3 and later),
/// // conform to CustomPlaygroundDisplayConvertible.
/// extension MyType: CustomPlaygroundDisplayConvertible { /*...*/ }
/// #else
/// // Otherwise, on Swift 4.0 and Swift 3.2 and earlier,
/// // conform to CustomPlaygroundQuickLookable.
/// extension MyType: CustomPlaygroundQuickLookable { /*...*/ }
/// #endif
@available(*, deprecated, message: "CustomPlaygroundQuickLookable will be removed in a future Swift version. For customizing how types are presented in playgrounds, use CustomPlaygroundDisplayConvertible instead.")
public protocol CustomPlaygroundQuickLookable {
/// A custom playground Quick Look for this instance.
///
/// If this type has value semantics, the `PlaygroundQuickLook` instance
/// should be unaffected by subsequent mutations.
var customPlaygroundQuickLook: PlaygroundQuickLook { get }
}
// A workaround for <rdar://problem/26182650>
// FIXME(ABI)#50 (Dynamic Dispatch for Class Extensions) though not if it moves out of stdlib.
@available(*, deprecated, message: "_DefaultCustomPlaygroundQuickLookable will be removed in a future Swift version. For customizing how types are presented in playgrounds, use CustomPlaygroundDisplayConvertible instead.")
public protocol _DefaultCustomPlaygroundQuickLookable {
var _defaultCustomPlaygroundQuickLook: PlaygroundQuickLook { get }
}
//===--- General Utilities ------------------------------------------------===//
// This component could stand alone, but is used in Mirror's public interface.
/// A lightweight collection of key-value pairs.
///
/// Use a `DictionaryLiteral` instance when you need an ordered collection of
/// key-value pairs and don't require the fast key lookup that the
/// `Dictionary` type provides. Unlike key-value pairs in a true dictionary,
/// neither the key nor the value of a `DictionaryLiteral` instance must
/// conform to the `Hashable` protocol.
///
/// You initialize a `DictionaryLiteral` instance using a Swift dictionary
/// literal. Besides maintaining the order of the original dictionary literal,
/// `DictionaryLiteral` also allows duplicates keys. For example:
///
/// let recordTimes: DictionaryLiteral = ["Florence Griffith-Joyner": 10.49,
/// "Evelyn Ashford": 10.76,
/// "Evelyn Ashford": 10.79,
/// "Marlies Gohr": 10.81]
/// print(recordTimes.first!)
/// // Prints "("Florence Griffith-Joyner", 10.49)"
///
/// Some operations that are efficient on a dictionary are slower when using
/// `DictionaryLiteral`. In particular, to find the value matching a key, you
/// must search through every element of the collection. The call to
/// `index(where:)` in the following example must traverse the whole
/// collection to find the element that matches the predicate:
///
/// let runner = "Marlies Gohr"
/// if let index = recordTimes.index(where: { $0.0 == runner }) {
/// let time = recordTimes[index].1
/// print("\(runner) set a 100m record of \(time) seconds.")
/// } else {
/// print("\(runner) couldn't be found in the records.")
/// }
/// // Prints "Marlies Gohr set a 100m record of 10.81 seconds."
///
/// Dictionary Literals as Function Parameters
/// ------------------------------------------
///
/// When calling a function with a `DictionaryLiteral` parameter, you can pass
/// a Swift dictionary literal without causing a `Dictionary` to be created.
/// This capability can be especially important when the order of elements in
/// the literal is significant.
///
/// For example, you could create an `IntPairs` structure that holds a list of
/// two-integer tuples and use an initializer that accepts a
/// `DictionaryLiteral` instance.
///
/// struct IntPairs {
/// var elements: [(Int, Int)]
///
/// init(_ elements: DictionaryLiteral<Int, Int>) {
/// self.elements = Array(elements)
/// }
/// }
///
/// When you're ready to create a new `IntPairs` instance, use a dictionary
/// literal as the parameter to the `IntPairs` initializer. The
/// `DictionaryLiteral` instance preserves the order of the elements as
/// passed.
///
/// let pairs = IntPairs([1: 2, 1: 1, 3: 4, 2: 1])
/// print(pairs.elements)
/// // Prints "[(1, 2), (1, 1), (3, 4), (2, 1)]"
@_fixed_layout // FIXME(sil-serialize-all)
public struct DictionaryLiteral<Key, Value> : ExpressibleByDictionaryLiteral {
/// Creates a new `DictionaryLiteral` instance from the given dictionary
/// literal.
///
/// The order of the key-value pairs is kept intact in the resulting
/// `DictionaryLiteral` instance.
@inlinable // FIXME(sil-serialize-all)
public init(dictionaryLiteral elements: (Key, Value)...) {
self._elements = elements
}
@usableFromInline // FIXME(sil-serialize-all)
internal let _elements: [(Key, Value)]
}
/// `Collection` conformance that allows `DictionaryLiteral` to
/// interoperate with the rest of the standard library.
extension DictionaryLiteral : RandomAccessCollection {
public typealias Indices = Range<Int>
/// The position of the first element in a nonempty collection.
///
/// If the `DictionaryLiteral` instance is empty, `startIndex` is equal to
/// `endIndex`.
@inlinable // FIXME(sil-serialize-all)
public var startIndex: Int { return 0 }
/// The collection's "past the end" position---that is, the position one
/// greater than the last valid subscript argument.
///
/// If the `DictionaryLiteral` instance is empty, `endIndex` is equal to
/// `startIndex`.
@inlinable // FIXME(sil-serialize-all)
public var endIndex: Int { return _elements.endIndex }
// FIXME(ABI)#174 (Type checker): a typealias is needed to prevent <rdar://20248032>
/// The element type of a `DictionaryLiteral`: a tuple containing an
/// individual key-value pair.
public typealias Element = (key: Key, value: Value)
/// Accesses the element at the specified position.
///
/// - Parameter position: The position of the element to access. `position`
/// must be a valid index of the collection that is not equal to the
/// `endIndex` property.
/// - Returns: The key-value pair at position `position`.
@inlinable // FIXME(sil-serialize-all)
public subscript(position: Int) -> Element {
return _elements[position]
}
}
extension String {
/// Creates a string representing the given value.
///
/// Use this initializer to convert an instance of any type to its preferred
/// representation as a `String` instance. The initializer creates the
/// string representation of `instance` in one of the following ways,
/// depending on its protocol conformance:
///
/// - If `instance` conforms to the `TextOutputStreamable` protocol, the
/// result is obtained by calling `instance.write(to: s)` on an empty
/// string `s`.
/// - If `instance` conforms to the `CustomStringConvertible` protocol, the
/// result is `instance.description`.
/// - If `instance` conforms to the `CustomDebugStringConvertible` protocol,
/// the result is `instance.debugDescription`.
/// - An unspecified result is supplied automatically by the Swift standard
/// library.
///
/// For example, this custom `Point` struct uses the default representation
/// supplied by the standard library.
///
/// struct Point {
/// let x: Int, y: Int
/// }
///
/// let p = Point(x: 21, y: 30)
/// print(String(describing: p))
/// // Prints "Point(x: 21, y: 30)"
///
/// After adding `CustomStringConvertible` conformance by implementing the
/// `description` property, `Point` provides its own custom representation.
///
/// extension Point: CustomStringConvertible {
/// var description: String {
/// return "(\(x), \(y))"
/// }
/// }
///
/// print(String(describing: p))
/// // Prints "(21, 30)"
@inlinable // FIXME(sil-serialize-all)
public init<Subject>(describing instance: Subject) {
self.init()
_print_unlocked(instance, &self)
}
/// Creates a string with a detailed representation of the given value,
/// suitable for debugging.
///
/// Use this initializer to convert an instance of any type to its custom
/// debugging representation. The initializer creates the string
/// representation of `instance` in one of the following ways, depending on
/// its protocol conformance:
///
/// - If `subject` conforms to the `CustomDebugStringConvertible` protocol,
/// the result is `subject.debugDescription`.
/// - If `subject` conforms to the `CustomStringConvertible` protocol, the
/// result is `subject.description`.
/// - If `subject` conforms to the `TextOutputStreamable` protocol, the
/// result is obtained by calling `subject.write(to: s)` on an empty
/// string `s`.
/// - An unspecified result is supplied automatically by the Swift standard
/// library.
///
/// For example, this custom `Point` struct uses the default representation
/// supplied by the standard library.
///
/// struct Point {
/// let x: Int, y: Int
/// }
///
/// let p = Point(x: 21, y: 30)
/// print(String(reflecting: p))
/// // Prints "p: Point = {
/// // x = 21
/// // y = 30
/// // }"
///
/// After adding `CustomDebugStringConvertible` conformance by implementing
/// the `debugDescription` property, `Point` provides its own custom
/// debugging representation.
///
/// extension Point: CustomDebugStringConvertible {
/// var debugDescription: String {
/// return "Point(x: \(x), y: \(y))"
/// }
/// }
///
/// print(String(reflecting: p))
/// // Prints "Point(x: 21, y: 30)"
@inlinable // FIXME(sil-serialize-all)
public init<Subject>(reflecting subject: Subject) {
self.init()
_debugPrint_unlocked(subject, &self)
}
}
/// Reflection for `Mirror` itself.
extension Mirror : CustomStringConvertible {
@inlinable // FIXME(sil-serialize-all)
public var description: String {
return "Mirror for \(self.subjectType)"
}
}
extension Mirror : CustomReflectable {
@inlinable // FIXME(sil-serialize-all)
public var customMirror: Mirror {
return Mirror(self, children: [:])
}
}
| apache-2.0 | 68663d9f5b6fd0e52a25439a35c07771 | 39.895402 | 222 | 0.669974 | 4.706217 | false | false | false | false |
CPRTeam/CCIP-iOS | Pods/CryptoSwift/Sources/CryptoSwift/Generics.swift | 1 | 1883 | //
// CryptoSwift
//
// Copyright (C) 2014-2017 Marcin Krzyżanowski <[email protected]>
// This software is provided 'as-is', without any express or implied warranty.
//
// In no event will the authors be held liable for any damages arising from the use of this software.
//
// Permission is granted to anyone to use this software for any purpose,including commercial applications, and to alter it and redistribute it freely, subject to the following restrictions:
//
// - The origin of this software must not be misrepresented; you must not claim that you wrote the original software. If you use this software in a product, an acknowledgment in the product documentation is required.
// - Altered source versions must be plainly marked as such, and must not be misrepresented as being the original software.
// - This notice may not be removed or altered from any source or binary distribution.
//
/// Array of bytes. Caution: don't use directly because generic is slow.
///
/// - parameter value: integer value
/// - parameter length: length of output array. By default size of value type
///
/// - returns: Array of bytes
@_specialize(where T == Int)
@_specialize(where T == UInt)
@_specialize(where T == UInt8)
@_specialize(where T == UInt16)
@_specialize(where T == UInt32)
@_specialize(where T == UInt64)
func arrayOfBytes<T: FixedWidthInteger>(value: T, length totalBytes: Int = MemoryLayout<T>.size) -> Array<UInt8> {
let valuePointer = UnsafeMutablePointer<T>.allocate(capacity: 1)
valuePointer.pointee = value
let bytesPointer = UnsafeMutablePointer<UInt8>(OpaquePointer(valuePointer))
var bytes = Array<UInt8>(repeating: 0, count: totalBytes)
for j in 0..<min(MemoryLayout<T>.size, totalBytes) {
bytes[totalBytes - 1 - j] = (bytesPointer + j).pointee
}
valuePointer.deinitialize(count: 1)
valuePointer.deallocate()
return bytes
}
| gpl-3.0 | ced7a84891dc38933f70fb6d6b7ff8ea | 43.809524 | 217 | 0.74017 | 4.191537 | false | false | false | false |
brettg/Signal-iOS | Signal/src/call/OutboundCallInitiator.swift | 1 | 2311 | //
// Copyright (c) 2017 Open Whisper Systems. All rights reserved.
//
import Foundation
/**
* Creates an outbound call via WebRTC.
*/
@objc class OutboundCallInitiator: NSObject {
let TAG = "[OutboundCallInitiator]"
let contactsManager: OWSContactsManager
let contactsUpdater: ContactsUpdater
init(contactsManager: OWSContactsManager, contactsUpdater: ContactsUpdater) {
self.contactsManager = contactsManager
self.contactsUpdater = contactsUpdater
super.init()
}
/**
* |handle| is a user formatted phone number, e.g. from a system contacts entry
*/
public func initiateCall(handle: String) -> Bool {
Logger.info("\(TAG) in \(#function) with handle: \(handle)")
guard let recipientId = PhoneNumber(fromUserSpecifiedText: handle)?.toE164() else {
Logger.warn("\(TAG) unable to parse signalId from phone number: \(handle)")
return false
}
return initiateCall(recipientId: recipientId)
}
/**
* |recipientId| is a e164 formatted phone number.
*/
public func initiateCall(recipientId: String) -> Bool {
// Rather than an init-assigned dependency property, we access `callUIAdapter` via Environment
// because it can change after app launch due to user settings
guard let callUIAdapter = Environment.getCurrent().callUIAdapter else {
assertionFailure()
Logger.error("\(TAG) can't initiate call because callUIAdapter is nil")
return false
}
// Check for microphone permissions
// Alternative way without prompting for permissions:
// if AVAudioSession.sharedInstance().recordPermission() == .denied {
AVAudioSession.sharedInstance().requestRecordPermission { isGranted in
DispatchQueue.main.async {
// Here the permissions are either granted or denied
guard isGranted == true else {
Logger.warn("\(self.TAG) aborting due to missing microphone permissions.")
OWSAlerts.showNoMicrophonePermissionAlert()
return
}
callUIAdapter.startAndShowOutgoingCall(recipientId: recipientId)
}
}
return true
}
}
| gpl-3.0 | ca6ea567c2f30da348ff0e60a28daa0f | 34.553846 | 102 | 0.638685 | 5.412178 | false | false | false | false |
braintree/braintree_ios | Sources/BraintreeSEPADirectDebit/BTSEPADirectDebitRequest.swift | 1 | 2227 | import Foundation
#if canImport(BraintreeCore)
import BraintreeCore
#endif
/// Parameters for creating a SEPA Direct Debit tokenization request.
@objcMembers public class BTSEPADirectDebitRequest: NSObject {
/// Required. The account holder name.
public var accountHolderName: String?
/// Required. The full IBAN.
public var iban: String?
/// Required. The customer ID.
public var customerID: String?
/// Optional. The `BTSEPADebitMandateType`. If not set, defaults to `.oneOff`
public var mandateType: BTSEPADirectDebitMandateType?
/// Required. The user's billing address.
public var billingAddress: BTPostalAddress?
/// Optional. A non-default merchant account to use for tokenization.
public var merchantAccountID: String?
var cancelURL: String
var returnURL: String
/// Initialize a new SEPA Direct Debit request.
/// - Parameters:
/// - accountHolderName:Required. The account holder name.
/// - iban: Required. The full IBAN.
/// - customerID: Required. The customer ID.
/// - mandateType: Optional. The `BTSEPADebitMandateType`. If not set, defaults to `.oneOff`
/// - billingAddress: Required. The user's billing address.
/// - merchantAccountID: Optional. A non-default merchant account to use for tokenization.
// NEXT_MAJOR_VERSION consider refactoring public request initializers to include required parameters instead of defaulting everything to optional
public init(
accountHolderName: String? = nil,
iban: String? = nil,
customerID: String? = nil,
mandateType: BTSEPADirectDebitMandateType? = .oneOff,
billingAddress: BTPostalAddress? = nil,
merchantAccountID: String? = nil
) {
self.accountHolderName = accountHolderName
self.iban = iban
self.customerID = customerID
self.mandateType = mandateType
self.billingAddress = billingAddress
self.merchantAccountID = merchantAccountID
let bundleID = Bundle.main.bundleIdentifier ?? ""
self.cancelURL = bundleID.appending("://sepa/cancel")
self.returnURL = bundleID.appending("://sepa/success")
}
}
| mit | c1642b56eae91e36339486c90e91aa5e | 35.508197 | 150 | 0.685227 | 4.535642 | false | false | false | false |
AndrewBennet/readinglist | ReadingList/ViewControllers/Settings/Appearance.swift | 1 | 3541 | import Foundation
import SwiftUI
class AppearanceSettings: ObservableObject {
@Published var showExpandedDescription: Bool = GeneralSettings.showExpandedDescription {
didSet {
GeneralSettings.showExpandedDescription = showExpandedDescription
}
}
@Published var showAmazonLinks: Bool = GeneralSettings.showAmazonLinks {
didSet {
GeneralSettings.showAmazonLinks = showAmazonLinks
}
}
@Published var darkModeOverride: Bool? = GeneralSettings.darkModeOverride {
didSet {
GeneralSettings.darkModeOverride = darkModeOverride
}
}
}
struct Appearance: View {
@EnvironmentObject var hostingSplitView: HostingSettingsSplitView
@ObservedObject var settings = AppearanceSettings()
var inset: Bool {
hostingSplitView.isSplit
}
func updateWindowInterfaceStyle() {
if let darkModeOverride = settings.darkModeOverride {
AppDelegate.shared.window?.overrideUserInterfaceStyle = darkModeOverride ? .dark : .light
} else {
AppDelegate.shared.window?.overrideUserInterfaceStyle = .unspecified
}
}
var darkModeSystemSettingToggle: Binding<Bool> {
Binding(
get: { settings.darkModeOverride == nil },
set: {
settings.darkModeOverride = $0 ? nil : false
updateWindowInterfaceStyle()
}
)
}
var body: some View {
SwiftUI.List {
Section(
header: HeaderText("Dark Mode", inset: inset)
) {
Toggle(isOn: darkModeSystemSettingToggle) {
Text("Use System Setting")
}
if let darkModeOverride = settings.darkModeOverride {
CheckmarkCellRow("Light Appearance", checkmark: !darkModeOverride)
.onTapGesture {
settings.darkModeOverride = false
updateWindowInterfaceStyle()
}
CheckmarkCellRow("Dark Appearance", checkmark: darkModeOverride)
.onTapGesture {
settings.darkModeOverride = true
updateWindowInterfaceStyle()
}
}
}
Section(
header: HeaderText("Book Details", inset: inset),
footer: FooterText("Enable Expanded Descriptions to automatically show each book's full description.", inset: inset)
) {
Toggle(isOn: $settings.showAmazonLinks) {
Text("Show Amazon Links")
}
Toggle(isOn: $settings.showExpandedDescription) {
Text("Expanded Descriptions")
}
}
}.possiblyInsetGroupedListStyle(inset: inset)
}
}
struct CheckmarkCellRow: View {
let text: String
let checkmark: Bool
init(_ text: String, checkmark: Bool) {
self.text = text
self.checkmark = checkmark
}
var body: some View {
HStack {
Text(text)
Spacer()
if checkmark {
Image(systemName: "checkmark").foregroundColor(Color(.systemBlue))
}
}.contentShape(Rectangle())
}
}
struct Appearance_Previews: PreviewProvider {
static var previews: some View {
Appearance().environmentObject(HostingSettingsSplitView())
}
}
| gpl-3.0 | b2e3b64c88066c0e878fef78ac7e4fae | 30.900901 | 132 | 0.567919 | 5.683788 | false | false | false | false |
jpgilchrist/pitch-perfect | Pitch Perfect/PlaySoundsViewController.swift | 1 | 3929 | //
// PlaySoundsViewController.swift
// Pitch Perfect
//
// Created by James Gilchrist on 3/7/15.
// Copyright (c) 2015 James Gilchrist. All rights reserved.
//
import UIKit
import AVFoundation
class PlaySoundsViewController: UIViewController {
@IBOutlet weak var recordedAudioTitleLabel: UILabel!
@IBOutlet weak var playWithReverb: UISwitch!
let audioEngine = AVAudioEngine()
let audioPlayer = AVAudioPlayerNode()
let audioPitchEffect = AVAudioUnitTimePitch()
let audioDelayEffect = AVAudioUnitDelay()
let audioReverbEffect = AVAudioUnitReverb()
var receivedAudio: RecordedAudio!
override func viewDidLoad() {
super.viewDidLoad()
audioEngine.attachNode(audioPlayer)
audioEngine.attachNode(audioPitchEffect)
audioEngine.attachNode(audioDelayEffect)
audioEngine.attachNode(audioReverbEffect)
recordedAudioTitleLabel.text = receivedAudio.title
playWithReverb.on = false
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
}
@IBAction func snailPlaybackButton(sender: UIButton) {
playRecording(rate: 0.5, overlap: nil, pitch: nil)
}
@IBAction func rabbitPlaybackButton(sender: UIButton) {
playRecording(rate: 2.0, overlap: nil, pitch: nil)
}
@IBAction func chipmunkPlaybackButton(sender: UIButton) {
playRecording(rate: nil, overlap: nil, pitch: 1000.0)
}
@IBAction func darthVaderPlaybackButton(sender: UIButton) {
playRecording(rate: nil, overlap: nil, pitch: -1000.0)
}
@IBAction func playReverbPlaybackButton(sender: UIButton) {
playRecording(rate: nil, overlap: nil, pitch: nil, reverb: true)
}
@IBAction func stopPlaybackButton(sender: UIButton) {
audioPlayer.stop()
audioEngine.stop()
}
func playRecording(#rate: Float?, overlap: Float?, pitch: Float?) {
playRecording(rate: rate, overlap: overlap, pitch: pitch, reverb: false)
}
func playRecording(#rate: Float?, overlap: Float?, pitch: Float?, reverb: Bool) {
audioPlayer.stop()
audioEngine.stop()
audioEngine.reset()
//setup rate, pitch, and overlap; if nil set to defaults
if rate != nil {
audioPitchEffect.rate = rate!
} else {
audioPitchEffect.rate = 1.0
}
if overlap != nil {
audioPitchEffect.overlap = overlap!
} else {
audioPitchEffect.overlap = 8.0
}
if pitch != nil {
audioPitchEffect.pitch = pitch!
} else {
audioPitchEffect.pitch = 1.0
}
if playWithReverb.on {
audioDelayEffect.delayTime = 0.25
audioDelayEffect.feedback = 80
audioReverbEffect.loadFactoryPreset(AVAudioUnitReverbPreset.LargeHall2)
} else {
audioDelayEffect.delayTime = 0.0
audioDelayEffect.feedback = 0
audioReverbEffect.loadFactoryPreset(AVAudioUnitReverbPreset.SmallRoom)
}
audioEngine.connect(audioPlayer, to: audioPitchEffect, format: receivedAudio.audioFile.processingFormat)
audioEngine.connect(audioPitchEffect, to: audioDelayEffect, format: receivedAudio.audioFile.processingFormat)
audioEngine.connect(audioDelayEffect, to: audioReverbEffect, format: receivedAudio.audioFile.processingFormat)
audioEngine.connect(audioReverbEffect, to: audioEngine.outputNode, format: receivedAudio.audioFile.processingFormat)
audioPlayer.scheduleFile(receivedAudio.audioFile, atTime: nil, completionHandler: nil)
audioEngine.startAndReturnError(nil)
println("play rate: \(rate) overlap: \(overlap) pitch: \(pitch) reverb: \(reverb)")
audioPlayer.play()
}
}
| mit | b739b90b44b39b3c42ac8db04c7017b2 | 32.87069 | 124 | 0.652329 | 4.756659 | false | false | false | false |
lanjing99/RxSwiftDemo | 08-transforming-operators-in-practice/starter/GitFeed/GitFeed/Event.swift | 1 | 2048 | /*
* Copyright (c) 2016 Razeware LLC
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
import Foundation
typealias AnyDict = [String: Any]
class Event {
let repo: String
let name: String
let imageUrl: URL
let action: String
// MARK: - JSON -> Event
init(dictionary: AnyDict) {
guard let repoDict = dictionary["repo"] as? AnyDict,
let actor = dictionary["actor"] as? AnyDict,
let repoName = repoDict["name"] as? String,
let actorName = actor["display_login"] as? String,
let actorUrlString = actor["avatar_url"] as? String,
let actorUrl = URL(string: actorUrlString),
let actionType = dictionary["type"] as? String
else {
fatalError()
}
repo = repoName
name = actorName
imageUrl = actorUrl
action = actionType
}
// MARK: - Event -> JSON
var dictionary: AnyDict {
return [
"repo" : ["name": repo],
"actor": ["display_login": name, "avatar_url": imageUrl.absoluteString],
"type" : action
]
}
}
| mit | 885ecae22bdd5890bbd270df13e2833a | 33.133333 | 80 | 0.694336 | 4.248963 | false | false | false | false |
garethpaul/swift-sample-apps | basic-note-taker/basic-note-taker/NoteListViewController.swift | 1 | 2174 | //
// NoteListViewController.swift
// basic-note-taker
//
// Created by Gareth Paul Jones on 6/4/14.
// Copyright (c) 2014 Gareth Paul Jones. All rights reserved.
//
import UIKit
class NoteListViewController: UITableViewController, NoteEditorViewControllerDelegate {
let cellClass = UITableViewCell.self
var cellIdentifier: String {
return NSStringFromClass(cellClass)
}
var editor: NoteEditorViewController? {
didSet {
if let eeditor: NoteEditorViewController = editor {
navigationController.pushViewController(eeditor, animated: true)
eeditor.delegate = self
}
}
}
var notes: String[]
var selectedNote: Int?
init(notes: String[] = []) {
self.notes = notes
super.init(nibName: nil, bundle: nil)
self.title = NSBundle.mainBundle().infoDictionary["CFBundleName"] as? String
}
override func viewDidLoad() {
super.viewDidLoad()
tableView.registerClass(cellClass, forCellReuseIdentifier: NSStringFromClass(cellClass))
}
override func tableView(tableView: UITableView!, didSelectRowAtIndexPath indexPath: NSIndexPath!) {
editor = NoteEditorViewController(note: note(indexPath))
selectedNote = indexPath.row
}
override func tableView(tableView: UITableView!, numberOfRowsInSection section: Int) -> Int {
return notes.count
}
override func tableView(tableView: UITableView!, cellForRowAtIndexPath indexPath: NSIndexPath!) -> UITableViewCell! {
// I think I ought to use an optional here to explicity cope with potential nils
let cell = tableView.dequeueReusableCellWithIdentifier(cellIdentifier, forIndexPath: indexPath) as UITableViewCell
cell.textLabel.text = note(indexPath)
return cell
}
func note(indexPath: NSIndexPath) -> String {
return notes[indexPath.row]
}
func noteEditorDidUpdateNote(editor: NoteEditorViewController) {
if let sselectedNote: Int = selectedNote {
notes[sselectedNote] = editor.note
tableView.reloadData()
}
}
}
| apache-2.0 | 2063546f57aebf6725e438c22f5fda11 | 30.970588 | 122 | 0.671573 | 5.127358 | false | false | false | false |
PumpMagic/ostrich | gameboy/gameboy/Source/Memories/DataBus.swift | 1 | 7004 | //
// DataBus.swift
// ostrichframework
//
// Created by Ryan Conway on 4/4/16.
// Copyright © 2016 Ryan Conway. All rights reserved.
//
import Foundation
protocol DelegatesReads: HandlesReads {
func connectReadable(_ readable: BusListener & HandlesReads)
}
protocol DelegatesWrites: HandlesWrites {
func connectWriteable(_ writeable: BusListener & HandlesWrites)
}
/// A data bus that connects any numbers of peripherals.
open class DataBus: DelegatesReads, DelegatesWrites {
//@todo consider using Intervals instead of Ranges:
//http://oleb.net/blog/2015/09/swift-ranges-and-intervals/
/// (ID, peripheral, address range)
var readables: [(HandlesReads, CountableClosedRange<Address>, String?)]
var writeables: [(HandlesWrites, CountableClosedRange<Address>, String?)]
enum TransactionDirection {
case read
case write
}
struct Transaction: CustomStringConvertible {
let direction: TransactionDirection
let address: Address
let number: UInt8
var description: String {
switch direction {
case .read:
return "\(address.hexString) -> \(number.hexString)"
case .write:
return "\(address.hexString) <- \(number.hexString)"
}
}
}
let logTransactions: Bool = false
var transactions: [Transaction] = []
public init() {
self.readables = [(HandlesReads, CountableClosedRange<Address>, String?)]()
self.writeables = [(HandlesWrites, CountableClosedRange<Address>, String?)]()
}
open func connectReadable(_ readable: BusListener & HandlesReads) {
self.readables.append((readable, readable.addressRange, nil))
}
open func connectWriteable(_ writeable: BusListener & HandlesWrites) {
self.writeables.append((writeable, writeable.addressRange, nil))
}
open func connectReadable(_ readable: BusListener & HandlesReads, id: String) {
self.readables.append((readable, readable.addressRange, id))
}
open func connectWriteable(_ readable: BusListener & HandlesWrites, id: String) {
self.writeables.append((readable, readable.addressRange, id))
}
open func disconnectReadable(id: String) {
var elementFound: Bool
repeat {
elementFound = false
for (index, (_, _, elementID)) in self.readables.enumerated() {
if elementID == id {
self.readables.remove(at: index)
elementFound = true
break
}
}
} while elementFound
}
//@todo the logic here is duplicated with disconnectReadable().
// This is because there's no common type between self.readables and self.writeables.
open func disconnectWriteable(id: String) {
var elementFound: Bool
repeat {
elementFound = false
for (index, (_, _, elementID)) in self.writeables.enumerated() {
if elementID == id {
self.readables.remove(at: index)
elementFound = true
break
}
}
} while elementFound
}
open func read(_ addr: Address) -> UInt8 {
for (readable, range, _) in self.readables {
if range ~= addr {
let val = readable.read(addr)
if self.logTransactions {
if addr > 0x7FFF {
let transaction = Transaction(direction: .read, address: addr, number: val)
self.transactions.append(transaction)
}
}
return val
}
}
// Hack: implement divider register here
// Increments at 16384Hz, or ABOUT once every 61 microseconds
// 8-bit value -> overflows at (16384/256) = 64Hz
//@todo don't be so sloppy
if addr == 0xFF04 {
let secs = Date().timeIntervalSince1970
let remainder = secs - round(secs)
let us = remainder*1000000
return UInt8(truncatingBitPattern: (Int((us/61).truncatingRemainder(dividingBy: 255))))
}
// Hack: implement echo RAM here
// 0xE000 - 0xFDFF is an echo of 0xC000 - 0xDDFF.
// Nintendo said not to use it, but apparently some games did anyway
if Address(0xE000) ... Address(0xFDFF) ~= addr {
print("WARNING: attempt to use echo RAM. Parsing failure?")
return self.read(addr - 0x2000)
}
//print("WARNING: no one listening to read of address \(addr.hexString)")
//@todo probably shouldn't return 0
return 0
//exit(1)
}
open func write(_ val: UInt8, to addr: Address) {
for (writeable, range, _) in self.writeables {
if range ~= addr {
writeable.write(val, to: addr)
if self.logTransactions {
let transaction = Transaction(direction: .write, address: addr, number: val)
self.transactions.append(transaction)
}
return
}
}
// Hack: memory bank controller is unimplemented for now; ignore communication with it
//@todo implement the memory bank controller
if Address(0x0000) ... Address(0x7FFF) ~= addr {
print("WARNING! Ignoring memory bank controller communication in the form of writing \(val.hexString) to \(addr.hexString)")
if Address(0x0000) ... Address(0x1FFF) ~= addr {
print("(external RAM control)")
}
return
}
print("WARNING: no one listening to write of \(val.hexString) to address \(addr.hexString)")
//@todo actually exit
// exit(1)
}
// Convenience functions
func readSigned(_ addr: Address) -> Int8 {
return Int8(bitPattern: self.read(addr))
}
/// Reads two bytes of memory and returns them in host endianness
func read16(_ addr: Address) -> UInt16 {
let low = self.read(addr)
let high = self.read(addr+1)
return make16(high: high, low: low)
}
/// Writes two bytes of memory (given in host endianness)
func write16(_ val: UInt16, to addr: Address) {
self.write(getLow(val), to: addr)
self.write(getHigh(val), to: addr+1)
}
open func dumpTransactions() {
print(self.transactions)
}
open func clearTransactions() {
self.transactions = []
}
func clearAllWriteables() {
for (writeable, range, _) in self.writeables {
for addr in range {
writeable.write(0, to: addr)
}
}
}
}
| mit | 42db46a8808db3582370eb1939a74d1e | 32.830918 | 136 | 0.563758 | 4.725371 | false | false | false | false |
roambotics/swift | test/IDE/complete_type.swift | 2 | 37781 | // RUN: %target-swift-ide-test -batch-code-completion -source-filename %s -filecheck %raw-FileCheck -completion-output-dir %t
//===--- Helper types that are used in this test
struct FooStruct {
}
var fooObject: FooStruct
func fooFunc() -> FooStruct {
return fooObject
}
enum FooEnum {
}
class FooClass {
}
protocol FooProtocol {
var fooInstanceVar: Int
typealias FooTypeAlias1
func fooInstanceFunc0() -> Double
func fooInstanceFunc1(a: Int) -> Double
subscript(i: Int) -> Double
}
protocol BarProtocol {
var barInstanceVar: Int
typealias BarTypeAlias1
func barInstanceFunc0() -> Double
func barInstanceFunc1(a: Int) -> Double
}
typealias FooTypealias = Int
// WITH_GLOBAL_TYPES: Begin completions
// Global completions
// WITH_GLOBAL_TYPES-DAG: Decl[Struct]/CurrModule: FooStruct[#FooStruct#]{{; name=.+$}}
// WITH_GLOBAL_TYPES-DAG: Decl[Enum]/CurrModule: FooEnum[#FooEnum#]{{; name=.+$}}
// WITH_GLOBAL_TYPES-DAG: Decl[Class]/CurrModule: FooClass[#FooClass#]{{; name=.+$}}
// WITH_GLOBAL_TYPES-DAG: Decl[Protocol]/CurrModule: FooProtocol[#FooProtocol#]{{; name=.+$}}
// WITH_GLOBAL_TYPES-DAG: Decl[TypeAlias]/CurrModule: FooTypealias[#Int#]{{; name=.+$}}
// WITH_GLOBAL_TYPES: End completions
// WITH_GLOBAL_TYPES_EXPR: Begin completions
// Global completions at expression position
// WITH_GLOBAL_TYPES_EXPR-DAG: Decl[Struct]/CurrModule: FooStruct[#FooStruct#]{{; name=.+$}}
// WITH_GLOBAL_TYPES_EXPR-DAG: Decl[Enum]/CurrModule: FooEnum[#FooEnum#]{{; name=.+$}}
// WITH_GLOBAL_TYPES_EXPR-DAG: Decl[Class]/CurrModule: FooClass[#FooClass#]{{; name=.+$}}
// WITH_GLOBAL_TYPES_EXPR-DAG: Decl[Protocol]/CurrModule/Flair[RareType]: FooProtocol[#FooProtocol#]{{; name=.+$}}
// WITH_GLOBAL_TYPES_EXPR-DAG: Decl[TypeAlias]/CurrModule: FooTypealias[#Int#]{{; name=.+$}}
// WITH_GLOBAL_TYPES_EXPR: End completions
// GLOBAL_NEGATIVE-NOT: Decl.*: fooObject
// GLOBAL_NEGATIVE-NOT: Decl.*: fooFunc
// WITHOUT_GLOBAL_TYPES-NOT: Decl.*: FooStruct
// WITHOUT_GLOBAL_TYPES-NOT: Decl.*: FooEnum
// WITHOUT_GLOBAL_TYPES-NOT: Decl.*: FooClass
// WITHOUT_GLOBAL_TYPES-NOT: Decl.*: FooProtocol
// WITHOUT_GLOBAL_TYPES-NOT: Decl.*: FooTypealias
// ERROR_COMMON: found code completion token
// ERROR_COMMON-NOT: Begin completions
//===---
//===--- Test that we include 'Self' type while completing inside a protocol.
//===---
// TYPE_IN_PROTOCOL: Begin completions
// TYPE_IN_PROTOCOL-DAG: Decl[GenericTypeParam]/Local: Self[#Self#]{{; name=.+$}}
// TYPE_IN_PROTOCOL: End completions
protocol TestSelf1 {
func instanceFunc() -> #^TYPE_IN_PROTOCOL_1?check=TYPE_IN_PROTOCOL;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
//===---
//===--- Test that we include types from generic parameter lists.
//===---
// FIXME: tests for constructors and destructors.
func testTypeInParamGeneric1<
GenericFoo : FooProtocol,
GenericBar : FooProtocol & BarProtocol,
GenericBaz>(a: #^TYPE_IN_FUNC_PARAM_GENERIC_1?check=TYPE_IN_FUNC_PARAM_GENERIC_1;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
// TYPE_IN_FUNC_PARAM_GENERIC_1: Begin completions
// Generic parameters of the function.
// TYPE_IN_FUNC_PARAM_GENERIC_1-DAG: Decl[GenericTypeParam]/Local: GenericFoo[#GenericFoo#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_1-DAG: Decl[GenericTypeParam]/Local: GenericBar[#GenericBar#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_1-DAG: Decl[GenericTypeParam]/Local: GenericBaz[#GenericBaz#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_1: End completions
struct TestTypeInParamGeneric2<
StructGenericFoo : FooProtocol,
StructGenericBar : FooProtocol & BarProtocol,
StructGenericBaz> {
func testTypeInParamGeneric2(a: #^TYPE_IN_FUNC_PARAM_GENERIC_2?check=TYPE_IN_FUNC_PARAM_GENERIC_2;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
// TYPE_IN_FUNC_PARAM_GENERIC_2: Begin completions
// TYPE_IN_FUNC_PARAM_GENERIC_2-DAG: Decl[GenericTypeParam]/Local: StructGenericFoo[#StructGenericFoo#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_2-DAG: Decl[GenericTypeParam]/Local: StructGenericBar[#StructGenericBar#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_2-DAG: Decl[GenericTypeParam]/Local: StructGenericBaz[#StructGenericBaz#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_2: End completions
struct TestTypeInParamGeneric3 {
func testTypeInParamGeneric3<
GenericFoo : FooProtocol,
GenericBar : FooProtocol & BarProtocol,
GenericBaz>(a: #^TYPE_IN_FUNC_PARAM_GENERIC_3?check=TYPE_IN_FUNC_PARAM_GENERIC_3;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
// TYPE_IN_FUNC_PARAM_GENERIC_3: Begin completions
// TYPE_IN_FUNC_PARAM_GENERIC_3-DAG: Decl[GenericTypeParam]/Local: GenericFoo[#GenericFoo#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_3-DAG: Decl[GenericTypeParam]/Local: GenericBar[#GenericBar#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_3-DAG: Decl[GenericTypeParam]/Local: GenericBaz[#GenericBaz#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_3: End completions
struct TestTypeInParamGeneric4<
StructGenericFoo : FooProtocol,
StructGenericBar : FooProtocol & BarProtocol,
StructGenericBaz> {
func testTypeInParamGeneric4<
GenericFoo : FooProtocol,
GenericBar : FooProtocol & BarProtocol,
GenericBaz>(a: #^TYPE_IN_FUNC_PARAM_GENERIC_4?check=TYPE_IN_FUNC_PARAM_GENERIC_4;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
// TYPE_IN_FUNC_PARAM_GENERIC_4: Begin completions
// Generic parameters of the struct.
// TYPE_IN_FUNC_PARAM_GENERIC_4-DAG: Decl[GenericTypeParam]/Local: StructGenericFoo[#StructGenericFoo#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_4-DAG: Decl[GenericTypeParam]/Local: StructGenericBar[#StructGenericBar#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_4-DAG: Decl[GenericTypeParam]/Local: StructGenericBaz[#StructGenericBaz#]{{; name=.+$}}
// Generic parameters of the function.
// TYPE_IN_FUNC_PARAM_GENERIC_4-DAG: Decl[GenericTypeParam]/Local: GenericFoo[#GenericFoo#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_4-DAG: Decl[GenericTypeParam]/Local: GenericBar[#GenericBar#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_4-DAG: Decl[GenericTypeParam]/Local: GenericBaz[#GenericBaz#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_4: End completions
struct TestTypeInParamGeneric5<StructGenericFoo> {
struct TestTypeInParamGeneric5a<StructGenericBar> {
struct TestTypeInParamGeneric5b<StructGenericBaz> {
func testTypeInParamGeneric5<GenericFoo>(a: #^TYPE_IN_FUNC_PARAM_GENERIC_5?check=TYPE_IN_FUNC_PARAM_GENERIC_5;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
}
}
// TYPE_IN_FUNC_PARAM_GENERIC_5: Begin completions
// Generic parameters of the containing structs.
// TYPE_IN_FUNC_PARAM_GENERIC_5-DAG: Decl[GenericTypeParam]/Local: StructGenericFoo[#StructGenericFoo#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_5-DAG: Decl[GenericTypeParam]/Local: StructGenericBar[#StructGenericBar#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_5-DAG: Decl[GenericTypeParam]/Local: StructGenericBaz[#StructGenericBaz#]{{; name=.+$}}
// Generic parameters of the function.
// TYPE_IN_FUNC_PARAM_GENERIC_5-DAG: Decl[GenericTypeParam]/Local: GenericFoo[#GenericFoo#]{{; name=.+$}}
// TYPE_IN_FUNC_PARAM_GENERIC_5: End completions
struct TestTypeInConstructorParamGeneric1<
StructGenericFoo : FooProtocol,
StructGenericBar : FooProtocol & BarProtocol,
StructGenericBaz> {
init(a: #^TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_1?check=TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_1;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_1: Begin completions
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_1-DAG: Decl[GenericTypeParam]/Local: StructGenericFoo[#StructGenericFoo#]{{; name=.+$}}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_1-DAG: Decl[GenericTypeParam]/Local: StructGenericBar[#StructGenericBar#]{{; name=.+$}}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_1-DAG: Decl[GenericTypeParam]/Local: StructGenericBaz[#StructGenericBaz#]{{; name=.+$}}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_1: End completions
struct TestTypeInConstructorParamGeneric2 {
init<GenericFoo : FooProtocol,
GenericBar : FooProtocol & BarProtocol,
GenericBaz>(a: #^TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_2?check=TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_2;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_2: Begin completions
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_2-DAG: Decl[GenericTypeParam]/Local: GenericFoo[#GenericFoo#]{{; name=.+$}}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_2-DAG: Decl[GenericTypeParam]/Local: GenericBar[#GenericBar#]{{; name=.+$}}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_2-DAG: Decl[GenericTypeParam]/Local: GenericBaz[#GenericBaz#]{{; name=.+$}}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_2: End completions
struct TestTypeInConstructorParamGeneric3<
StructGenericFoo : FooProtocol,
StructGenericBar : FooProtocol & BarProtocol,
StructGenericBaz> {
init<GenericFoo : FooProtocol,
GenericBar : FooProtocol & BarProtocol,
GenericBaz>(a: #^TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_3?check=TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_3;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_3: Begin completions
// Generic parameters of the struct.
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_3-DAG: Decl[GenericTypeParam]/Local: StructGenericFoo[#StructGenericFoo#]{{; name=.+$}}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_3-DAG: Decl[GenericTypeParam]/Local: StructGenericBar[#StructGenericBar#]{{; name=.+$}}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_3-DAG: Decl[GenericTypeParam]/Local: StructGenericBaz[#StructGenericBaz#]{{; name=.+$}}
// Generic parameters of the constructor.
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_3-DAG: Decl[GenericTypeParam]/Local: GenericFoo[#GenericFoo#]{{; name=.+$}}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_3-DAG: Decl[GenericTypeParam]/Local: GenericBar[#GenericBar#]{{; name=.+$}}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_3-DAG: Decl[GenericTypeParam]/Local: GenericBaz[#GenericBaz#]{{; name=.+$}}
// TYPE_IN_CONSTRUCTOR_PARAM_GENERIC_3: End completions
// No tests for destructors: destructors don't have parameters.
//===---
//===--- Test that we don't duplicate generic parameters.
//===---
struct GenericStruct<T> {
func foo() -> #^TYPE_IN_RETURN_GEN_PARAM_NO_DUP^#
}
class A<T> {
var foo: #^TYPE_IVAR_GEN_PARAM_NO_DUP^#
subscript(_ arg: Int) -> #^TYPE_IN_SUBSCR_GEN_PARAM_NO_DUP^#
}
// TYPE_IN_RETURN_GEN_PARAM_NO_DUP: Begin completions
// TYPE_IN_RETURN_GEN_PARAM_NO_DUP-DAG: Decl[GenericTypeParam]/Local: T[#T#]; name=T
// TYPE_IN_RETURN_GEN_PARAM_NO_DUP-NOT: Decl[GenericTypeParam]/Local: T[#T#]; name=T
// TYPE_IN_RETURN_GEN_PARAM_NO_DUP: End completions
// TYPE_IVAR_GEN_PARAM_NO_DUP: Begin completions
// TYPE_IVAR_GEN_PARAM_NO_DUP-DAG: Decl[GenericTypeParam]/Local: T[#T#]; name=T
// TYPE_IVAR_GEN_PARAM_NO_DUP-NOT: Decl[GenericTypeParam]/Local: T[#T#]; name=T
// TYPE_IVAR_GEN_PARAM_NO_DUP: End completions
// TYPE_IN_SUBSCR_GEN_PARAM_NO_DUP: Begin completions
// TYPE_IN_SUBSCR_GEN_PARAM_NO_DUP-DAG: Decl[GenericTypeParam]/Local: T[#T#]; name=T
// TYPE_IN_SUBSCR_GEN_PARAM_NO_DUP-NOT: Decl[GenericTypeParam]/Local: T[#T#]; name=T
// TYPE_IN_SUBSCR_GEN_PARAM_NO_DUP: End completions
//===---
//===--- Test that we can complete types in variable declarations.
//===---
func testTypeInLocalVarInFreeFunc1() {
var localVar: #^TYPE_IN_LOCAL_VAR_IN_FREE_FUNC_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
func testTypeInLocalVarInFreeFunc2() {
struct NestedStruct {}
class NestedClass {}
enum NestedEnum {
case NestedEnumX(Int)
}
typealias NestedTypealias = Int
var localVar: #^TYPE_IN_LOCAL_VAR_IN_FREE_FUNC_2?check=TYPE_IN_LOCAL_VAR_IN_FREE_FUNC_2;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
// TYPE_IN_LOCAL_VAR_IN_FREE_FUNC_2: Begin completions
// TYPE_IN_LOCAL_VAR_IN_FREE_FUNC_2-DAG: Decl[Struct]/Local: NestedStruct[#NestedStruct#]{{; name=.+$}}
// TYPE_IN_LOCAL_VAR_IN_FREE_FUNC_2-DAG: Decl[Class]/Local: NestedClass[#NestedClass#]{{; name=.+$}}
// TYPE_IN_LOCAL_VAR_IN_FREE_FUNC_2-DAG: Decl[Enum]/Local: NestedEnum[#NestedEnum#]{{; name=.+$}}
// TYPE_IN_LOCAL_VAR_IN_FREE_FUNC_2-DAG: Decl[TypeAlias]/Local: NestedTypealias[#Int#]{{; name=.+$}}
// TYPE_IN_LOCAL_VAR_IN_FREE_FUNC_2: End completions
class TestTypeInLocalVarInMemberFunc1 {
struct NestedStruct {}
class NestedClass {}
enum NestedEnum {
case NestedEnumX(Int)
}
typealias NestedTypealias = Int
init() {
var localVar: #^TYPE_IN_LOCAL_VAR_IN_CONSTRUCTOR_1?check=TYPE_IN_LOCAL_VAR_IN_MEMBER_FUNC_1;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
deinit {
var localVar: #^TYPE_IN_LOCAL_VAR_IN_DESTRUCTOR_1?check=TYPE_IN_LOCAL_VAR_IN_MEMBER_FUNC_1;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
func test() {
var localVar: #^TYPE_IN_LOCAL_VAR_IN_INSTANCE_FUNC_1?check=TYPE_IN_LOCAL_VAR_IN_MEMBER_FUNC_1;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
}
// TYPE_IN_LOCAL_VAR_IN_MEMBER_FUNC_1: Begin completions
// TYPE_IN_LOCAL_VAR_IN_MEMBER_FUNC_1-DAG: Decl[Struct]/CurrNominal: NestedStruct[#NestedStruct#]{{; name=.+$}}
// TYPE_IN_LOCAL_VAR_IN_MEMBER_FUNC_1-DAG: Decl[Class]/CurrNominal: NestedClass[#NestedClass#]{{; name=.+$}}
// TYPE_IN_LOCAL_VAR_IN_MEMBER_FUNC_1-DAG: Decl[Enum]/CurrNominal: NestedEnum[#NestedEnum#]{{; name=.+$}}
// TYPE_IN_LOCAL_VAR_IN_MEMBER_FUNC_1-DAG: Decl[TypeAlias]/CurrNominal: NestedTypealias[#Int#]{{; name=.+$}}
// TYPE_IN_LOCAL_VAR_IN_MEMBER_FUNC_1: End completions
var TypeInGlobalVar1: #^TYPE_IN_GLOBAL_VAR_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
//===---
//===--- Test that we can complete types in typealias declarations.
//===---
typealias TypeInTypealias1 = #^TYPE_IN_TYPEALIAS_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
typealias TypeInTypealias2 = (#^TYPE_IN_TYPEALIAS_2?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func resyncParser0() {}
typealias TypeInTypealias3 = ((#^TYPE_IN_TYPEALIAS_3?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func resyncParser1() {}
//===---
//===--- Test that we can complete types in associated type declarations.
//===---
protocol AssocType1 {
associatedtype AssocType = #^TYPE_IN_ASSOC_TYPE_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
//===---
//===--- Test that we can complete types in inheritance clause of associated type declarations.
//===---
protocol AssocType1 {
associatedtype AssocType : #^TYPE_IN_ASSOC_TYPE_INHERITANCE_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
//===---
//===--- Test that we can complete types in extension declarations.
//===---
extension #^TYPE_IN_EXTENSION_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
//===---
//===--- Test that we can complete types in the extension inheritance clause.
//===---
extension TypeInExtensionInheritance1 : #^TYPE_IN_EXTENSION_INHERITANCE_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
extension TypeInExtensionInheritance2 : #^TYPE_IN_EXTENSION_INHERITANCE_2?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^# {
}
extension TypeInExtensionInheritance3 : FooProtocol, #^TYPE_IN_EXTENSION_INHERITANCE_3?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^# {
}
//===---
//===--- Test that we can complete types in the struct inheritance clause.
//===---
struct TypeInStructInheritance1 : #^TYPE_IN_STRUCT_INHERITANCE_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
struct TypeInStructInheritance2 : , #^TYPE_IN_STRUCT_INHERITANCE_2?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
struct TypeInStructInheritance3 : FooProtocol, #^TYPE_IN_STRUCT_INHERITANCE_3?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
// FIXME: 'check' shold be 'WITH_GLOBAL_TYPES'
struct TypeInStructInheritance4 : FooProtocol., #^TYPE_IN_STRUCT_INHERITANCE_4?check=WITH_GLOBAL_TYPES_EXPR^#
struct TypeInStructInheritance5 : #^TYPE_IN_STRUCT_INHERITANCE_5?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^# {
}
struct TypeInStructInheritance6 : , #^TYPE_IN_STRUCT_INHERITANCE_6?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^# {
}
struct TypeInStructInheritance7 : FooProtocol, #^TYPE_IN_STRUCT_INHERITANCE_7?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^# {
}
// FIXME: 'check' shold be 'WITH_GLOBAL_TYPES'
struct TypeInStructInheritance8 : FooProtocol., #^TYPE_IN_STRUCT_INHERITANCE_8?check=WITH_GLOBAL_TYPES_EXPR^# {
}
//===---
//===--- Test that we can complete types in the class inheritance clause.
//===---
class TypeInClassInheritance1 : #^TYPE_IN_CLASS_INHERITANCE_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^# {
}
class TypeInClassInheritance2 : #^TYPE_IN_CLASS_INHERITANCE_2?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
//===---
//===--- Test that we can complete types in the enum inheritance clause.
//===---
enum TypeInEnumInheritance1 : #^TYPE_IN_ENUM_INHERITANCE_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
enum TypeInEnumInheritance2 : #^TYPE_IN_ENUM_INHERITANCE_2?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^# {
}
//===---
//===--- Test that we can complete types in the protocol inheritance clause.
//===---
protocol TypeInProtocolInheritance1 : #^TYPE_IN_PROTOCOL_INHERITANCE_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
protocol TypeInProtocolInheritance2 : #^TYPE_IN_PROTOCOL_INHERITANCE_2?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^# {
}
//===---
//===--- Test that we can complete types in tuple types.
//===---
func testTypeInTupleType1() {
var localVar: (#^TYPE_IN_TUPLE_TYPE_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
func testTypeInTupleType2() {
var localVar: (a: #^TYPE_IN_TUPLE_TYPE_2?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
func testTypeInTupleType3() {
var localVar: (Int, #^TYPE_IN_TUPLE_TYPE_3?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
func testTypeInTupleType4() {
var localVar: (a: Int, #^TYPE_IN_TUPLE_TYPE_4?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
func testTypeInTupleType5() {
var localVar: (Int, a: #^TYPE_IN_TUPLE_TYPE_5?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
func testTypeInTupleType6() {
var localVar: (a:, #^TYPE_IN_TUPLE_TYPE_6?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
func testTypeInTupleType7() {
var localVar: (a: b: #^TYPE_IN_TUPLE_TYPE_7?xfail=FIXME^#
}
//===---
//===--- Test that we can complete types in function types.
//===---
func testTypeInFunctionType1() {
var localVar: #^TYPE_IN_FUNCTION_TYPE_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^# ->
}
func testTypeInFunctionType2() {
var localVar: (#^TYPE_IN_FUNCTION_TYPE_2?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#) -> ()
}
func testTypeInFunctionType3() {
var localVar: () -> #^TYPE_IN_FUNCTION_TYPE_3?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
func testTypeInFunctionType4() {
var localVar: (Int) -> #^TYPE_IN_FUNCTION_TYPE_4?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
func testTypeInFunctionType5() {
var localVar: (a: Int) -> #^TYPE_IN_FUNCTION_TYPE_5?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
func testTypeInFunctionType6() {
var localVar: (a: Int, ) -> #^TYPE_IN_FUNCTION_TYPE_6?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
//===---
//===--- Test that we can complete types in protocol compositions.
//===---
func testTypeInProtocolComposition1() {
var localVar: protocol<#^TYPE_IN_PROTOCOL_COMPOSITION_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
func testTypeInProtocolComposition2() {
var localVar: protocol<, #^TYPE_IN_PROTOCOL_COMPOSITION_2?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
func testTypeInProtocolComposition3() {
var localVar: protocol<FooProtocol, #^TYPE_IN_PROTOCOL_COMPOSITION_3?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
//===---
//===--- Test that we can complete types from extensions and base classes.
//===---
class VarBase1 {
var instanceVarBase1: #^TYPE_IN_INSTANCE_VAR_1?check=VAR_BASE_1_TYPES_INCONTEXT;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func paramNestedTypesBase1(a: #^TYPE_IN_FUNC_PARAM_NESTED_TYPES_1?check=VAR_BASE_1_TYPES_INCONTEXT;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func localVarBaseTest1() {
var localVar: #^TYPE_IN_LOCAL_VAR_1?check=VAR_BASE_1_TYPES_INCONTEXT;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
// Define types after all tests to test delayed parsing of decls.
struct BaseNestedStruct {}
class BaseNestedClass {}
enum BaseNestedEnum {
case BaseEnumX(Int)
}
typealias BaseNestedTypealias = Int
}
extension VarBase1 {
var instanceVarBaseExt1: #^TYPE_IN_INSTANCE_VAR_2?check=VAR_BASE_1_TYPES_INCONTEXT;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func paramNestedTypesBaseExt1(a: #^TYPE_IN_FUNC_PARAM_NESTED_TYPES_2?check=VAR_BASE_1_TYPES_INCONTEXT;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func localVarBaseExtTest1() {
var localVar: #^TYPE_IN_LOCAL_VAR_2?check=VAR_BASE_1_TYPES_INCONTEXT;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
// Define types after all tests to test delayed parsing of decls.
struct BaseExtNestedStruct {}
class BaseExtNestedClass {}
enum BaseExtNestedEnum {
case BaseExtEnumX(Int)
}
typealias BaseExtNestedTypealias = Int
}
// VAR_BASE_1_TYPES: Begin completions
// From VarBase1
// VAR_BASE_1_TYPES-DAG: Decl[Struct]/CurrNominal: BaseNestedStruct[#VarBase1.BaseNestedStruct#]{{; name=.+$}}
// VAR_BASE_1_TYPES-DAG: Decl[Class]/CurrNominal: BaseNestedClass[#VarBase1.BaseNestedClass#]{{; name=.+$}}
// VAR_BASE_1_TYPES-DAG: Decl[Enum]/CurrNominal: BaseNestedEnum[#VarBase1.BaseNestedEnum#]{{; name=.+$}}
// VAR_BASE_1_TYPES-DAG: Decl[TypeAlias]/CurrNominal: BaseNestedTypealias[#Int#]{{; name=.+$}}
// From VarBase1 extension
// VAR_BASE_1_TYPES-DAG: Decl[Struct]/CurrNominal: BaseExtNestedStruct[#VarBase1.BaseExtNestedStruct#]{{; name=.+$}}
// VAR_BASE_1_TYPES-DAG: Decl[Class]/CurrNominal: BaseExtNestedClass[#VarBase1.BaseExtNestedClass#]{{; name=.+$}}
// VAR_BASE_1_TYPES-DAG: Decl[Enum]/CurrNominal: BaseExtNestedEnum[#VarBase1.BaseExtNestedEnum#]{{; name=.+$}}
// VAR_BASE_1_TYPES-DAG: Decl[TypeAlias]/CurrNominal: BaseExtNestedTypealias[#Int#]{{; name=.+$}}
// VAR_BASE_1_TYPES: End completions
// VAR_BASE_1_TYPES_INCONTEXT: Begin completions
// From VarBase1
// VAR_BASE_1_TYPES_INCONTEXT-DAG: Decl[Struct]/CurrNominal: BaseNestedStruct[#BaseNestedStruct#]{{; name=.+$}}
// VAR_BASE_1_TYPES_INCONTEXT-DAG: Decl[Class]/CurrNominal: BaseNestedClass[#BaseNestedClass#]{{; name=.+$}}
// VAR_BASE_1_TYPES_INCONTEXT-DAG: Decl[Enum]/CurrNominal: BaseNestedEnum[#BaseNestedEnum#]{{; name=.+$}}
// VAR_BASE_1_TYPES_INCONTEXT-DAG: Decl[TypeAlias]/CurrNominal: BaseNestedTypealias[#Int#]{{; name=.+$}}
// From VarBase1 extension
// VAR_BASE_1_TYPES_INCONTEXT-DAG: Decl[Struct]/CurrNominal: BaseExtNestedStruct[#BaseExtNestedStruct#]{{; name=.+$}}
// VAR_BASE_1_TYPES_INCONTEXT-DAG: Decl[Class]/CurrNominal: BaseExtNestedClass[#BaseExtNestedClass#]{{; name=.+$}}
// VAR_BASE_1_TYPES_INCONTEXT-DAG: Decl[Enum]/CurrNominal: BaseExtNestedEnum[#BaseExtNestedEnum#]{{; name=.+$}}
// VAR_BASE_1_TYPES_INCONTEXT-DAG: Decl[TypeAlias]/CurrNominal: BaseExtNestedTypealias[#Int#]{{; name=.+$}}
// VAR_BASE_1_TYPES_INCONTEXT: End completions
// VAR_BASE_1_NO_DOT_TYPES: Begin completions
// From VarBase1
// VAR_BASE_1_NO_DOT_TYPES-DAG: Decl[Struct]/CurrNominal: .BaseNestedStruct[#VarBase1.BaseNestedStruct#]{{; name=.+$}}
// VAR_BASE_1_NO_DOT_TYPES-DAG: Decl[Class]/CurrNominal: .BaseNestedClass[#VarBase1.BaseNestedClass#]{{; name=.+$}}
// VAR_BASE_1_NO_DOT_TYPES-DAG: Decl[Enum]/CurrNominal: .BaseNestedEnum[#VarBase1.BaseNestedEnum#]{{; name=.+$}}
// VAR_BASE_1_NO_DOT_TYPES-DAG: Decl[TypeAlias]/CurrNominal: .BaseNestedTypealias[#Int#]{{; name=.+$}}
// From VarBase1 extension
// VAR_BASE_1_NO_DOT_TYPES-DAG: Decl[Struct]/CurrNominal: .BaseExtNestedStruct[#VarBase1.BaseExtNestedStruct#]{{; name=.+$}}
// VAR_BASE_1_NO_DOT_TYPES-DAG: Decl[Class]/CurrNominal: .BaseExtNestedClass[#VarBase1.BaseExtNestedClass#]{{; name=.+$}}
// VAR_BASE_1_NO_DOT_TYPES-DAG: Decl[Enum]/CurrNominal: .BaseExtNestedEnum[#VarBase1.BaseExtNestedEnum#]{{; name=.+$}}
// VAR_BASE_1_NO_DOT_TYPES-DAG: Decl[TypeAlias]/CurrNominal: .BaseExtNestedTypealias[#Int#]{{; name=.+$}}
// VAR_BASE_1_NO_DOT_TYPES: End completions
class VarDerived1 : VarBase1 {
var instanceVarDerived1 : #^TYPE_IN_INSTANCE_VAR_3?check=VAR_DERIVED_1_TYPES_INCONTEXT;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func paramNestedTypesDerived1(a: #^TYPE_IN_FUNC_PARAM_NESTED_TYPES_3?check=VAR_DERIVED_1_TYPES_INCONTEXT;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func localVarDerivedTest1() {
var localVar : #^TYPE_IN_LOCAL_VAR_3?check=VAR_DERIVED_1_TYPES_INCONTEXT;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
// Define types after all tests to test delayed parsing of decls.
struct DerivedNestedStruct {}
class DerivedNestedClass {}
enum DerivedNestedEnum {
case DerivedEnumX(Int)
}
typealias DerivedNestedTypealias = Int
}
extension VarDerived1 {
var instanceVarDerivedExt1 : #^TYPE_IN_INSTANCE_VAR_4?check=VAR_DERIVED_1_TYPES_INCONTEXT;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func paramNestedTypesDerivedExt1(a: #^TYPE_IN_FUNC_PARAM_NESTED_TYPES_4?check=VAR_DERIVED_1_TYPES_INCONTEXT;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func localVarDerivedExtTest1() {
var localVar : #^TYPE_IN_LOCAL_VAR_4?check=VAR_DERIVED_1_TYPES_INCONTEXT;check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
// Define types after all tests to test delayed parsing of decls.
struct DerivedExtNestedStruct {}
class DerivedExtNestedClass {}
enum DerivedExtNestedEnum {
case DerivedExtEnumX(Int)
}
typealias DerivedExtNestedTypealias = Int
}
// VAR_DERIVED_1_TYPES: Begin completions
// From VarBase1
// VAR_DERIVED_1_TYPES-DAG: Decl[Struct]/Super: BaseNestedStruct[#VarBase1.BaseNestedStruct#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES-DAG: Decl[Class]/Super: BaseNestedClass[#VarBase1.BaseNestedClass#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES-DAG: Decl[Enum]/Super: BaseNestedEnum[#VarBase1.BaseNestedEnum#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES-DAG: Decl[TypeAlias]/Super: BaseNestedTypealias[#Int#]{{; name=.+$}}
// From VarBase1 extension
// VAR_DERIVED_1_TYPES-DAG: Decl[Struct]/Super: BaseExtNestedStruct[#VarBase1.BaseExtNestedStruct#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES-DAG: Decl[Class]/Super: BaseExtNestedClass[#VarBase1.BaseExtNestedClass#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES-DAG: Decl[Enum]/Super: BaseExtNestedEnum[#VarBase1.BaseExtNestedEnum#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES-DAG: Decl[TypeAlias]/Super: BaseExtNestedTypealias[#Int#]{{; name=.+$}}
// From VarDerived1
// VAR_DERIVED_1_TYPES-DAG: Decl[Struct]/CurrNominal: DerivedNestedStruct[#VarDerived1.DerivedNestedStruct#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES-DAG: Decl[Class]/CurrNominal: DerivedNestedClass[#VarDerived1.DerivedNestedClass#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES-DAG: Decl[Enum]/CurrNominal: DerivedNestedEnum[#VarDerived1.DerivedNestedEnum#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES-DAG: Decl[TypeAlias]/CurrNominal: DerivedNestedTypealias[#Int#]{{; name=.+$}}
// From VarDerived1 extension
// VAR_DERIVED_1_TYPES-DAG: Decl[Struct]/CurrNominal: DerivedExtNestedStruct[#VarDerived1.DerivedExtNestedStruct#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES-DAG: Decl[Class]/CurrNominal: DerivedExtNestedClass[#VarDerived1.DerivedExtNestedClass#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES-DAG: Decl[Enum]/CurrNominal: DerivedExtNestedEnum[#VarDerived1.DerivedExtNestedEnum#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES-DAG: Decl[TypeAlias]/CurrNominal: DerivedExtNestedTypealias[#Int#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES: End completions
// VAR_DERIVED_1_TYPES_INCONTEXT: Begin completions
// From VarBase1
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[Struct]/Super: BaseNestedStruct[#VarBase1.BaseNestedStruct#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[Class]/Super: BaseNestedClass[#VarBase1.BaseNestedClass#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[Enum]/Super: BaseNestedEnum[#VarBase1.BaseNestedEnum#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[TypeAlias]/Super: BaseNestedTypealias[#Int#]{{; name=.+$}}
// From VarBase1 extension
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[Struct]/Super: BaseExtNestedStruct[#VarBase1.BaseExtNestedStruct#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[Class]/Super: BaseExtNestedClass[#VarBase1.BaseExtNestedClass#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[Enum]/Super: BaseExtNestedEnum[#VarBase1.BaseExtNestedEnum#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[TypeAlias]/Super: BaseExtNestedTypealias[#Int#]{{; name=.+$}}
// From VarDerived1
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[Struct]/CurrNominal: DerivedNestedStruct[#DerivedNestedStruct#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[Class]/CurrNominal: DerivedNestedClass[#DerivedNestedClass#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[Enum]/CurrNominal: DerivedNestedEnum[#DerivedNestedEnum#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[TypeAlias]/CurrNominal: DerivedNestedTypealias[#Int#]{{; name=.+$}}
// From VarDerived1 extension
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[Struct]/CurrNominal: DerivedExtNestedStruct[#DerivedExtNestedStruct#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[Class]/CurrNominal: DerivedExtNestedClass[#DerivedExtNestedClass#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[Enum]/CurrNominal: DerivedExtNestedEnum[#DerivedExtNestedEnum#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES_INCONTEXT-DAG: Decl[TypeAlias]/CurrNominal: DerivedExtNestedTypealias[#Int#]{{; name=.+$}}
// VAR_DERIVED_1_TYPES_INCONTEXT: End completions
//===---
//===--- Test that we can complete based on user-provided type-identifier.
//===---
func testTypeIdentifierBase1(a: VarBase1.#^TYPE_IDENTIFIER_BASE_1?check=VAR_BASE_1_TYPES;check=WITHOUT_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func testTypeIdentifierBase2(a: Int, b: VarBase1.#^TYPE_IDENTIFIER_BASE_2?check=VAR_BASE_1_TYPES;check=WITHOUT_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func testTypeIdentifierBase3(a: unknown_type, b: VarBase1.#^TYPE_IDENTIFIER_BASE_3?check=VAR_BASE_1_TYPES;check=WITHOUT_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func testTypeIdentifierBase4(a: , b: VarBase1.#^TYPE_IDENTIFIER_BASE_4?check=VAR_BASE_1_TYPES;check=WITHOUT_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func testTypeIdentifierBaseNoDot1(a: VarBase1#^TYPE_IDENTIFIER_BASE_NO_DOT_1?check=VAR_BASE_1_NO_DOT_TYPES;check=WITHOUT_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func testTypeIdentifierBaseNoDot2() {
var localVar : protocol<VarBase1#^TYPE_IDENTIFIER_BASE_NO_DOT_2?check=VAR_BASE_1_NO_DOT_TYPES;check=WITHOUT_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
typealias testTypeIdentifierBaseNoDot3 = VarBase1#^TYPE_IDENTIFIER_BASE_NO_DOT_3?check=VAR_BASE_1_NO_DOT_TYPES;check=WITHOUT_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func testTypeIdentifierDerived1(a: VarDerived1.#^TYPE_IDENTIFIER_DERIVED_1?check=VAR_DERIVED_1_TYPES;check=WITHOUT_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func testTypeIdentifierDerived2() {
var localVar : protocol<VarDerived1.#^TYPE_IDENTIFIER_DERIVED_2?check=VAR_DERIVED_1_TYPES;check=WITHOUT_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
typealias testTypeIdentifierDerived3 = VarDerived1.#^TYPE_IDENTIFIER_DERIVED_3?check=VAR_DERIVED_1_TYPES;check=WITHOUT_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
func testTypeIdentifierGeneric1<
GenericFoo : FooProtocol
>(a: GenericFoo.#^TYPE_IDENTIFIER_GENERIC_1?check=TYPE_IDENTIFIER_GENERIC_1;check=WITHOUT_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
// TYPE_IDENTIFIER_GENERIC_1: Begin completions
// TYPE_IDENTIFIER_GENERIC_1-NEXT: Decl[AssociatedType]/CurrNominal: FooTypeAlias1{{; name=.+$}}
// TYPE_IDENTIFIER_GENERIC_1-NEXT: Keyword/None: Type[#GenericFoo.Type#]
// TYPE_IDENTIFIER_GENERIC_1-NEXT: End completions
func testTypeIdentifierGeneric2<
GenericFoo : FooProtocol & BarProtocol
>(a: GenericFoo.#^TYPE_IDENTIFIER_GENERIC_2?check=TYPE_IDENTIFIER_GENERIC_2;check=WITHOUT_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
// TYPE_IDENTIFIER_GENERIC_2: Begin completions
// TYPE_IDENTIFIER_GENERIC_2-NEXT: Decl[AssociatedType]/CurrNominal: BarTypeAlias1{{; name=.+$}}
// TYPE_IDENTIFIER_GENERIC_2-NEXT: Decl[AssociatedType]/CurrNominal: FooTypeAlias1{{; name=.+$}}
// TYPE_IDENTIFIER_GENERIC_2-NEXT: Keyword/None: Type[#GenericFoo.Type#]
// TYPE_IDENTIFIER_GENERIC_2-NEXT: End completions
func testTypeIdentifierGeneric3<
GenericFoo>(a: GenericFoo.#^TYPE_IDENTIFIER_GENERIC_3^#
// TYPE_IDENTIFIER_GENERIC_3: Begin completions
// TYPE_IDENTIFIER_GENERIC_3-NEXT: Keyword/None: Type[#GenericFoo.Type#]
// TYPE_IDENTIFIER_GENERIC_3-NOT: Keyword/CurrNominal: self[#GenericFoo#]
// TYPE_IDENTIFIER_GENERIC_3-NEXT: End completions
func testTypeIdentifierIrrelevant1() {
var a: Int
#^TYPE_IDENTIFIER_IRRELEVANT_1^#
}
// TYPE_IDENTIFIER_IRRELEVANT_1: Begin completions
// TYPE_IDENTIFIER_IRRELEVANT_1-DAG: Decl[LocalVar]/Local: a[#Int#]{{; name=.+$}}
// TYPE_IDENTIFIER_IRRELEVANT_1-DAG: Decl[GlobalVar]/CurrModule: fooObject[#FooStruct#]{{; name=.+$}}
// TYPE_IDENTIFIER_IRRELEVANT_1: End completions
//===---
//===--- Test that we can complete types in 'as' cast.
//===---
func testAsCast1(a: Int) {
a as #^INSIDE_AS_CAST_1?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#
}
//===---
//===--- Test that we can complete generic typealiases.
//===---
func testGenericTypealias1() {
typealias MyPair<T> = (T, T)
let x: #^GENERIC_TYPEALIAS_1^#
}
// FIXME: should we use the alias name in the annotation?
// GENERIC_TYPEALIAS_1: Decl[TypeAlias]/Local: MyPair[#(T, T)#];
func testGenericTypealias2() {
typealias MyPair<T> = (T, T)
let x: MyPair<#^GENERIC_TYPEALIAS_2?check=WITH_GLOBAL_TYPES;check=GLOBAL_NEGATIVE^#>
}
// In generic argument
struct GenStruct<T> { }
let a : GenStruct<#^GENERIC_ARGS_TOPLEVEL_VAR?check=WITH_GLOBAL_TYPES^#
func foo1(x: GenStruct<#^GENERIC_ARGS_TOPLEVEL_PARAM?check=WITH_GLOBAL_TYPES^#
func foo2() -> GenStruct<#^GENERIC_ARGS_TOPLEVEL_RETURN?check=WITH_GLOBAL_TYPES^#
class _TestForGenericArg_ {
let a : GenStruct<#^GENERIC_ARGS_MEMBER_VAR?check=WITH_GLOBAL_TYPES^#
func foo1(x: GenStruct<#^GENERIC_ARGS_MEMBER_PARAM?check=WITH_GLOBAL_TYPES^#
func foo2() -> GenStruct<#^GENERIC_ARGS_MEMBER_RETURN?check=WITH_GLOBAL_TYPES^#
}
func _testForGenericArg_() {
let a : GenStruct<#^GENERIC_ARGS_LOCAL_VAR?check=WITH_GLOBAL_TYPES^#
func foo1(x: GenStruct<#^GENERIC_ARGS_LOCAL_PARAM?check=WITH_GLOBAL_TYPES^#
func foo2() -> GenStruct<#^GENERIC_ARGS_LOCAL_RETURN?check=WITH_GLOBAL_TYPES^#
}
func testProtocol() {
let _: FooProtocol.#^PROTOCOL_DOT_1^#
// PROTOCOL_DOT_1: Begin completions, 3 items
// PROTOCOL_DOT_1-DAG: Decl[AssociatedType]/CurrNominal: FooTypeAlias1; name=FooTypeAlias1
// PROTOCOL_DOT_1-DAG: Keyword/None: Protocol[#FooProtocol.Protocol#]; name=Protocol
// PROTOCOL_DOT_1-DAG: Keyword/None: Type[#FooProtocol.Type#]; name=Type
// PROTOCOL_DOT_1: End completions
}
//===---
//===--- Test we can complete unbound generic types
//===---
public final class Task<Success> {
public enum Inner {
public typealias Failure = Int
case success(Success)
case failure(Failure)
}
}
extension Task.Inner {
public init(left error: Failure) {
fatalError()
}
}
extension Task.Inner.#^UNBOUND_DOT_1?check=UNBOUND_DOT^# {}
func testUnbound(x: Task.Inner.#^UNBOUND_DOT_2?check=UNBOUND_DOT^#) {}
// UNBOUND_DOT: Begin completions
// UNBOUND_DOT-DAG: Decl[TypeAlias]/CurrNominal: Failure[#Int#]; name=Failure
// UNBOUND_DOT-DAG: Keyword/None: Type[#Task.Inner.Type#]; name=Type
// UNBOUND_DOT: End completions
protocol MyProtocol {}
struct OuterStruct<U> {
class Inner<V>: MyProtocol {}
}
func testUnbound2(x: OuterStruct<Int>.Inner.#^UNBOUND_DOT_3^#) {}
// UNBOUND_DOT_3: Begin completions
// UNBOUND_DOT_3-DAG: Keyword/None: Type[#OuterStruct<Int>.Inner.Type#]; name=Type
// UNBOUND_DOT_3: End completions
// rdar://problem/67102794
struct HasProtoAlias {
typealias ProtoAlias = FooProtocol
}
extension FooStruct: HasProtoAlias.#^EXTENSION_INHERITANCE_1?check=EXTENSION_INHERITANCE^# {}
struct ContainExtension {
extension FooStruct: HasProtoAlias.#^EXTENSION_INHERITANCE_2?check=EXTENSION_INHERITANCE^# {}
}
// EXTENSION_INHERITANCE: Begin completions, 2 items
// EXTENSION_INHERITANCE-DAG: Decl[TypeAlias]/CurrNominal: ProtoAlias[#FooProtocol#];
// EXTENSION_INHERITANCE-DAG: Keyword/None: Type[#HasProtoAlias.Type#];
// EXTENSION_INHERITANCE: End completions
var _: (() -> #^IN_POSTFIX_BASE_1?check=WITH_GLOBAL_TYPES^#)?
var _: (() -> #^IN_POSTFIX_BASE_2?check=WITH_GLOBAL_TYPES^#)!
var _: (() -> #^IN_POSTFIX_BASE_3?check=WITH_GLOBAL_TYPES^#)[1]
var _: (() -> #^IN_POSTFIX_BASE_4?check=WITH_GLOBAL_TYPES^#).Protocol
var _: (() -> #^IN_POSTFIX_BASE_5?check=WITH_GLOBAL_TYPES^#).Type
struct HaveNested {
struct Nested {}
}
var _: HaveNested.#^IN_POSTFIX_BASE_MEMBER_1?check=POSTFIX_BASE_MEMBER^#?
var _: HaveNested.#^IN_POSTFIX_BASE_MEMBER_2?check=POSTFIX_BASE_MEMBER^#!
var _: HaveNested.#^IN_POSTFIX_BASE_MEMBER_3?check=POSTFIX_BASE_MEMBER^#[1]
var _: HaveNested.#^IN_POSTFIX_BASE_MEMBER_4?check=POSTFIX_BASE_MEMBER^#.Protocol
var _: HaveNested.#^IN_POSTFIX_BASE_MEMBER_5?check=POSTFIX_BASE_MEMBER^#.Type
// POSTFIX_BASE_MEMBER: Begin completions, 2 items
// POSTFIX_BASE_MEMBER-DAG: Decl[Struct]/CurrNominal: Nested[#HaveNested.Nested#];
// POSTFIX_BASE_MEMBER-DAG: Keyword/None: Type[#HaveNested.Type#];
// POSTFIX_BASE_MEMBER: End completions
| apache-2.0 | d2c10e069b5f9a081daa7a97bb45b1ee | 45.471095 | 163 | 0.725576 | 3.645759 | false | true | false | false |
ngageoint/mage-ios | Mage/LocationDataStore.swift | 1 | 5902 | //
// LocationDataStore.swift
// MAGE
//
// Created by Daniel Barela on 7/14/21.
// Copyright © 2021 National Geospatial Intelligence Agency. All rights reserved.
//
import Foundation
class LocationDataStore: NSObject {
var tableView: UITableView;
var scheme: MDCContainerScheming?;
var locations: Locations?;
weak var actionsDelegate: UserActionsDelegate?;
var emptyView: UIView?
public init(tableView: UITableView, actionsDelegate: UserActionsDelegate?, emptyView: UIView? = nil, scheme: MDCContainerScheming?) {
self.scheme = scheme;
self.tableView = tableView;
self.actionsDelegate = actionsDelegate;
self.emptyView = emptyView
super.init();
self.tableView.dataSource = self;
self.tableView.delegate = self;
}
func applyTheme(withContainerScheme containerScheme: MDCContainerScheming?) {
self.scheme = containerScheme;
}
func startFetchController(locations: Locations? = nil) {
if (locations == nil) {
self.locations = Locations.forAllUsers();
} else {
self.locations = locations;
}
self.locations?.delegate = self;
do {
try self.locations?.fetchedResultsController.performFetch()
} catch {
print("Error fetching locations \(error) \(error.localizedDescription)")
}
self.tableView.reloadData();
}
func updatePredicates() {
self.locations?.fetchedResultsController.fetchRequest.predicate = NSCompoundPredicate(andPredicateWithSubpredicates: Locations.getPredicatesForLocations() as! [NSPredicate]);
do {
try self.locations?.fetchedResultsController.performFetch()
} catch {
print("Error fetching users \(error) \(error.localizedDescription)")
}
self.tableView.reloadData();
}
}
extension LocationDataStore: UITableViewDataSource {
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
let sectionInfo: NSFetchedResultsSectionInfo? = self.locations?.fetchedResultsController.sections?[section];
let number = sectionInfo?.numberOfObjects ?? 0;
if number == 0 {
tableView.backgroundView = emptyView
} else {
tableView.backgroundView = nil
}
return number
}
func numberOfSections(in tableView: UITableView) -> Int {
return self.locations?.fetchedResultsController.sections?.count ?? 0;
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeue(cellClass: PersonTableViewCell.self, forIndexPath: indexPath);
configure(cell: cell, at: indexPath);
return cell;
}
func configure(cell: PersonTableViewCell, at indexPath: IndexPath) {
if let controller = self.locations?.fetchedResultsController as? NSFetchedResultsController<Location> {
let location: Location = controller.object(at: indexPath)
cell.configure(location: location, actionsDelegate: actionsDelegate, scheme: scheme);
}
}
}
extension LocationDataStore: UITableViewDelegate {
func tableView(_ tableView: UITableView, heightForFooterInSection section: Int) -> CGFloat {
return CGFloat.leastNormalMagnitude;
}
func tableView(_ tableView: UITableView, heightForHeaderInSection section: Int) -> CGFloat {
return CGFloat.leastNormalMagnitude;
}
func tableView(_ tableView: UITableView, viewForFooterInSection section: Int) -> UIView? {
return UIView();
}
func tableView(_ tableView: UITableView, viewForHeaderInSection section: Int) -> UIView? {
return UIView();
}
}
extension LocationDataStore: NSFetchedResultsControllerDelegate {
func controller(_ controller: NSFetchedResultsController<NSFetchRequestResult>, didChange anObject: Any, at indexPath: IndexPath?, for type: NSFetchedResultsChangeType, newIndexPath: IndexPath?) {
switch type {
case .insert:
if let insertIndexPath = newIndexPath {
self.tableView.insertRows(at: [insertIndexPath], with: .fade);
}
break;
case .delete:
if let deleteIndexPath = indexPath {
self.tableView.deleteRows(at: [deleteIndexPath], with: .fade);
}
break;
case .update:
if let updateIndexPath = indexPath {
self.tableView.reloadRows(at: [updateIndexPath], with: .none);
}
break;
case .move:
if let deleteIndexPath = indexPath {
self.tableView.deleteRows(at: [deleteIndexPath], with: .fade);
}
if let insertIndexPath = newIndexPath {
self.tableView.insertRows(at: [insertIndexPath], with: .fade);
}
break;
default:
break;
}
}
func controller(_ controller: NSFetchedResultsController<NSFetchRequestResult>, didChange sectionInfo: NSFetchedResultsSectionInfo, atSectionIndex sectionIndex: Int, for type: NSFetchedResultsChangeType) {
switch type {
case .insert:
self.tableView.insertSections(IndexSet(integer: sectionIndex), with: .fade);
break;
case .delete:
self.tableView.deleteSections(IndexSet(integer: sectionIndex), with: .fade);
break;
default:
break;
}
}
func controllerDidChangeContent(_ controller: NSFetchedResultsController<NSFetchRequestResult>) {
self.tableView.endUpdates();
}
func controllerWillChangeContent(_ controller: NSFetchedResultsController<NSFetchRequestResult>) {
self.tableView.beginUpdates();
}
}
| apache-2.0 | 47e36683894e2b6d2c273a6d7aba0992 | 35.652174 | 209 | 0.647517 | 5.582781 | false | false | false | false |
marcelmueller/MyWeight | MyWeight/Views/Style.swift | 1 | 2033 | //
// Style.swift
// MyWeight
//
// Created by Diogo on 09/10/16.
// Copyright © 2016 Diogo Tridapalli. All rights reserved.
//
import UIKit
public protocol StyleProvider {
var backgroundColor: UIColor { get }
var separatorColor: UIColor { get }
var textColor: UIColor { get }
var textLightColor: UIColor { get }
var textInTintColor: UIColor { get }
var tintColor: UIColor { get }
var title1: UIFont { get }
var title2: UIFont { get }
var title3: UIFont { get }
var body: UIFont { get }
var callout: UIFont { get }
var subhead: UIFont { get }
var footnote: UIFont { get }
var grid: CGFloat { get }
}
public struct Style: StyleProvider {
public let backgroundColor: UIColor = Style.white
public let separatorColor: UIColor = Style.lightGray
public let textColor: UIColor = Style.black
public let textLightColor: UIColor = Style.gray
public let textInTintColor: UIColor = Style.lightGray
public let tintColor: UIColor = Style.teal
public let title1 = UIFont.systemFont(ofSize: 42, weight: UIFontWeightHeavy)
public let title2 = UIFont.systemFont(ofSize: 28, weight: UIFontWeightSemibold)
public let title3 = UIFont.systemFont(ofSize: 22, weight: UIFontWeightBold)
public let body = UIFont.systemFont(ofSize: 20, weight: UIFontWeightMedium)
public let callout = UIFont.systemFont(ofSize: 18, weight: UIFontWeightMedium)
public let subhead = UIFont.systemFont(ofSize: 15, weight: UIFontWeightMedium)
public let footnote = UIFont.systemFont(ofSize: 13, weight: UIFontWeightMedium)
public let grid: CGFloat = 8
static let teal = UIColor(red: 81/255, green: 203/255, blue: 212/255, alpha: 1)
static let black = UIColor(red: 67/255, green: 70/255, blue: 75/255, alpha: 1)
static let gray = UIColor(red: 168/255, green: 174/255, blue: 186/255, alpha: 1)
static let lightGray = UIColor(red: 241/255, green: 243/255, blue: 246/255, alpha: 1)
static let white = UIColor(white: 1, alpha: 1)
}
| mit | 98616650788db2d4db05d197bdc37a22 | 32.311475 | 89 | 0.694882 | 3.937984 | false | false | false | false |
sbennett912/SwiftGL | SwiftGL/Constants.swift | 1 | 8969 | //
// Constants.swift
// SwiftGL
//
// Created by Scott Bennett on 2014-06-17.
// Copyright (c) 2014 Scott Bennett. All rights reserved.
//
#if os(OSX)
import OpenGL.GL3
// glDebug(__FILE__, __LINE__)
public func glDebug(filename: String, line: Int) {
var error = glGetError()
while error != GLenum(GL_NO_ERROR) {
var errMsg: String
switch error {
case GL_INVALID_ENUM: errMsg = "GL_INVALID_ENUM"
case GL_INVALID_VALUE: errMsg = "GL_INVALID_VALUE"
case GL_INVALID_OPERATION: errMsg = "GL_INVALID_OPERATION"
case GL_INVALID_FRAMEBUFFER_OPERATION: errMsg = "GL_INVALID_FRAMEBUFFER_OPERATION"
case GL_OUT_OF_MEMORY: errMsg = "GL_OUT_OF_MEMORY"
default: errMsg = String(format: "0x%2X", error)
}
print("ERROR: \(filename):\(line) - \(errMsg)")
error = glGetError()
}
}
// Boolean Constants
public let GL_FALSE = GLboolean(OpenGL.GL_FALSE)
public let GL_TRUE = GLboolean(OpenGL.GL_TRUE)
// Error Constants
public let GL_NO_ERROR = GLenum(OpenGL.GL_NO_ERROR)
public let GL_INVALID_ENUM = GLenum(OpenGL.GL_INVALID_ENUM)
public let GL_INVALID_VALUE = GLenum(OpenGL.GL_INVALID_VALUE)
public let GL_INVALID_OPERATION = GLenum(OpenGL.GL_INVALID_OPERATION)
public let GL_INVALID_FRAMEBUFFER_OPERATION = GLenum(OpenGL.GL_INVALID_FRAMEBUFFER_OPERATION)
public let GL_OUT_OF_MEMORY = GLenum(OpenGL.GL_OUT_OF_MEMORY)
// Clear Buffer Constants
public let GL_COLOR_BUFFER_BIT = GLbitfield(OpenGL.GL_COLOR_BUFFER_BIT)
public let GL_DEPTH_BUFFER_BIT = GLbitfield(OpenGL.GL_DEPTH_BUFFER_BIT)
public let GL_STENCIL_BUFFER_BIT = GLbitfield(OpenGL.GL_STENCIL_BUFFER_BIT)
// Primitive Type Constants
public let GL_POINTS = GLenum(OpenGL.GL_POINTS)
public let GL_LINES = GLenum(OpenGL.GL_LINES)
public let GL_LINE_LOOP = GLenum(OpenGL.GL_LINE_LOOP)
public let GL_LINE_STRIP = GLenum(OpenGL.GL_LINE_STRIP)
public let GL_TRIANGLES = GLenum(OpenGL.GL_TRIANGLES)
public let GL_TRIANGLE_FAN = GLenum(OpenGL.GL_TRIANGLE_FAN)
public let GL_TRIANGLE_STRIP = GLenum(OpenGL.GL_TRIANGLE_STRIP)
public let GL_QUADS = GLenum(OpenGL.GL_QUADS)
// Shader Constants
public let GL_VERTEX_SHADER = GLenum(OpenGL.GL_VERTEX_SHADER)
public let GL_FRAGMENT_SHADER = GLenum(OpenGL.GL_FRAGMENT_SHADER)
public let GL_GEOMETRY_SHADER = GLenum(OpenGL.GL_GEOMETRY_SHADER)
// Vertex Buffer Object
public let GL_ARRAY_BUFFER = GLenum(OpenGL.GL_ARRAY_BUFFER)
public let GL_ELEMENT_ARRAY_BUFFER = GLenum(OpenGL.GL_ELEMENT_ARRAY_BUFFER)
public let GL_DYNAMIC_DRAW = GLenum(OpenGL.GL_DYNAMIC_DRAW)
public let GL_STATIC_DRAW = GLenum(OpenGL.GL_STATIC_DRAW)
// Texture Constants
public let GL_TEXTURE_2D = GLenum(OpenGL.GL_TEXTURE_2D)
public let GL_TEXTURE0 = GLenum(OpenGL.GL_TEXTURE0)
// Type Constants
public let GL_BYTE = GLenum(OpenGL.GL_BYTE)
public let GL_SHORT = GLenum(OpenGL.GL_SHORT)
public let GL_INT = GLenum(OpenGL.GL_INT)
public let GL_FLOAT = GLenum(OpenGL.GL_FLOAT)
public let GL_DOUBLE = GLenum(OpenGL.GL_DOUBLE)
public let GL_UNSIGNED_BYTE = GLenum(OpenGL.GL_UNSIGNED_BYTE)
public let GL_UNSIGNED_SHORT = GLenum(OpenGL.GL_UNSIGNED_SHORT)
public let GL_UNSIGNED_INT = GLenum(OpenGL.GL_UNSIGNED_INT)
// Comparison Constants
public let GL_NEVER = GLenum(OpenGL.GL_NEVER)
public let GL_ALWAYS = GLenum(OpenGL.GL_ALWAYS)
public let GL_EQUAL = GLenum(OpenGL.GL_EQUAL)
public let GL_NOTEQUAL = GLenum(OpenGL.GL_NOTEQUAL)
public let GL_LESS = GLenum(OpenGL.GL_LESS)
public let GL_GREATER = GLenum(OpenGL.GL_GREATER)
public let GL_LEQUAL = GLenum(OpenGL.GL_LEQUAL)
public let GL_GEQUAL = GLenum(OpenGL.GL_GEQUAL)
// Enable Constants
public let GL_BLEND = GLenum(OpenGL.GL_BLEND)
public let GL_DEPTH_TEST = GLenum(OpenGL.GL_DEPTH_TEST)
public let GL_CULL_FACE = GLenum(OpenGL.GL_CULL_FACE)
// Blend Constants
public let GL_ZERO = GLenum(OpenGL.GL_ZERO)
public let GL_ONE = GLenum(OpenGL.GL_ONE)
public let GL_SRC_ALPHA = GLenum(OpenGL.GL_SRC_ALPHA)
public let GL_ONE_MINUS_SRC_ALPHA = GLenum(OpenGL.GL_ONE_MINUS_SRC_ALPHA)
// Cull Face Constants
public let GL_FRONT = GLenum(OpenGL.GL_FRONT)
public let GL_BACK = GLenum(OpenGL.GL_BACK)
public let GL_FRONT_AND_BACK = GLenum(OpenGL.GL_FRONT_AND_BACK)
#else
import OpenGLES.ES2.gl
// glDebug(__FILE__, __LINE__)
public func glDebug(filename: String, line: Int) {
var error = glGetError()
while error != GLenum(GL_NO_ERROR) {
var errMsg: String
switch error {
case GL_INVALID_ENUM: errMsg = "GL_INVALID_ENUM"
case GL_INVALID_VALUE: errMsg = "GL_INVALID_VALUE"
case GL_INVALID_OPERATION: errMsg = "GL_INVALID_OPERATION"
case GL_INVALID_FRAMEBUFFER_OPERATION: errMsg = "GL_INVALID_FRAMEBUFFER_OPERATION"
case GL_OUT_OF_MEMORY: errMsg = "GL_OUT_OF_MEMORY"
case GL_STACK_UNDERFLOW: errMsg = "GL_STACK_UNDERFLOW"
case GL_STACK_OVERFLOW: errMsg = "GL_STACK_OVERFLOW"
default: errMsg = String(format: "0x%2X", error)
}
print("ERROR: \(filename):\(line) - \(errMsg)")
error = glGetError()
}
}
// Boolean Constants
public let GL_FALSE = GLboolean(OpenGLES.GL_FALSE)
public let GL_TRUE = GLboolean(OpenGLES.GL_TRUE)
// Error Constants
public let GL_NO_ERROR = GLenum(OpenGLES.GL_NO_ERROR)
public let GL_INVALID_ENUM = GLenum(OpenGLES.GL_INVALID_ENUM)
public let GL_INVALID_VALUE = GLenum(OpenGLES.GL_INVALID_VALUE)
public let GL_INVALID_OPERATION = GLenum(OpenGLES.GL_INVALID_OPERATION)
public let GL_INVALID_FRAMEBUFFER_OPERATION = GLenum(OpenGLES.GL_INVALID_FRAMEBUFFER_OPERATION)
public let GL_OUT_OF_MEMORY = GLenum(OpenGLES.GL_OUT_OF_MEMORY)
public let GL_STACK_UNDERFLOW = GLenum(OpenGLES.GL_STACK_UNDERFLOW)
public let GL_STACK_OVERFLOW = GLenum(OpenGLES.GL_STACK_OVERFLOW)
// Clear Buffer Constants
public let GL_COLOR_BUFFER_BIT = GLbitfield(OpenGLES.GL_COLOR_BUFFER_BIT)
public let GL_DEPTH_BUFFER_BIT = GLbitfield(OpenGLES.GL_DEPTH_BUFFER_BIT)
public let GL_STENCIL_BUFFER_BIT = GLbitfield(OpenGLES.GL_STENCIL_BUFFER_BIT)
// Primitive Type Constants
public let GL_POINTS = GLenum(OpenGLES.GL_POINTS)
public let GL_LINES = GLenum(OpenGLES.GL_LINES)
public let GL_LINE_LOOP = GLenum(OpenGLES.GL_LINE_LOOP)
public let GL_LINE_STRIP = GLenum(OpenGLES.GL_LINE_STRIP)
public let GL_TRIANGLES = GLenum(OpenGLES.GL_TRIANGLES)
public let GL_TRIANGLE_FAN = GLenum(OpenGLES.GL_TRIANGLE_FAN)
public let GL_TRIANGLE_STRIP = GLenum(OpenGLES.GL_TRIANGLE_STRIP)
// Shader Constants
public let GL_VERTEX_SHADER = GLenum(OpenGLES.GL_VERTEX_SHADER)
public let GL_FRAGMENT_SHADER = GLenum(OpenGLES.GL_FRAGMENT_SHADER)
// Vertex Buffer Object
public let GL_ARRAY_BUFFER = GLenum(OpenGLES.GL_ARRAY_BUFFER)
public let GL_ELEMENT_ARRAY_BUFFER = GLenum(OpenGLES.GL_ELEMENT_ARRAY_BUFFER)
public let GL_DYNAMIC_DRAW = GLenum(OpenGLES.GL_DYNAMIC_DRAW)
public let GL_STATIC_DRAW = GLenum(OpenGLES.GL_STATIC_DRAW)
// Texture Constants
public let GL_TEXTURE_2D = GLenum(OpenGLES.GL_TEXTURE_2D)
public let GL_TEXTURE0 = GLenum(OpenGLES.GL_TEXTURE0)
// Type Constants
public let GL_BYTE = GLenum(OpenGLES.GL_BYTE)
public let GL_SHORT = GLenum(OpenGLES.GL_SHORT)
public let GL_INT = GLenum(OpenGLES.GL_INT)
public let GL_FLOAT = GLenum(OpenGLES.GL_FLOAT)
public let GL_UNSIGNED_BYTE = GLenum(OpenGLES.GL_UNSIGNED_BYTE)
public let GL_UNSIGNED_SHORT = GLenum(OpenGLES.GL_UNSIGNED_SHORT)
public let GL_UNSIGNED_INT = GLenum(OpenGLES.GL_UNSIGNED_INT)
// Comparison Constants
public let GL_NEVER = GLenum(OpenGLES.GL_NEVER)
public let GL_ALWAYS = GLenum(OpenGLES.GL_ALWAYS)
public let GL_EQUAL = GLenum(OpenGLES.GL_EQUAL)
public let GL_NOTEQUAL = GLenum(OpenGLES.GL_NOTEQUAL)
public let GL_LESS = GLenum(OpenGLES.GL_LESS)
public let GL_GREATER = GLenum(OpenGLES.GL_GREATER)
public let GL_LEQUAL = GLenum(OpenGLES.GL_LEQUAL)
public let GL_GEQUAL = GLenum(OpenGLES.GL_GEQUAL)
// Enable Constants
public let GL_BLEND = GLenum(OpenGLES.GL_BLEND)
public let GL_DEPTH_TEST = GLenum(OpenGLES.GL_DEPTH_TEST)
public let GL_CULL_FACE = GLenum(OpenGLES.GL_CULL_FACE)
// Blend Constants
public let GL_ZERO = GLenum(OpenGLES.GL_ZERO)
public let GL_ONE = GLenum(OpenGLES.GL_ONE)
public let GL_SRC_ALPHA = GLenum(OpenGLES.GL_SRC_ALPHA)
public let GL_ONE_MINUS_SRC_ALPHA = GLenum(OpenGLES.GL_ONE_MINUS_SRC_ALPHA)
// Cull Face Constants
public let GL_FRONT = GLenum(OpenGLES.GL_FRONT)
public let GL_BACK = GLenum(OpenGLES.GL_BACK)
public let GL_FRONT_AND_BACK = GLenum(OpenGLES.GL_FRONT_AND_BACK)
#endif
| mit | 917cf8860de4b1612442bc0fb60f226f | 40.911215 | 99 | 0.697068 | 3.344146 | false | false | false | false |
AfricanSwift/TUIKit | TUIKit/dev-Termios-input .swift | 1 | 7608 | //
// File: dev-Termios-input.swift
// Created by: African Swift
import Darwin
import Foundation
var terminal_descriptor: Int32 = -1
var terminal_original = termios()
var terminal_settings = termios()
/// Restore terminal to original settings
func terminal_done()
{
if terminal_descriptor != -1
{
tcsetattr(terminal_descriptor, TCSANOW, &terminal_original)
}
}
// "Default" signal handler: restore terminal, then exit.
func terminal_signal(_ signum: Int32)
{
if terminal_descriptor != -1
{
tcsetattr(terminal_descriptor, TCSANOW, &terminal_original)
}
/* exit() is not async-signal safe, but _exit() is.
* Use the common idiom of 128 + signal number for signal exits.
* Alternative approach is to reset the signal to default handler,
* and immediately raise() it. */
_exit(128 + signum)
}
func devTermios()
{
// Initialize terminal for non-canonical, non-echo mode,
// that should be compatible with standard C I/O.
// Returns 0 if success, nonzero errno otherwise.
func terminal_init() -> Int32
{
var act = sigaction()
// Already initialized
if terminal_descriptor != -1
{
errno = 0
return errno
}
print("stderr", isatty(STDERR_FILENO))
print("stdin", isatty(STDIN_FILENO))
print("stdout", isatty(STDOUT_FILENO))
// Which standard stream is connected to our TTY?
if isatty(STDERR_FILENO) != 0
{
terminal_descriptor = STDERR_FILENO
print("stderr connected")
}
else if isatty(STDIN_FILENO) != 0
{
terminal_descriptor = STDIN_FILENO
print("stdin connected")
}
else if isatty(STDOUT_FILENO) != 0
{
terminal_descriptor = STDOUT_FILENO
print("stdout connected")
}
else
{
errno = ENOTTY
return errno
}
// Obtain terminal settings.
if tcgetattr(terminal_descriptor, &terminal_original) != 0 ||
tcgetattr(terminal_descriptor, &terminal_settings) != 0
{
errno = ENOTSUP
return errno
}
// Disable buffering for terminal streams.
if isatty(STDIN_FILENO) != 0
{
setvbuf(stdin, nil, _IONBF, 0)
}
if isatty(STDERR_FILENO) != 0
{
setvbuf(stderr, nil, _IONBF, 0)
}
// At exit() or return from main(), restore the original settings
if atexit(terminal_done) != 0
{
errno = ENOTSUP
return errno
}
// Set new "default" handlers for typical signals, so that if this process is
// killed by a signal, the terminal settings will still be restored first.
sigemptyset(&act.sa_mask)
act.__sigaction_u.__sa_handler = terminal_signal as (@convention(c) (Int32) -> Void)
act.sa_flags = 0
// Break conditions
var condition = sigaction(SIGHUP, &act, nil) != 0 ||
sigaction(SIGINT, &act, nil) != 0 ||
sigaction(SIGQUIT, &act, nil) != 0 ||
sigaction(SIGTERM, &act, nil) != 0 ||
sigaction(SIGPIPE, &act, nil) != 0 ||
sigaction(SIGALRM, &act, nil) != 0
#if SIGXCPU
condition |= sigaction(SIGXCPU, &act, nil) != 0
#endif
#if SIGXFSZ
condition |= sigaction(SIGXFSZ, &act, nil) != 0
#endif
#if SIGIO
condition |= sigaction(SIGIO, &act, nil) != 0
#endif
if condition
{
errno = ENOTSUP
return errno
}
// Let BREAK cause a SIGINT in input
terminal_settings.c_iflag &= ~UInt(IGNBRK)
terminal_settings.c_iflag |= UInt(BRKINT)
// Ignore framing and parity errors in input
terminal_settings.c_iflag |= UInt(IGNPAR)
terminal_settings.c_iflag &= ~UInt(PARMRK)
// Do not strip eighth bit on input
terminal_settings.c_iflag &= ~UInt(ISTRIP)
// Do not do newline translation on input
terminal_settings.c_iflag &= ~(UInt(INLCR) | UInt(IGNCR) | UInt(ICRNL))
#if IUCLC
// Do not do uppercase-to-lowercase mapping on input
terminal_settings.c_iflag &= ~UInt(IUCLC)
#endif
// Use 8-bit characters. This too may affect standard streams,
// but any sane C library can deal with 8-bit characters
terminal_settings.c_cflag &= ~UInt(CSIZE)
terminal_settings.c_cflag |= UInt(CS8)
// Enable receiver
terminal_settings.c_cflag |= UInt(CREAD)
// Let INTR/QUIT/SUSP/DSUSP generate the corresponding signals (CTRL-C, ....)
terminal_settings.c_lflag &= ~UInt(ISIG)
// Enable noncanonical mode.
// This is the most important bit, as it disables line buffering etc
terminal_settings.c_lflag &= ~UInt(ICANON)
// Disable echoing input characters
terminal_settings.c_lflag &= ~(UInt(ECHO) | UInt(ECHOE) | UInt(ECHOK) | UInt(ECHONL))
// Disable implementation-defined input processing
terminal_settings.c_lflag &= ~UInt(IEXTEN)
// To maintain best compatibility with normal behaviour of terminals,
// we set TIME=0 and MAX=1 in noncanonical mode. This means that
// read() will block until at least one byte is available.
// terminal_settings.c_cc[VTIME] = 0
// terminal_settings.c_cc[VMIN] = 1
Ansi.Terminal.setc_cc(settings: &terminal_settings, index: VTIME, value: 0)
Ansi.Terminal.setc_cc(settings: &terminal_settings, index: VMIN, value: 1)
// Set the new terminal settings.
// Note that we don't actually check which ones were successfully
// set and which not, because there isn't much we can do about it.
tcsetattr(terminal_descriptor, TCSANOW, &terminal_settings)
// Done
errno = 0
return errno
}
Ansi.Set.sendMouseXYOnButtonPressX11On().stdout()
Ansi.Set.sgrMouseModeOn().stdout()
Ansi.flush()
if terminal_init() != 0
{
if Darwin.errno == ENOTTY
{
fputs("This program requires a terminal.\n", stderr)
}
else
{
fputs("Cannot initialize terminal: \(strerror(errno))\n", stderr)
}
}
var readFDS = fd_set()
var timeValue = timeval()
var result = ""
while true
{
// Watch stdin (fd 0) to see when it has input.
Swift_FD_ZERO(&readFDS)
Swift_FD_SET(0, &readFDS)
// Wait up to 5 milliseconds.
timeValue.tv_sec = 0
timeValue.tv_usec = 5000
let retval = select(1, &readFDS, nil, nil, &timeValue)
if retval == -1
{
perror("select()")
exit(EXIT_FAILURE)
}
else if retval != 0
{
let c = getc(stdin)
if c >= 33 && c <= 126
{
// let format = String(format: "0x%02x = 0%03o = %3d = '%c'\n", c, c, c, c)
// print(format)
}
else
{
// let format = String(format: "0x%02x = 0%03o = %3d\n", c, c, c)
// print(format)
}
result += String(UnicodeScalar(Int(c)))
// print(result)
// if c == 3 || c == Q || c == q
// Exit on CTRL-C
if c == 3
{
Ansi.Set.sendMouseXYOnButtonPressX11Off().stdout()
Ansi.Set.sgrMouseModeOff().stdout()
break
}
}
else
{
if result.characters.count > 0
{
if result.hasPrefix("\u{1b}")
{
debugPrint("\(result)")
}
else
{
print(result, terminator: "")
}
result = ""
}
// Triggered when select timed out
// Add event code here: screen painting, etc...
Thread.sleep(forTimeInterval: 0.1)
}
}
//Thread.sleep(forTimeInterval: 10)
Ansi.Set.sendMouseXYOnButtonPressX11Off().stdout()
Ansi.Set.sgrMouseModeOff().stdout()
// print(Ansi.Terminal.hasUnicodeSupport())
Ansi.Terminal.bell()
}
| mit | a5d5b07b43ca42c22ed9528857f21947 | 25.694737 | 89 | 0.603181 | 3.612536 | false | false | false | false |
FabrizioBrancati/BFKit-Swift | Sources/BFKit/Apple/UIKit/UILabel+Extensions.swift | 1 | 4473 | //
// UILabel+Extensions.swift
// BFKit-Swift
//
// The MIT License (MIT)
//
// Copyright (c) 2015 - 2019 Fabrizio Brancati.
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in all
// copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
// SOFTWARE.
import Foundation
import UIKit
// MARK: - UILabel extension
/// This extesion adds some useful functions to UILabel.
public extension UILabel {
// MARK: - Functions
/// Create an UILabel with the given parameters.
///
/// - Parameters:
/// - frame: Label frame.
/// - text: Label text.
/// - font: Label font.
/// - color: Label text color.
/// - alignment: Label text alignment.
/// - lines: Label text lines.
/// - shadowColor: Label text shadow color.
convenience init(frame: CGRect, text: String, font: UIFont, color: UIColor, alignment: NSTextAlignment, lines: Int, shadowColor: UIColor = UIColor.clear) {
self.init(frame: frame)
self.font = font
self.text = text
backgroundColor = UIColor.clear
textColor = color
textAlignment = alignment
numberOfLines = lines
self.shadowColor = shadowColor
}
/// Create an UILabel with the given parameters.
///
/// - Parameters:
/// - frame: Label frame.
/// - text: Label text.
/// - font: Label font name.
/// - size: Label font size.
/// - color: Label text color.
/// - alignment: Label text alignment.
/// - lines: Label text lines.
/// - shadowColor: Label text shadow color.
convenience init(frame: CGRect, text: String, font: FontName, fontSize: CGFloat, color: UIColor, alignment: NSTextAlignment, lines: Int, shadowColor: UIColor = UIColor.clear) {
self.init(frame: frame)
self.font = UIFont(fontName: font, size: fontSize)
self.text = text
backgroundColor = UIColor.clear
textColor = color
textAlignment = alignment
numberOfLines = lines
self.shadowColor = shadowColor
}
/// Calculates height based on text, width and font.
///
/// - Returns: Returns calculated height.
func calculateHeight() -> CGFloat {
guard let text = text else {
return 0
}
return UIFont.calculateHeight(width: frame.size.width, font: font, text: text)
}
/// Sets a custom font from a character at an index to character at another index.
///
/// - Parameters:
/// - font: New font to be setted.
/// - fromIndex: The start index.
/// - toIndex: The end index.
func setFont(_ font: UIFont, fromIndex: Int, toIndex: Int) {
guard let text = text else {
return
}
attributedText = text.attributedString.font(font, range: NSRange(location: fromIndex, length: toIndex - fromIndex))
}
/// Sets a custom font from a character at an index to character at another index.
///
/// - Parameters:
/// - font: New font to be setted.
/// - fontSize: New font size.
/// - fromIndex: The start index.
/// - toIndex: The end index.
func setFont(_ font: FontName, fontSize: CGFloat, fromIndex: Int, toIndex: Int) {
guard let text = text, let font = UIFont(fontName: font, size: fontSize) else {
return
}
attributedText = text.attributedString.font(font, range: NSRange(location: fromIndex, length: toIndex - fromIndex))
}
}
| mit | 807d931ce1cbfb9a0b906f3608d1dedc | 36.90678 | 180 | 0.637827 | 4.433102 | false | false | false | false |
urbn/URBNAlert | Sources/URBNAlert/AlertController.swift | 1 | 4111 | //
// AlertController.swift
// Pods
//
// Created by Kevin Taniguchi on 5/22/17.
//
//
import UIKit
public class AlertController: NSObject {
public static let shared = AlertController()
public var alertStyler = AlertStyler()
private var alertIsVisible = false
private var queue: [AlertViewController] = []
private var alertWindow: UIWindow?
public var presentingWindow = UIApplication.shared.currentWindow ?? UIWindow(frame: UIScreen.main.bounds)
// MARK: Queueing
public func addAlertToQueue(avc: AlertViewController) {
queue.append(avc)
showNextAlert()
}
public func showNextAlert() {
guard let nextAVC = queue.first, !alertIsVisible else { return }
nextAVC.dismissingHandler = {[weak self] wasTouchedOutside in
guard let strongSelf = self else { return }
if wasTouchedOutside {
strongSelf.dismiss(alertViewController: nextAVC)
}
if strongSelf.queue.isEmpty {
strongSelf.alertWindow?.resignKey()
strongSelf.alertWindow?.isHidden = true
strongSelf.alertWindow = nil
strongSelf.presentingWindow.makeKey()
}
if nextAVC.alertConfiguration.presentationView != nil {
nextAVC.view.removeFromSuperview()
}
}
if let presentationView = nextAVC.alertConfiguration.presentationView {
var rect = nextAVC.view.frame
rect.size.width = presentationView.frame.size.width
rect.size.height = presentationView.frame.size.height
nextAVC.view.frame = rect
nextAVC.alertConfiguration.presentationView?.addSubview(nextAVC.view)
}
else {
NotificationCenter.default.addObserver(self, selector: #selector(resignActive(note:)), name: Notification.Name(rawValue: "UIWindowDidBecomeKeyNotification"), object: nil)
setupAlertWindow()
alertWindow?.rootViewController = nextAVC
alertWindow?.makeKeyAndVisible()
}
NSObject.cancelPreviousPerformRequests(withTarget: self)
if !nextAVC.alertConfiguration.isActiveAlert, let duration = nextAVC.alertConfiguration.duration {
perform(#selector(dismiss(alertViewController:)), with: nextAVC, afterDelay: TimeInterval(duration))
}
}
private func setupAlertWindow() {
if alertWindow == nil {
alertWindow = UIWindow(frame: UIScreen.main.bounds)
}
alertWindow?.windowLevel = UIWindow.Level.alert
alertWindow?.isHidden = false
alertWindow?.accessibilityIdentifier = "alertWindow"
NotificationCenter.default.addObserver(self, selector: #selector(resignActive) , name: Notification.Name(rawValue: "UIWindowDidBecomeKeyNotification") , object: nil)
}
func popQueueAndShowNextIfNecessary() {
alertIsVisible = false
if !queue.isEmpty {
_ = queue.removeFirst()
}
showNextAlert()
}
/// Conveinence to close alerts that are visible or in queue
public func dismissAllAlerts() {
queue.forEach { (avc) in
avc.dismissAlert(sender: self)
}
}
@objc func dismiss(alertViewController: AlertViewController) {
alertIsVisible = false
alertViewController.dismissAlert(sender: self)
}
/**
* Called when a new window becomes active.
* Specifically used to detect new alertViews or actionSheets so we can dismiss ourselves
**/
@objc func resignActive(note: Notification) {
guard let noteWindow = note.object as? UIWindow, noteWindow != alertWindow, noteWindow != presentingWindow else { return }
if let nextAVC = queue.first {
dismiss(alertViewController: nextAVC)
}
}
}
extension UIApplication {
var currentWindow: UIWindow? {
return windows.first(where: { $0.isKeyWindow })
}
}
| mit | 4d5b6cc3ef113f5616e46f5cf691e390 | 33.838983 | 183 | 0.631233 | 5.132335 | false | false | false | false |
haawa799/StrokeDrawingView | Example/ViewController.swift | 1 | 1481 | //
// ViewController.swift
// Example
//
// Created by Andrii Kharchyshyn on 5/2/17.
// Copyright © 2017 @haawa799. All rights reserved.
//
import UIKit
import StrokeDrawingView
class ViewController: UIViewController {
let kanji = Kanji(kanji: "数")
var shouldPlay = true
@IBOutlet weak var strokedView: StrokeDrawingView! {
didSet {
self.strokedView.dataSource = self
}
}
override func viewDidAppear(_ animated: Bool) {
super.viewDidAppear(animated)
if shouldPlay == true {
strokedView.playForever(delayBeforeEach: 2)
shouldPlay = false
}
}
}
extension ViewController: StrokeDrawingViewDataSource {
func sizeOfDrawing() -> CGSize {
return CGSize(width: 109, height: 109)
}
func numberOfStrokes() -> Int {
return kanji.bezierPathes.count
}
func pathForIndex(index: Int) -> UIBezierPath {
let path = kanji.bezierPathes[index]
path.lineWidth = 3
return path
}
func animationDurationForStroke(index: Int) -> CFTimeInterval {
return 0.5
}
func colorForStrokeAtIndex(index: Int) -> UIColor {
switch index {
case 0...5: return kanji.color0
case 5...8: return kanji.color1
default: return kanji.color2
}
}
func colorForUnderlineStrokes() -> UIColor? {
return UIColor.lightGray
}
}
| mit | 85985df2d19d7cd80f981f6b40266e0e | 22.09375 | 67 | 0.602165 | 4.561728 | false | false | false | false |
ls1intum/sReto | Source/sReto/Core/InTransfer.swift | 1 | 3204 | //
// InTransfer.swift
// sReto
//
// Created by Julian Asamer on 26/07/14.
// Copyright (c) 2014 - 2016 Chair for Applied Software Engineering
//
// Licensed under the 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 Foundation
/**
* An InTransfer represents a data transfer from a remote peer to the local peer. The connection class generates InTransfer instances when a remote peer sends data.
*/
open class InTransfer: Transfer {
// MARK: Events
// Called when the transfer completes with the full data received. Buffers the data in memory until the transfer is complete. Alternative to onPartialData. If both are set, onPartialData is used.
open var onCompleteData: ((Transfer, Data) -> ())? = nil
// Called whenever data is received. This method may be called multiple times, i.e. the data is not the full transfer. Exclusive alternative to onCompleteData.
open var onPartialData: ((Transfer, Data) -> ())? = nil
// MARK: Internal
func updateWithReceivedData(_ data: Data) {
if let onPartialData = self.onPartialData {
onPartialData(self, data)
} else if self.onCompleteData != nil {
if self.dataBuffer == nil { self.dataBuffer = NSMutableData(capacity: self.length) }
dataBuffer?.append(data)
} else {
log(.high, error: "You need to set either onCompleteData or onPartialData on incoming transfers (affected instance: \(self))")
}
if onCompleteData != nil && onPartialData != nil { log(.medium, warning: "You set both onCompleteData and onPartialData in \(self). Only onPartialData will be used.") }
self.updateProgress(data.count)
}
var dataBuffer: NSMutableData? = nil
override open func cancel() {
self.manager?.cancel(self)
}
override func confirmEnd() {
self.dataBuffer = nil
self.onCompleteData = nil
self.onPartialData = nil
super.confirmEnd()
}
override func confirmCompletion() {
if let data = self.dataBuffer { self.onCompleteData?(self, data as Data) }
super.confirmCompletion()
}
}
| mit | 2fc3a69a04054de1d8201c37942cbf70 | 46.820896 | 199 | 0.697566 | 4.481119 | false | false | false | false |
SteveBarnegren/SBAutoLayout | Example/SBAutoLayout/ExampleItem.swift | 1 | 1482 | //
// ExampleItem.swift
// SBAutoLayout
//
// Created by Steven Barnegren on 18/10/2016.
// Copyright © 2016 CocoaPods. All rights reserved.
//
import Foundation
import UIKit
struct ExampleItem {
enum TextPosition {
case center
case centerInView(viewNumber: Int)
case aboveView(viewNumber: Int)
case belowView(viewNumber: Int)
case leftOfView(viewNumber: Int)
case rightOfView(viewNumber: Int)
}
let numberOfViews: Int
let layoutActions: [AutoLayoutAction]
let textPosition: TextPosition
var text: String {
var string = String()
for (index, layoutAction) in layoutActions.enumerated() {
string.append(layoutAction.name())
if index != layoutActions.count-1 {
string.append("\n")
}
}
return string
}
init(numberOfViews: Int, textPosition: TextPosition, layoutActions: [AutoLayoutAction]) {
self.layoutActions = layoutActions
self.textPosition = textPosition
self.numberOfViews = numberOfViews
}
func nameAndColorForView(number: Int) -> (name: String, color: UIColor) {
let array: [(name: String, color: UIColor)] = [
("BlueView", UIColor(red: 0.333, green: 0.675, blue: 0.937, alpha: 1)),
("OrangeView", UIColor.orange),
]
return array[number]
}
}
| mit | 7451bc33149e001cf67a538993af04c3 | 24.101695 | 93 | 0.585415 | 4.460843 | false | false | false | false |
EvsenevDev/SmartReceiptsiOS | SmartReceipts/ViewControllers/TripTitleView/TripTitleView.swift | 2 | 1036 | //
// TripTitleView.swift
// SmartReceipts
//
// Created by Bogdan Evsenev on 23.12.2019.
// Copyright © 2019 Will Baumann. All rights reserved.
//
import Foundation
class TripTitleView: UIView {
@IBOutlet private weak var titleLabel: UILabel!
@IBOutlet private weak var arrrowImageView: UIImageView!
@IBOutlet private weak var subtitleLabel: UILabel!
@IBOutlet private weak var widthConstraint: NSLayoutConstraint!
override var tintColor: UIColor! {
didSet {
titleLabel.textColor = tintColor
arrrowImageView.tintColor = tintColor
subtitleLabel.textColor = tintColor.withAlphaComponent(0.5)
}
}
func set(title: String, subtitle: String?) {
titleLabel.text = title
subtitleLabel.text = subtitle
subtitleLabel.isHidden = subtitle == nil
titleLabel.sizeToFit()
subtitleLabel.sizeToFit()
widthConstraint.constant = max(titleLabel.bounds.width, subtitleLabel.bounds.width) + UI_MARGIN_16
}
}
| agpl-3.0 | ac6262a6b1756adce3320384afb876c9 | 30.363636 | 106 | 0.679227 | 4.882075 | false | false | false | false |
damoyan/BYRClient | FromScratch/ImagePlayer.swift | 1 | 2550 | //
// ImageInfo.swift
// FromScratch
//
// Created by Yu Pengyang on 1/11/16.
// Copyright © 2016 Yu Pengyang. All rights reserved.
//
import UIKit
class ImagePlayer {
private var currentIndex = 0
private let decoder: ImageDecoder
private var link = CADisplayLink()
private var curImage: UIImage?
private var buffer = [Int: UIImage]()
private var block: ((UIImage?) -> ())?
private var time: NSTimeInterval = 0
private var miss = false
private var queue = NSOperationQueue()
private var lock = OS_SPINLOCK_INIT
init(decoder: ImageDecoder, block: (UIImage?) -> ()) {
self.decoder = decoder
self.block = block
self.link = CADisplayLink(target: WeakReferenceProxy(target: self), selector: "step:")
link.addToRunLoop(NSRunLoop.mainRunLoop(), forMode: NSRunLoopCommonModes)
if let image = decoder.firstFrame {
block(image)
}
}
@objc private func step(link: CADisplayLink) {
let nextIndex = (currentIndex + 1) % decoder.frameCount
if !miss {
time += link.duration
var delay = decoder.imageDurationAtIndex(currentIndex)
if time < delay { return }
time -= delay
delay = decoder.imageDurationAtIndex(nextIndex)
if time > delay { time = delay }
}
OSSpinLockLock(&lock)
let image = buffer[nextIndex]
OSSpinLockUnlock(&lock)
if let image = image {
curImage = image
currentIndex = nextIndex
miss = false
} else {
miss = true
}
if !miss {
block?(image)
}
if queue.operationCount > 0 { return }
queue.addOperationWithBlock { [weak self] () -> Void in
guard let this = self else { return }
for i in 0...(nextIndex + 1) {
OSSpinLockLock(&this.lock)
let cached = this.buffer[i]
OSSpinLockUnlock(&this.lock)
if cached != nil { continue }
if let image = this.decoder.imageAtIndex(i) {
OSSpinLockLock(&this.lock)
this.buffer[i] = image
OSSpinLockUnlock(&this.lock)
}
}
}
}
func stop() {
print("stop")
block = nil
link.invalidate()
}
deinit {
link.invalidate()
print("deinit ImagePlayer")
}
} | mit | 2a28b2f482c042e0f32b3cc1f4a7311b | 27.977273 | 94 | 0.535504 | 4.864504 | false | false | false | false |
firebase/firebase-ios-sdk | FirebaseRemoteConfigSwift/Tests/SwiftAPI/Constants.swift | 1 | 1901 | // Copyright 2021 Google LLC
//
// 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
/// String constants used for testing.
enum Constants {
static let key1 = "Key1"
static let jedi = "Jedi"
static let sith = "Sith_Lord"
static let value1 = "Value1"
static let obiwan = "Obi-Wan"
static let yoda = "Yoda"
static let darthSidious = "Darth Sidious"
static let stringKey = "myString"
static let stringValue = "string contents"
static let intKey = "myInt"
static let intValue: Int = 123
static let floatKey = "myFloat"
static let floatValue: Float = 42.75
static let doubleValue: Double = 42.75
static let decimalKey = "myDecimal"
static let decimalValue: Decimal = 375.785
static let trueKey = "myTrue"
static let falseKey = "myFalse"
static let dataKey = "myData"
static let dataValue: Data = "data".data(using: .utf8)!
static let arrayKey = "fruits"
static let arrayValue: [String] = ["mango", "pineapple", "papaya"]
static let dictKey = "platforms"
static let dictValue: [String: String] = [
"iOS": "14.0", "macOS": "14.0", "tvOS": "10.0", "watchOS": "6.0",
]
static let jsonKey = "Recipe"
static let jsonValue: [String: AnyHashable] = [
"recipeName": "PB&J",
"ingredients": ["bread", "peanut butter", "jelly"],
"cookTime": 7,
]
static let nonJsonKey = "notJSON"
static let nonJsonValue = "notJSON"
}
| apache-2.0 | db836e35208bf1c66b6df2816dc3c906 | 34.203704 | 75 | 0.692267 | 3.600379 | false | false | false | false |
codeswimmer/SwiftCommon | SwiftCommon/SwiftCommon/Source/GCD.swift | 1 | 1825 | //
// GCD.swift
// SwiftCommon
//
// Created by Keith Ermel on 7/5/14.
// Copyright (c) 2014 Keith Ermel. All rights reserved.
//
import Foundation
public class GCD {
public typealias DQueue = dispatch_queue_t
public typealias DTime = dispatch_time_t
public typealias GCDAction = () -> Void
public typealias DelayCompletion = ()->Void
// MARK: Async
public class func asyncOnMainQueue(action: GCDAction) {dispatch_async(mainQueue, action)}
public class func asyncOnQueue(queue: DQueue, action: GCDAction) {dispatch_async(queue, action)}
public class func performWithDelayMillis(delay: Int64, action: GCDAction) {
dispatch_after(timeWith(delay), mainQueue, {action()})
}
public class func performWithDelayMillis(delay: Int64, action: GCDAction, completion: DelayCompletion?) {
dispatch_after(timeWith(delay), mainQueue, {
action()
if let completionHandler = completion {
completionHandler()
}
})
}
// MARK: Queue Creation
public class func createSerialQueue(label: String) -> DQueue {
return dispatch_queue_create(label, DISPATCH_QUEUE_SERIAL)
}
public class func createConcurrentQueue(label: String) -> DQueue {
return dispatch_queue_create(label, DISPATCH_QUEUE_CONCURRENT)
}
// MARK: Utilities
public class func isMainQueue() -> Bool {return NSThread.isMainThread()}
public class func timeWith(millis: Int64) -> DTime {return dispatch_time(timeNow, millis * nanoPerMS)}
// MARK: Constants
public class var mainQueue: DQueue! {return dispatch_get_main_queue()}
class var timeNow: DTime {return DISPATCH_TIME_NOW}
class var nanoPerMS: Int64 {return Int64(NSEC_PER_MSEC)}
} | mit | 84fb04d43a30db5ad7342494c390294d | 29.949153 | 109 | 0.66137 | 4.304245 | false | false | false | false |
Econa77/SwiftFontName | Example/Example/SystemFontsViewController.swift | 2 | 1275 | //
// SystemFontsViewController.swift
// Example
//
// Created by MORITANAOKI on 2015/07/18.
// Copyright (c) 2015年 molabo. All rights reserved.
//
import UIKit
class SystemFontsViewController: UITableViewController {
let viewModel = SystemFontsViewModel()
override func viewDidLoad() {
super.viewDidLoad()
}
}
extension SystemFontsViewController {
override func numberOfSectionsInTableView(tableView: UITableView) -> Int {
return count(viewModel.families)
}
override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return count(viewModel.families[section].fonts)
}
override func tableView(tableView: UITableView, titleForHeaderInSection section: Int) -> String? {
return viewModel.families[section].name
}
override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
let family = viewModel.families[indexPath.section]
let font = family.fonts[indexPath.row]
let cell = tableView.dequeueReusableCellWithIdentifier("Cell") as! UITableViewCell
cell.textLabel?.text = font.name
cell.textLabel?.font = font.font
return cell
}
} | mit | 97525d79e43247226e5900a09e1fcb1b | 29.333333 | 118 | 0.699136 | 4.915058 | false | false | false | false |
Egibide-DAM/swift | 02_ejemplos/10_varios/03_conversion_tipos/03_downcasting.playground/Contents.swift | 1 | 1259 | class MediaItem {
var name: String
init(name: String) {
self.name = name
}
}
class Movie: MediaItem {
var director: String
init(name: String, director: String) {
self.director = director
super.init(name: name)
}
}
class Song: MediaItem {
var artist: String
init(name: String, artist: String) {
self.artist = artist
super.init(name: name)
}
}
let library = [
Movie(name: "Casablanca", director: "Michael Curtiz"),
Song(name: "Blue Suede Shoes", artist: "Elvis Presley"),
Movie(name: "Citizen Kane", director: "Orson Welles"),
Song(name: "The One And Only", artist: "Chesney Hawkes"),
Song(name: "Never Gonna Give You Up", artist: "Rick Astley")
]
// the type of "library" is inferred to be [MediaItem]
// ------
for item in library {
if let movie = item as? Movie {
print("Movie: \(movie.name), dir. \(movie.director)")
} else if let song = item as? Song {
print("Song: \(song.name), by \(song.artist)")
}
}
// Movie: Casablanca, dir. Michael Curtiz
// Song: Blue Suede Shoes, by Elvis Presley
// Movie: Citizen Kane, dir. Orson Welles
// Song: The One And Only, by Chesney Hawkes
// Song: Never Gonna Give You Up, by Rick Astley
| apache-2.0 | 8319d1a7836acd86c58553fdd51ca93b | 25.787234 | 64 | 0.620334 | 3.357333 | false | false | false | false |
dasmer/RelativeFit | RelativeFit/DeltaTableViewCell.swift | 1 | 799 | import UIKit
import RelativeFitDataKit
@objc(DeltaTableViewCell)
public class DeltaTableViewCell: UITableViewCell {
class func height() -> Int {
return 90;
}
@IBOutlet weak var deltaValueLabel: UILabel!
@IBOutlet weak var todayValueLabel: UILabel!
@IBOutlet weak var yesterdayValueLabel: UILabel!
@IBOutlet weak var todayTitleLabel: UILabel!
@IBOutlet weak var yesterdayTitleLabel: UILabel!
public override func awakeFromNib() {
deltaValueLabel?.textColor = UIColor.fit_emeraldColor()
todayValueLabel?.textColor = UIColor.fit_greyColor()
yesterdayValueLabel?.textColor = UIColor.fit_greyColor()
todayTitleLabel?.textColor = UIColor.fit_greyColor()
yesterdayTitleLabel?.textColor = UIColor.fit_greyColor()
}
}
| mit | b1d89fd662b8b7859869c9a918ad7a30 | 29.730769 | 64 | 0.720901 | 4.784431 | false | false | false | false |
nghialv/Hakuba | Hakuba/Source/Cell/CellModel.swift | 1 | 1645 | //
// CellModel.swift
// Example
//
// Created by Le VanNghia on 3/4/16.
//
//
import UIKit
protocol CellModelDelegate: class {
func bumpMe(with type: ItemBumpType, animation: UITableViewRowAnimation)
func getOffscreenCell(by identifier: String) -> Cell
func tableViewWidth() -> CGFloat
func deselectCell(at indexPath: IndexPath, animated: Bool)
}
open class CellModel {
weak var delegate: CellModelDelegate?
open let reuseIdentifier: String
open var height: CGFloat
open var selectionHandler: ((Cell) -> Void)?
open internal(set) var indexPath: IndexPath = .init(row: 0, section: 0)
open var editable = false
open var editingStyle: UITableViewCellEditingStyle = .none
open var shouldHighlight = true
public init<T: Cell & CellType>(cell: T.Type, height: CGFloat = UITableViewAutomaticDimension, selectionHandler: ((Cell) -> Void)? = nil) {
self.reuseIdentifier = cell.reuseIdentifier
self.height = height
self.selectionHandler = selectionHandler
}
@discardableResult
open func bump(_ animation: UITableViewRowAnimation = .none) -> Self {
delegate?.bumpMe(with: .reload(indexPath), animation: animation)
return self
}
open func deselect(_ animated: Bool) {
delegate?.deselectCell(at: indexPath, animated: animated)
}
}
// MARK - Internal methods
extension CellModel {
func setup(indexPath: IndexPath, delegate: CellModelDelegate) {
self.indexPath = indexPath
self.delegate = delegate
}
func didSelect(cell: Cell) {
selectionHandler?(cell)
}
}
| mit | c6ab657690758aa9ecd59b14a80a6471 | 27.362069 | 143 | 0.674164 | 4.544199 | false | false | false | false |
startry/SwViewCapture | Example/Example/STViewDemoController.swift | 1 | 1563 | //
// STViewDemoController.swift
// STViewCapture
//
// Created by chenxing.cx on 10/28/2015.
// Copyright (c) 2015 startry.com All rights reserved.
//
import UIKit
import SwViewCapture
class STViewDemoController: UIViewController {
// MARK: Life Cycle
override func viewDidLoad() {
super.viewDidLoad()
view.backgroundColor = UIColor.yellow
navigationItem.rightBarButtonItem = UIBarButtonItem(title: "Capture", style: UIBarButtonItemStyle.plain, target: self, action: #selector(STViewDemoController.didCaptureBtnClicked(_:)))
// Add Some Color View for Capture
let orangeView = UIView(frame: CGRect(x: 100, y: 100, width: 20, height: 50))
let redView = UIView(frame: CGRect(x: 150, y: 200, width: 100, height: 100))
let headImage = UIImage(named: "demo_2")
let headImageView = UIImageView(frame: CGRect(x: 30, y: 300, width: headImage!.size.width, height: headImage!.size.height))
headImageView.image = headImage
orangeView.backgroundColor = UIColor.orange
redView.backgroundColor = UIColor.red
view.addSubview(orangeView)
view.addSubview(redView)
view.addSubview(headImageView)
}
// MARK: Events
@objc func didCaptureBtnClicked(_ button: UIButton){
view.swCapture { (capturedImage) -> Void in
let vc = ImageViewController(image: capturedImage!)
self.navigationController?.pushViewController(vc, animated: true)
}
}
}
| mit | 9a04c4335f3b6db442ca952e714faab5 | 31.5625 | 192 | 0.652591 | 4.530435 | false | false | false | false |
rudkx/swift | test/Interop/Cxx/reference/reference-silgen.swift | 1 | 3311 | // RUN: %target-swift-emit-sil -I %S/Inputs -enable-cxx-interop %s | %FileCheck %s
import Reference
func getCxxRef() -> UnsafeMutablePointer<CInt> {
return getStaticIntRef()
}
// CHECK: sil hidden @$s4main9getCxxRefSpys5Int32VGyF : $@convention(thin) () -> UnsafeMutablePointer<Int32>
// CHECK: [[REF:%.*]] = function_ref @{{_Z15getStaticIntRefv|\?getStaticIntRef@@YAAEAHXZ}} : $@convention(c) () -> UnsafeMutablePointer<Int32>
// CHECK: apply [[REF]]() : $@convention(c) () -> UnsafeMutablePointer<Int32>
func getConstCxxRef() -> UnsafePointer<CInt> {
return getConstStaticIntRef()
}
// CHECK: sil hidden @$s4main14getConstCxxRefSPys5Int32VGyF : $@convention(thin) () -> UnsafePointer<Int32>
// CHECK: [[REF:%.*]] = function_ref @{{_Z20getConstStaticIntRefv|\?getConstStaticIntRef@@YAAEBHXZ}} : $@convention(c) () -> UnsafePointer<Int32>
// CHECK: apply [[REF]]() : $@convention(c) () -> UnsafePointer<Int32>
func getCxxRvalueRef() -> UnsafeMutablePointer<CInt> {
return getStaticIntRvalueRef()
}
// CHECK: sil hidden @$s4main15getCxxRvalueRefSpys5Int32VGyF : $@convention(thin) () -> UnsafeMutablePointer<Int32>
// CHECK: [[REF:%.*]] = function_ref @{{_Z21getStaticIntRvalueRefv|\?getStaticIntRvalueRef@@YA\$\$QEAHXZ}} : $@convention(c) () -> UnsafeMutablePointer<Int32>
// CHECK: apply [[REF]]() : $@convention(c) () -> UnsafeMutablePointer<Int32>
func getConstCxxRvalueRef() -> UnsafePointer<CInt> {
return getConstStaticIntRvalueRef()
}
// CHECK: sil hidden @$s4main20getConstCxxRvalueRefSPys5Int32VGyF : $@convention(thin) () -> UnsafePointer<Int32>
// CHECK: [[REF:%.*]] = function_ref @{{_Z26getConstStaticIntRvalueRefv|\?getConstStaticIntRvalueRef@@YA\$\$QEBHXZ}} : $@convention(c) () -> UnsafePointer<Int32>
// CHECK: apply [[REF]]() : $@convention(c) () -> UnsafePointer<Int32>
func setCxxRef() {
var val: CInt = 21
setStaticIntRef(&val)
}
// CHECK: sil hidden @$s4main9setCxxRefyyF : $@convention(thin) () -> ()
// CHECK: [[REF:%.*]] = function_ref @{{_Z15setStaticIntRefRi|\?setStaticIntRef@@YAXAEAH@Z}} : $@convention(c) (@inout Int32) -> ()
// CHECK: apply [[REF]](%{{[0-9]+}}) : $@convention(c) (@inout Int32) -> ()
func setCxxConstRef() {
let val: CInt = 21
setConstStaticIntRef(val)
}
// CHECK: sil hidden @$s4main14setCxxConstRefyyF : $@convention(thin) () -> ()
// CHECK: [[REF:%.*]] = function_ref @{{_Z20setConstStaticIntRefRKi|\?setConstStaticIntRef@@YAXAEBH@Z}} : $@convention(c) (@in Int32) -> ()
// CHECK: apply [[REF]](%{{[0-9]+}}) : $@convention(c) (@in Int32) -> ()
func setCxxRvalueRef() {
var val: CInt = 21
setStaticIntRvalueRef(&val)
}
// CHECK: sil hidden @$s4main15setCxxRvalueRefyyF : $@convention(thin) () -> ()
// CHECK: [[REF:%.*]] = function_ref @{{_Z21setStaticIntRvalueRefOi|\?setStaticIntRvalueRef@@YAX\$\$QEAH@Z}} : $@convention(c) (@inout Int32) -> ()
// CHECK: apply [[REF]](%{{[0-9]+}}) : $@convention(c) (@inout Int32) -> ()
func setCxxConstRvalueRef() {
let val: CInt = 21
setConstStaticIntRvalueRef(val)
}
// CHECK: sil hidden @$s4main20setCxxConstRvalueRefyyF : $@convention(thin) () -> ()
// CHECK: [[REF:%.*]] = function_ref @{{_Z26setConstStaticIntRvalueRefOKi|\?setConstStaticIntRvalueRef@@YAX\$\$QEBH@Z}} : $@convention(c) (@in Int32) -> ()
// CHECK: apply [[REF]](%{{[0-9]+}}) : $@convention(c) (@in Int32) -> ()
| apache-2.0 | cc7d3eef4b4db7f48f0a956504538132 | 45.633803 | 161 | 0.668982 | 3.217687 | false | false | false | false |
rajusa420/DataStructures | DataStructures/DataStructures/LinkedList.swift | 1 | 5063 | //
// Created by Raj on 2019-01-13.
// Copyright (c) 2019 Rajusa. All rights reserved.
//
import Foundation
class SwLinkedListNode
{
var data: NSObject?;
fileprivate var next: SwLinkedListNode?;
init(data: NSObject) {
self.data = data;
}
init(data: NSObject, next: SwLinkedListNode) {
self.data = data;
self.next = next;
}
}
public class SwLinkedList : NSObject, DataCollection, DataCollectionDebug
{
var head: SwLinkedListNode?;
var tail: SwLinkedListNode?;
var nodeCount: UInt = 0;
public class func newInstance() -> SwLinkedList {
return SwLinkedList()
}
public func count() -> UInt {
return self.nodeCount;
}
public func add(_ object: NSObject!) {
let newNode = SwLinkedListNode(data: object);
if let tail = self.tail {
tail.next = newNode;
}
self.tail = newNode;
if self.head == nil {
self.head = newNode;
}
self.nodeCount += 1;
}
public func removeFirstObject() -> NSObject? {
guard let head = self.head else {
return nil;
}
if let tail = self.tail {
if tail === head {
self.tail = nil;
}
}
self.head = head.next;
self.nodeCount -= 1;
return head.data;
}
public func removeLastObject() -> NSObject? {
guard let head = self.head else {
return nil;
}
var current : SwLinkedListNode? = head;
if let tail = self.tail {
if tail === head {
self.head = nil;
self.tail = nil;
self.nodeCount = 0;
return current!.data;
}
}
while current != nil {
if (current!.next === self.tail) {
let lastNode : SwLinkedListNode? = current!.next;
current!.next = nil;
self.tail = current;
self.nodeCount -= 1;
return lastNode!.data;
}
current = current!.next;
}
return nil;
}
public func remove(_ object: NSObject!) -> NSObject! {
guard let head = self.head else {
return nil;
}
var previous : SwLinkedListNode? = nil;
var current : SwLinkedListNode? = head;
while current != nil {
if (current!.data == object)
{
if head === current {
self.head = current!.next;
}
if self.tail === current {
self.tail = previous;
}
if previous != nil {
previous!.next = current!.next;
}
return current!.data;
}
previous = current;
current = current!.next;
}
return nil;
}
public func removeAllObjects()
{
guard let head = self.head else {
return;
}
// Note: We need to go through and release one object at a time
// else we get a stack overflow
var current : SwLinkedListNode? = head;
while current != nil {
let next: SwLinkedListNode? = current!.next;
current!.data = nil;
current!.next = nil;
current = next;
}
self.head = nil;
self.tail = nil;
self.nodeCount = 0;
}
public func contains(_ object: NSObject) -> Bool {
guard let head = self.head else {
return false;
}
var current : SwLinkedListNode? = head;
while current != nil {
if (current!.data == object) {
return true;
}
current = current!.next;
}
return false;
}
public func getFirstObject() -> NSObject? {
guard let head = self.head else {
return nil;
}
return head.data;
}
public func getLastObject() -> NSObject? {
guard let tail = self.tail else {
return nil;
}
return tail.data;
}
public func getObjectAt(_ index: UInt) -> NSObject? {
guard let head = self.head else {
return nil;
}
var current : SwLinkedListNode? = head;
var position : UInt = 0;
while current != nil {
if (position == index) {
return current!.data;
}
position += 1;
current = current!.next;
}
return nil;
}
public func printAllObjects(withDataType dataType: AnyClass) {
guard let head = self.head else { return; }
var current: SwLinkedListNode? = head;
while current != nil {
if current?.data.self is NSNumber {
let data: NSNumber = current?.data as! NSNumber;
NSLog("%@", data.stringValue);
}
current = current?.next;
}
}
}
| gpl-3.0 | 806fcc7de5c95cef4d1abaf2dc95faf8 | 22.769953 | 73 | 0.485878 | 4.727358 | false | false | false | false |
uptech/Constraid | Tests/ConstraidTests/FlushWithEdgesTests.swift | 1 | 11779 | import XCTest
@testable import Constraid
class FlushWithEdgesTests: XCTestCase {
func testFlushWithLeadingEdgeOf() {
let viewOne = View()
let viewTwo = View()
viewOne.addSubview(viewTwo)
let proxy = viewOne.constraid.flush(withLeadingEdgeOf: viewTwo, times: 2.0, insetBy: 10.0, priority: Constraid.LayoutPriority(rawValue: 500))
let constraints = proxy.constraintCollection
proxy.activate()
let constraintOne = viewOne.constraints.first!
XCTAssertEqual(constraints, viewOne.constraints)
XCTAssertEqual(constraintOne.isActive, true)
XCTAssertEqual(constraintOne.firstItem as! View, viewOne)
XCTAssertEqual(constraintOne.firstAttribute, LayoutAttribute.leading)
XCTAssertEqual(constraintOne.relation, LayoutRelation.equal)
XCTAssertEqual(constraintOne.secondItem as! View, viewTwo)
XCTAssertEqual(constraintOne.secondAttribute, LayoutAttribute.leading)
XCTAssertEqual(constraintOne.constant, 10.0)
XCTAssertEqual(constraintOne.multiplier, 2.0)
XCTAssertEqual(constraintOne.priority, LayoutPriority(rawValue: LayoutPriority.RawValue(500)))
XCTAssertEqual(viewOne.translatesAutoresizingMaskIntoConstraints, false)
}
func testFlushWithTrailingEdgeOf() {
let viewOne = View()
let viewTwo = View()
viewOne.addSubview(viewTwo)
let proxy = viewOne.constraid.flush(withTrailingEdgeOf: viewTwo, times: 2.0, insetBy: 10.0, priority: Constraid.LayoutPriority(rawValue: 500))
let constraints = proxy.constraintCollection
proxy.activate()
let constraintOne = viewOne.constraints.first!
XCTAssertEqual(constraints, viewOne.constraints)
XCTAssertEqual(constraintOne.isActive, true)
XCTAssertEqual(constraintOne.firstItem as! View, viewOne)
XCTAssertEqual(constraintOne.firstAttribute, LayoutAttribute.trailing)
XCTAssertEqual(constraintOne.relation, LayoutRelation.equal)
XCTAssertEqual(constraintOne.secondItem as! View, viewTwo)
XCTAssertEqual(constraintOne.secondAttribute, LayoutAttribute.trailing)
XCTAssertEqual(constraintOne.constant, -10.0)
XCTAssertEqual(constraintOne.multiplier, 2.0)
XCTAssertEqual(constraintOne.priority, LayoutPriority(rawValue: LayoutPriority.RawValue(500)))
XCTAssertEqual(viewOne.translatesAutoresizingMaskIntoConstraints, false)
}
func testFlushWithTopEdgeOf() {
let viewOne = View()
let viewTwo = View()
viewOne.addSubview(viewTwo)
let proxy = viewOne.constraid.flush(withTopEdgeOf: viewTwo, times: 2.0, insetBy: 10.0, priority: Constraid.LayoutPriority(rawValue: 500))
let constraints = proxy.constraintCollection
proxy.activate()
let constraintOne = viewOne.constraints.first!
XCTAssertEqual(constraints, viewOne.constraints)
XCTAssertEqual(constraintOne.isActive, true)
XCTAssertEqual(constraintOne.firstItem as! View, viewOne)
XCTAssertEqual(constraintOne.firstAttribute, LayoutAttribute.top)
XCTAssertEqual(constraintOne.relation, LayoutRelation.equal)
XCTAssertEqual(constraintOne.secondItem as! View, viewTwo)
XCTAssertEqual(constraintOne.secondAttribute, LayoutAttribute.top)
XCTAssertEqual(constraintOne.constant, 10.0)
XCTAssertEqual(constraintOne.multiplier, 2.0)
XCTAssertEqual(constraintOne.priority, LayoutPriority(rawValue: LayoutPriority.RawValue(500)))
XCTAssertEqual(viewOne.translatesAutoresizingMaskIntoConstraints, false)
}
func testFlushWithBottomEdgeOf() {
let viewOne = View()
let viewTwo = View()
viewOne.addSubview(viewTwo)
let proxy = viewOne.constraid.flush(withBottomEdgeOf: viewTwo, times: 2.0, insetBy: 10.0, priority: Constraid.LayoutPriority(rawValue: 500))
let constraints = proxy.constraintCollection
proxy.activate()
let constraintOne = viewOne.constraints.first!
XCTAssertEqual(constraints, viewOne.constraints)
XCTAssertEqual(constraintOne.isActive, true)
XCTAssertEqual(constraintOne.firstItem as! View, viewOne)
XCTAssertEqual(constraintOne.firstAttribute, LayoutAttribute.bottom)
XCTAssertEqual(constraintOne.relation, LayoutRelation.equal)
XCTAssertEqual(constraintOne.secondItem as! View, viewTwo)
XCTAssertEqual(constraintOne.secondAttribute, LayoutAttribute.bottom)
XCTAssertEqual(constraintOne.constant, -10.0)
XCTAssertEqual(constraintOne.multiplier, 2.0)
XCTAssertEqual(constraintOne.priority, LayoutPriority(rawValue: LayoutPriority.RawValue(500)))
XCTAssertEqual(viewOne.translatesAutoresizingMaskIntoConstraints, false)
}
func testFlushWithVerticalEdgesOf() {
let viewOne = View()
let viewTwo = View()
viewOne.addSubview(viewTwo)
let proxy = viewOne.constraid.flush(withVerticalEdgesOf: viewTwo, times: 2.0, insetBy: 10.0, priority: Constraid.LayoutPriority(rawValue: 500))
let constraints = proxy.constraintCollection
proxy.activate()
let constraintOne = viewOne.constraints.first!
let constraintTwo = viewOne.constraints.last!
XCTAssertEqual(constraints, viewOne.constraints)
XCTAssertEqual(constraintOne.isActive, true)
XCTAssertEqual(constraintOne.firstItem as! View, viewOne)
XCTAssertEqual(constraintOne.firstAttribute, LayoutAttribute.leading)
XCTAssertEqual(constraintOne.relation, LayoutRelation.equal)
XCTAssertEqual(constraintOne.secondItem as! View, viewTwo)
XCTAssertEqual(constraintOne.secondAttribute, LayoutAttribute.leading)
XCTAssertEqual(constraintOne.constant, 10.0)
XCTAssertEqual(constraintOne.multiplier, 2.0)
XCTAssertEqual(constraintOne.priority, LayoutPriority(rawValue: LayoutPriority.RawValue(500)))
XCTAssertEqual(constraintTwo.isActive, true)
XCTAssertEqual(constraintTwo.firstItem as! View, viewOne)
XCTAssertEqual(constraintTwo.firstAttribute, LayoutAttribute.trailing)
XCTAssertEqual(constraintTwo.relation, LayoutRelation.equal)
XCTAssertEqual(constraintTwo.secondItem as! View, viewTwo)
XCTAssertEqual(constraintTwo.secondAttribute, LayoutAttribute.trailing)
XCTAssertEqual(constraintTwo.constant, -10.0)
XCTAssertEqual(constraintTwo.multiplier, 2.0)
XCTAssertEqual(constraintTwo.priority, LayoutPriority(rawValue: LayoutPriority.RawValue(500)))
XCTAssertEqual(viewOne.translatesAutoresizingMaskIntoConstraints, false)
}
func testFlushWithHorizontalEdgesOf() {
let viewOne = View()
let viewTwo = View()
viewOne.addSubview(viewTwo)
let proxy = viewOne.constraid.flush(withHorizontalEdgesOf: viewTwo, times: 2.0, insetBy: 10.0, priority: Constraid.LayoutPriority(rawValue: 500))
let constraints = proxy.constraintCollection
proxy.activate()
let constraintOne = viewOne.constraints.first!
let constraintTwo = viewOne.constraints.last!
XCTAssertEqual(constraints, viewOne.constraints)
XCTAssertEqual(constraintOne.isActive, true)
XCTAssertEqual(constraintOne.firstItem as! View, viewOne)
XCTAssertEqual(constraintOne.firstAttribute, LayoutAttribute.top)
XCTAssertEqual(constraintOne.relation, LayoutRelation.equal)
XCTAssertEqual(constraintOne.secondItem as! View, viewTwo)
XCTAssertEqual(constraintOne.secondAttribute, LayoutAttribute.top)
XCTAssertEqual(constraintOne.constant, 10.0)
XCTAssertEqual(constraintOne.multiplier, 2.0)
XCTAssertEqual(constraintOne.priority, LayoutPriority(rawValue: LayoutPriority.RawValue(500)))
XCTAssertEqual(constraintTwo.isActive, true)
XCTAssertEqual(constraintTwo.firstItem as! View, viewOne)
XCTAssertEqual(constraintTwo.firstAttribute, LayoutAttribute.bottom)
XCTAssertEqual(constraintTwo.relation, LayoutRelation.equal)
XCTAssertEqual(constraintTwo.secondItem as! View, viewTwo)
XCTAssertEqual(constraintTwo.secondAttribute, LayoutAttribute.bottom)
XCTAssertEqual(constraintTwo.constant, -10.0)
XCTAssertEqual(constraintTwo.multiplier, 2.0)
XCTAssertEqual(constraintTwo.priority, LayoutPriority(rawValue: LayoutPriority.RawValue(500)))
XCTAssertEqual(viewOne.translatesAutoresizingMaskIntoConstraints, false)
}
func testFlushWithEdgesOf() {
let viewOne = View()
let viewTwo = View()
viewOne.addSubview(viewTwo)
let proxy = viewOne.constraid.flush(withEdgesOf: viewTwo, times: 2.0, insetBy: 10.0, priority: Constraid.LayoutPriority(rawValue: 500))
let constraints = proxy.constraintCollection
proxy.activate()
let constraintOne = viewOne.constraints[0]
let constraintTwo = viewOne.constraints[1]
let constraintThree = viewOne.constraints[2]
let constraintFour = viewOne.constraints[3]
XCTAssertEqual(constraints, viewOne.constraints)
XCTAssertEqual(constraintOne.isActive, true)
XCTAssertEqual(constraintOne.firstItem as! View, viewOne)
XCTAssertEqual(constraintOne.firstAttribute, LayoutAttribute.top)
XCTAssertEqual(constraintOne.relation, LayoutRelation.equal)
XCTAssertEqual(constraintOne.secondItem as! View, viewTwo)
XCTAssertEqual(constraintOne.secondAttribute, LayoutAttribute.top)
XCTAssertEqual(constraintOne.constant, 10.0)
XCTAssertEqual(constraintOne.multiplier, 2.0)
XCTAssertEqual(constraintOne.priority, LayoutPriority(rawValue: LayoutPriority.RawValue(500)))
XCTAssertEqual(constraintTwo.isActive, true)
XCTAssertEqual(constraintTwo.firstItem as! View, viewOne)
XCTAssertEqual(constraintTwo.firstAttribute, LayoutAttribute.bottom)
XCTAssertEqual(constraintTwo.relation, LayoutRelation.equal)
XCTAssertEqual(constraintTwo.secondItem as! View, viewTwo)
XCTAssertEqual(constraintTwo.secondAttribute, LayoutAttribute.bottom)
XCTAssertEqual(constraintTwo.constant, -10.0)
XCTAssertEqual(constraintTwo.multiplier, 2.0)
XCTAssertEqual(constraintTwo.priority, LayoutPriority(rawValue: LayoutPriority.RawValue(500)))
XCTAssertEqual(constraintThree.isActive, true)
XCTAssertEqual(constraintThree.firstItem as! View, viewOne)
XCTAssertEqual(constraintThree.firstAttribute, LayoutAttribute.leading)
XCTAssertEqual(constraintThree.relation, LayoutRelation.equal)
XCTAssertEqual(constraintThree.secondItem as! View, viewTwo)
XCTAssertEqual(constraintThree.secondAttribute, LayoutAttribute.leading)
XCTAssertEqual(constraintThree.constant, 10.0)
XCTAssertEqual(constraintThree.multiplier, 2.0)
XCTAssertEqual(constraintThree.priority, LayoutPriority(rawValue: LayoutPriority.RawValue(500)))
XCTAssertEqual(constraintFour.isActive, true)
XCTAssertEqual(constraintFour.firstItem as! View, viewOne)
XCTAssertEqual(constraintFour.firstAttribute, LayoutAttribute.trailing)
XCTAssertEqual(constraintFour.relation, LayoutRelation.equal)
XCTAssertEqual(constraintFour.secondItem as! View, viewTwo)
XCTAssertEqual(constraintFour.secondAttribute, LayoutAttribute.trailing)
XCTAssertEqual(constraintFour.constant, -10.0)
XCTAssertEqual(constraintFour.multiplier, 2.0)
XCTAssertEqual(constraintFour.priority, LayoutPriority(rawValue: LayoutPriority.RawValue(500)))
XCTAssertEqual(viewOne.translatesAutoresizingMaskIntoConstraints, false)
}
}
| mit | 4b0895181385d1e00f6b33d32a1e356d | 48.491597 | 153 | 0.742423 | 5.305856 | false | false | false | false |
AwesomeDennis/DXPhotoPicker | DXPhotoPicker/Classes/Views/DXTapDetectingImageView.swift | 1 | 2202 | //
// DXTapDetectingImageView.swift
// DXPhotosPickerDemo
// Inspired by MWTapDetectingImageView github:https://github.com/mwaterfall/MWPhotoBrowser
// Created by Ding Xiao on 15/10/14.
// Copyright © 2015年 Dennis. All rights reserved.
//
// A swift version of MWTapDetectingImageView
import UIKit
@objc protocol DXTapDetectingImageViewDelegate: NSObjectProtocol {
@objc optional func imageView(_: DXTapDetectingImageView?, singleTapDetected touch: UITouch?)
@objc optional func imageView(_: DXTapDetectingImageView?, doubleTapDetected touch: UITouch?)
@objc optional func imageView(_: DXTapDetectingImageView?, tripleTapDetected touch: UITouch?)
}
class DXTapDetectingImageView: UIImageView, DXTapDetectingImageViewDelegate {
weak var tapDelegate: DXTapDetectingImageViewDelegate?
// MARK: initialize
override init(frame: CGRect) {
super.init(frame: frame)
self.isUserInteractionEnabled = true
}
override init(image: UIImage?) {
super.init(image: image)
self.isUserInteractionEnabled = true
}
override init(image: UIImage?, highlightedImage: UIImage?) {
super.init(image: image, highlightedImage: highlightedImage)
self.isUserInteractionEnabled = true
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
// MARK: touch events
override func touchesEnded(_ touches: Set<UITouch>, with event: UIEvent?) {
func handleSingleTap(touch: UITouch?) {
self.tapDelegate?.imageView?(self, singleTapDetected: touch)
}
func handleDoubleTap(touch: UITouch?) {
tapDelegate?.imageView?(self, doubleTapDetected: touch)
}
func handleTripleTap(touch: UITouch?) {
tapDelegate?.imageView?(self, tripleTapDetected: touch)
}
let touch = touches.first
let tapcount = touch?.tapCount
switch(tapcount!) {
case 1: handleSingleTap(touch: touch)
case 2: handleDoubleTap(touch: touch)
case 3: handleTripleTap(touch: touch)
default: break
}
}
}
| mit | b00544a8b0006a7ba196602833c7c246 | 32.318182 | 97 | 0.670759 | 4.74946 | false | false | false | false |
KeithPiTsui/Pavers | Pavers/Sources/CryptoSwift/BlockMode/PCBC.swift | 2 | 1923 | //
// PCBM.swift
// CryptoSwift
//
// Copyright (C) 2014-2017 Marcin Krzyżanowski <[email protected]>
// This software is provided 'as-is', without any express or implied warranty.
//
// In no event will the authors be held liable for any damages arising from the use of this software.
//
// Permission is granted to anyone to use this software for any purpose,including commercial applications, and to alter it and redistribute it freely, subject to the following restrictions:
//
// - The origin of this software must not be misrepresented; you must not claim that you wrote the original software. If you use this software in a product, an acknowledgment in the product documentation is required.
// - Altered source versions must be plainly marked as such, and must not be misrepresented as being the original software.
// - This notice may not be removed or altered from any source or binary distribution.
//
// Propagating Cipher Block Chaining (PCBC)
//
struct PCBCModeWorker: BlockModeWorker {
let cipherOperation: CipherOperationOnBlock
private let iv: ArraySlice<UInt8>
private var prev: ArraySlice<UInt8>?
init(iv: ArraySlice<UInt8>, cipherOperation: @escaping CipherOperationOnBlock) {
self.iv = iv
self.cipherOperation = cipherOperation
}
mutating func encrypt(_ plaintext: ArraySlice<UInt8>) -> Array<UInt8> {
guard let ciphertext = cipherOperation(xor(prev ?? iv, plaintext)) else {
return Array(plaintext)
}
prev = xor(plaintext, ciphertext.slice)
return ciphertext
}
mutating func decrypt(_ ciphertext: ArraySlice<UInt8>) -> Array<UInt8> {
guard let plaintext = cipherOperation(ciphertext) else {
return Array(ciphertext)
}
let result: Array<UInt8> = xor(prev ?? iv, plaintext)
prev = xor(plaintext.slice, ciphertext)
return result
}
}
| mit | c459ac5aac3eee3125e2dc5c2e89311e | 40.782609 | 217 | 0.707596 | 4.554502 | false | false | false | false |
ahoppen/swift | test/IRGen/dynamic_replaceable_coroutine.swift | 11 | 975 | // RUN: %target-swift-frontend -module-name A -enable-implicit-dynamic -emit-ir %s | %FileCheck %s
extension Int {
public struct Thing {
var _int: Int
init(_ int: Int) {
self._int = int
}
}
public var thing: Thing {
get { Thing(self) }
// Make sure the initialization of `thing` is after the dynamic replacement
// check. Coro splitting does not like memsets before the coro.begin.
// CHECK: define{{.*}} swiftcc { i8*, %TSi1AE5ThingV* } @"$sSi1AE5thingSiAAE5ThingVvM"
// CHECK: call i8* @swift_getFunctionReplacement
// CHECK: br
// CHECK: original_entry:
// CHECK: [[FRAMEPTR:%.*]] = bitcast i8* %0 to
// CHECK: [[THING:%.*]] = getelementptr inbounds {{.*}}* [[FRAMEPTR]], i32 0
// CHECK: [[THING2:%.*]] = bitcast %TSi1AE5ThingV* [[THING]] to i8*
// CHECK: call void @llvm.memset{{.*}}(i8* {{.*}} [[THING2]]
// CHECK: ret
_modify {
var thing = Thing(self)
yield &thing
}
}
}
| apache-2.0 | 05e51c209f6f6ee95d57f6ce45f7e223 | 30.451613 | 98 | 0.590769 | 3.433099 | false | false | false | false |
ontouchstart/swift3-playground | Drawing Sounds.playgroundbook/Contents/Chapters/Document1.playgroundchapter/Pages/Exercise1.playgroundpage/Contents.swift | 1 | 3209 | //#-hidden-code
//
// Contents.swift
//
// Copyright (c) 2016 Apple Inc. All Rights Reserved.
//
//#-end-hidden-code
/*:
Configure and play your own instruments! Follow the code comments below to find tips for modifying the audio loop and instruments to make new sounds.
*/
//#-hidden-code
//#-code-completion(everything, hide)
//#-code-completion(currentmodule, show)
//#-code-completion(module, show, Swift)
//#-code-completion(module, show, Drawing_Sounds_Sources)
//#-code-completion(identifier, show, if, func, var, let, ., =, <=, >=, <, >, ==, !=, +, -, true, false, &&, ||, !, *, /, (, ))
//#-code-completion(identifier, hide, leftSoundProducer(), rightSoundProducer(), SoundProducer, viewController, storyBoard, SoundBoard, MusicViewController, Instrument, ClampedInteger, AudioPlayerEngine, connect(_:))
import UIKit
import PlaygroundSupport
let storyBoard = UIStoryboard(name: "Main", bundle: Bundle.main)
let viewController = storyBoard.instantiateInitialViewController() as! MusicViewController
PlaygroundPage.current.liveView = viewController
// Note: These functions are not following Swift conventions but are instead trying to mimic the feel of a class for a beginner audience.
/// Creates an electric guitar.
func ElectricGuitar() -> Instrument {
let instrument = Instrument(kind: .electricGuitar)
instrument.connect(viewController.engine!)
instrument.defaultVelocity = 64
return instrument
}
/// Creates a bass guitar.
func Bass() -> Instrument {
let instrument = Instrument(kind: .bass)
instrument.connect(viewController.engine!)
instrument.defaultVelocity = 64
return instrument
}
//#-end-hidden-code
//#-editable-code
// Try other types of loops!
let loop = Loop(type: LoopType.aboveAndBeyond)
// Numbers in this playground can be from 0 to 100. Increase the volume to hear the loop.
loop.volume = 0
loop.play()
// This code configures the instrument keyboard on the left.
//#-end-editable-code
func leftSoundProducer() -> SoundProducer {
//#-editable-code
// Try changing the instrument to ElectricGuitar().
let instrument = Bass()
instrument.defaultVelocity = 80
// Try changing the type or values for xEffect, which changes the sound depending on where you touch the keyboard.
instrument.xEffect = InstrumentTweak(type: InstrumentTweakType.velocity, effectFrom: 50, to: 100)
// Try another filter, such as multiEcho.
instrument.filter = InstrumentFilter(type: InstrumentFilterType.cathedral)
return instrument
//#-end-editable-code
}
//#-editable-code
// This code configures the voice keyboard on the right.
//#-end-editable-code
func rightSoundProducer() -> SoundProducer {
//#-editable-code
// Put your own words here.
let speech = Speech(words: "Here's to the crazy ones.")
speech.defaultSpeed = 30
speech.defaultVolume = 60
// Try changing the type to speed to see how it impacts the sound.
speech.xEffect = SpeechTweak(type: SpeechTweakType.pitch, effectFrom: 0, to: 100)
return speech
//#-end-editable-code
}
//#-hidden-code
viewController.makeLeftSoundProducer = leftSoundProducer
viewController.makeRightSoundProducer = rightSoundProducer
//#-end-hidden-code
| mit | eec56cc2acf1d5c0350a4a425e862102 | 38.617284 | 216 | 0.731692 | 4.172952 | false | false | false | false |
patrick-sheehan/cwic | Source/EventSegmentsViewController.swift | 1 | 1089 | //
// EventSegmentsViewController.swift
// CWIC
//
// Created by Patrick Sheehan on 1/20/18.
// Copyright © 2018 Síocháin Solutions. All rights reserved.
//
import SJSegmentedScrollView
class EventSegmentsViewController {
class var segments: [UITableViewController] {
return [
// Starred
StarredEventListViewController.generate(),
// Trending
TrendingEventListViewController.generate(),
// All
// UserStrangerListViewController.generate(),
// Categorical
// UserInvitesSentListViewController.generate(),
]
}
class func generate() -> UIViewController {
let segmentView = SJSegmentedViewController(headerViewController: nil, segmentControllers: segments)
segmentView.title = "Events"
// segmentView.headerViewHeight = 0
// segmentView.headerViewOffsetHeight = 0
segmentView.selectedSegmentViewColor = .white
segmentView.segmentBackgroundColor = Cwic.Blue
segmentView.segmentTitleColor = .white
segmentView.segmentTitleFont = Cwic.Font
return segmentView
}
}
| gpl-3.0 | a2d1ff4e9790bf01282a9f829b9adeae | 25.487805 | 104 | 0.709945 | 4.763158 | false | false | false | false |
chrislzm/TimeAnalytics | Time Analytics/TAActivitySegment+CoreDataClass.swift | 1 | 1382 | //
// TAActivitySegment+CoreDataClass.swift
// Time Analytics
//
// Created by Chris Leung on 5/23/17.
// Copyright © 2017 Chris Leung. All rights reserved.
//
import Foundation
import CoreData
@objc(TAActivitySegment)
public class TAActivitySegment: NSManagedObject {
// Transient property for grouping a table into sections based
// on day of entity's date. Allows an NSFetchedResultsController
// to sort by date, but also display the day as the section title.
// - Constructs a string of format "YYYYMMDD", where YYYY is the year,
// MM is the month, and DD is the day (all integers).
// Credit: https://stackoverflow.com/a/42080729/7602403
public var daySectionIdentifier: String? {
let currentCalendar = Calendar.current
self.willAccessValue(forKey: "daySectionIdentifier")
var sectionIdentifier = ""
let date = self.startTime! as Date
let day = currentCalendar.component(.day, from: date)
let month = currentCalendar.component(.month, from: date)
let year = currentCalendar.component(.year, from: date)
// Construct integer from year, month, day. Convert to string.
sectionIdentifier = "\(year * 10000 + month * 100 + day)"
self.didAccessValue(forKey: "daySectionIdentifier")
return sectionIdentifier
}
}
| mit | 3372d1313949fad9244888ab6f781b95 | 35.342105 | 76 | 0.672701 | 4.469256 | false | false | false | false |
yuxiuyu/TrendBet | TrendBetting_0531换首页/Pods/Charts/Source/Charts/Charts/RadarChartView.swift | 7 | 7181 | //
// RadarChartView.swift
// Charts
//
// Copyright 2015 Daniel Cohen Gindi & Philipp Jahoda
// A port of MPAndroidChart for iOS
// Licensed under Apache License 2.0
//
// https://github.com/danielgindi/Charts
//
import Foundation
import CoreGraphics
/// Implementation of the RadarChart, a "spidernet"-like chart. It works best
/// when displaying 5-10 entries per DataSet.
open class RadarChartView: PieRadarChartViewBase
{
/// width of the web lines that come from the center.
@objc open var webLineWidth = CGFloat(1.5)
/// width of the web lines that are in between the lines coming from the center
@objc open var innerWebLineWidth = CGFloat(0.75)
/// color for the web lines that come from the center
@objc open var webColor = NSUIColor(red: 122/255.0, green: 122/255.0, blue: 122.0/255.0, alpha: 1.0)
/// color for the web lines in between the lines that come from the center.
@objc open var innerWebColor = NSUIColor(red: 122/255.0, green: 122/255.0, blue: 122.0/255.0, alpha: 1.0)
/// transparency the grid is drawn with (0.0 - 1.0)
@objc open var webAlpha: CGFloat = 150.0 / 255.0
/// flag indicating if the web lines should be drawn or not
@objc open var drawWeb = true
/// modulus that determines how many labels and web-lines are skipped before the next is drawn
private var _skipWebLineCount = 0
/// the object reprsenting the y-axis labels
private var _yAxis: YAxis!
internal var _yAxisRenderer: YAxisRendererRadarChart!
internal var _xAxisRenderer: XAxisRendererRadarChart!
public override init(frame: CGRect)
{
super.init(frame: frame)
}
public required init?(coder aDecoder: NSCoder)
{
super.init(coder: aDecoder)
}
internal override func initialize()
{
super.initialize()
_yAxis = YAxis(position: .left)
renderer = RadarChartRenderer(chart: self, animator: _animator, viewPortHandler: _viewPortHandler)
_yAxisRenderer = YAxisRendererRadarChart(viewPortHandler: _viewPortHandler, yAxis: _yAxis, chart: self)
_xAxisRenderer = XAxisRendererRadarChart(viewPortHandler: _viewPortHandler, xAxis: _xAxis, chart: self)
self.highlighter = RadarHighlighter(chart: self)
}
internal override func calcMinMax()
{
super.calcMinMax()
guard let data = _data else { return }
_yAxis.calculate(min: data.getYMin(axis: .left), max: data.getYMax(axis: .left))
_xAxis.calculate(min: 0.0, max: Double(data.maxEntryCountSet?.entryCount ?? 0))
}
open override func notifyDataSetChanged()
{
calcMinMax()
_yAxisRenderer?.computeAxis(min: _yAxis._axisMinimum, max: _yAxis._axisMaximum, inverted: _yAxis.isInverted)
_xAxisRenderer?.computeAxis(min: _xAxis._axisMinimum, max: _xAxis._axisMaximum, inverted: false)
if let data = _data,
let legend = _legend,
!legend.isLegendCustom
{
legendRenderer?.computeLegend(data: data)
}
calculateOffsets()
setNeedsDisplay()
}
open override func draw(_ rect: CGRect)
{
super.draw(rect)
guard data != nil, let renderer = renderer else { return }
let optionalContext = NSUIGraphicsGetCurrentContext()
guard let context = optionalContext else { return }
if _xAxis.isEnabled
{
_xAxisRenderer.computeAxis(min: _xAxis._axisMinimum, max: _xAxis._axisMaximum, inverted: false)
}
_xAxisRenderer?.renderAxisLabels(context: context)
if drawWeb
{
renderer.drawExtras(context: context)
}
if _yAxis.isEnabled && _yAxis.isDrawLimitLinesBehindDataEnabled
{
_yAxisRenderer.renderLimitLines(context: context)
}
renderer.drawData(context: context)
if valuesToHighlight()
{
renderer.drawHighlighted(context: context, indices: _indicesToHighlight)
}
if _yAxis.isEnabled && !_yAxis.isDrawLimitLinesBehindDataEnabled
{
_yAxisRenderer.renderLimitLines(context: context)
}
_yAxisRenderer.renderAxisLabels(context: context)
renderer.drawValues(context: context)
legendRenderer.renderLegend(context: context)
drawDescription(context: context)
drawMarkers(context: context)
}
/// - returns: The factor that is needed to transform values into pixels.
@objc open var factor: CGFloat
{
let content = _viewPortHandler.contentRect
return min(content.width / 2.0, content.height / 2.0)
/ CGFloat(_yAxis.axisRange)
}
/// - returns: The angle that each slice in the radar chart occupies.
@objc open var sliceAngle: CGFloat
{
return 360.0 / CGFloat(_data?.maxEntryCountSet?.entryCount ?? 0)
}
open override func indexForAngle(_ angle: CGFloat) -> Int
{
// take the current angle of the chart into consideration
let a = (angle - self.rotationAngle).normalizedAngle
let sliceAngle = self.sliceAngle
let max = _data?.maxEntryCountSet?.entryCount ?? 0
var index = 0
for i in 0..<max
{
let referenceAngle = sliceAngle * CGFloat(i + 1) - sliceAngle / 2.0
if referenceAngle > a
{
index = i
break
}
}
return index
}
/// - returns: The object that represents all y-labels of the RadarChart.
@objc open var yAxis: YAxis
{
return _yAxis
}
/// Sets the number of web-lines that should be skipped on chart web before the next one is drawn. This targets the lines that come from the center of the RadarChart.
/// if count = 1 -> 1 line is skipped in between
@objc open var skipWebLineCount: Int
{
get
{
return _skipWebLineCount
}
set
{
_skipWebLineCount = max(0, newValue)
}
}
internal override var requiredLegendOffset: CGFloat
{
return _legend.font.pointSize * 4.0
}
internal override var requiredBaseOffset: CGFloat
{
return _xAxis.isEnabled && _xAxis.isDrawLabelsEnabled ? _xAxis.labelRotatedWidth : 10.0
}
open override var radius: CGFloat
{
let content = _viewPortHandler.contentRect
return min(content.width / 2.0, content.height / 2.0)
}
/// - returns: The maximum value this chart can display on it's y-axis.
open override var chartYMax: Double { return _yAxis._axisMaximum }
/// - returns: The minimum value this chart can display on it's y-axis.
open override var chartYMin: Double { return _yAxis._axisMinimum }
/// - returns: The range of y-values this chart can display.
@objc open var yRange: Double { return _yAxis.axisRange }
}
| apache-2.0 | d193ec74749e2ec98b9209df4c6ba4b6 | 29.952586 | 170 | 0.616766 | 4.800134 | false | false | false | false |
RocketChat/Rocket.Chat.iOS | Rocket.Chat/Extensions/RealmExecute.swift | 1 | 3203 | //
// RealmExecute.swift
// Rocket.Chat
//
// Created by Matheus Cardoso on 3/1/18.
// Copyright © 2018 Rocket.Chat. All rights reserved.
//
import RealmSwift
extension Realm {
static let writeQueue = DispatchQueue(label: "chat.rocket.realm.write", qos: .background)
#if TEST
func execute(_ execution: @escaping (Realm) -> Void, completion: VoidCompletion? = nil) {
if isInWriteTransaction {
execution(self)
} else {
try? write {
execution(self)
}
}
completion?()
}
#endif
#if !TEST
func execute(_ execution: @escaping (Realm) -> Void, completion: VoidCompletion? = nil) {
var backgroundTaskId: UIBackgroundTaskIdentifier?
backgroundTaskId = UIApplication.shared.beginBackgroundTask(withName: "chat.rocket.realm.background") {
backgroundTaskId = UIBackgroundTaskIdentifier.invalid
}
if let backgroundTaskId = backgroundTaskId {
let config = self.configuration
Realm.writeQueue.async {
if let realm = try? Realm(configuration: config) {
try? realm.write {
execution(realm)
}
}
if let completion = completion {
DispatchQueue.main.async {
completion()
}
}
UIApplication.shared.endBackgroundTask(backgroundTaskId)
}
}
}
#endif
static func execute(_ execution: @escaping (Realm) -> Void, completion: VoidCompletion? = nil) {
Realm.current?.execute(execution, completion: completion)
}
static func executeOnMainThread(realm: Realm? = nil, _ execution: @escaping (Realm) -> Void) {
if let realm = realm {
if realm.isInWriteTransaction {
execution(realm)
} else {
try? realm.write {
execution(realm)
}
}
return
}
guard let currentRealm = Realm.current else { return }
if currentRealm.isInWriteTransaction {
execution(currentRealm)
} else {
try? currentRealm.write {
execution(currentRealm)
}
}
}
#if TEST
static func clearDatabase() {
Realm.execute({ realm in
realm.deleteAll()
})
}
#endif
// MARK: Mutate
// This method will add or update a Realm's object.
static func delete(_ object: Object) {
guard !object.isInvalidated else { return }
self.execute({ realm in
realm.delete(object)
})
}
// This method will add or update a Realm's object.
static func update(_ object: Object) {
self.execute({ realm in
realm.add(object, update: true)
})
}
// This method will add or update a list of some Realm's object.
static func update<S: Sequence>(_ objects: S) where S.Iterator.Element: Object {
self.execute({ realm in
realm.add(objects, update: true)
})
}
}
| mit | 08e46964ffa2a95504429fc86316c0ea | 26.135593 | 111 | 0.544972 | 4.918587 | false | false | false | false |
coreyjv/Emby.ApiClient.Swift | Emby.ApiClient/model/system/SystemInfo.swift | 2 | 3047 | //
// SystemInfo.swift
// Emby.ApiClient
//
import Foundation
public class SystemInfo: PublicSystemInfo {
let operatingSystemDisplayName: String
let isRunningAsService: Bool
let supportsRunningAsService: Bool
let macAddress: String
let hasPendingRestart: Bool
let supportsSync: Bool
let isNetworkDeployed: Bool
let inProgressInstallations: [InstallationInfo]
let webSocketPortNumber: Int
let completedInstallations: [InstallationInfo]
let canSelfRestart: Bool
let canSelfUpdate: Bool
let failedPluginAssemblies: [String]
let programDataPath: String
let itemsByNamePath: String
let cachePath: String
let logPath: String
let transcodingTempPath: String
let httpServerPortNumber: Int
let supportsHttps: Bool
let hasUpdatesAvailable: Bool
let supportsAutoRunAtStartup: Bool
init(localAddress: String?, wanAddress: String?, serverName: String, version: String, operatingSystem: String, id: String, operatingSystemDisplayName: String, isRunningAsService: Bool, supportsRunningAsService: Bool, macAddress: String, hasPendingRestart: Bool, supportsSync: Bool, isNetworkDeployed: Bool,inProgressInstallations: [InstallationInfo], webSocketPortNumber: Int, completedInstallations: [InstallationInfo], canSelfRestart: Bool, canSelfUpdate: Bool, failedPluginAssemblies: [String], programDataPath: String, itemsByNamePath: String, cachePath: String, logPath: String, transcodingTempPath: String, httpServerPortNumber: Int, supportsHttps: Bool, hasUpdatesAvailable: Bool, supportsAutoRunAtStartup: Bool) {
self.operatingSystemDisplayName = operatingSystemDisplayName
self.isRunningAsService = isRunningAsService
self.supportsRunningAsService = supportsRunningAsService
self.macAddress = macAddress
self.hasPendingRestart = hasPendingRestart
self.supportsSync = supportsSync
self.isNetworkDeployed = isNetworkDeployed
self.inProgressInstallations = inProgressInstallations
self.webSocketPortNumber = webSocketPortNumber
self.completedInstallations = completedInstallations
self.canSelfRestart = canSelfRestart
self.canSelfUpdate = canSelfUpdate
self.failedPluginAssemblies = failedPluginAssemblies
self.programDataPath = programDataPath
self.itemsByNamePath = itemsByNamePath
self.cachePath = cachePath
self.logPath = logPath
self.transcodingTempPath = transcodingTempPath
self.httpServerPortNumber = httpServerPortNumber
self.supportsHttps = supportsHttps
self.hasUpdatesAvailable = hasUpdatesAvailable
self.supportsAutoRunAtStartup = supportsAutoRunAtStartup
super.init(localAddress: localAddress, wanAddress: wanAddress, serverName: serverName, version: version, operatingSystem: operatingSystem, id: id)
}
// TODO: Handle JSON
public required init?(jSON: JSON_Object) {
fatalError("init(jSON:) has not been implemented: \(jSON)")
}
} | mit | b856e2f55d707e06a2fe09be4536a04a | 45.892308 | 725 | 0.756482 | 5.199659 | false | false | false | false |
josve05a/wikipedia-ios | Wikipedia/Code/ExploreViewController.swift | 2 | 42615 | import UIKit
import WMF
class ExploreViewController: ColumnarCollectionViewController, ExploreCardViewControllerDelegate, UISearchBarDelegate, CollectionViewUpdaterDelegate, ImageScaleTransitionProviding, DetailTransitionSourceProviding, EventLoggingEventValuesProviding {
public var presentedContentGroupKey: String?
public var shouldRestoreScrollPosition = false
// MARK - UIViewController
override func viewDidLoad() {
super.viewDidLoad()
layoutManager.register(ExploreCardCollectionViewCell.self, forCellWithReuseIdentifier: ExploreCardCollectionViewCell.identifier, addPlaceholder: true)
navigationItem.titleView = titleView
navigationBar.addUnderNavigationBarView(searchBarContainerView)
navigationBar.isUnderBarViewHidingEnabled = true
navigationBar.displayType = .largeTitle
navigationBar.shouldTransformUnderBarViewWithBar = true
navigationBar.isShadowHidingEnabled = true
isRefreshControlEnabled = true
collectionView.refreshControl?.layer.zPosition = 0
title = CommonStrings.exploreTabTitle
NotificationCenter.default.addObserver(self, selector: #selector(exploreFeedPreferencesDidSave(_:)), name: NSNotification.Name.WMFExploreFeedPreferencesDidSave, object: nil)
NotificationCenter.default.addObserver(self, selector: #selector(articleDidChange(_:)), name: NSNotification.Name.WMFArticleUpdated, object: nil)
NotificationCenter.default.addObserver(self, selector: #selector(articleDeleted(_:)), name: NSNotification.Name.WMFArticleDeleted, object: nil)
#if UI_TEST
if UserDefaults.standard.wmf_isFastlaneSnapshotInProgress() {
collectionView.decelerationRate = .fast
}
#endif
}
deinit {
NotificationCenter.default.removeObserver(self)
NSObject.cancelPreviousPerformRequests(withTarget: self)
}
override func viewDidAppear(_ animated: Bool) {
super.viewDidAppear(animated)
startMonitoringReachabilityIfNeeded()
showOfflineEmptyViewIfNeeded()
imageScaleTransitionView = nil
detailTransitionSourceRect = nil
logFeedImpressionAfterDelay()
}
override func viewWillHaveFirstAppearance(_ animated: Bool) {
super.viewWillHaveFirstAppearance(animated)
setupFetchedResultsController()
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
collectionViewUpdater?.isGranularUpdatingEnabled = true
restoreScrollPositionIfNeeded()
}
private func restoreScrollPositionIfNeeded() {
guard
shouldRestoreScrollPosition,
let presentedContentGroupKey = presentedContentGroupKey,
let contentGroup = fetchedResultsController?.fetchedObjects?.first(where: { $0.key == presentedContentGroupKey }),
let indexPath = fetchedResultsController?.indexPath(forObject: contentGroup)
else {
return
}
collectionView.scrollToItem(at: indexPath, at: [], animated: false)
self.shouldRestoreScrollPosition = false
self.presentedContentGroupKey = nil
}
override func viewDidDisappear(_ animated: Bool) {
super.viewDidDisappear(animated)
dataStore.feedContentController.dismissCollapsedContentGroups()
stopMonitoringReachability()
collectionViewUpdater?.isGranularUpdatingEnabled = false
}
// MARK - NavBar
@objc func titleBarButtonPressed(_ sender: UIButton?) {
scrollToTop()
}
@objc public var titleButton: UIView {
return titleView
}
lazy var longTitleButton: UIButton = {
let longTitleButton = UIButton(type: .custom)
longTitleButton.adjustsImageWhenHighlighted = true
longTitleButton.setImage(UIImage(named: "wikipedia"), for: .normal)
longTitleButton.sizeToFit()
longTitleButton.addTarget(self, action: #selector(titleBarButtonPressed), for: .touchUpInside)
longTitleButton.isAccessibilityElement = false
return longTitleButton
}()
lazy var titleView: UIView = {
let titleView = UIView(frame: longTitleButton.bounds)
titleView.addSubview(longTitleButton)
titleView.isAccessibilityElement = false
return titleView
}()
// MARK - Refresh
open override func refresh() {
FeedFunnel.shared.logFeedRefreshed()
updateFeedSources(with: nil, userInitiated: true) {
}
}
// MARK - Scroll
var isLoadingOlderContent: Bool = false
override func scrollViewDidScroll(_ scrollView: UIScrollView) {
super.scrollViewDidScroll(scrollView)
guard !isLoadingOlderContent else {
return
}
let ratio: CGFloat = scrollView.contentOffset.y / (scrollView.contentSize.height - scrollView.bounds.size.height)
if ratio < 0.8 {
return
}
let lastSectionIndex = numberOfSectionsInExploreFeed - 1
guard lastSectionIndex >= 0 else {
return
}
let lastItemIndex = numberOfItemsInSection(lastSectionIndex) - 1
guard lastItemIndex >= 0 else {
return
}
guard let lastGroup = group(at: IndexPath(item: lastItemIndex, section: lastSectionIndex)) else {
return
}
let now = Date()
let midnightUTC: Date = (now as NSDate).wmf_midnightUTCDateFromLocal
guard let lastGroupMidnightUTC = lastGroup.midnightUTCDate else {
return
}
let calendar = NSCalendar.wmf_gregorian()
let days: Int = calendar?.wmf_days(from: lastGroupMidnightUTC, to: midnightUTC) ?? 0
guard days < Int(WMFExploreFeedMaximumNumberOfDays) else {
return
}
guard let nextOldestDate: Date = calendar?.date(byAdding: .day, value: -1, to: lastGroupMidnightUTC, options: .matchStrictly) else {
return
}
isLoadingOlderContent = true
FeedFunnel.shared.logFeedRefreshed()
updateFeedSources(with: (nextOldestDate as NSDate).wmf_midnightLocalDateForEquivalentUTC, userInitiated: false) {
self.isLoadingOlderContent = false
}
}
func scrollViewDidEndDragging(_ scrollView: UIScrollView, willDecelerate decelerate: Bool) {
logFeedImpressionAfterDelay()
}
// MARK: - Event logging
private func logFeedImpressionAfterDelay() {
NSObject.cancelPreviousPerformRequests(withTarget: self, selector: #selector(logFeedImpression), object: nil)
perform(#selector(logFeedImpression), with: self, afterDelay: 3)
}
@objc private func logFeedImpression() {
for indexPath in collectionView.indexPathsForVisibleItems {
guard let group = group(at: indexPath), group.undoType == .none, let itemFrame = collectionView.layoutAttributesForItem(at: indexPath)?.frame else {
continue
}
let visibleRectOrigin = CGPoint(x: collectionView.contentOffset.x, y: collectionView.contentOffset.y + navigationBar.visibleHeight)
let visibleRectSize = view.layoutMarginsGuide.layoutFrame.size
let itemCenter = CGPoint(x: itemFrame.midX, y: itemFrame.midY)
let visibleRect = CGRect(origin: visibleRectOrigin, size: visibleRectSize)
let isUnobstructed = visibleRect.contains(itemCenter)
guard isUnobstructed else {
continue
}
FeedFunnel.shared.logFeedImpression(for: FeedFunnelContext(group))
}
}
// MARK - Search
public var wantsCustomSearchTransition: Bool {
return true
}
lazy var searchBarContainerView: UIView = {
let searchContainerView = UIView()
searchBar.translatesAutoresizingMaskIntoConstraints = false
searchContainerView.addSubview(searchBar)
let leading = searchContainerView.layoutMarginsGuide.leadingAnchor.constraint(equalTo: searchBar.leadingAnchor)
let trailing = searchContainerView.layoutMarginsGuide.trailingAnchor.constraint(equalTo: searchBar.trailingAnchor)
let top = searchContainerView.topAnchor.constraint(equalTo: searchBar.topAnchor)
let bottom = searchContainerView.bottomAnchor.constraint(equalTo: searchBar.bottomAnchor)
searchContainerView.addConstraints([leading, trailing, top, bottom])
return searchContainerView
}()
lazy var searchBar: UISearchBar = {
let searchBar = UISearchBar()
searchBar.delegate = self
searchBar.returnKeyType = .search
searchBar.searchBarStyle = .minimal
searchBar.placeholder = WMFLocalizedString("search-field-placeholder-text", value: "Search Wikipedia", comment: "Search field placeholder text")
return searchBar
}()
@objc func ensureWikipediaSearchIsShowing() {
if self.navigationBar.underBarViewPercentHidden > 0 {
self.navigationBar.setNavigationBarPercentHidden(0, underBarViewPercentHidden: 0, extendedViewPercentHidden: 0, topSpacingPercentHidden: 1, animated: true)
}
}
// MARK - UISearchBarDelegate
func searchBarShouldBeginEditing(_ searchBar: UISearchBar) -> Bool {
let searchActivity = NSUserActivity.wmf_searchView()
NotificationCenter.default.post(name: .WMFNavigateToActivity, object: searchActivity)
return false
}
// MARK - State
@objc var dataStore: MWKDataStore!
private var fetchedResultsController: NSFetchedResultsController<WMFContentGroup>?
private var collectionViewUpdater: CollectionViewUpdater<WMFContentGroup>?
private var wantsDeleteInsertOnNextItemUpdate: Bool = false
private func setupFetchedResultsController() {
let fetchRequest: NSFetchRequest<WMFContentGroup> = WMFContentGroup.fetchRequest()
fetchRequest.predicate = NSPredicate(format: "isVisible == YES && (placement == NULL || placement == %@)", "feed")
fetchRequest.sortDescriptors = [NSSortDescriptor(key: "midnightUTCDate", ascending: false), NSSortDescriptor(key: "dailySortPriority", ascending: true), NSSortDescriptor(key: "date", ascending: false)]
let frc = NSFetchedResultsController(fetchRequest: fetchRequest, managedObjectContext: dataStore.viewContext, sectionNameKeyPath: "midnightUTCDate", cacheName: nil)
fetchedResultsController = frc
let updater = CollectionViewUpdater(fetchedResultsController: frc, collectionView: collectionView)
collectionViewUpdater = updater
updater.delegate = self
updater.isSlidingNewContentInFromTheTopEnabled = true
updater.performFetch()
}
private func group(at indexPath: IndexPath) -> WMFContentGroup? {
guard let frc = fetchedResultsController, frc.isValidIndexPath(indexPath) else {
return nil
}
return frc.object(at: indexPath)
}
private func groupKey(at indexPath: IndexPath) -> String? {
return group(at: indexPath)?.key
}
lazy var saveButtonsController: SaveButtonsController = {
let sbc = SaveButtonsController(dataStore: dataStore)
sbc.delegate = self
return sbc
}()
var numberOfSectionsInExploreFeed: Int {
guard let sections = fetchedResultsController?.sections else {
return 0
}
return sections.count
}
func numberOfItemsInSection(_ section: Int) -> Int {
guard let sections = fetchedResultsController?.sections, sections.count > section else {
return 0
}
return sections[section].numberOfObjects
}
override func numberOfSections(in collectionView: UICollectionView) -> Int {
return numberOfSectionsInExploreFeed
}
private func resetRefreshControl() {
guard let refreshControl = collectionView.refreshControl,
refreshControl.isRefreshing else {
return
}
refreshControl.endRefreshing()
}
lazy var reachabilityNotifier: ReachabilityNotifier = {
let notifier = ReachabilityNotifier(Configuration.current.defaultSiteDomain) { [weak self] (reachable, flags) in
if reachable {
DispatchQueue.main.async {
self?.updateFeedSources(userInitiated: false)
}
} else {
DispatchQueue.main.async {
self?.showOfflineEmptyViewIfNeeded()
}
}
}
return notifier
}()
private func stopMonitoringReachability() {
reachabilityNotifier.stop()
}
private func startMonitoringReachabilityIfNeeded() {
guard numberOfSectionsInExploreFeed == 0 else {
stopMonitoringReachability()
return
}
reachabilityNotifier.start()
}
private func showOfflineEmptyViewIfNeeded() {
guard isViewLoaded && fetchedResultsController != nil else {
return
}
guard numberOfSectionsInExploreFeed == 0 else {
wmf_hideEmptyView()
return
}
guard !wmf_isShowingEmptyView() else {
return
}
guard !reachabilityNotifier.isReachable else {
return
}
resetRefreshControl()
wmf_showEmptyView(of: .noFeed, theme: theme, frame: view.bounds)
}
var isLoadingNewContent = false
@objc(updateFeedSourcesWithDate:userInitiated:completion:)
public func updateFeedSources(with date: Date? = nil, userInitiated: Bool, completion: @escaping () -> Void = { }) {
assert(Thread.isMainThread)
guard !isLoadingNewContent else {
completion()
return
}
isLoadingNewContent = true
if date == nil, let refreshControl = collectionView.refreshControl, !refreshControl.isRefreshing {
#if UI_TEST
#else
refreshControl.beginRefreshing()
#endif
if numberOfSectionsInExploreFeed == 0 {
scrollToTop()
}
}
self.dataStore.feedContentController.updateFeedSources(with: date, userInitiated: userInitiated) {
DispatchQueue.main.async {
self.isLoadingNewContent = false
self.resetRefreshControl()
if date == nil {
self.startMonitoringReachabilityIfNeeded()
self.showOfflineEmptyViewIfNeeded()
}
completion()
}
}
}
override func contentSizeCategoryDidChange(_ notification: Notification?) {
layoutCache.reset()
super.contentSizeCategoryDidChange(notification)
}
// MARK - ImageScaleTransitionProviding
var imageScaleTransitionView: UIImageView?
// MARK - DetailTransitionSourceProviding
var detailTransitionSourceRect: CGRect?
// MARK - UICollectionViewDataSource
override func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return numberOfItemsInSection(section)
}
override func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
let maybeCell = collectionView.dequeueReusableCell(withReuseIdentifier: ExploreCardCollectionViewCell.identifier, for: indexPath)
guard let cell = maybeCell as? ExploreCardCollectionViewCell else {
return maybeCell
}
cell.apply(theme: theme)
configure(cell: cell, forItemAt: indexPath, layoutOnly: false)
return cell
}
override func collectionView(_ collectionView: UICollectionView, viewForSupplementaryElementOfKind kind: String, at indexPath: IndexPath) -> UICollectionReusableView {
guard kind == UICollectionView.elementKindSectionHeader else {
abort()
}
guard let header = collectionView.dequeueReusableSupplementaryView(ofKind: kind, withReuseIdentifier: CollectionViewHeader.identifier, for: indexPath) as? CollectionViewHeader else {
abort()
}
configureHeader(header, for: indexPath.section)
return header
}
// MARK - UICollectionViewDelegate
func collectionView(_ collectionView: UICollectionView, shouldSelectItemAt indexPath: IndexPath) -> Bool {
guard let group = group(at: indexPath) else {
return false
}
return group.isSelectable
}
func collectionView(_ collectionView: UICollectionView, didSelectItemAt indexPath: IndexPath) {
if let cell = collectionView.cellForItem(at: indexPath) as? ExploreCardCollectionViewCell {
detailTransitionSourceRect = view.convert(cell.frame, from: collectionView)
if
let vc = cell.cardContent as? ExploreCardViewController,
vc.collectionView.numberOfSections > 0, vc.collectionView.numberOfItems(inSection: 0) > 0,
let cell = vc.collectionView.cellForItem(at: IndexPath(item: 0, section: 0)) as? ArticleCollectionViewCell
{
imageScaleTransitionView = cell.imageView.isHidden ? nil : cell.imageView
} else {
imageScaleTransitionView = nil
}
}
guard let group = group(at: indexPath) else {
return
}
presentedContentGroupKey = group.key
if let vc = group.detailViewControllerWithDataStore(dataStore, theme: theme) {
wmf_push(vc, context: FeedFunnelContext(group), index: indexPath.item, animated: true)
return
}
if let vc = group.detailViewControllerForPreviewItemAtIndex(0, dataStore: dataStore, theme: theme) {
if vc is WMFImageGalleryViewController {
present(vc, animated: true)
FeedFunnel.shared.logFeedCardOpened(for: FeedFunnelContext(group))
} else {
wmf_push(vc, context: FeedFunnelContext(group), index: indexPath.item, animated: true)
}
return
}
}
func configureHeader(_ header: CollectionViewHeader, for sectionIndex: Int) {
guard collectionView(collectionView, numberOfItemsInSection: sectionIndex) > 0 else {
return
}
guard let group = group(at: IndexPath(item: 0, section: sectionIndex)) else {
return
}
header.title = (group.midnightUTCDate as NSDate?)?.wmf_localizedRelativeDateFromMidnightUTCDate()
header.apply(theme: theme)
}
func createNewCardVCFor(_ cell: ExploreCardCollectionViewCell) -> ExploreCardViewController {
let cardVC = ExploreCardViewController()
cardVC.delegate = self
cardVC.dataStore = dataStore
cardVC.view.autoresizingMask = []
addChild(cardVC)
cell.cardContent = cardVC
cardVC.didMove(toParent: self)
return cardVC
}
func configure(cell: ExploreCardCollectionViewCell, forItemAt indexPath: IndexPath, layoutOnly: Bool) {
let cardVC = cell.cardContent as? ExploreCardViewController ?? createNewCardVCFor(cell)
guard let group = group(at: indexPath) else {
return
}
cardVC.contentGroup = group
cell.title = group.headerTitle
cell.subtitle = group.headerSubTitle
cell.footerTitle = cardVC.footerText
cell.isCustomizationButtonHidden = !(group.contentGroupKind.isCustomizable || group.contentGroupKind.isGlobal)
cell.undoType = group.undoType
cell.apply(theme: theme)
cell.delegate = self
if group.undoType == .contentGroupKind {
indexPathsForCollapsedCellsThatCanReappear.insert(indexPath)
}
}
override func apply(theme: Theme) {
super.apply(theme: theme)
guard viewIfLoaded != nil else {
return
}
searchBar.apply(theme: theme)
searchBarContainerView.backgroundColor = theme.colors.paperBackground
collectionView.backgroundColor = .clear
view.backgroundColor = theme.colors.paperBackground
for cell in collectionView.visibleCells {
guard let themeable = cell as? Themeable else {
continue
}
themeable.apply(theme: theme)
}
for header in collectionView.visibleSupplementaryViews(ofKind: UICollectionView.elementKindSectionHeader) {
guard let themeable = header as? Themeable else {
continue
}
themeable.apply(theme: theme)
}
}
// MARK: - ColumnarCollectionViewLayoutDelegate
override func collectionView(_ collectionView: UICollectionView, estimatedHeightForItemAt indexPath: IndexPath, forColumnWidth columnWidth: CGFloat) -> ColumnarCollectionViewLayoutHeightEstimate {
guard let group = group(at: indexPath) else {
return ColumnarCollectionViewLayoutHeightEstimate(precalculated: true, height: 0)
}
let identifier = ExploreCardCollectionViewCell.identifier
let userInfo = "evc-cell-\(group.key ?? "")"
if let cachedHeight = layoutCache.cachedHeightForCellWithIdentifier(identifier, columnWidth: columnWidth, userInfo: userInfo) {
return ColumnarCollectionViewLayoutHeightEstimate(precalculated: true, height: cachedHeight)
}
var estimate = ColumnarCollectionViewLayoutHeightEstimate(precalculated: false, height: 100)
guard let placeholderCell = layoutManager.placeholder(forCellWithReuseIdentifier: ExploreCardCollectionViewCell.identifier) as? ExploreCardCollectionViewCell else {
return estimate
}
configure(cell: placeholderCell, forItemAt: indexPath, layoutOnly: true)
estimate.height = placeholderCell.sizeThatFits(CGSize(width: columnWidth, height: UIView.noIntrinsicMetric), apply: false).height
estimate.precalculated = true
layoutCache.setHeight(estimate.height, forCellWithIdentifier: identifier, columnWidth: columnWidth, groupKey: group.key, userInfo: userInfo)
return estimate
}
override func collectionView(_ collectionView: UICollectionView, estimatedHeightForHeaderInSection section: Int, forColumnWidth columnWidth: CGFloat) -> ColumnarCollectionViewLayoutHeightEstimate {
guard let group = self.group(at: IndexPath(item: 0, section: section)), let date = group.midnightUTCDate, date < Date() else {
return ColumnarCollectionViewLayoutHeightEstimate(precalculated: true, height: 0)
}
var estimate = ColumnarCollectionViewLayoutHeightEstimate(precalculated: false, height: 100)
guard let header = layoutManager.placeholder(forSupplementaryViewOfKind: UICollectionView.elementKindSectionHeader, withReuseIdentifier: CollectionViewHeader.identifier) as? CollectionViewHeader else {
return estimate
}
configureHeader(header, for: section)
estimate.height = header.sizeThatFits(CGSize(width: columnWidth, height: UIView.noIntrinsicMetric), apply: false).height
estimate.precalculated = true
return estimate
}
override func metrics(with size: CGSize, readableWidth: CGFloat, layoutMargins: UIEdgeInsets) -> ColumnarCollectionViewLayoutMetrics {
return ColumnarCollectionViewLayoutMetrics.exploreViewMetrics(with: size, readableWidth: readableWidth, layoutMargins: layoutMargins)
}
override func collectionView(_ collectionView: UICollectionView, shouldShowFooterForSection section: Int) -> Bool {
return false
}
// MARK - ExploreCardViewControllerDelegate
func exploreCardViewController(_ exploreCardViewController: ExploreCardViewController, didSelectItemAtIndexPath indexPath: IndexPath) {
guard
let contentGroup = exploreCardViewController.contentGroup,
let vc = contentGroup.detailViewControllerForPreviewItemAtIndex(indexPath.row, dataStore: dataStore, theme: theme) else {
return
}
if let cell = exploreCardViewController.collectionView.cellForItem(at: indexPath) {
detailTransitionSourceRect = view.convert(cell.frame, from: exploreCardViewController.collectionView)
if let articleCell = cell as? ArticleCollectionViewCell, !articleCell.imageView.isHidden {
imageScaleTransitionView = articleCell.imageView
} else {
imageScaleTransitionView = nil
}
}
if let otdvc = vc as? OnThisDayViewController {
otdvc.initialEvent = (contentGroup.contentPreview as? [Any])?[indexPath.item] as? WMFFeedOnThisDayEvent
}
let context = FeedFunnelContext(contentGroup)
presentedContentGroupKey = contentGroup.key
switch contentGroup.detailType {
case .gallery:
present(vc, animated: true)
FeedFunnel.shared.logFeedCardOpened(for: context)
default:
wmf_push(vc, context: context, index: indexPath.item, animated: true)
}
}
// MARK - Prefetching
override func imageURLsForItemAt(_ indexPath: IndexPath) -> Set<URL>? {
guard let contentGroup = group(at: indexPath) else {
return nil
}
return contentGroup.imageURLsCompatibleWithTraitCollection(traitCollection, dataStore: dataStore)
}
#if DEBUG
override func motionEnded(_ motion: UIEvent.EventSubtype, with event: UIEvent?) {
guard motion == .motionShake else {
return
}
dataStore.feedContentController.debugChaos()
}
#endif
// MARK - CollectionViewUpdaterDelegate
var needsReloadVisibleCells = false
var indexPathsForCollapsedCellsThatCanReappear = Set<IndexPath>()
private func reloadVisibleCells() {
for indexPath in collectionView.indexPathsForVisibleItems {
guard let cell = collectionView.cellForItem(at: indexPath) as? ExploreCardCollectionViewCell else {
continue
}
configure(cell: cell, forItemAt: indexPath, layoutOnly: false)
}
}
func collectionViewUpdater<T: NSFetchRequestResult>(_ updater: CollectionViewUpdater<T>, didUpdate collectionView: UICollectionView) {
guard needsReloadVisibleCells else {
return
}
reloadVisibleCells()
needsReloadVisibleCells = false
layout.currentSection = nil
}
func collectionViewUpdater<T: NSFetchRequestResult>(_ updater: CollectionViewUpdater<T>, updateItemAtIndexPath indexPath: IndexPath, in collectionView: UICollectionView) {
layoutCache.invalidateGroupKey(groupKey(at: indexPath))
collectionView.collectionViewLayout.invalidateLayout()
if wantsDeleteInsertOnNextItemUpdate {
layout.currentSection = indexPath.section
collectionView.deleteItems(at: [indexPath])
collectionView.insertItems(at: [indexPath])
} else {
needsReloadVisibleCells = true
}
}
// MARK: Event logging
var eventLoggingCategory: EventLoggingCategory {
return .feed
}
var eventLoggingLabel: EventLoggingLabel? {
return previewed.context?.label
}
// MARK: Peek & Pop
private var previewed: (context: FeedFunnelContext?, indexPath: IndexPath?)
override func previewingContext(_ previewingContext: UIViewControllerPreviewing, viewControllerForLocation location: CGPoint) -> UIViewController? {
guard
let indexPath = collectionViewIndexPathForPreviewingContext(previewingContext, location: location),
let cell = collectionView.cellForItem(at: indexPath) as? ExploreCardCollectionViewCell,
let vc = cell.cardContent as? ExploreCardViewController,
let contentGroup = vc.contentGroup
else {
return nil
}
previewed.context = FeedFunnelContext(contentGroup)
let convertedLocation = view.convert(location, to: vc.collectionView)
if let indexPath = vc.collectionView.indexPathForItem(at: convertedLocation), let cell = vc.collectionView.cellForItem(at: indexPath), let viewControllerToCommit = contentGroup.detailViewControllerForPreviewItemAtIndex(indexPath.row, dataStore: dataStore, theme: theme) {
previewingContext.sourceRect = view.convert(cell.bounds, from: cell)
if let potd = viewControllerToCommit as? WMFImageGalleryViewController {
potd.setOverlayViewTopBarHidden(true)
} else if let avc = viewControllerToCommit as? WMFArticleViewController {
avc.articlePreviewingActionsDelegate = self
avc.wmf_addPeekableChildViewController(for: avc.articleURL, dataStore: dataStore, theme: theme)
}
previewed.indexPath = indexPath
FeedFunnel.shared.logFeedCardPreviewed(for: previewed.context, index: indexPath.item)
return viewControllerToCommit
} else if contentGroup.contentGroupKind != .random {
return contentGroup.detailViewControllerWithDataStore(dataStore, theme: theme)
} else {
return nil
}
}
open override func previewingContext(_ previewingContext: UIViewControllerPreviewing, commit viewControllerToCommit: UIViewController) {
if let potd = viewControllerToCommit as? WMFImageGalleryViewController {
potd.setOverlayViewTopBarHidden(false)
present(potd, animated: false)
FeedFunnel.shared.logFeedCardOpened(for: previewed.context)
} else if let avc = viewControllerToCommit as? WMFArticleViewController {
avc.wmf_removePeekableChildViewControllers()
wmf_push(avc, context: previewed.context, index: previewed.indexPath?.item, animated: false)
} else {
wmf_push(viewControllerToCommit, context: previewed.context, index: previewed.indexPath?.item, animated: true)
}
}
// MARK:
var addArticlesToReadingListVCDidDisappear: (() -> Void)? = nil
}
// MARK - Analytics
extension ExploreViewController {
private func logArticleSavedStateChange(_ wasArticleSaved: Bool, saveButton: SaveButton?, article: WMFArticle, userInfo: Any?) {
guard let articleURL = article.url else {
assert(false, "Article missing url: \(article)")
return
}
guard
let userInfo = userInfo as? ExploreSaveButtonUserInfo,
let midnightUTCDate = userInfo.midnightUTCDate,
let kind = userInfo.kind
else {
assert(false, "Article missing user info: \(article)")
return
}
let index = userInfo.indexPath.item
if wasArticleSaved {
ReadingListsFunnel.shared.logSaveInFeed(saveButton: saveButton, articleURL: articleURL, kind: kind, index: index, date: midnightUTCDate)
} else {
ReadingListsFunnel.shared.logUnsaveInFeed(saveButton: saveButton, articleURL: articleURL, kind: kind, index: index, date: midnightUTCDate)
}
}
}
extension ExploreViewController: SaveButtonsControllerDelegate {
func didSaveArticle(_ saveButton: SaveButton?, didSave: Bool, article: WMFArticle, userInfo: Any?) {
let logSavedEvent = {
self.logArticleSavedStateChange(didSave, saveButton: saveButton, article: article, userInfo: userInfo)
}
if isPresentingAddArticlesToReadingListVC() {
addArticlesToReadingListVCDidDisappear = logSavedEvent
} else {
logSavedEvent()
}
}
func willUnsaveArticle(_ article: WMFArticle, userInfo: Any?) {
if article.userCreatedReadingListsCount > 0 {
let alertController = ReadingListsAlertController()
alertController.showAlert(presenter: self, article: article)
} else {
saveButtonsController.updateSavedState()
}
}
func showAddArticlesToReadingListViewController(for article: WMFArticle) {
let addArticlesToReadingListViewController = AddArticlesToReadingListViewController(with: dataStore, articles: [article], moveFromReadingList: nil, theme: theme)
addArticlesToReadingListViewController.delegate = self
let navigationController = WMFThemeableNavigationController(rootViewController: addArticlesToReadingListViewController, theme: self.theme)
navigationController.isNavigationBarHidden = true
present(navigationController, animated: true)
}
private func isPresentingAddArticlesToReadingListVC() -> Bool {
guard let navigationController = presentedViewController as? UINavigationController else {
return false
}
return navigationController.viewControllers.contains { $0 is AddArticlesToReadingListViewController }
}
}
extension ExploreViewController: AddArticlesToReadingListDelegate {
func addArticlesToReadingListWillClose(_ addArticlesToReadingList: AddArticlesToReadingListViewController) {
}
func addArticlesToReadingListDidDisappear(_ addArticlesToReadingList: AddArticlesToReadingListViewController) {
addArticlesToReadingListVCDidDisappear?()
addArticlesToReadingListVCDidDisappear = nil
}
func addArticlesToReadingList(_ addArticlesToReadingList: AddArticlesToReadingListViewController, didAddArticles articles: [WMFArticle], to readingList: ReadingList) {
}
}
extension ExploreViewController: ReadingListsAlertControllerDelegate {
func readingListsAlertController(_ readingListsAlertController: ReadingListsAlertController, didSelectUnsaveForArticle: WMFArticle) {
saveButtonsController.updateSavedState()
}
}
extension ExploreViewController: ExploreCardCollectionViewCellDelegate {
func exploreCardCollectionViewCellWantsCustomization(_ cell: ExploreCardCollectionViewCell) {
guard let vc = cell.cardContent as? ExploreCardViewController,
let group = vc.contentGroup else {
return
}
guard let sheet = menuActionSheetForGroup(group) else {
return
}
sheet.popoverPresentationController?.sourceView = cell.customizationButton
sheet.popoverPresentationController?.sourceRect = cell.customizationButton.bounds
present(sheet, animated: true)
}
private func save() {
do {
try self.dataStore.save()
} catch let error {
DDLogError("Error saving after cell customization update: \(error)")
}
}
@objc func exploreFeedPreferencesDidSave(_ note: Notification) {
DispatchQueue.main.async {
for indexPath in self.indexPathsForCollapsedCellsThatCanReappear {
guard self.fetchedResultsController?.isValidIndexPath(indexPath) ?? false else {
continue
}
self.layoutCache.invalidateGroupKey(self.groupKey(at: indexPath))
self.collectionView.collectionViewLayout.invalidateLayout()
}
self.indexPathsForCollapsedCellsThatCanReappear = []
}
}
@objc func articleDidChange(_ note: Notification) {
guard
let article = note.object as? WMFArticle,
let articleKey = article.key
else {
return
}
var needsReload = false
if article.hasChangedValuesForCurrentEventThatAffectPreviews, layoutCache.invalidateArticleKey(articleKey) {
needsReload = true
collectionView.collectionViewLayout.invalidateLayout()
} else if !article.hasChangedValuesForCurrentEventThatAffectSavedState {
return
}
let visibleIndexPathsWithChanges = collectionView.indexPathsForVisibleItems.filter { (indexPath) -> Bool in
guard let contentGroup = group(at: indexPath) else {
return false
}
return contentGroup.previewArticleKeys.contains(articleKey)
}
guard !visibleIndexPathsWithChanges.isEmpty else {
return
}
for indexPath in visibleIndexPathsWithChanges {
guard let cell = collectionView.cellForItem(at: indexPath) as? ExploreCardCollectionViewCell else {
continue
}
if needsReload {
configure(cell: cell, forItemAt: indexPath, layoutOnly: false)
} else if let cardVC = cell.cardContent as? ExploreCardViewController {
cardVC.savedStateDidChangeForArticleWithKey(articleKey)
}
}
}
@objc func articleDeleted(_ note: Notification) {
guard let articleKey = note.userInfo?[WMFArticleDeletedNotificationUserInfoArticleKeyKey] as? String else {
return
}
layoutCache.invalidateArticleKey(articleKey)
}
private func menuActionSheetForGroup(_ group: WMFContentGroup) -> UIAlertController? {
guard group.contentGroupKind.isCustomizable || group.contentGroupKind.isGlobal else {
return nil
}
let sheet = UIAlertController(title: nil, message: nil, preferredStyle: .actionSheet)
let customizeExploreFeed = UIAlertAction(title: CommonStrings.customizeExploreFeedTitle, style: .default) { (_) in
let exploreFeedSettingsViewController = ExploreFeedSettingsViewController()
exploreFeedSettingsViewController.showCloseButton = true
exploreFeedSettingsViewController.dataStore = self.dataStore
exploreFeedSettingsViewController.apply(theme: self.theme)
let themeableNavigationController = WMFThemeableNavigationController(rootViewController: exploreFeedSettingsViewController, theme: self.theme)
self.present(themeableNavigationController, animated: true)
}
let hideThisCard = UIAlertAction(title: WMFLocalizedString("explore-feed-preferences-hide-card-action-title", value: "Hide this card", comment: "Title for action that allows users to hide a feed card"), style: .default) { (_) in
FeedFunnel.shared.logFeedCardDismissed(for: FeedFunnelContext(group))
group.undoType = .contentGroup
self.wantsDeleteInsertOnNextItemUpdate = true
self.save()
}
guard let title = group.headerTitle else {
assertionFailure("Expected header title for group \(group.contentGroupKind)")
return nil
}
let hideAllCards = UIAlertAction(title: String.localizedStringWithFormat(WMFLocalizedString("explore-feed-preferences-hide-feed-cards-action-title", value: "Hide all “%@” cards", comment: "Title for action that allows users to hide all feed cards of given type - %@ is replaced with feed card type"), title), style: .default) { (_) in
let feedContentController = self.dataStore.feedContentController
// If there's only one group left it means that we're about to show an alert about turning off the Explore tab. In those cases, we don't want to provide the option to undo.
if feedContentController.countOfVisibleContentGroupKinds > 1 {
group.undoType = .contentGroupKind
self.wantsDeleteInsertOnNextItemUpdate = true
}
feedContentController.toggleContentGroup(of: group.contentGroupKind, isOn: false, waitForCallbackFromCoordinator: true, apply: true, updateFeed: false)
FeedFunnel.shared.logFeedCardDismissed(for: FeedFunnelContext(group))
}
let cancel = UIAlertAction(title: CommonStrings.cancelActionTitle, style: .cancel)
sheet.addAction(hideThisCard)
sheet.addAction(hideAllCards)
sheet.addAction(customizeExploreFeed)
sheet.addAction(cancel)
return sheet
}
func exploreCardCollectionViewCellWantsToUndoCustomization(_ cell: ExploreCardCollectionViewCell) {
guard let vc = cell.cardContent as? ExploreCardViewController,
let group = vc.contentGroup else {
return
}
FeedFunnel.shared.logFeedCardRetained(for: FeedFunnelContext(group))
if group.undoType == .contentGroupKind {
dataStore.feedContentController.toggleContentGroup(of: group.contentGroupKind, isOn: true, waitForCallbackFromCoordinator: false, apply: true, updateFeed: false)
}
group.undoType = .none
wantsDeleteInsertOnNextItemUpdate = true
if let indexPath = fetchedResultsController?.indexPath(forObject: group) {
indexPathsForCollapsedCellsThatCanReappear.remove(indexPath)
}
save()
}
}
// MARK: - WMFArticlePreviewingActionsDelegate
extension ExploreViewController {
override func shareArticlePreviewActionSelected(withArticleController articleController: WMFArticleViewController, shareActivityController: UIActivityViewController) {
super.shareArticlePreviewActionSelected(withArticleController: articleController, shareActivityController: shareActivityController)
FeedFunnel.shared.logFeedShareTapped(for: previewed.context, index: previewed.indexPath?.item)
}
override func readMoreArticlePreviewActionSelected(withArticleController articleController: WMFArticleViewController) {
articleController.wmf_removePeekableChildViewControllers()
wmf_push(articleController, context: previewed.context, index: previewed.indexPath?.item, animated: true)
}
override func saveArticlePreviewActionSelected(withArticleController articleController: WMFArticleViewController, didSave: Bool, articleURL: URL) {
if didSave {
ReadingListsFunnel.shared.logSaveInFeed(context: previewed.context, articleURL: articleURL, index: previewed.indexPath?.item)
} else {
ReadingListsFunnel.shared.logUnsaveInFeed(context: previewed.context, articleURL: articleURL, index: previewed.indexPath?.item)
}
}
}
// MARK: - EventLoggingSearchSourceProviding
extension ExploreViewController: EventLoggingSearchSourceProviding {
var searchSource: String {
return "top_of_feed"
}
}
| mit | 7f0ee24886e01a7fef59e6710a47065d | 42.70359 | 342 | 0.682406 | 5.729595 | false | false | false | false |
adrfer/swift | test/attr/attr_iboutlet.swift | 12 | 8900 | // RUN: %target-parse-verify-swift
// REQUIRES: objc_interop
@IBOutlet // expected-error {{only instance properties can be declared @IBOutlet}} {{1-11=}}
var iboutlet_global: Int
@IBOutlet // expected-error {{@IBOutlet may only be used on 'var' declarations}} {{1-11=}}
class IBOutletClassTy {}
@IBOutlet // expected-error {{@IBOutlet may only be used on 'var' declarations}} {{1-11=}}
struct IBStructTy {}
@IBOutlet // expected-error {{@IBOutlet may only be used on 'var' declarations}} {{1-11=}}
func IBFunction() -> () {}
@objc
class IBOutletWrapperTy {
@IBOutlet
var value : IBOutletWrapperTy! = IBOutletWrapperTy() // no-warning
@IBOutlet
class var staticValue: IBOutletWrapperTy = 52 // expected-error {{cannot convert value of type 'Int' to specified type 'IBOutletWrapperTy'}}
// expected-error@-2 {{only instance properties can be declared @IBOutlet}} {{3-12=}}
// expected-error@-2 {{class stored properties not yet supported}}
@IBOutlet // expected-error {{@IBOutlet may only be used on 'var' declarations}} {{3-13=}}
func click() -> () {}
@IBOutlet // expected-error {{@IBOutlet attribute requires property to be mutable}} {{3-13=}}
let immutable: IBOutletWrapperTy? = nil
@IBOutlet // expected-error {{@IBOutlet attribute requires property to be mutable}} {{3-13=}}
var computedImmutable: IBOutletWrapperTy? {
return nil
}
}
struct S { }
enum E { }
protocol P1 { }
protocol P2 { }
protocol CP1 : class { }
protocol CP2 : class { }
@objc protocol OP1 { }
@objc protocol OP2 { }
class NonObjC {}
// Check where @IBOutlet can occur
@objc class X {
// Class type
@IBOutlet var outlet2: X?
@IBOutlet var outlet3: X!
@IBOutlet var outlet1a: NonObjC // expected-error{{@IBOutlet property cannot have non-'@objc' class type 'NonObjC'}} {{3-13=}}
@IBOutlet var outlet2a: NonObjC? // expected-error{{@IBOutlet property cannot have non-'@objc' class type 'NonObjC'}} {{3-13=}}
@IBOutlet var outlet3a: NonObjC! // expected-error{{@IBOutlet property cannot have non-'@objc' class type 'NonObjC'}} {{3-13=}}
// AnyObject
@IBOutlet var outlet5: AnyObject?
@IBOutlet var outlet6: AnyObject!
// Protocol types
@IBOutlet var outlet7: P1 // expected-error{{@IBOutlet property cannot have non-'@objc' protocol type 'P1'}} {{3-13=}}
@IBOutlet var outlet8: CP1 // expected-error{{@IBOutlet property cannot have non-'@objc' protocol type 'CP1'}} {{3-13=}}
@IBOutlet var outlet10: P1? // expected-error{{@IBOutlet property cannot have non-'@objc' protocol type}} {{3-13=}}
@IBOutlet var outlet11: CP1? // expected-error{{@IBOutlet property cannot have non-'@objc' protocol type}} {{3-13=}}
@IBOutlet var outlet12: OP1?
@IBOutlet var outlet13: P1! // expected-error{{@IBOutlet property cannot have non-'@objc' protocol type}} {{3-13=}}
@IBOutlet var outlet14: CP1! // expected-error{{@IBOutlet property cannot have non-'@objc' protocol type}} {{3-13=}}
@IBOutlet var outlet15: OP1!
// Class metatype
@IBOutlet var outlet15b: X.Type // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet16: X.Type? // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet17: X.Type! // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
// AnyClass
@IBOutlet var outlet18: AnyClass // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet19: AnyClass? // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet20: AnyClass! // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
// Protocol types
@IBOutlet var outlet21: P1.Type // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet22: CP1.Type // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet23: OP1.Type // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet24: P1.Type? // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet25: CP1.Type? // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet26: OP1.Type? // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet27: P1.Type! // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet28: CP1.Type! // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet29: OP1.Type! // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
// weak/unowned
@IBOutlet weak var outlet30: X?
@IBOutlet weak var outlet31: X!
// String
@IBOutlet var outlet33: String?
@IBOutlet var outlet34: String!
// Other bad cases
@IBOutlet var outlet35: S // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet36: E // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet37: (X, X) // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var outlet38: Int // expected-error{{@IBOutlet property cannot have non-object type}} {{3-13=}}
@IBOutlet var collection1b: [AnyObject]?
@IBOutlet var collection1c: [AnyObject]!
@IBOutlet var collection2b: [X]?
@IBOutlet var collection2c: [X]!
@IBOutlet var collection3b: [OP1]?
@IBOutlet var collection3c: [OP1]!
@IBOutlet var collection4a: [CP1] // expected-error{{@IBOutlet property cannot be an array of non-'@objc' protocol type}} {{3-13=}}
@IBOutlet var collection4b: ([CP1])? // expected-error{{@IBOutlet property cannot be an array of non-'@objc' protocol type}} {{3-13=}}
@IBOutlet var collection4c: ([CP1])! // expected-error{{@IBOutlet property cannot be an array of non-'@objc' protocol type}} {{3-13=}}
@IBOutlet var collection5b: ([String])? // expected-error {{property cannot be marked @IBOutlet because its type cannot be represented in Objective-C}}
@IBOutlet var collection5c: ([String])! // expected-error {{property cannot be marked @IBOutlet because its type cannot be represented in Objective-C}}
@IBOutlet var collection6a: [NonObjC] // expected-error{{@IBOutlet property cannot be an array of non-'@objc' class type}} {{3-13=}}
@IBOutlet var collection6b: ([NonObjC])? // expected-error{{@IBOutlet property cannot be an array of non-'@objc' class type}} {{3-13=}}
@IBOutlet var collection6c: ([NonObjC])! // expected-error{{@IBOutlet property cannot be an array of non-'@objc' class type}} {{3-13=}}
init() { }
}
@objc class Infer {
@IBOutlet var outlet1: Infer!
@IBOutlet weak var outlet2: Infer!
func testOptionalNess() {
_ = outlet1!
_ = outlet2!
}
func testUnchecked() {
_ = outlet1
_ = outlet2
}
// This outlet is strong and optional.
@IBOutlet var outlet4: AnyObject?
func testStrong() {
if outlet4 != nil {}
}
}
@objc class C {
}
@objc protocol Proto {
}
class SwiftGizmo {
@IBOutlet var a : C!
@IBOutlet var b1 : [C]
@IBOutlet var b2 : [C]!
@IBOutlet var c : String!
@IBOutlet var d : [String]! // expected-error{{property cannot be marked @IBOutlet because its type cannot be represented in Objective-C}}
@IBOutlet var e : Proto!
@IBOutlet var f : C?
@IBOutlet var g : C!
@IBOutlet weak var h : C?
@IBOutlet weak var i : C!
@IBOutlet unowned var j : C // expected-error{{@IBOutlet property has non-optional type 'C'}}
// expected-note @-1{{add '?' to form the optional type 'C?'}}{{30-30=?}}
// expected-note @-2{{add '!' to form the implicitly unwrapped optional type 'C!'}}{{30-30=!}}
@IBOutlet unowned(unsafe) var k : C // expected-error{{@IBOutlet property has non-optional type 'C'}}
// expected-note @-1{{add '?' to form the optional type 'C?'}}{{38-38=?}}
// expected-note @-2{{add '!' to form the implicitly unwrapped optional type 'C!'}}{{38-38=!}}
@IBOutlet var bad1 : Int // expected-error {{@IBOutlet property cannot have non-object type 'Int'}} {{3-13=}}
@IBOutlet var dup: C! // expected-note{{'dup' previously declared here}}
@IBOutlet var dup: C! // expected-error{{invalid redeclaration of 'dup'}}
init() {}
}
class MissingOptional {
@IBOutlet var a: C // expected-error{{@IBOutlet property has non-optional type 'C'}}
// expected-note @-1{{add '?' to form the optional type 'C?'}}{{21-21=?}}
// expected-note @-2{{add '!' to form the implicitly unwrapped optional type 'C!'}}{{21-21=!}}
@IBOutlet weak var b: C // expected-error{{@IBOutlet property has non-optional type 'C'}}
// expected-note @-1{{add '!' to form the implicitly unwrapped optional type 'C!'}} {{26-26=!}}
// expected-note @-2{{add '?' to form the optional type 'C?'}} {{26-26=?}}
init() {}
}
| apache-2.0 | f56b32b4333dc6e102e6c07c6781fc3b | 43.059406 | 154 | 0.68236 | 3.766399 | false | false | false | false |
vitormesquita/Malert | Example/Malert/AppDelegate.swift | 1 | 2408 | //
// AppDelegate.swift
// Malert
//
// Created by Vitor Mesquita on 10/31/2016.
// Copyright (c) 2016 Vitor Mesquita. All rights reserved.
//
import UIKit
import Malert
@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate {
var window: UIWindow?
func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey : Any]? = nil) -> Bool {
MalertView.appearance().buttonsHeight = 50
let window = UIWindow()
window.rootViewController = BaseNavigationController(rootViewController: ListExamplesViewController())
self.window = window
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:.
}
}
| mit | d528c40d765992983983f2701979a2a9 | 48.142857 | 285 | 0.742525 | 5.639344 | false | false | false | false |
carlo-/ipolito | iPoliTO2/SettingsViewController.swift | 1 | 5024 | //
// SettingsViewController.swift
// iPoliTO2
//
// Created by Carlo Rapisarda on 30/07/2016.
// Copyright © 2016 crapisarda. All rights reserved.
//
import UIKit
import MessageUI
class SettingsViewController: UITableViewController, MFMailComposeViewControllerDelegate {
@IBOutlet var nameLabel: UILabel!
@IBOutlet var usernameLabel: UILabel!
private let logoutIndexPath = IndexPath(row: 1, section: 0)
private let learnMoreIndexPath = IndexPath(row: 0, section: 1)
private let feedbackIndexPath = IndexPath(row: 0, section: 2)
private let reviewIndexPath = IndexPath(row: 0, section: 3)
private let tellSomeFriendsIndexPath = IndexPath(row: 1, section: 3)
override func viewDidLoad() {
super.viewDidLoad()
if #available(iOS 11.0, *) {
// Disable use of 'large title' display mode
navigationItem.largeTitleDisplayMode = .never
}
let session = PTSession.shared
nameLabel.text = session.studentInfo?.fullName ?? "???"
usernameLabel.text = session.account?.studentID ?? "??"
}
override func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
tableView.deselectRow(at: indexPath, animated: true)
switch indexPath {
case logoutIndexPath:
logoutPressed()
case learnMoreIndexPath:
learnMorePressed()
case feedbackIndexPath:
feedbackPressed()
case reviewIndexPath:
reviewPressed()
case tellSomeFriendsIndexPath:
tellSomeFriendsPressed()
default:
break
}
}
func logoutPressed() {
let alert = UIAlertController(title: ~"ls.settingsVC.logoutAlert.title", message: ~"ls.settingsVC.logoutAlert.body", preferredStyle: .alert)
alert.addAction(UIAlertAction(title: ~"ls.generic.alert.cancel", style: .cancel, handler: nil))
alert.addAction(UIAlertAction(title: ~"ls.generic.alert.confirm", style: .destructive, handler: {
action in
self.performLogout()
}))
present(alert, animated: true, completion: nil)
}
func learnMorePressed() {
let url = URL(string: PTConstants.gitHubReadmeLink)!
UIApplication.shared.openURL(url)
}
func feedbackPressed() {
if MFMailComposeViewController.canSendMail() {
let subject = "iPoliTO -> Feedback"
let body = ""
presentEmailComposer(withSubject: subject, andBody: body)
} else {
showNoEmailAccountAlert()
}
}
func reviewPressed() {
let url = URL(string: PTConstants.appStoreReviewLink)!
UIApplication.shared.openURL(url)
}
func tellSomeFriendsPressed() {
let url = URL(string: PTConstants.appStoreLink)
let text = ~"ls.settingsVC.tellSomeFriendsBody"
presentSharePopup(withText: text, image: nil, andURL: url)
}
func presentEmailComposer(withSubject subject: String?, andBody body: String?) {
guard MFMailComposeViewController.canSendMail() else {
return
}
let composer = MFMailComposeViewController()
composer.mailComposeDelegate = self
composer.setSubject(subject ?? "")
composer.setMessageBody(body ?? "", isHTML: false)
composer.setToRecipients([PTConstants.feedbackEmail])
present(composer, animated: true, completion: nil)
}
func mailComposeController(_ controller: MFMailComposeViewController, didFinishWith result: MFMailComposeResult, error: Error?) {
dismiss(animated: true, completion: nil)
}
func showNoEmailAccountAlert() {
let title = ~"ls.generic.alert.error.title"
let message = ~"ls.settingsVC.noEmailConfiguredAlert.body"
let dismissal = ~"ls.generic.alert.dismiss"
let alert = UIAlertController(title: title, message: message, preferredStyle: .alert)
alert.addAction(UIAlertAction(title: dismissal, style: .cancel, handler: nil))
}
func presentSharePopup(withText text: String?, image: UIImage?, andURL url: URL?) {
var items: [Any] = []
if (text != nil) { items.append(text!) }
if (image != nil) { items.append(image!) }
if (url != nil) { items.append(url!) }
if items.isEmpty { return; }
let activityVC = UIActivityViewController(activityItems: items, applicationActivities: nil)
present(activityVC, animated: true, completion: nil)
}
func performLogout() {
performSegue(withIdentifier: "unwindFromSettings_id", sender: self)
if let appDelegate = UIApplication.shared.delegate as? AppDelegate {
appDelegate.logout()
}
}
}
| gpl-3.0 | 69841944b1a8f67715678f7f3ec0949e | 31.830065 | 148 | 0.616962 | 4.905273 | false | false | false | false |
CoderXiaoming/Ronaldo | SaleManager/SaleManager/AppDelegate.swift | 1 | 2531 | //
// AppDelegate.swift
// SaleManager
//
// Created by apple on 16/11/9.
// Copyright © 2016年 YZH. All rights reserved.
//
import UIKit
@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate {
var window: UIWindow?
//MARK: - 程序启动完成后处理的事件
func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplicationLaunchOptionsKey: Any]?) -> Bool {
/*
设置窗口根控制器,并显示
目前设置的是每次重新启动都要输入密码,所以启动时候的根控制器都是登录控制器。
*/
window = UIWindow.init(frame: UIScreen.main.bounds)
window?.rootViewController = SAMLoginController()
window?.makeKeyAndVisible()
//监听界面跳转通知
NotificationCenter.default.addObserver(self, selector: #selector(AppDelegate.loginSuccess(_:)), name: NSNotification.Name(rawValue: LoginSuccessNotification), object: nil)
return true
}
//MARK: - 登录成功后的跳转操作
func loginSuccess(_ notification: Notification) {
let anim = CATransition()
anim.type = "fade"
anim.duration = 0.7
window?.layer.add(anim, forKey: nil)
window?.rootViewController = SAMMainTabBarController()
}
func applicationWillResignActive(_ application: UIApplication) {
// Sent when the application is about to move from active to inactive state. This can occur for certain types of temporary interruptions (such as an incoming phone call or SMS message) or when the user quits the application and it begins the transition to the background state.
// Use this method to pause ongoing tasks, disable timers, and invalidate graphics rendering callbacks. Games should use this method to pause the game.
}
func applicationDidEnterBackground(_ application: UIApplication) {
}
func applicationWillEnterForeground(_ application: UIApplication) {
}
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:.
}
}
| apache-2.0 | e1e479d6ee5455de9a09550df4fb5cdb | 36.587302 | 285 | 0.703547 | 5.136659 | false | false | false | false |
mukyasa/MMTextureChat | Pods/MBPhotoPicker/Pod/Classes/MBPhotoPicker.swift | 1 | 11909 | //
// MBPhotoPicker.swift
// MBPhotoPicker
//
// Created by Marcin Butanowicz on 02/01/16.
// Copyright © 2016 MBSSoftware. All rights reserved.
//
import UIKit
import Photos
import MobileCoreServices
open class MBPhotoPicker: NSObject {
// MARK: Localized strings
open var alertTitle: String? = "Alert title"
open var alertMessage: String? = "Alert message"
open var actionTitleCancel: String = "Action Cancel"
open var actionTitleTakePhoto: String = "Action take photo"
open var actionTitleLastPhoto: String = "Action last photo"
open var actionTitleOther: String = "Action other"
open var actionTitleLibrary: String = "Action Library"
// MARK: Photo picker settings
open var allowDestructive: Bool = false
open var allowEditing: Bool = false
open var disableEntitlements: Bool = false
open var cameraDevice: UIImagePickerControllerCameraDevice = .rear
open var cameraFlashMode: UIImagePickerControllerCameraFlashMode = .auto
open var resizeImage: CGSize?
/**
Using for iPad devices
*/
open var presentPhotoLibraryInPopover = false
open var popoverTarget: UIView?
open var popoverRect: CGRect?
open var popoverDirection: UIPopoverArrowDirection = .any
var popoverController: UIPopoverController?
/**
List of callbacks variables
*/
open var onPhoto: ((_ image: UIImage?) -> ())?
open var onPresented: (() -> ())?
open var onCancel: (() -> ())?
open var onError: ((_ error: ErrorPhotoPicker) -> ())?
// MARK: Error's definition
@objc public enum ErrorPhotoPicker: Int {
case cameraNotAvailable
case libraryNotAvailable
case accessDeniedToCameraRoll
case accessDeniedToPhoto
case entitlementiCloud
case wrongFileType
case popoverTarget
case other
public func name() -> String {
switch self {
case .cameraNotAvailable:
return "Camera not available"
case .libraryNotAvailable:
return "Library not available"
case .accessDeniedToCameraRoll:
return "Access denied to camera roll"
case .accessDeniedToPhoto:
return "Access denied to photo library"
case .entitlementiCloud:
return "Missing iCloud Capatability"
case .wrongFileType:
return "Wrong file type"
case .popoverTarget:
return "Missing property popoverTarget while iPad is run"
case .other:
return "Other"
}
}
}
// MARK: Public
open func present() {
let topController = UIApplication.shared.windows.first?.rootViewController
present(topController!)
}
open func present(_ controller: UIViewController!) {
self.controller = controller
let alert = UIAlertController(title: alertTitle, message: alertMessage, preferredStyle: .actionSheet)
let actionTakePhoto = UIAlertAction(title: self.localizeString(actionTitleTakePhoto), style: .default, handler: { (alert: UIAlertAction!) in
if UIImagePickerController.isSourceTypeAvailable(.camera) {
self.presentImagePicker(.camera, topController: controller)
} else {
self.onError?(.cameraNotAvailable)
}
})
let actionLibrary = UIAlertAction(title: self.localizeString(actionTitleLibrary), style: .default, handler: { (alert: UIAlertAction!) in
if UIImagePickerController.isSourceTypeAvailable(.photoLibrary) {
self.presentImagePicker(.photoLibrary, topController: controller)
} else {
self.onError?(.libraryNotAvailable)
}
})
let actionLast = UIAlertAction(title: self.localizeString(actionTitleLastPhoto), style: .default, handler: { (alert: UIAlertAction!) in
self.lastPhotoTaken({ (image) in self.photoHandler(image) },
errorHandler: { (error) in self.onError?(error) }
)
})
let actionCancel = UIAlertAction(title: self.localizeString(actionTitleCancel), style: allowDestructive ? .destructive : .cancel, handler: { (alert: UIAlertAction!) in
self.onCancel?()
})
alert.addAction(actionTakePhoto)
alert.addAction(actionLibrary)
alert.addAction(actionLast)
alert.addAction(actionCancel)
if !self.disableEntitlements {
let actionOther = UIAlertAction(title: self.localizeString(actionTitleOther), style: .default, handler: { (alert: UIAlertAction!) in
let document = UIDocumentMenuViewController(documentTypes: [kUTTypeImage as String, kUTTypeJPEG as String, kUTTypePNG as String, kUTTypeBMP as String, kUTTypeTIFF as String], in: .import)
document.delegate = self
controller.present(document, animated: true, completion: nil)
})
alert.addAction(actionOther)
}
if UIDevice.current.userInterfaceIdiom == .pad {
guard let popover = self.popoverTarget else {
self.onError?(.popoverTarget)
return;
}
if let presenter = alert.popoverPresentationController {
alert.modalPresentationStyle = .popover
presenter.sourceView = popover;
presenter.permittedArrowDirections = self.popoverDirection
if let rect = self.popoverRect {
presenter.sourceRect = rect
} else {
presenter.sourceRect = popover.bounds
}
}
}
controller.present(alert, animated: true) { () in
self.onPresented?()
}
}
// MARK: Private
internal weak var controller: UIViewController?
var imagePicker: UIImagePickerController!
func presentImagePicker(_ sourceType: UIImagePickerControllerSourceType, topController: UIViewController!) {
imagePicker = UIImagePickerController()
imagePicker.sourceType = sourceType
imagePicker.delegate = self
imagePicker.isEditing = self.allowEditing
if sourceType == .camera {
imagePicker.cameraDevice = self.cameraDevice
if UIImagePickerController.isFlashAvailable(for: self.cameraDevice) {
imagePicker.cameraFlashMode = self.cameraFlashMode
}
}
if UIDevice.current.userInterfaceIdiom == .pad && sourceType == .photoLibrary && self.presentPhotoLibraryInPopover {
guard let popover = self.popoverTarget else {
self.onError?(.popoverTarget)
return;
}
self.popoverController = UIPopoverController(contentViewController: imagePicker)
let rect = self.popoverRect ?? CGRect.zero
self.popoverController?.present(from: rect, in: popover, permittedArrowDirections: self.popoverDirection, animated: true)
} else {
topController.present(imagePicker, animated: true, completion: nil)
}
}
func photoHandler(_ image: UIImage!) {
let resizedImage: UIImage = UIImage.resizeImage(image, newSize: self.resizeImage)
self.onPhoto?(resizedImage)
}
func localizeString(_ string: String!) -> String! {
var string = string
let podBundle = Bundle(for: self.classForCoder)
if let bundleURL = podBundle.url(forResource: "MBPhotoPicker", withExtension: "bundle") {
if let bundle = Bundle(url: bundleURL) {
string = NSLocalizedString(string!, tableName: "Localizable", bundle: bundle, value: "", comment: "")
} else {
assertionFailure("Could not load the bundle")
}
}
return string!
}
}
extension MBPhotoPicker: UIImagePickerControllerDelegate, UINavigationControllerDelegate {
public func imagePickerControllerDidCancel(_ picker: UIImagePickerController) {
picker.dismiss(animated: true) { () in
self.onCancel?()
}
}
public func imagePickerController(_ picker: UIImagePickerController, didFinishPickingMediaWithInfo info: [String : Any]) {
if let image = info[UIImagePickerControllerOriginalImage] {
self.photoHandler(image as! UIImage)
} else {
self.onError?(.other)
}
picker.dismiss(animated: true, completion: nil)
self.popoverController = nil
}
public func imagePickerController(_ picker: UIImagePickerController, didFinishPickingImage image: UIImage, editingInfo: [String : AnyObject]?) {
picker.dismiss(animated: true, completion: nil)
self.popoverController = nil
}
}
extension MBPhotoPicker: UIDocumentPickerDelegate {
public func documentPicker(_ controller: UIDocumentPickerViewController, didPickDocumentAt url: URL) {
var error: NSError?
let filerCordinator = NSFileCoordinator()
filerCordinator.coordinate(readingItemAt: url, options: .withoutChanges, error: &error, byAccessor: { (url: URL) in
if let data: Data = try? Data(contentsOf: url) {
if data.isSupportedImageType() {
if let image: UIImage = UIImage(data: data) {
self.photoHandler(image)
} else {
self.onError?(.other)
}
} else {
self.onError?(.wrongFileType)
}
} else {
self.onError?(.other)
}
})
}
public func documentPickerWasCancelled(_ controller: UIDocumentPickerViewController) {
self.onCancel?()
}
}
extension MBPhotoPicker: UIDocumentMenuDelegate {
public func documentMenu(_ documentMenu: UIDocumentMenuViewController, didPickDocumentPicker documentPicker: UIDocumentPickerViewController) {
documentPicker.delegate = self
self.controller?.present(documentPicker, animated: true, completion: nil)
}
public func documentMenuWasCancelled(_ documentMenu: UIDocumentMenuViewController) {
self.onCancel?()
}
}
extension MBPhotoPicker {
internal func lastPhotoTaken (_ completionHandler: @escaping (_ image: UIImage?) -> (), errorHandler: @escaping (_ error: ErrorPhotoPicker) -> ()) {
PHPhotoLibrary.requestAuthorization { (status: PHAuthorizationStatus) -> () in
if (status == PHAuthorizationStatus.authorized) {
let manager = PHImageManager.default()
let fetchOptions = PHFetchOptions()
fetchOptions.sortDescriptors = [NSSortDescriptor(key:"creationDate", ascending: true)]
let fetchResult: PHFetchResult = PHAsset.fetchAssets(with: PHAssetMediaType.image, options: fetchOptions)
let asset: PHAsset? = fetchResult.lastObject
let initialRequestOptions = PHImageRequestOptions()
initialRequestOptions.isSynchronous = true
initialRequestOptions.resizeMode = .fast
initialRequestOptions.deliveryMode = .fastFormat
manager.requestImageData(for: asset!, options: initialRequestOptions) { (data: Data?, title: String?, orientation: UIImageOrientation, info: [AnyHashable: Any]?) -> () in
guard let dataImage = data else {
errorHandler(.other)
return
}
let image:UIImage = UIImage(data: dataImage)!
DispatchQueue.main.async(execute: { () in
completionHandler(image)
})
}
} else {
errorHandler(.accessDeniedToPhoto)
}
}
}
}
extension UIImage {
static public func resizeImage(_ image: UIImage!, newSize: CGSize?) -> UIImage! {
guard var size = newSize else { return image }
let widthRatio = size.width/image.size.width
let heightRatio = size.height/image.size.height
let ratio = min(widthRatio, heightRatio)
size = CGSize(width: image.size.width*ratio, height: image.size.height*ratio)
UIGraphicsBeginImageContextWithOptions(size, false, UIScreen.main.scale)
image.draw(in: CGRect(origin: CGPoint.zero, size: size))
let scaledImage: UIImage! = UIGraphicsGetImageFromCurrentImageContext()
UIGraphicsEndImageContext()
return scaledImage
}
}
extension Data {
public func isSupportedImageType() -> Bool {
var c = [UInt32](repeating: 0, count: 1)
(self as NSData).getBytes(&c, length: 1)
switch (c[0]) {
case 0xFF, 0x89, 0x00, 0x4D, 0x49, 0x47, 0x42:
return true
default:
return false
}
}
}
| mit | af35de476b2a6dcb5b7ad52db92fb370 | 32.26257 | 195 | 0.681979 | 5.013895 | false | false | false | false |
eviathan/Salt | Pepper/Code Examples/Apple/AudioUnitV3ExampleABasicAudioUnitExtensionandHostImplementation/Filter/iOS/FilterDemoFramework/FilterView.swift | 1 | 23054 | /*
Copyright (C) 2016 Apple Inc. All Rights Reserved.
See LICENSE.txt for this sample’s licensing information
Abstract:
View for the FilterDemo audio unit. This lets the user adjust the filter cutoff frequency and resonance on an X-Y grid.
*/
import UIKit
/*
The `FilterViewDelegate` protocol is used to notify a delegate (`FilterDemoViewController`)
when the user has changed the frequency or resonance by tapping and dragging
in the graph.
`filterViewDataDidChange(_:)` is called when the view size changes and new
frequency data is available.
*/
protocol FilterViewDelegate: class {
func filterView(_ filterView: FilterView, didChangeResonance resonance: Float)
func filterView(_ filterView: FilterView, didChangeFrequency frequency: Float)
func filterView(_ filterView: FilterView, didChangeFrequency frequency: Float, andResonance resonance: Float)
func filterViewDataDidChange(_ filterView: FilterView)
}
class FilterView: UIView {
// MARK: Properties
static let defaultMinHertz: Float = 12.0
static let defaultMaxHertz: Float = 22050.0
let logBase = 2
let leftMargin: CGFloat = 54.0
let rightMargin: CGFloat = 10.0
let bottomMargin: CGFloat = 40.0
let numDBLines = 4
let defaultGain = 20
let gridLineCount = 11
let labelWidth: CGFloat = 40.0
let maxNumberOfResponseFrequencies = 1024
var frequencies: [Double]?
var dbLabels = [CATextLayer]()
var frequencyLabels = [CATextLayer]()
var dbLines = [CALayer]()
var freqLines = [CALayer]()
var controls = [CALayer]()
var containerLayer = CALayer()
var graphLayer = CALayer()
var curveLayer: CAShapeLayer?
// The delegate to notify of paramater and size changes.
weak var delegate: FilterViewDelegate?
var editPoint = CGPoint.zero
var touchDown = false
var resonance: Float = 0.0 {
willSet {
}
didSet {
// Clamp the resonance to min/max values.
if resonance > Float(defaultGain) {
resonance = Float(defaultGain)
}
else if resonance < Float(-defaultGain) {
resonance = Float(-defaultGain)
}
editPoint.y = floor(locationForDBValue(resonance))
// Do not notify delegate that the resonance changed; that would create a feedback loop.
}
}
var frequency: Float = FilterView.defaultMinHertz {
willSet {
}
didSet {
if frequency > FilterView.defaultMaxHertz {
frequency = FilterView.defaultMaxHertz
}
else if frequency < FilterView.defaultMinHertz {
frequency = FilterView.defaultMinHertz
}
editPoint.x = floor(locationForFrequencyValue(frequency))
// Do not notify delegate that the frequency changed; that would create a feedback loop.
}
}
/*
The frequencies are plotted on a logorithmic scale. This method returns a
frequency value based on a fractional grid position.
*/
func valueAtGridIndex(_ index: Float) -> Float {
return FilterView.defaultMinHertz * powf(Float(logBase), index)
}
func logValueForNumber(_ number: Float, base: Float) -> Float {
return logf(number) / logf(base)
}
/*
Prepares an array of frequencies that the AU needs to supply magnitudes for.
This array is cached until the view size changes (on device rotation, etc).
*/
func frequencyDataForDrawing() -> [Double] {
guard frequencies == nil else { return frequencies! }
let width = graphLayer.bounds.width
let rightEdge = width + leftMargin
var pixelRatio = Int(ceil(width / CGFloat(maxNumberOfResponseFrequencies)))
var location = leftMargin
var locationsCount = maxNumberOfResponseFrequencies
if pixelRatio <= 1 {
pixelRatio = 1
locationsCount = Int(width)
}
frequencies = (0..<locationsCount).map { _ in
if location > rightEdge {
return Double(FilterView.defaultMaxHertz)
}
else {
var frequency = frequencyValueForLocation(location)
if frequency > FilterView.defaultMaxHertz {
frequency = FilterView.defaultMaxHertz
}
location += CGFloat(pixelRatio)
return Double(frequency)
}
}
return frequencies!
}
/*
Generates a bezier path from the frequency response curve data provided by
the view controller. Also responsible for keeping the control point in sync.
*/
func setMagnitudes(_ magnitudeData: [Double]) {
// If no curve layer exists, create one using the configuration closure.
curveLayer = curveLayer ?? {
let curveLayer = CAShapeLayer()
curveLayer.fillColor = UIColor(red: 0.31, green: 0.37, blue: 0.73, alpha: 0.8).cgColor
graphLayer.addSublayer(curveLayer)
return curveLayer
}()
let bezierPath = CGMutablePath()
let width = graphLayer.bounds.width
bezierPath.move(to: CGPoint(x: leftMargin, y: graphLayer.frame.height + bottomMargin))
var lastDBPos: CGFloat = 0.0
var location: CGFloat = leftMargin
let frequencyCount = frequencies?.count ?? 0
let pixelRatio = Int(ceil(width / CGFloat(frequencyCount)))
for i in 0 ..< frequencyCount {
let dbValue = 20.0 * log10(magnitudeData[i])
var dbPos: CGFloat = 0.0
switch dbValue {
case let x where x < Double(-defaultGain):
dbPos = locationForDBValue(Float(-defaultGain))
case let x where x > Double(defaultGain):
dbPos = locationForDBValue(Float(defaultGain))
default:
dbPos = locationForDBValue(Float(dbValue))
}
if fabs(lastDBPos - dbPos) >= 0.1 {
bezierPath.addLine(to: CGPoint(x: location, y: dbPos))
}
lastDBPos = dbPos
location += CGFloat(pixelRatio)
if location > width + graphLayer.frame.origin.x {
location = width + graphLayer.frame.origin.x
break
}
}
bezierPath.addLine(to: CGPoint(x: location, y: graphLayer.frame.origin.y + graphLayer.frame.height + bottomMargin))
bezierPath.closeSubpath()
// Turn off implict animation on the curve layer.
CATransaction.begin()
CATransaction.setDisableActions(true)
curveLayer!.path = bezierPath
CATransaction.commit()
updateControls(true)
}
/*
Calculates the pixel position on the y axis of the graph corresponding to
the dB value.
*/
func locationForDBValue(_ value: Float) -> CGFloat {
let step = graphLayer.frame.height / CGFloat(defaultGain * 2)
let location = (CGFloat(value) + CGFloat(defaultGain)) * step
return graphLayer.frame.height - location + bottomMargin
}
/*
Calculates the pixel position on the x axis of the graph corresponding to
the frequency value.
*/
func locationForFrequencyValue(_ value: Float) -> CGFloat {
let pixelIncrement = graphLayer.frame.width / CGFloat(gridLineCount)
let number = value / Float(FilterView.defaultMinHertz)
let location = logValueForNumber(number, base: Float(logBase)) * Float(pixelIncrement)
return floor(CGFloat(location) + graphLayer.frame.origin.x) + 0.5
}
/*
Calculates the dB value corresponding to a position value on the y axis of
the graph.
*/
func dbValueForLocation(_ location: CGFloat) -> Float {
let step = graphLayer.frame.height / CGFloat(defaultGain * 2)
return Float(-(((location - bottomMargin) / step) - CGFloat(defaultGain)))
}
/*
Calculates the frequency value corresponding to a position value on the x
axis of the graph.
*/
func frequencyValueForLocation(_ location: CGFloat) -> Float {
let pixelIncrement = graphLayer.frame.width / CGFloat(gridLineCount)
let index = (location - graphLayer.frame.origin.x) / CGFloat(pixelIncrement)
return valueAtGridIndex(Float(index))
}
/*
Provides a properly formatted string with an appropriate precision for the
input value.
*/
func stringForValue(_ value: Float) -> String {
var temp = value
if value >= 1000 {
temp = temp / 1000
}
temp = floor((temp * 100.0) / 100.0)
if floor(temp) == temp {
return String(format: "%.0f", temp)
}
else {
return String(format: "%.1f", temp)
}
}
override func awakeFromNib() {
// Create all of the CALayers for the graph, lines, and labels.
let scale = UIScreen.main.scale
containerLayer.name = "container"
containerLayer.anchorPoint = CGPoint.zero
containerLayer.frame = CGRect(origin: CGPoint.zero, size: layer.bounds.size)
containerLayer.bounds = containerLayer.frame
containerLayer.contentsScale = scale
layer.addSublayer(containerLayer)
graphLayer.name = "graph background"
graphLayer.borderColor = UIColor.darkGray.cgColor
graphLayer.borderWidth = 1.0
graphLayer.backgroundColor = UIColor(white: 0.88, alpha: 1.0).cgColor
graphLayer.bounds = CGRect(x: 0, y: 0, width: layer.frame.width - leftMargin, height: layer.frame.height - bottomMargin)
graphLayer.position = CGPoint(x: leftMargin, y: 0)
graphLayer.anchorPoint = CGPoint.zero
graphLayer.contentsScale = scale
containerLayer.addSublayer(graphLayer)
layer.contentsScale = scale
createDBLabelsAndLines()
createFrequencyLabelsAndLines()
createControlPoint()
}
/*
Creates the decibel label layers for the vertical axis of the graph and adds
them as sublayers of the graph layer. Also creates the db Lines.
*/
func createDBLabelsAndLines() {
var value: Int
let scale = layer.contentsScale
for index in -numDBLines ... numDBLines {
value = index * (defaultGain / numDBLines)
if index >= -numDBLines && index <= numDBLines {
let labelLayer = CATextLayer()
// Create the label layers and set their properties.
labelLayer.string = "\(value) db"
labelLayer.name = String(index)
labelLayer.font = UIFont.systemFont(ofSize: 14).fontName as CFTypeRef
labelLayer.fontSize = 14
labelLayer.contentsScale = scale
labelLayer.foregroundColor = UIColor(white: 0.1, alpha: 1.0).cgColor
labelLayer.alignmentMode = kCAAlignmentRight
dbLabels.append(labelLayer)
containerLayer.addSublayer(labelLayer)
// Create the line labels.
let lineLayer = CALayer()
if index == 0 {
lineLayer.backgroundColor = UIColor(white: 0.65, alpha: 1.0).cgColor
}
else {
lineLayer.backgroundColor = UIColor(white: 0.8, alpha: 1.0).cgColor
}
dbLines.append(lineLayer)
graphLayer.addSublayer(lineLayer)
}
}
}
/*
Creates the frequency label layers for the horizontal axis of the graph and
adds them as sublayers of the graph layer. Also creates the frequency line
layers.
*/
func createFrequencyLabelsAndLines() {
var value: Float
var firstK = true
let scale = layer.contentsScale
for index in 0 ... gridLineCount {
value = valueAtGridIndex(Float(index))
// Create the label layers and set their properties.
let labelLayer = CATextLayer()
labelLayer.font = UIFont.systemFont(ofSize: 14).fontName as CFTypeRef
labelLayer.foregroundColor = UIColor(white: 0.1, alpha: 1.0).cgColor
labelLayer.fontSize = 14
labelLayer.alignmentMode = kCAAlignmentCenter
labelLayer.contentsScale = scale
labelLayer.anchorPoint = CGPoint.zero
frequencyLabels.append(labelLayer)
// Create the line layers.
if index > 0 && index < gridLineCount {
let lineLayer: CALayer = CALayer()
lineLayer.backgroundColor = UIColor(white: 0.8, alpha: 1.0).cgColor
freqLines.append(lineLayer)
graphLayer.addSublayer(lineLayer)
var s = stringForValue(value)
if value >= 1000 && firstK {
s += "K"
firstK = false
}
labelLayer.string = s
}
else if index == 0 {
labelLayer.string = "\(stringForValue(value)) Hz"
}
else {
labelLayer.string = "\(stringForValue(FilterView.defaultMaxHertz)) K"
}
containerLayer.addSublayer(labelLayer)
}
}
/*
Creates the control point layers comprising of a horizontal and vertical
line (crosshairs) and a circle at the intersection.
*/
func createControlPoint() {
var lineLayer = CALayer()
let controlColor = touchDown ? tintColor.cgColor: UIColor.darkGray.cgColor
lineLayer.backgroundColor = controlColor
lineLayer.name = "x"
controls.append(lineLayer)
graphLayer.addSublayer(lineLayer)
lineLayer = CALayer()
lineLayer.backgroundColor = controlColor
lineLayer.name = "y"
controls.append(lineLayer)
graphLayer.addSublayer(lineLayer)
let circleLayer = CALayer()
circleLayer.borderColor = controlColor
circleLayer.borderWidth = 2.0
circleLayer.cornerRadius = 3.0
circleLayer.name = "point"
controls.append(circleLayer)
graphLayer.addSublayer(circleLayer)
}
/*
Updates the position of the control layers and the color if the refreshColor
parameter is true. The controls are drawn in a blue color if the user's finger
is touching the graph and still down.
*/
func updateControls (_ refreshColor: Bool) {
let color = touchDown ? tintColor.cgColor: UIColor.darkGray.cgColor
// Turn off implicit animations for the control layers to avoid any control lag.
CATransaction.begin()
CATransaction.setDisableActions(true)
for layer in controls {
switch layer.name! {
case "point":
layer.frame = CGRect(x: editPoint.x - 3, y: editPoint.y-3, width: 7, height: 7).integral
layer.position = editPoint
if refreshColor {
layer.borderColor = color
}
case "x":
layer.frame = CGRect(x: graphLayer.frame.origin.x, y: floor(editPoint.y + 0.5), width: graphLayer.frame.width, height: 1.0)
if refreshColor {
layer.backgroundColor = color
}
case "y":
layer.frame = CGRect(x: floor(editPoint.x) + 0.5, y: bottomMargin, width: 1.0, height: graphLayer.frame.height)
if refreshColor {
layer.backgroundColor = color
}
default:
layer.frame = CGRect.zero
}
}
CATransaction.commit()
}
func updateDBLayers() {
// Update the positions of the dBLine and label layers.
for index in -numDBLines ... numDBLines {
let location = floor(locationForDBValue(Float(index * (defaultGain / numDBLines))))
if index >= -numDBLines && index <= numDBLines {
dbLines[index + 4].frame = CGRect(x: graphLayer.frame.origin.x, y: location, width: graphLayer.frame.width, height: 1.0)
dbLabels[index + 4].frame = CGRect(x: 0.0, y: location - bottomMargin - 8, width: leftMargin - 7.0, height: 16.0)
}
}
}
func updateFrequencyLayers() {
// Update the positions of the frequency line and label layers.
for index in 0 ... gridLineCount {
let value = valueAtGridIndex(Float(index))
let location = floor(locationForFrequencyValue(value))
if index > 0 && index < gridLineCount {
freqLines[index - 1].frame = CGRect(x: location, y: bottomMargin, width: 1.0, height: graphLayer.frame.height)
frequencyLabels[index].frame = CGRect(x: location - labelWidth / 2.0, y: graphLayer.frame.height, width: labelWidth, height: 16.0)
}
frequencyLabels[index].frame = CGRect(x: location - labelWidth / 2.0, y: graphLayer.frame.height + 6, width: labelWidth + rightMargin, height: 16.0)
}
}
/*
This function positions all of the layers of the view starting with
the horizontal dbLines and lables on the y axis. Next, it positions
the vertical frequency lines and labels on the x axis. Finally, it
positions the controls and the curve layer.
This method is also called when the orientation of the device changes
and the view needs to re-layout for the new view size.
*/
override func layoutSublayers(of layer: CALayer) {
if layer === self.layer {
// Disable implicit layer animations.
CATransaction.begin()
CATransaction.setDisableActions(true)
containerLayer.bounds = layer.bounds
graphLayer.bounds = CGRect(x: leftMargin, y: bottomMargin, width: layer.bounds.width - leftMargin - rightMargin, height: layer.bounds.height - bottomMargin - 10.0)
updateDBLayers()
updateFrequencyLayers()
editPoint = CGPoint(x: locationForFrequencyValue(frequency), y: locationForDBValue(resonance))
if curveLayer != nil {
curveLayer!.bounds = graphLayer.bounds
curveLayer!.frame = CGRect(x: graphLayer.frame.origin.x, y: graphLayer.frame.origin.y + bottomMargin, width: graphLayer.frame.width, height: graphLayer.frame.height)
}
CATransaction.commit()
}
updateControls(false)
frequencies = nil
/*
Notify view controller that our bounds has changed -- meaning that new
frequency data is available.
*/
delegate?.filterViewDataDidChange(self)
}
/*
If either the frequency or resonance (or both) change, notify the delegate
as appropriate.
*/
func updateFrequenciesAndResonance() {
let lastFrequency = frequencyValueForLocation(editPoint.x)
let lastResonance = dbValueForLocation(editPoint.y)
if (lastFrequency != frequency && lastResonance != resonance) {
frequency = lastFrequency
resonance = lastResonance
// Notify delegate that frequency changed.
delegate?.filterView(self, didChangeFrequency: frequency, andResonance: resonance)
}
if lastFrequency != frequency {
frequency = lastFrequency
// Notify delegate that frequency changed.
delegate?.filterView(self, didChangeFrequency: frequency)
}
if lastResonance != resonance {
resonance = lastResonance
// Notify delegate that resonance changed.
delegate?.filterView(self, didChangeResonance: resonance)
}
}
// MARK: Touch Event Handling
override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
var pointOfTouch = touches.first?.location(in: self)
pointOfTouch = CGPoint(x: pointOfTouch!.x, y: pointOfTouch!.y + bottomMargin)
if graphLayer.contains(pointOfTouch!) {
touchDown = true
editPoint = pointOfTouch!
updateFrequenciesAndResonance()
}
}
override func touchesMoved(_ touches: Set<UITouch>, with event: UIEvent?) {
var pointOfTouch = touches.first?.location(in: self)
pointOfTouch = CGPoint(x: pointOfTouch!.x, y: pointOfTouch!.y + bottomMargin)
if graphLayer.contains(pointOfTouch!) {
processTouch(pointOfTouch!)
updateFrequenciesAndResonance()
}
}
override func touchesEnded(_ touches: Set<UITouch>, with event: UIEvent?) {
var pointOfTouch = touches.first?.location(in: self)
pointOfTouch = CGPoint(x: pointOfTouch!.x, y: pointOfTouch!.y + bottomMargin)
if graphLayer.contains(pointOfTouch!) {
processTouch(pointOfTouch!)
}
touchDown = false
updateFrequenciesAndResonance()
}
override func touchesCancelled(_ touches: Set<UITouch>, with event: UIEvent?) {
touchDown = false
}
func processTouch(_ touchPoint: CGPoint) {
if touchPoint.x < 0 {
editPoint.x = 0
}
else if touchPoint.x > graphLayer.frame.width + leftMargin {
editPoint.x = graphLayer.frame.width + leftMargin
}
else {
editPoint.x = touchPoint.x
}
if touchPoint.y < 0 {
editPoint.y = 0
}
else if touchPoint.y > graphLayer.frame.height + bottomMargin {
editPoint.y = graphLayer.frame.height + bottomMargin
}
else {
editPoint.y = touchPoint.y
}
}
}
| apache-2.0 | ff1608708429da00d368176068e40b0b | 33.769231 | 181 | 0.57739 | 5.045305 | false | false | false | false |
ejeinc/MetalScope | Examples/StereoVideo/Sources/ViewController.swift | 1 | 5641 | //
// ViewController.swift
// StereoVideo
//
// Created by Jun Tanaka on 2017/02/06.
// Copyright © 2017 eje Inc. All rights reserved.
//
import UIKit
import Metal
import MetalScope
import AVFoundation
final class ViewController: UIViewController {
lazy var device: MTLDevice = {
guard let device = MTLCreateSystemDefaultDevice() else {
fatalError("Failed to create MTLDevice")
}
return device
}()
weak var panoramaView: PanoramaView?
var player: AVPlayer?
var playerLooper: Any? // AVPlayerLopper if available
var playerObservingToken: Any?
deinit {
if let token = playerObservingToken {
NotificationCenter.default.removeObserver(token)
}
}
private func loadPanoramaView() {
let panoramaView = PanoramaView(frame: view.bounds, device: device)
panoramaView.setNeedsResetRotation()
panoramaView.translatesAutoresizingMaskIntoConstraints = false
view.addSubview(panoramaView)
// fill parent view
let constraints: [NSLayoutConstraint] = [
panoramaView.topAnchor.constraint(equalTo: view.topAnchor),
panoramaView.bottomAnchor.constraint(equalTo: view.bottomAnchor),
panoramaView.leadingAnchor.constraint(equalTo: view.leadingAnchor),
panoramaView.trailingAnchor.constraint(equalTo: view.trailingAnchor)
]
NSLayoutConstraint.activate(constraints)
// double tap to reset rotation
let doubleTapGestureRecognizer = UITapGestureRecognizer(target: panoramaView, action: #selector(PanoramaView.setNeedsResetRotation(_:)))
doubleTapGestureRecognizer.numberOfTapsRequired = 2
panoramaView.addGestureRecognizer(doubleTapGestureRecognizer)
// single tap to toggle play/pause
let singleTapGestureRecognizer = UITapGestureRecognizer(target: self, action: #selector(togglePlaying))
singleTapGestureRecognizer.require(toFail: doubleTapGestureRecognizer)
panoramaView.addGestureRecognizer(singleTapGestureRecognizer)
self.panoramaView = panoramaView
}
private func loadVideo() {
let url = Bundle.main.url(forResource: "Sample", withExtension: "mp4")!
let playerItem = AVPlayerItem(url: url)
let player = AVQueuePlayer(playerItem: playerItem)
panoramaView?.load(player, format: .stereoOverUnder)
self.player = player
// loop
if #available(iOS 10, *) {
playerLooper = AVPlayerLooper(player: player, templateItem: playerItem)
} else {
player.actionAtItemEnd = .none
playerObservingToken = NotificationCenter.default.addObserver(forName: .AVPlayerItemDidPlayToEndTime, object: playerItem, queue: nil) { _ in
player.seek(to: kCMTimeZero, toleranceBefore: kCMTimeZero, toleranceAfter: kCMTimeZero)
}
}
player.play()
}
private func loadStereoButton() {
let button = UIButton(type: .system)
button.setTitle("Stereo", for: .normal)
button.addTarget(self, action: #selector(presentStereoView), for: .touchUpInside)
button.contentHorizontalAlignment = .right
button.contentVerticalAlignment = .bottom
button.contentEdgeInsets = UIEdgeInsets(top: 0, left: 0, bottom: 16, right: 16)
button.translatesAutoresizingMaskIntoConstraints = false
view.addSubview(button)
// place to bottom-right corner
let constraints: [NSLayoutConstraint] = [
button.widthAnchor.constraint(equalToConstant: 96),
button.heightAnchor.constraint(equalToConstant: 64),
button.bottomAnchor.constraint(equalTo: view.bottomAnchor),
button.trailingAnchor.constraint(equalTo: view.trailingAnchor)
]
NSLayoutConstraint.activate(constraints)
}
override func viewDidLoad() {
super.viewDidLoad()
loadPanoramaView()
loadVideo()
loadStereoButton()
}
override func viewDidAppear(_ animated: Bool) {
super.viewDidAppear(animated)
panoramaView?.isPlaying = true
}
override func viewWillDisappear(_ animated: Bool) {
super.viewWillDisappear(animated)
panoramaView?.isPlaying = false
}
override func viewWillTransition(to size: CGSize, with coordinator: UIViewControllerTransitionCoordinator) {
super.viewWillTransition(to: size, with: coordinator)
panoramaView?.updateInterfaceOrientation(with: coordinator)
}
override var preferredStatusBarStyle: UIStatusBarStyle {
return .lightContent
}
func togglePlaying() {
guard let player = player else {
return
}
if player.rate == 0 {
player.play()
} else {
player.pause()
}
}
func presentStereoView() {
let introView = UILabel()
introView.text = "Place your phone into your Cardboard viewer."
introView.textColor = #colorLiteral(red: 1, green: 1, blue: 1, alpha: 1)
introView.textAlignment = .center
introView.backgroundColor = #colorLiteral(red: 0.2745098039, green: 0.3529411765, blue: 0.3921568627, alpha: 1)
let stereoViewController = StereoViewController(device: device)
stereoViewController.introductionView = introView
stereoViewController.scene = panoramaView?.scene
stereoViewController.stereoView.tapGestureRecognizer.addTarget(self, action: #selector(togglePlaying))
present(stereoViewController, animated: true, completion: nil)
}
}
| mit | d2259152be864f7745c64d78dc9df9ec | 34.471698 | 152 | 0.677837 | 5.202952 | false | false | false | false |
TCA-Team/iOS | TUM Campus App/DataSources/GradesDataSource.swift | 1 | 2753 | //
// GradesDataSource.swift
// Campus
//
// This file is part of the TUM Campus App distribution https://github.com/TCA-Team/iOS
// Copyright (c) 2018 TCA
//
// 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, version 3.
//
// 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
class GradesDataSource: NSObject, TUMDataSource, TUMInteractiveDataSource {
let parent: CardViewController
var manager: PersonalGradeManager
let cellType: AnyClass = GradesCollectionViewCell.self
var isEmpty: Bool { return data.isEmpty }
let cardKey: CardKey = .grades
var data: [Grade] = []
var preferredHeight: CGFloat = 228.0
lazy var flowLayoutDelegate: ColumnsFlowLayoutDelegate =
FixedColumnsVerticalItemsFlowLayoutDelegate(delegate: self)
init(parent: CardViewController, manager: PersonalGradeManager) {
self.parent = parent
self.manager = manager
super.init()
}
func refresh(group: DispatchGroup) {
group.enter()
manager.fetch().onSuccess(in: .main) { data in
self.data = data
group.leave()
}
}
func onShowMore() {
let storyboard = UIStoryboard(name: "Grade", bundle: nil)
if let destination = storyboard.instantiateInitialViewController() as? GradesTableViewController {
destination.delegate = parent
destination.values = data
parent.navigationController?.pushViewController(destination, animated: true)
}
}
func collectionView(_ collectionView: UICollectionView,
numberOfItemsInSection section: Int) -> Int {
return data.count
}
func collectionView(_ collectionView: UICollectionView,
cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
let cell = collectionView.dequeueReusableCell(
withReuseIdentifier: cellReuseID, for: indexPath) as! GradesCollectionViewCell
let grade = data[indexPath.row]
cell.gradeLabel.text = grade.result
cell.nameLabel.text = grade.name
cell.semesterLabel.text = grade.semester
cell.gradeLabel.backgroundColor = grade.gradeColor
return cell
}
}
| gpl-3.0 | a989c54a4f80367b8329ab9dbfb76a22 | 34.294872 | 106 | 0.671994 | 4.907308 | false | false | false | false |
Subsets and Splits