repo_name
stringlengths 6
91
| ref
stringlengths 12
59
| path
stringlengths 7
936
| license
stringclasses 15
values | copies
stringlengths 1
3
| content
stringlengths 61
714k
| hash
stringlengths 32
32
| line_mean
float64 4.88
60.8
| line_max
int64 12
421
| alpha_frac
float64 0.1
0.92
| autogenerated
bool 1
class | config_or_test
bool 2
classes | has_no_keywords
bool 2
classes | has_few_assignments
bool 1
class |
---|---|---|---|---|---|---|---|---|---|---|---|---|---|
yuandiLiao/YDModel | refs/heads/master | YDModelTest/YDModelTest/ViewController.swift | mit | 1 | //
// ViewController.swift
// YDModelTest
//
// Created by 廖源迪 on 2017/8/22.
// Copyright © 2017年 yuandiLiao. All rights reserved.
//
import UIKit
class ViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view, typically from a nib.
fun1()
fun2()
fun3()
fun4()
}
//基本的字典转model
func fun1(){
let dic = ["intValue":222,
"name":"哟哟",
"url":"http://baidu.com",
"age":"22222",
"boolValue":222,
"nsinter":222,
"doubleValue":222,
"floatValue":222,
"floatValue1":222,
"floatValue2":222,
"numberValue":222,
"dic":["hah":"哈哈"],
"arr":[1,2,3,4,5],
"str":["name":"嘻嘻","age":40],
"arrModel":[
["name":"嘻嘻1","age":401],
["name":"嘻嘻2","age":403],
["name":"嘻嘻3","age":404]]] as [String : Any]
let use = Use.modelWithDic(dic: dic as Dictionary<String, AnyObject>) as! Use
print(use)
}
//内嵌模型和内嵌数组模型字典转model
func fun2(){
let dic = ["schoolName":"深圳大学",
"place":"深圳",
"schoolAge":"32",
"student":["name":"嘻嘻","age":40],
"arrModel":[
["name":"嘻嘻1","age":401],
["name":"嘻嘻2","age":403],
["name":"嘻嘻3","age":404]]] as [String : Any]
let school = School.modelWithDic(dic: dic as Dictionary<String, AnyObject>) as! School
print(school)
}
//映射
func fun3(){
let dic = ["string":"mapperString",
"int":"1111",
"student":["name":"嘻嘻","age":40],
"arrModel":[
["schoolName":"深圳大学",
"place":"深圳",
"schoolAge":"32",
"student":["name":"嘻嘻","age":40],
"arrModel":[
["name":"嘻嘻1","age":401],
["name":"嘻嘻2","age":403],
["name":"嘻嘻3","age":404]]],
["schoolName":"深圳大学",
"place":"深圳",
"schoolAge":"32",
"student":["name":"嘻嘻","age":40],
"arrModel":[
["name":"嘻嘻1","age":401],
["name":"嘻嘻2","age":403],
["name":"嘻嘻3","age":404]]],
["schoolName":"深圳大学",
"place":"深圳",
"schoolAge":"32",
"student":["name":"嘻嘻","age":40],
"arrModel":[
["name":"嘻嘻1","age":401],
["name":"嘻嘻2","age":403],
["name":"嘻嘻3","age":404]]]]] as [String : Any]
let mapper = Mapper.modelWithDic(dic: dic as Dictionary<String, AnyObject>)
print(mapper)
}
//数组模型
func fun4(){
let array = [
["name":4444,"age":401],
["name":"嘻嘻2","age":403],
["name":"嘻嘻3","age":404],
["name":"嘻嘻1","age":401],
["name":"嘻嘻2","age":403],
["name":"嘻嘻3","age":404],
["name":"嘻嘻1","age":401],
["name":"嘻嘻2","age":403],
["name":"嘻嘻3","age":404]]
let modelArray = Student.modelWithArray(array: array as Array<AnyObject>) as! Array<Student>
for item in modelArray {
print(item)
}
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
}
| 654715ac2bdbf8f055bbeac1818f7d88 | 32.288136 | 101 | 0.397658 | false | false | false | false |
wireapp/wire-ios-sync-engine | refs/heads/develop | Tests/Source/Integration/ConversationTests+DeliveryConfirmation.swift | gpl-3.0 | 1 | //
// Wire
// Copyright (C) 2016 Wire Swiss GmbH
//
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//
// You should have received a copy of the GNU General Public License
// along with this program. If not, see http://www.gnu.org/licenses/.
//
import XCTest
class ConversationTests_DeliveryConfirmation: ConversationTestsBase {
func testThatItSendsADeliveryConfirmationWhenReceivingAMessageInAOneOnOneConversation() {
// given
XCTAssert(login())
let fromClient = user1?.clients.anyObject() as! MockUserClient
let toClient = selfUser?.clients.anyObject() as! MockUserClient
let textMessage = GenericMessage(content: Text(content: "Hello"))
let conversation = self.conversation(for: selfToUser1Conversation!)
let requestPath = "/conversations/\(conversation!.remoteIdentifier!.transportString())/otr/messages"
// expect
mockTransportSession?.responseGeneratorBlock = { request in
if request.path == requestPath {
guard
let data = request.binaryData,
let otrMessage = try? Proteus_NewOtrMessage(serializedData: data)
else {
XCTFail("Expected OTR message")
return nil
}
XCTAssertEqual(otrMessage.recipients.count, 1)
let recipient = try! XCTUnwrap(otrMessage.recipients.first)
XCTAssertEqual(recipient.user, self.user(for: self.user1)!.userId)
let encryptedData = recipient.clients.first!.text
let decryptedData = MockUserClient.decryptMessage(data: encryptedData, from: toClient, to: fromClient)
let genericMessage = try! GenericMessage(serializedData: decryptedData)
XCTAssertEqual(genericMessage.confirmation.firstMessageID, textMessage.messageID)
}
return nil
}
// when
mockTransportSession?.performRemoteChanges { _ in
do {
self.selfToUser1Conversation?.encryptAndInsertData(from: fromClient, to: toClient, data: try textMessage.serializedData())
} catch {
XCTFail()
}
}
XCTAssert(waitForAllGroupsToBeEmpty(withTimeout: 0.1))
// then
XCTAssertEqual(conversation?.allMessages.count, 1) // inserted message
guard let request = mockTransportSession?.receivedRequests().last else {return XCTFail()}
XCTAssertEqual((request as AnyObject).path, requestPath)
XCTAssertEqual(conversation?.lastModifiedDate, conversation?.lastMessage?.serverTimestamp)
}
func testThatItSetsAMessageToDeliveredWhenReceivingADeliveryConfirmationMessageInAOneOnOneConversation() {
// given
XCTAssert(login())
let conversation = self.conversation(for: selfToUser1Conversation!)
var message: ZMClientMessage!
self.userSession?.perform {
message = try! conversation?.appendText(content: "Hello") as? ZMClientMessage
}
XCTAssert(waitForAllGroupsToBeEmpty(withTimeout: 0.1))
XCTAssertEqual(message.deliveryState, ZMDeliveryState.sent)
let fromClient = user1?.clients.anyObject() as! MockUserClient
let toClient = selfUser?.clients.anyObject() as! MockUserClient
let confirmationMessage = GenericMessage(content: Confirmation(messageId: message.nonce!))
// when
mockTransportSession?.performRemoteChanges { _ in
do {
self.selfToUser1Conversation?.encryptAndInsertData(from: fromClient, to: toClient, data: try confirmationMessage.serializedData())
} catch {
XCTFail()
}
}
XCTAssert(waitForAllGroupsToBeEmpty(withTimeout: 0.1))
// then
// The confirmation message is not inserted
XCTAssertEqual(conversation?.hiddenMessages.count, 0)
XCTAssertEqual(message.deliveryState, ZMDeliveryState.delivered)
XCTAssertEqual(conversation?.lastModifiedDate, message.serverTimestamp)
}
func testThatItSendsANotificationWhenUpdatingTheDeliveryState() {
// given
XCTAssert(login())
let conversation = self.conversation(for: selfToUser1Conversation!)
var message: ZMClientMessage!
self.userSession?.perform {
message = try! conversation?.appendText(content: "Hello") as? ZMClientMessage
}
XCTAssert(waitForAllGroupsToBeEmpty(withTimeout: 0.1))
XCTAssertEqual(conversation?.hiddenMessages.count, 0)
XCTAssertEqual(message.deliveryState, ZMDeliveryState.sent)
let fromClient = user1!.clients.anyObject() as! MockUserClient
let toClient = selfUser!.clients.anyObject() as! MockUserClient
let confirmationMessage = GenericMessage(content: Confirmation(messageId: message.nonce!, type: .init()))
let convObserver = ConversationChangeObserver(conversation: conversation)
let messageObserver = MessageChangeObserver(message: message)
// when
mockTransportSession?.performRemoteChanges { _ in
do {
self.selfToUser1Conversation?.encryptAndInsertData(from: fromClient, to: toClient, data: try confirmationMessage.serializedData())
} catch {
XCTFail()
}
}
XCTAssert(waitForAllGroupsToBeEmpty(withTimeout: 0.1))
// then
if convObserver!.notifications.count > 0 {
return XCTFail()
}
guard let messageChangeInfo = messageObserver?.notifications.firstObject as? MessageChangeInfo else {
return XCTFail()
}
XCTAssertTrue(messageChangeInfo.deliveryStateChanged)
}
}
| c1d144651e9d3abcbcd7d54053a844f1 | 40.633333 | 146 | 0.667414 | false | false | false | false |
diesmal/thisorthat | refs/heads/master | ThisOrThat/Code/Services/TOTAPI/Operations/TOTSerializationOperation.swift | apache-2.0 | 1 | //
// TOTSerializationOperation.swift
// ThisOrThat
//
// Created by Ilya Nikolaenko on 13/01/2017.
// Copyright © 2017 Ilya Nikolaenko. All rights reserved.
//
import UIKit
enum TOTSerializationOperationError : Error {
case incorrectInputData(Any)
}
class TOTSerializationOperation<ModelType: SerializableModel>: DIOperation<Any, Any> {
override func main() {
guard let data = getInputData() else {
return
}
do {
if let data = data as? ModelType {
let object = try ModelType.parameters(object: data)
setOutputData(data: object)
} else if let data = data as? [ModelType] {
let object = try ModelType.parameters(objects: data)
setOutputData(data: object)
} else {
self.output.block = {
throw TOTSerializationOperationError.incorrectInputData(data)
}
}
} catch let error {
self.output.block = { throw error }
}
}
}
| 71e5e68c8e6d3488366edd4393985512 | 26.1 | 86 | 0.564576 | false | false | false | false |
StanZabroda/Hydra | refs/heads/master | Hydra/DownloadsController.swift | mit | 1 |
import UIKit
class DownloadsController: UITableViewController {
var downloadsAudios = Array<HRAudioItemModel>()
override func viewDidLoad() {
super.viewDidLoad()
self.title = "Downloads"
self.addLeftBarButton()
self.tableView.registerClass(HRDownloadedCell.self, forCellReuseIdentifier: "HRDownloadedCell")
self.tableView.rowHeight = 70
self.tableView.tableFooterView = UIView(frame: CGRectZero)
}
override func viewWillAppear(animated: Bool) {
super.viewWillAppear(animated)
self.getAllDownloads()
}
override func preferredStatusBarStyle() -> UIStatusBarStyle {
return UIStatusBarStyle.LightContent
}
func addLeftBarButton() {
let button = UIBarButtonItem(image: UIImage(named: "menuHumb"), style: UIBarButtonItemStyle.Plain, target: self, action: "openMenu")
self.navigationItem.leftBarButtonItem = button
}
func openMenu() {
HRInterfaceManager.sharedInstance.openMenu()
}
// mark: - tableView delegate
override func numberOfSectionsInTableView(tableView: UITableView) -> Int {
return 1
}
override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return self.downloadsAudios.count
}
override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
let audio = self.downloadsAudios[indexPath.row]
let cell:HRDownloadedCell = self.tableView.dequeueReusableCellWithIdentifier("HRDownloadedCell", forIndexPath: indexPath) as! HRDownloadedCell
cell.audioAristLabel.text = audio.artist
cell.audioTitleLabel.text = audio.title
//cell.audioDurationTime.text = self.durationFormater(Double(audio.duration))
return cell
}
override func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath) {
//self.tableView.deselectRowAtIndexPath(indexPath, animated: true)
dispatch.async.main { () -> Void in
let audioLocalModel = self.downloadsAudios[indexPath.row]
HRPlayerManager.sharedInstance.items = self.downloadsAudios
HRPlayerManager.sharedInstance.currentPlayIndex = indexPath.row
HRPlayerManager.sharedInstance.playItem(audioLocalModel)
self.presentViewController(PlayerController(), animated: true, completion: nil)
}
}
// get all audios
func getAllDownloads() {
HRDatabaseManager.sharedInstance.getAllDownloads { (audiosArray) -> () in
self.downloadsAudios = audiosArray
self.tableView.reloadData()
}
}
}
| 701494744cdc545290936068aafeb256 | 29.333333 | 150 | 0.63037 | false | false | false | false |
adamfraser/ImageSlideshow | refs/heads/master | Pod/Classes/Core/UIImage+AspectFit.swift | mit | 1 | //
// UIImage+AspectFit.swift
// ImageSlideshow
//
// Created by Petr Zvoníček on 31.08.15.
//
//
import UIKit
extension UIImage {
func tgr_aspectFitRectForSize(size: CGSize) -> CGRect {
let targetAspect: CGFloat = size.width / size.height
let sourceAspect: CGFloat = self.size.width / self.size.height
var rect: CGRect = CGRectZero
if targetAspect > sourceAspect {
rect.size.height = size.height
rect.size.width = ceil(rect.size.height * sourceAspect)
rect.origin.x = ceil((size.width - rect.size.width) * 0.5)
} else {
rect.size.width = size.width
rect.size.height = ceil(rect.size.width / sourceAspect)
rect.origin.y = ceil((size.height - rect.size.height) * 0.5)
}
return rect
}
} | 60f1d0c08aab082e9d141bbb0b05f255 | 27.366667 | 72 | 0.587059 | false | false | false | false |
manavgabhawala/UberSDK | refs/heads/master | UberMacSDK/UberObject+NSImage.swift | apache-2.0 | 1 | //
// UberObject+NSImage.swift
// UberSDK
//
// Created by Manav Gabhawala on 6/12/15.
//
//
import Cocoa
extension UberObjectHasImage
{
/// Downloads an image asynchronously for the reciever's image. And calls the blocks as required once the download succeeds or fails
///
/// - parameter success: The block of code to execute once the block succeeded
/// - parameter failure: The block of code to execute on an error.
public func downloadImage(completionBlock success: (NSImage, Self) -> Void, errorHandler failure : UberErrorHandler?)
{
let fileManager = NSFileManager.defaultManager()
guard let URL = imageURL
else
{
failure?(UberError(code: "missing_image", message: "No image URL was found so downloading the image was not possible.", fields: nil, response: nil, errorResponse: nil, JSON: [NSObject: AnyObject]()))
return
}
let documentsURL = fileManager.URLsForDirectory(.DocumentDirectory, inDomains: .UserDomainMask).first!
if !fileManager.fileExistsAtPath(documentsURL.path!)
{
do {
try fileManager.createDirectoryAtURL(documentsURL, withIntermediateDirectories: true, attributes: nil)
}
catch let error as NSError
{
failure?(UberError(error: error))
}
}
if let data = NSData(contentsOfURL: documentsURL.URLByAppendingPathComponent(URL.lastPathComponent!)), let image = NSImage(data: data)
{
success(image, self)
return
}
let session = NSURLSession(configuration: NSURLSessionConfiguration.defaultSessionConfiguration())
let task = session.downloadTaskWithRequest(NSURLRequest(URL: URL)) { downloadedURL, response, error in
guard error == nil else { failure?(UberError(error: error!, response: response)); return }
let fileURL = documentsURL.URLByAppendingPathComponent(URL.lastPathComponent!)
do
{
try fileManager.moveItemAtURL(downloadedURL!, toURL: fileURL)
guard let image = NSImage(contentsOfURL: fileURL)
else { failure?(UberError(error: error!, response: response)); return }
success(image, self)
}
catch let error as NSError
{
failure?(UberError(error: error, response: response))
}
catch
{
failure?(unknownError)
}
}
task.resume()
}
}
| b09773468e2372564afd67b91f0d1b9a | 32.784615 | 202 | 0.725865 | false | false | false | false |
csnu17/RIC | refs/heads/master | ChatChat/Controller/LoginViewController.swift | mit | 1 | /*
* Copyright (c) 2015 Razeware LLC
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
import UIKit
import FirebaseAuth
import GoogleSignIn
class LoginViewController: UIViewController {
private var authListener: FIRAuthStateDidChangeListenerHandle?
// MARK: View Lifecycle
override func viewDidLoad() {
super.viewDidLoad()
// TODO: - Setup GoogleSignIn uiDelegate
GIDSignIn.sharedInstance().uiDelegate = self
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
// TODO: - Register FIRAuthStateDidChangeListenerHandle.
authListener = FIRAuth.auth()?.addStateDidChangeListener({ (auth, user) in
if let user = user {
let nav = self.storyboard?.instantiateViewController(withIdentifier: "NavChatViewController") as! UINavigationController
let chatVC = nav.viewControllers[0] as! ChatViewController
chatVC.senderId = user.uid
chatVC.senderDisplayName = "iOS"
chatVC.avatarString = user.photoURL?.absoluteString ?? "https://lh5.googleusercontent.com/-YpXDnaI_YM0/AAAAAAAAAAI/AAAAAAAAB30/rvs3MJ_YPOE/s96-c/photo.jpg"
chatVC.title = "Firebase"
let appDelegate = UIApplication.shared.delegate as! AppDelegate
appDelegate.window?.rootViewController = nav
}
})
}
override func viewWillDisappear(_ animated: Bool) {
super.viewWillDisappear(animated)
// TODO: - Unregister FIRAuthStateDidChangeListenerHandle.
FIRAuth.auth()?.removeStateDidChangeListener(authListener!)
}
}
// MARK: - GIDSignInUIDelegate
extension LoginViewController: GIDSignInUIDelegate {
}
| 98f991ed0bdaa448fbfaa9c3fabd8624 | 40.985075 | 171 | 0.703519 | false | false | false | false |
anlaital/Swan | refs/heads/master | Swan/Swan/CGFloatExtensions.swift | mit | 1 | //
// CGFloatExtensions.swift
// Swan
//
// Created by Antti Laitala on 22/05/15.
//
//
import Foundation
import CoreGraphics
// MARK: CGFloatConvertible Operators
public func +(lhs: CGFloat, rhs: CGFloatConvertible) -> CGFloat {
return lhs + rhs.CGFloatValue()
}
public func +=(lhs: inout CGFloat, rhs: CGFloatConvertible) {
lhs += rhs.CGFloatValue()
}
public func -(lhs: CGFloat, rhs: CGFloatConvertible) -> CGFloat {
return lhs - rhs.CGFloatValue()
}
public func -=(lhs: inout CGFloat, rhs: CGFloatConvertible) {
lhs -= rhs.CGFloatValue()
}
public func *(lhs: CGFloat, rhs: CGFloatConvertible) -> CGFloat {
return lhs * rhs.CGFloatValue()
}
public func *=(lhs: inout CGFloat, rhs: CGFloatConvertible) {
lhs *= rhs.CGFloatValue()
}
public func /(lhs: CGFloat, rhs: CGFloatConvertible) -> CGFloat {
return lhs / rhs.CGFloatValue()
}
public func /=(lhs: inout CGFloat, rhs: CGFloatConvertible) {
lhs /= rhs.CGFloatValue()
}
| 581885b4892e90fd199f3b13c1d5a411 | 21.022727 | 65 | 0.685243 | false | false | false | false |
FTChinese/iPhoneApp | refs/heads/master | Pods/FolioReaderKit/Source/FolioReaderHighlightList.swift | bsd-3-clause | 3 | //
// FolioReaderHighlightList.swift
// FolioReaderKit
//
// Created by Heberti Almeida on 01/09/15.
// Copyright (c) 2015 Folio Reader. All rights reserved.
//
import UIKit
class FolioReaderHighlightList: UITableViewController {
var highlights: [Highlight]!
override func viewDidLoad() {
super.viewDidLoad()
tableView.register(UITableViewCell.self, forCellReuseIdentifier: reuseIdentifier)
tableView.separatorInset = UIEdgeInsets.zero
tableView.backgroundColor = isNight(readerConfig.nightModeMenuBackground, readerConfig.menuBackgroundColor)
tableView.separatorColor = isNight(readerConfig.nightModeSeparatorColor, readerConfig.menuSeparatorColor)
highlights = Highlight.allByBookId((kBookId as NSString).deletingPathExtension)
}
// MARK: - Table view data source
override func numberOfSections(in tableView: UITableView) -> Int {
return 1
}
override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return highlights.count
}
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: reuseIdentifier, for: indexPath)
cell.backgroundColor = UIColor.clear
let highlight = highlights[(indexPath as NSIndexPath).row]
// Format date
let dateFormatter = DateFormatter()
dateFormatter.dateFormat = readerConfig.localizedHighlightsDateFormat
let dateString = dateFormatter.string(from: highlight.date)
// Date
var dateLabel: UILabel!
if cell.contentView.viewWithTag(456) == nil {
dateLabel = UILabel(frame: CGRect(x: 0, y: 0, width: view.frame.width-40, height: 16))
dateLabel.tag = 456
dateLabel.autoresizingMask = UIViewAutoresizing.flexibleWidth
dateLabel.font = UIFont(name: "Avenir-Medium", size: 12)
cell.contentView.addSubview(dateLabel)
} else {
dateLabel = cell.contentView.viewWithTag(456) as! UILabel
}
dateLabel.text = dateString.uppercased()
dateLabel.textColor = isNight(UIColor(white: 5, alpha: 0.3), UIColor.lightGray)
dateLabel.frame = CGRect(x: 20, y: 20, width: view.frame.width-40, height: dateLabel.frame.height)
// Text
let cleanString = highlight.content.stripHtml().truncate(250, trailing: "...").stripLineBreaks()
let text = NSMutableAttributedString(string: cleanString)
let range = NSRange(location: 0, length: text.length)
let paragraph = NSMutableParagraphStyle()
paragraph.lineSpacing = 3
let textColor = isNight(readerConfig.menuTextColor, UIColor.black)
text.addAttribute(NSParagraphStyleAttributeName, value: paragraph, range: range)
text.addAttribute(NSFontAttributeName, value: UIFont(name: "Avenir-Light", size: 16)!, range: range)
text.addAttribute(NSForegroundColorAttributeName, value: textColor, range: range)
if highlight.type == HighlightStyle.underline.rawValue {
text.addAttribute(NSBackgroundColorAttributeName, value: UIColor.clear, range: range)
text.addAttribute(NSUnderlineColorAttributeName, value: HighlightStyle.colorForStyle(highlight.type, nightMode: FolioReader.nightMode), range: range)
text.addAttribute(NSUnderlineStyleAttributeName, value: NSNumber(value: NSUnderlineStyle.styleSingle.rawValue as Int), range: range)
} else {
text.addAttribute(NSBackgroundColorAttributeName, value: HighlightStyle.colorForStyle(highlight.type, nightMode: FolioReader.nightMode), range: range)
}
// Text
var highlightLabel: UILabel!
if cell.contentView.viewWithTag(123) == nil {
highlightLabel = UILabel(frame: CGRect(x: 0, y: 0, width: view.frame.width-40, height: 0))
highlightLabel.tag = 123
highlightLabel.autoresizingMask = UIViewAutoresizing.flexibleWidth
highlightLabel.numberOfLines = 0
highlightLabel.textColor = UIColor.black
cell.contentView.addSubview(highlightLabel)
} else {
highlightLabel = cell.contentView.viewWithTag(123) as! UILabel
}
highlightLabel.attributedText = text
highlightLabel.sizeToFit()
highlightLabel.frame = CGRect(x: 20, y: 46, width: view.frame.width-40, height: highlightLabel.frame.height)
cell.layoutMargins = UIEdgeInsets.zero
cell.preservesSuperviewLayoutMargins = false
return cell
}
override func tableView(_ tableView: UITableView, heightForRowAt indexPath: IndexPath) -> CGFloat {
let highlight = highlights[(indexPath as NSIndexPath).row]
let cleanString = highlight.content.stripHtml().truncate(250, trailing: "...").stripLineBreaks()
let text = NSMutableAttributedString(string: cleanString)
let range = NSRange(location: 0, length: text.length)
let paragraph = NSMutableParagraphStyle()
paragraph.lineSpacing = 3
text.addAttribute(NSParagraphStyleAttributeName, value: paragraph, range: range)
text.addAttribute(NSFontAttributeName, value: UIFont(name: "Avenir-Light", size: 16)!, range: range)
let s = text.boundingRect(with: CGSize(width: view.frame.width-40, height: CGFloat.greatestFiniteMagnitude),
options: [NSStringDrawingOptions.usesLineFragmentOrigin, NSStringDrawingOptions.usesFontLeading],
context: nil)
return s.size.height + 66
}
// MARK: - Table view delegate
override func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
let highlight = highlights[(indexPath as NSIndexPath).row]
FolioReader.shared.readerCenter?.changePageWith(page: highlight.page, andFragment: highlight.highlightId)
dismiss()
}
override func tableView(_ tableView: UITableView, commit editingStyle: UITableViewCellEditingStyle, forRowAt indexPath: IndexPath) {
if editingStyle == .delete {
let highlight = highlights[(indexPath as NSIndexPath).row]
if highlight.page == currentPageNumber {
Highlight.removeFromHTMLById(highlight.highlightId) // Remove from HTML
}
highlight.remove() // Remove from Database
highlights.remove(at: (indexPath as NSIndexPath).row)
tableView.deleteRows(at: [indexPath], with: .fade)
}
}
// MARK: - Handle rotation transition
override func viewWillTransition(to size: CGSize, with coordinator: UIViewControllerTransitionCoordinator) {
tableView.reloadData()
}
}
| 4ee730fa73c6060d449c2fdf585584bd | 44.84106 | 162 | 0.678706 | false | false | false | false |
narner/AudioKit | refs/heads/master | AudioKit/macOS/AudioKit/User Interface/AKResourceAudioFileLoaderView.swift | mit | 1 | //
// AKResourceAudioFileLoaderView.swift
// AudioKit for macOS
//
// Created by Aurelius Prochazka on 7/30/16.
// Copyright © 2017 Aurelius Prochazka. All rights reserved.
//
import Cocoa
public class AKResourcesAudioFileLoaderView: NSView {
// Default corner radius
static var standardCornerRadius: CGFloat = 3.0
var player: AKAudioPlayer?
var stopOuterPath = NSBezierPath()
var playOuterPath = NSBezierPath()
var upOuterPath = NSBezierPath()
var downOuterPath = NSBezierPath()
var currentIndex = 0
var titles = [String]()
open var bgColor: AKColor? {
didSet {
needsDisplay = true
}
}
open var textColor: AKColor? {
didSet {
needsDisplay = true
}
}
open var borderColor: AKColor? {
didSet {
needsDisplay = true
}
}
open var borderWidth: CGFloat = 3.0 {
didSet {
needsDisplay = true
}
}
/// Initialize the resource loader
public convenience init(player: AKAudioPlayer,
filenames: [String],
frame: CGRect = CGRect(x: 0, y: 0, width: 440, height: 60)) {
self.init(frame: frame)
self.player = player
self.titles = filenames
}
/// Handle click
override public func mouseDown(with theEvent: NSEvent) {
var isFileChanged = false
guard let isPlayerPlaying = player?.isPlaying else {
return
}
let touchLocation = convert(theEvent.locationInWindow, from: nil)
if stopOuterPath.contains(touchLocation) {
player?.stop()
}
if playOuterPath.contains(touchLocation) {
player?.play()
}
if upOuterPath.contains(touchLocation) {
currentIndex -= 1
isFileChanged = true
}
if downOuterPath.contains(touchLocation) {
currentIndex += 1
isFileChanged = true
}
if currentIndex < 0 { currentIndex = titles.count - 1 }
if currentIndex >= titles.count { currentIndex = 0 }
if isFileChanged {
player?.stop()
let filename = titles[currentIndex]
if let file = try? AKAudioFile(readFileName: "\(filename)", baseDir: .resources) {
do {
try player?.replace(file: file)
} catch {
Swift.print("Could not replace file")
}
}
if isPlayerPlaying { player?.play() }
}
needsDisplay = true
}
// Default background color per theme
var bgColorForTheme: AKColor {
if let bgColor = bgColor { return bgColor }
switch AKStylist.sharedInstance.theme {
case .basic: return AKColor(white: 0.8, alpha: 1.0)
case .midnight: return AKColor(white: 0.7, alpha: 1.0)
}
}
// Default border color per theme
var borderColorForTheme: AKColor {
if let borderColor = borderColor { return borderColor }
switch AKStylist.sharedInstance.theme {
case .basic: return AKColor(white: 0.3, alpha: 1.0).withAlphaComponent(0.8)
case .midnight: return AKColor.white.withAlphaComponent(0.8)
}
}
// Default text color per theme
var textColorForTheme: AKColor {
if let textColor = textColor { return textColor }
switch AKStylist.sharedInstance.theme {
case .basic: return AKColor(white: 0.3, alpha: 1.0)
case .midnight: return AKColor.white
}
}
func drawAudioFileLoader(sliderColor: NSColor = AKStylist.sharedInstance.colorForFalseValue,
fileName: String = "None") {
//// General Declarations
let _ = unsafeBitCast(NSGraphicsContext.current?.graphicsPort, to: CGContext.self)
let rect = bounds
let cornerRadius: CGFloat = AKResourcesAudioFileLoaderView.standardCornerRadius
//// Color Declarations
let backgroundColor = bgColorForTheme
let color = AKStylist.sharedInstance.colorForTrueValue
let dark = textColorForTheme
//// background Drawing
let backgroundPath = NSBezierPath(rect: NSRect(x: borderWidth,
y: borderWidth,
width: rect.width - borderWidth * 2.0,
height: rect.height - borderWidth * 2.0))
backgroundColor.setFill()
backgroundPath.fill()
//// stopButton
//// stopOuter Drawing
stopOuterPath = NSBezierPath(rect: NSRect(x: borderWidth,
y: borderWidth,
width: rect.width * 0.13,
height: rect.height - borderWidth * 2.0))
sliderColor.setFill()
stopOuterPath.fill()
//// stopInner Drawing
let stopInnerPath = NSBezierPath(roundedRect: NSRect(x: (rect.width * 0.13 - rect.height * 0.5) / 2 + cornerRadius,
y: rect.height * 0.25,
width: rect.height * 0.5,
height: rect.height * 0.5),
xRadius: cornerRadius,
yRadius: cornerRadius)
dark.setFill()
stopInnerPath.fill()
//// playButton
//// playOuter Drawing
playOuterPath = NSBezierPath(rect: NSRect(x: rect.width * 0.13 + borderWidth,
y: borderWidth,
width: rect.width * 0.13,
height: rect.height - borderWidth * 2.0))
color.setFill()
playOuterPath.fill()
//// playInner Drawing
let playRect = NSRect(x: (rect.width * 0.13 - rect.height * 0.5) / 2 + borderWidth + rect.width * 0.13 + borderWidth,
y: rect.height * 0.25,
width: rect.height * 0.5,
height: rect.height * 0.5)
let playInnerPath = NSBezierPath()
playInnerPath.move(to: NSPoint(x: playRect.minX + cornerRadius / 2.0, y: playRect.maxY))
playInnerPath.line(to: NSPoint(x: playRect.maxX - cornerRadius / 2.0, y: playRect.midY + cornerRadius / 2.0))
playInnerPath.curve(to: NSPoint(x: playRect.maxX - cornerRadius / 2.0,
y: playRect.midY - cornerRadius / 2.0),
controlPoint1: NSPoint(x: playRect.maxX, y: playRect.midY),
controlPoint2: NSPoint(x: playRect.maxX, y: playRect.midY))
playInnerPath.line(to: NSPoint(x: playRect.minX + cornerRadius / 2.0, y: playRect.minY))
playInnerPath.curve(to: NSPoint(x: playRect.minX, y: playRect.minY + cornerRadius / 2.0),
controlPoint1: NSPoint(x: playRect.minX, y: playRect.minY),
controlPoint2: NSPoint(x: playRect.minX, y: playRect.minY))
playInnerPath.line(to: NSPoint(x: playRect.minX, y: playRect.maxY - cornerRadius / 2.0))
playInnerPath.curve(to: NSPoint(x: playRect.minX + cornerRadius / 2.0, y: playRect.maxY),
controlPoint1: NSPoint(x: playRect.minX, y: playRect.maxY),
controlPoint2: NSPoint(x: playRect.minX, y: playRect.maxY))
playInnerPath.close()
dark.setFill()
playInnerPath.fill()
dark.setStroke()
playInnerPath.stroke()
// stopButton border Path
let stopButtonBorderPath = NSBezierPath()
stopButtonBorderPath.move(to: NSPoint(x: rect.width * 0.13 + borderWidth, y: borderWidth))
stopButtonBorderPath.line(to: NSPoint(x: rect.width * 0.13 + borderWidth, y: rect.height - borderWidth))
borderColorForTheme.setStroke()
stopButtonBorderPath.lineWidth = borderWidth / 2.0
stopButtonBorderPath.stroke()
// playButton border Path
let playButtonBorderPath = NSBezierPath()
playButtonBorderPath.move(to: NSPoint(x: rect.width * 0.13 * 2.0 + borderWidth, y: borderWidth))
playButtonBorderPath.line(to: NSPoint(x: rect.width * 0.13 * 2.0 + borderWidth, y: rect.height - borderWidth))
borderColorForTheme.setStroke()
playButtonBorderPath.lineWidth = borderWidth / 2.0
playButtonBorderPath.stroke()
//// upButton
//// upOuter Drawing
upOuterPath = NSBezierPath(rect: NSRect(x: rect.width * 0.9,
y: rect.height * 0.5,
width: rect.width * 0.07,
height: rect.height * 0.5))
//// upInner Drawing
let upperArrowRect = NSRect(x: rect.width * 0.9,
y: rect.height * 0.58,
width: rect.width * 0.07,
height: rect.height * 0.3)
let upInnerPath = NSBezierPath()
upInnerPath.move(to: NSPoint(x: upperArrowRect.minX + cornerRadius / 2.0, y: upperArrowRect.minY))
upInnerPath.line(to: NSPoint(x: upperArrowRect.maxX - cornerRadius / 2.0, y: upperArrowRect.minY))
upInnerPath.curve(to: NSPoint(x: upperArrowRect.maxX - cornerRadius / 2.0,
y: upperArrowRect.minY + cornerRadius / 2.0),
controlPoint1: NSPoint(x: upperArrowRect.maxX, y: upperArrowRect.minY),
controlPoint2: NSPoint(x: upperArrowRect.maxX, y: upperArrowRect.minY))
upInnerPath.line(to: NSPoint(x: upperArrowRect.midX + cornerRadius / 2.0,
y: upperArrowRect.maxY - cornerRadius / 2.0))
upInnerPath.curve(to: NSPoint(x: upperArrowRect.midX - cornerRadius / 2.0,
y: upperArrowRect.maxY - cornerRadius / 2.0),
controlPoint1: NSPoint(x: upperArrowRect.midX, y: upperArrowRect.maxY),
controlPoint2: NSPoint(x: upperArrowRect.midX, y: upperArrowRect.maxY))
upInnerPath.line(to: NSPoint(x: upperArrowRect.minX + cornerRadius / 2.0,
y: upperArrowRect.minY + cornerRadius / 2.0))
upInnerPath.curve(to: NSPoint(x: upperArrowRect.minX + cornerRadius / 2.0, y: upperArrowRect.minY),
controlPoint1: NSPoint(x: upperArrowRect.minX, y: upperArrowRect.minY),
controlPoint2: NSPoint(x: upperArrowRect.minX, y: upperArrowRect.minY))
textColorForTheme.setStroke()
upInnerPath.lineWidth = borderWidth
upInnerPath.stroke()
downOuterPath = NSBezierPath(rect: NSRect(x: rect.width * 0.9,
y: 0,
width: rect.width * 0.07,
height: rect.height * 0.5))
//// downInner Drawing
let downArrowRect = NSRect(x: rect.width * 0.9,
y: rect.height * 0.12,
width: rect.width * 0.07,
height: rect.height * 0.3)
let downInnerPath = NSBezierPath()
downInnerPath.move(to: NSPoint(x: downArrowRect.minX + cornerRadius / 2.0, y: downArrowRect.maxY))
downInnerPath.line(to: NSPoint(x: downArrowRect.maxX - cornerRadius / 2.0, y: downArrowRect.maxY))
downInnerPath.curve(to: NSPoint(x: downArrowRect.maxX - cornerRadius / 2.0,
y: downArrowRect.maxY - cornerRadius / 2.0),
controlPoint1: NSPoint(x: downArrowRect.maxX, y: downArrowRect.maxY),
controlPoint2: NSPoint(x: downArrowRect.maxX, y: downArrowRect.maxY))
downInnerPath.line(to: NSPoint(x: downArrowRect.midX + cornerRadius / 2.0,
y: downArrowRect.minY + cornerRadius / 2.0))
downInnerPath.curve(to: NSPoint(x: downArrowRect.midX - cornerRadius / 2.0,
y: downArrowRect.minY + cornerRadius / 2.0),
controlPoint1: NSPoint(x: downArrowRect.midX, y: downArrowRect.minY),
controlPoint2: NSPoint(x: downArrowRect.midX, y: downArrowRect.minY))
downInnerPath.line(to: NSPoint(x: downArrowRect.minX + cornerRadius / 2.0,
y: downArrowRect.maxY - cornerRadius / 2.0))
downInnerPath.curve(to: NSPoint(x: downArrowRect.minX + cornerRadius / 2.0,
y: downArrowRect.maxY),
controlPoint1: NSPoint(x: downArrowRect.minX, y: downArrowRect.maxY),
controlPoint2: NSPoint(x: downArrowRect.minX, y: downArrowRect.maxY))
textColorForTheme.setStroke()
downInnerPath.lineWidth = borderWidth
downInnerPath.stroke()
//// nameLabel Drawing
let nameLabelRect = NSRect(x: 120, y: 0, width: 320, height: 60)
let nameLabelStyle = NSMutableParagraphStyle()
nameLabelStyle.alignment = .left
let nameLabelFontAttributes = [NSAttributedStringKey.font: NSFont.boldSystemFont(ofSize: 24.0),
NSAttributedStringKey.foregroundColor: textColorForTheme,
NSAttributedStringKey.paragraphStyle: nameLabelStyle]
let nameLabelInset: CGRect = nameLabelRect.insetBy(dx: 10, dy: 0)
let nameLabelTextHeight: CGFloat = NSString(string: fileName).boundingRect(
with: NSSize(width: nameLabelInset.width, height: CGFloat.infinity),
options: NSString.DrawingOptions.usesLineFragmentOrigin,
attributes: nameLabelFontAttributes).size.height
let nameLabelTextRect: NSRect = NSRect(
x: nameLabelInset.minX,
y: nameLabelInset.minY + (nameLabelInset.height - nameLabelTextHeight) / 2,
width: nameLabelInset.width,
height: nameLabelTextHeight)
NSGraphicsContext.saveGraphicsState()
__NSRectClip(nameLabelInset)
NSString(string: fileName).draw(in: nameLabelTextRect.offsetBy(dx: 0, dy: 0),
withAttributes: nameLabelFontAttributes)
NSGraphicsContext.restoreGraphicsState()
let outerRect = CGRect(x: rect.origin.x + borderWidth / 2.0,
y: rect.origin.y + borderWidth / 2.0,
width: rect.width - borderWidth,
height: rect.height - borderWidth)
let outerPath = NSBezierPath(roundedRect: outerRect, xRadius: cornerRadius, yRadius: cornerRadius)
borderColorForTheme.setStroke()
outerPath.lineWidth = borderWidth
outerPath.stroke()
}
/// Draw the resource loader
override public func draw(_ rect: CGRect) {
drawAudioFileLoader(fileName: titles[currentIndex])
}
}
| cad6fefc6d523bccbb7a43b2cca0813f | 46.541538 | 125 | 0.555563 | false | false | false | false |
Antondomashnev/Sourcery | refs/heads/master | SourceryTests/Stub/Performance-Code/Kiosk/App/Models/Image.swift | mit | 2 | import Foundation
import SwiftyJSON
final class Image: NSObject, JSONAbleType {
let id: String
let imageFormatString: String
let imageVersions: [String]
let imageSize: CGSize
let aspectRatio: CGFloat?
let baseURL: String
let tileSize: Int
let maxTiledHeight: Int
let maxTiledWidth: Int
let maxLevel: Int
let isDefault: Bool
init(id: String, imageFormatString: String, imageVersions: [String], imageSize: CGSize, aspectRatio: CGFloat?, baseURL: String, tileSize: Int, maxTiledHeight: Int, maxTiledWidth: Int, maxLevel: Int, isDefault: Bool) {
self.id = id
self.imageFormatString = imageFormatString
self.imageVersions = imageVersions
self.imageSize = imageSize
self.aspectRatio = aspectRatio
self.baseURL = baseURL
self.tileSize = tileSize
self.maxTiledHeight = maxTiledHeight
self.maxTiledWidth = maxTiledWidth
self.maxLevel = maxLevel
self.isDefault = isDefault
}
static func fromJSON(_ json: [String: Any]) -> Image {
let json = JSON(json)
let id = json["id"].stringValue
let imageFormatString = json["image_url"].stringValue
let imageVersions = (json["image_versions"].object as? [String]) ?? []
let imageSize = CGSize(width: json["original_width"].int ?? 1, height: json["original_height"].int ?? 1)
let aspectRatio = { () -> CGFloat? in
if let aspectRatio = json["aspect_ratio"].float {
return CGFloat(aspectRatio)
}
return nil
}()
let baseURL = json["tile_base_url"].stringValue
let tileSize = json["tile_size"].intValue
let maxTiledHeight = json["max_tiled_height"].int ?? 1
let maxTiledWidth = json["max_tiled_width"].int ?? 1
let isDefault = json["is_default"].bool ?? false
let dimension = max( maxTiledWidth, maxTiledHeight)
let logD = logf( Float(dimension) )
let log2 = Float(logf(2))
let maxLevel = Int( ceilf( logD / log2) )
return Image(id: id, imageFormatString: imageFormatString, imageVersions: imageVersions, imageSize: imageSize, aspectRatio: aspectRatio, baseURL: baseURL, tileSize: tileSize, maxTiledHeight: maxTiledHeight, maxTiledWidth: maxTiledWidth, maxLevel: maxLevel, isDefault: isDefault)
}
func thumbnailURL() -> URL? {
let preferredVersions = { () -> Array<String> in
// For very tall images, the "medium" version looks terribad.
// In the long-term, we have an issue to fix this for good: https://github.com/artsy/eidolon/issues/396
if ["57be35d7a09a6711ab004fa5", "57be1fb4cd530e65fe000862"].contains(self.id) {
return ["large", "larger"]
} else {
return ["medium", "large", "larger"]
}
}()
return urlFromPreferenceList(preferredVersions)
}
func fullsizeURL() -> URL? {
return urlFromPreferenceList(["larger", "large", "medium"])
}
fileprivate func urlFromPreferenceList(_ preferenceList: Array<String>) -> URL? {
if let format = preferenceList.filter({ self.imageVersions.contains($0) }).first {
let path = NSString(string: self.imageFormatString).replacingOccurrences(of: ":version", with: format)
return URL(string: path)
}
return nil
}
}
| f93fb23de7165596c542212f60fa42a6 | 38.77907 | 286 | 0.634317 | false | false | false | false |
MaartenBrijker/project | refs/heads/back | Examples/iOS/AnalogSynthX/AnalogSynthX/CustomControls/VerticalSliderStyles.swift | apache-2.0 | 3 | //
// VerticalSliderStyles.swift
// Swift Synth
//
// Created by Matthew Fecher on 1/11/16.
// Copyright (c) 2016 AudioKit. All rights reserved.
import UIKit
public class VerticalSliderStyles: NSObject {
//// Drawing Methods
public class func drawVerticalSlider(controlFrame controlFrame: CGRect = CGRect(x: 0, y: 0, width: 40, height: 216), knobRect: CGRect = CGRect(x: 0, y: 89, width: 36, height: 32)) {
//// General Declarations
let context = UIGraphicsGetCurrentContext()
//// Image Declarations
let slider_top = UIImage(named: "slider_top.png")!
let slider_track = UIImage(named: "slider_track.png")!
//// Background Drawing
let backgroundRect = CGRectMake(controlFrame.minX + 2, controlFrame.minY + 10, 38, 144)
let backgroundPath = UIBezierPath(rect: backgroundRect)
CGContextSaveGState(context)
backgroundPath.addClip()
slider_track.drawInRect(CGRectMake(floor(backgroundRect.minX + 0.5), floor(backgroundRect.minY + 0.5), slider_track.size.width, slider_track.size.height))
CGContextRestoreGState(context)
//// Slider Top Drawing
let sliderTopRect = CGRectMake(knobRect.origin.x, knobRect.origin.y, knobRect.size.width, knobRect.size.height)
let sliderTopPath = UIBezierPath(rect: sliderTopRect)
CGContextSaveGState(context)
sliderTopPath.addClip()
slider_top.drawInRect(CGRectMake(floor(sliderTopRect.minX + 0.5), floor(sliderTopRect.minY + 0.5), slider_top.size.width, slider_top.size.height))
CGContextRestoreGState(context)
}
}
| 9c4499aa1eb9fcb8977b65be2035629c | 38.512195 | 185 | 0.688272 | false | false | false | false |
rmalabuyoc/treehouse-tracks | refs/heads/master | ios-development-with-swift/Algorhythm/Algorhythm/Playlist.swift | mit | 1 | //
// Playlist.swift
// Algorhythm
//
// Created by Ryzan on 2015-04-26.
// Copyright (c) 2015 Ryzan. All rights reserved.
//
import Foundation
import UIKit
struct Playlist {
var title: String?
var description: String?
var icon: UIImage?
var largeIcon: UIImage?
var artists: [String] = []
var backgroundColor: UIColor = UIColor.clearColor()
init(index: Int) {
let musicLibrary = MusicLibrary().library
let playlistDictionary = musicLibrary[index]
title = playlistDictionary["title"] as? String
description = playlistDictionary["description"] as? String
let iconName = playlistDictionary["icon"] as? String
icon = UIImage(named: iconName!)
let largeIconName = playlistDictionary["largeIcon"] as? String
largeIcon = UIImage(named: largeIconName!)
artists += playlistDictionary["artists"] as! [String]!
let colorsDictionary = playlistDictionary["backgroundColor"] as! [String: CGFloat]
backgroundColor = rgbColorFromDictionary(colorsDictionary)
}
func rgbColorFromDictionary(colorDictionary: [String: CGFloat]) -> UIColor {
let red = colorDictionary["red"]!
let green = colorDictionary["green"]!
let blue = colorDictionary["blue"]!
let alpha = colorDictionary["alpha"]!
return UIColor(red: red/255.0, green: green/255.0, blue: blue/255.0, alpha: alpha)
}
} | 6d01553ac12fdf93517bee83265ee495 | 27.326531 | 86 | 0.687094 | false | false | false | false |
StupidTortoise/personal | refs/heads/master | iOS/Swift/PickerViewSample/PickerViewSample/ViewController.swift | gpl-2.0 | 1 | //
// ViewController.swift
// PickerViewSample
//
// Created by tortoise on 7/15/15.
// Copyright (c) 2015 703. All rights reserved.
//
import UIKit
class ViewController: UIViewController, UIPickerViewDelegate, UIPickerViewDataSource {
@IBOutlet weak var pickerView: UIPickerView!
@IBOutlet weak var lable: UILabel!
var pickerData: NSDictionary?
var pickerProvincesData: NSArray?
var pickerCitiesData: NSArray?
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view, typically from a nib.
let bundle = NSBundle.mainBundle()
let plistPath = bundle.pathForResource("provinces_cities", ofType: "plist")
let dict = NSDictionary(contentsOfFile: plistPath!)
self.pickerData = dict
self.pickerProvincesData = self.pickerData!.allKeys
let selectedProvince: AnyObject = self.pickerProvincesData!.objectAtIndex(0)
let cities: AnyObject? = self.pickerData?.objectForKey(selectedProvince)
self.pickerCitiesData = cities as? NSArray
self.pickerView.delegate = self
self.pickerView.dataSource = self
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
@IBAction func click(sender: UIButton) {
let row1 = self.pickerView.selectedRowInComponent(0)
let row2 = self.pickerView.selectedRowInComponent(1)
let selected1 = self.pickerProvincesData!.objectAtIndex(row1) as? String
let selected2 = self.pickerCitiesData!.objectAtIndex(row2) as? String
let title = "\(selected1!),\(selected2!)"
self.lable.text = title
}
func numberOfComponentsInPickerView(pickerView: UIPickerView) -> Int {
return 2
}
func pickerView(pickerView: UIPickerView, numberOfRowsInComponent component: Int) -> Int {
if component == 0 {
return self.pickerProvincesData!.count
} else {
return self.pickerCitiesData!.count
}
}
func pickerView(pickerView: UIPickerView, titleForRow row: Int, forComponent component: Int) -> String! {
if component == 0 {
return self.pickerProvincesData!.objectAtIndex(row) as? String
} else {
return self.pickerCitiesData!.objectAtIndex(row) as? String
}
}
func pickerView(pickerView: UIPickerView, didSelectRow row: Int, inComponent component: Int) {
if component == 0 {
let selectedProvince: AnyObject = self.pickerProvincesData!.objectAtIndex(row)
let cities: AnyObject? = self.pickerData?.objectForKey(selectedProvince)
self.pickerCitiesData = cities as? NSArray
self.pickerView.reloadComponent(1)
}
}
}
| 68b7bdd64294e89c90fd289b3a7fb5d9 | 33.232558 | 109 | 0.648777 | false | false | false | false |
erikmartens/NearbyWeather | refs/heads/develop | NearbyWeather/Scenes/Weather Map Scene/WeatherMapViewModel.swift | mit | 1 | //
// WeatherMapViewModel.swift
// NearbyWeather
//
// Created by Erik Maximilian Martens on 10.01.21.
// Copyright © 2021 Erik Maximilian Martens. All rights reserved.
//
import CoreLocation
import RxSwift
import RxCocoa
import RxOptional
import RxFlow
// MARK: - Dependencies
extension WeatherMapViewModel {
struct Dependencies {
let weatherInformationService: WeatherInformationPersistence & WeatherInformationUpdating
let weatherStationService: WeatherStationBookmarkReading
let userLocationService: UserLocationReading
let preferencesService: WeatherMapPreferencePersistence
let apiKeyService: ApiKeyReading
}
}
// MARK: - Class Definition
final class WeatherMapViewModel: NSObject, Stepper, BaseViewModel {
// MARK: - Routing
let steps = PublishRelay<Step>()
// MARK: - Assets
private let disposeBag = DisposeBag()
// MARK: - Properties
private let dependencies: Dependencies
var mapDelegate: WeatherMapMapViewDelegate? // swiftlint:disable:this weak_delegate
// MARK: - Events
let onDidTapMapTypeBarButtonSubject = PublishSubject<Void>()
let onDidTapAmountOfResultsBarButtonSubject = PublishSubject<Void>()
let onDidTapFocusOnLocationBarButtonSubject = PublishSubject<Void>()
let onDidSelectFocusOnWeatherStationSubject = PublishSubject<CLLocation?>()
let onDidSelectFocusOnUserLocationSubject = PublishSubject<Void>()
// MARK: - Drivers
lazy var preferredMapTypeDriver = preferredMapTypeObservable.asDriver(onErrorJustReturn: .standard)
lazy var preferredAmountOfResultsDriver = preferredAmountOfResultsObservable.asDriver(onErrorJustReturn: .ten)
lazy var focusOnWeatherStationDriver = onDidSelectFocusOnWeatherStationSubject.asDriver(onErrorJustReturn: nil)
lazy var focusOnUserLocationDriver: Driver<CLLocation?> = onDidSelectFocusOnUserLocationSubject
.asObservable()
.flatMapLatest { [unowned self] _ in dependencies.userLocationService.createGetUserLocationObservable().take(1) }
.map { location -> CLLocation? in location }
.asDriver(onErrorJustReturn: nil)
// MARK: - Observables
private lazy var preferredMapTypeObservable: Observable<MapTypeOptionValue> = dependencies
.preferencesService
.createGetMapTypeOptionObservable()
.map { $0.value }
.share(replay: 1)
private lazy var preferredAmountOfResultsObservable: Observable<AmountOfResultsOptionValue> = dependencies
.preferencesService
.createGetAmountOfNearbyResultsOptionObservable()
.map { $0.value }
.share(replay: 1)
// MARK: - Initialization
required init(dependencies: Dependencies) {
self.dependencies = dependencies
super.init()
mapDelegate = WeatherMapMapViewDelegate(annotationSelectionDelegate: self, annotationViewType: WeatherStationMeteorologyInformationPreviewAnnotationView.self)
}
deinit {
printDebugMessage(
domain: String(describing: self),
message: "was deinitialized",
type: .info
)
}
func viewWillAppear() {
_ = dependencies.userLocationService
.createGetUserLocationObservable()
.take(1)
.asSingle()
.subscribe(onSuccess: { [unowned self] _ in onDidSelectFocusOnUserLocationSubject.onNext(()) })
}
// MARK: - Functions
func observeEvents() {
observeDataSource()
observeUserTapEvents()
}
}
// MARK: - Observations
extension WeatherMapViewModel {
func observeDataSource() {
let apiKeyValidObservable = dependencies
.apiKeyService
.createGetApiKeyObservable()
.share(replay: 1)
let nearbyMapItemsObservable = Observable
.combineLatest(
dependencies.weatherInformationService.createGetNearbyWeatherInformationListObservable(),
apiKeyValidObservable,
resultSelector: { [unowned self] weatherInformationList, _ in
weatherInformationList.mapToWeatherMapAnnotationViewModel(
weatherStationService: dependencies.weatherStationService,
weatherInformationService: dependencies.weatherInformationService,
preferencesService: dependencies.preferencesService,
selectionDelegate: self
)
}
)
.catchAndReturn([])
.share(replay: 1)
let bookmarkedMapItemsObservable = Observable
.combineLatest(
dependencies.weatherInformationService.createGetBookmarkedWeatherInformationListObservable(),
apiKeyValidObservable,
resultSelector: { [unowned self] weatherInformationList, _ in
weatherInformationList.mapToWeatherMapAnnotationViewModel(
weatherStationService: dependencies.weatherStationService,
weatherInformationService: dependencies.weatherInformationService,
preferencesService: dependencies.preferencesService,
selectionDelegate: self
)
}
)
.catchAndReturn([])
.share(replay: 1)
Observable
.combineLatest(
nearbyMapItemsObservable,
bookmarkedMapItemsObservable,
resultSelector: { nearbyAnnotations, bookmarkedAnnotations in
var mutableNearbyAnnotations = nearbyAnnotations
mutableNearbyAnnotations.removeAll { nearbyAnnotation -> Bool in
bookmarkedAnnotations.contains { bookmarkedAnnotation -> Bool in
let nearbyIdentifier = (nearbyAnnotation as? WeatherStationMeteorologyInformationPreviewMapAnnotationViewModel)?.weatherInformationIdentity.identifier
let bookmarkedIdentifier = (bookmarkedAnnotation as? WeatherStationMeteorologyInformationPreviewMapAnnotationViewModel)?.weatherInformationIdentity.identifier
return nearbyIdentifier == bookmarkedIdentifier
}
}
return WeatherMapAnnotationData(
annotationViewReuseIdentifier: WeatherStationMeteorologyInformationPreviewAnnotationView.reuseIdentifier,
annotationItems: mutableNearbyAnnotations + bookmarkedAnnotations
)
}
)
.bind { [weak mapDelegate] in mapDelegate?.dataSource.accept($0) }
.disposed(by: disposeBag)
}
func observeUserTapEvents() {
onDidTapMapTypeBarButtonSubject
.subscribe(onNext: { [unowned self] _ in
steps.accept(WeatherMapStep.changeMapTypeAlert(selectionDelegate: self))
})
.disposed(by: disposeBag)
onDidTapAmountOfResultsBarButtonSubject
.subscribe(onNext: { [unowned self] _ in
steps.accept(WeatherMapStep.changeAmountOfResultsAlert(selectionDelegate: self))
})
.disposed(by: disposeBag)
onDidTapFocusOnLocationBarButtonSubject
.subscribe(onNext: { [unowned self] _ in
steps.accept(WeatherMapStep.focusOnLocationAlert(selectionDelegate: self))
})
.disposed(by: disposeBag)
}
}
// MARK: - Delegate Extensions
extension WeatherMapViewModel: BaseMapViewSelectionDelegate {
func didSelectView(for annotationViewModel: BaseAnnotationViewModelProtocol) {
guard let annotationViewModel = annotationViewModel as? WeatherStationMeteorologyInformationPreviewMapAnnotationViewModel else {
return
}
_ = Observable
.just(annotationViewModel.weatherInformationIdentity)
.map(WeatherMapStep.weatherDetails2)
.take(1)
.asSingle()
.subscribe(onSuccess: steps.accept)
}
}
extension WeatherMapViewModel: FocusOnLocationSelectionAlertDelegate {
func didSelectFocusOnLocationOption(_ option: FocusOnLocationOption) {
switch option {
case .userLocation:
onDidSelectFocusOnUserLocationSubject.onNext(())
case let .weatherStation(location):
onDidSelectFocusOnWeatherStationSubject.onNext(location)
}
}
}
extension WeatherMapViewModel: MapTypeSelectionAlertDelegate {
func didSelectMapTypeOption(_ selectedOption: MapTypeOption) {
_ = dependencies.preferencesService
.createSetPreferredMapTypeOptionCompletable(selectedOption)
.subscribe()
}
}
extension WeatherMapViewModel: AmountOfResultsSelectionAlertDelegate {
func didSelectAmountOfResultsOption(_ selectedOption: AmountOfResultsOption) {
_ = dependencies.preferencesService
.createSetAmountOfNearbyResultsOptionCompletable(selectedOption)
.subscribe()
}
}
// MARK: - Private Helper Extensions
private extension Array where Element == PersistencyModelThreadSafe<WeatherInformationDTO> {
func mapToWeatherMapAnnotationViewModel(
weatherStationService: WeatherStationBookmarkReading,
weatherInformationService: WeatherInformationReading,
preferencesService: WeatherMapPreferenceReading,
selectionDelegate: BaseMapViewSelectionDelegate?
) -> [BaseAnnotationViewModelProtocol] {
compactMap { weatherInformationPersistencyModel -> WeatherStationMeteorologyInformationPreviewMapAnnotationViewModel? in
guard let latitude = weatherInformationPersistencyModel.entity.coordinates.latitude,
let longitude = weatherInformationPersistencyModel.entity.coordinates.longitude else {
return nil
}
return WeatherStationMeteorologyInformationPreviewMapAnnotationViewModel(dependencies: WeatherStationMeteorologyInformationPreviewMapAnnotationViewModel.Dependencies(
weatherInformationIdentity: weatherInformationPersistencyModel.identity,
coordinate: CLLocationCoordinate2D(
latitude: latitude,
longitude: longitude
),
weatherStationService: weatherStationService,
weatherInformationService: weatherInformationService,
preferencesService: preferencesService,
annotationSelectionDelegate: selectionDelegate
))
}
}
}
| 4168af2e01af9cfa8875aa74d67cd1b5 | 34.269091 | 172 | 0.743788 | false | false | false | false |
tadasz/MistikA | refs/heads/master | MistikA/Classes/LTMorphingLabel/LTMorphingLabel+Anvil.swift | mit | 1 | //
// LTMorphingLabel+Anvil.swift
// https://github.com/lexrus/LTMorphingLabel
//
// The MIT License (MIT)
// Copyright (c) 2014 Lex Tang, http://LexTang.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 UIKit
import QuartzCore
extension LTMorphingLabel {
func AnvilLoad() {
_startClosures["Anvil\(LTMorphingPhaseStart)"] = {
self.emitterView.removeAllEmit()
if self._newRects.count > 0 {
let centerRect = self._newRects[Int(self._newRects.count / 2)]
self.emitterView.createEmitter("leftSmoke", duration: 0.6) {
(layer, cell) in
layer.emitterSize = CGSizeMake(1 , 1)
layer.emitterPosition = CGPointMake(
centerRect.origin.x,
centerRect.origin.y + centerRect.size.height / 1.3)
layer.renderMode = kCAEmitterLayerSurface
cell.contents = UIImage(named: "Smoke")!.CGImage
cell.emissionLongitude = CGFloat(M_PI / 2.0)
cell.scale = self.font.pointSize / 90.0
cell.scaleSpeed = self.font.pointSize / 130
cell.birthRate = 60
cell.velocity = CGFloat(80 + Int(arc4random_uniform(60)))
cell.velocityRange = 100
cell.yAcceleration = -40
cell.xAcceleration = 70
cell.emissionLongitude = CGFloat(-M_PI_2)
cell.emissionRange = CGFloat(M_PI_4) / 5.0
cell.lifetime = self.morphingDuration * 2.0
cell.spin = 10
cell.alphaSpeed = -0.5 / self.morphingDuration
}
self.emitterView.createEmitter("rightSmoke", duration: 0.6) {
(layer, cell) in
layer.emitterSize = CGSizeMake(1 , 1)
layer.emitterPosition = CGPointMake(
centerRect.origin.x,
centerRect.origin.y + centerRect.size.height / 1.3)
layer.renderMode = kCAEmitterLayerSurface
cell.contents = UIImage(named: "Smoke")!.CGImage
cell.emissionLongitude = CGFloat(M_PI / 2.0)
cell.scale = self.font.pointSize / 90.0
cell.scaleSpeed = self.font.pointSize / 130
cell.birthRate = 60
cell.velocity = CGFloat(80 + Int(arc4random_uniform(60)))
cell.velocityRange = 100
cell.yAcceleration = -40
cell.xAcceleration = -70
cell.emissionLongitude = CGFloat(M_PI_2)
cell.emissionRange = CGFloat(-M_PI_4) / 5.0
cell.lifetime = self.morphingDuration * 2.0
cell.spin = -10
cell.alphaSpeed = -0.5 / self.morphingDuration
}
self.emitterView.createEmitter("leftFragments", duration: 0.6) {
(layer, cell) in
layer.emitterSize = CGSizeMake(self.font.pointSize , 1)
layer.emitterPosition = CGPointMake(
centerRect.origin.x,
centerRect.origin.y + centerRect.size.height / 1.3)
cell.contents = UIImage(named: "Fragment")!.CGImage
cell.scale = self.font.pointSize / 90.0
cell.scaleSpeed = self.font.pointSize / 40.0
cell.color = self.textColor.CGColor
cell.birthRate = 60
cell.velocity = 350
cell.yAcceleration = 0
cell.xAcceleration = CGFloat(10 * Int(arc4random_uniform(10)))
cell.emissionLongitude = CGFloat(-M_PI_2)
cell.emissionRange = CGFloat(M_PI_4) / 5.0
cell.alphaSpeed = -2
cell.lifetime = self.morphingDuration
}
self.emitterView.createEmitter("rightFragments", duration: 0.6) {
(layer, cell) in
layer.emitterSize = CGSizeMake(self.font.pointSize , 1)
layer.emitterPosition = CGPointMake(
centerRect.origin.x,
centerRect.origin.y + centerRect.size.height / 1.3)
cell.contents = UIImage(named: "Fragment")!.CGImage
cell.scale = self.font.pointSize / 90.0
cell.scaleSpeed = self.font.pointSize / 40.0
cell.color = self.textColor.CGColor
cell.birthRate = 60
cell.velocity = 350
cell.yAcceleration = 0
cell.xAcceleration = CGFloat(-10 * Int(arc4random_uniform(10)))
cell.emissionLongitude = CGFloat(M_PI_2)
cell.emissionRange = CGFloat(-M_PI_4) / 5.0
cell.alphaSpeed = -2
cell.lifetime = self.morphingDuration
}
self.emitterView.createEmitter("fragments", duration: 0.6) {
(layer, cell) in
layer.emitterSize = CGSizeMake(self.font.pointSize , 1)
layer.emitterPosition = CGPointMake(
centerRect.origin.x,
centerRect.origin.y + centerRect.size.height / 1.3)
cell.contents = UIImage(named: "Fragment")!.CGImage
cell.scale = self.font.pointSize / 90.0
cell.scaleSpeed = self.font.pointSize / 40.0
cell.color = self.textColor.CGColor
cell.birthRate = 60
cell.velocity = 250
cell.velocityRange = CGFloat(Int(arc4random_uniform(20)) + 30)
cell.yAcceleration = 500
cell.emissionLongitude = 0
cell.emissionRange = CGFloat(M_PI_2)
cell.alphaSpeed = -1
cell.lifetime = self.morphingDuration
}
}
}
_progressClosures["Anvil\(LTMorphingPhaseManipulateProgress)"] = {
(index: Int, progress: Float, isNewChar: Bool) in
if !isNewChar {
return min(1.0, max(0.0, progress))
}
let j = Float(sin(Float(index))) * 1.7
return min(1.0, max(0.0001, progress + self.morphingCharacterDelay * j))
}
_effectClosures["Anvil\(LTMorphingPhaseDisappear)"] = {
(char:Character, index: Int, progress: Float) in
return LTCharacterLimbo(
char: char,
rect: self._originRects[index],
alpha: CGFloat(1.0 - progress),
size: self.font.pointSize,
drawingProgress: 0.0)
}
_effectClosures["Anvil\(LTMorphingPhaseAppear)"] = {
(char:Character, index: Int, progress: Float) in
var rect = self._newRects[index]
if progress < 1.0 {
let easingValue: Float = LTEasing.easeOutBounce(progress, 0.0, 1.0)
rect.origin.y = CGFloat(Float(rect.origin.y) * easingValue)
}
if progress > self.morphingDuration * 0.5 {
let end = self.morphingDuration * 0.55
self.emitterView.createEmitter("fragments", duration: 0.6) {_ in}.update {
(layer, cell) in
if progress > end {
layer.birthRate = 0
}
}.play()
self.emitterView.createEmitter("leftFragments", duration: 0.6) {_ in}.update {
(layer, cell) in
if progress > end {
layer.birthRate = 0
}
}.play()
self.emitterView.createEmitter("rightFragments", duration: 0.6) {_ in}.update {
(layer, cell) in
if progress > end {
layer.birthRate = 0
}
}.play()
}
if progress > self.morphingDuration * 0.63 {
let end = self.morphingDuration * 0.7
self.emitterView.createEmitter("leftSmoke", duration: 0.6) {_ in}.update {
(layer, cell) in
if progress > end {
layer.birthRate = 0
}
}.play()
self.emitterView.createEmitter("rightSmoke", duration: 0.6) {_ in}.update {
(layer, cell) in
if progress > end {
layer.birthRate = 0
}
}.play()
}
return LTCharacterLimbo(
char: char,
rect: rect,
alpha: CGFloat(self.morphingProgress),
size: self.font.pointSize,
drawingProgress: CGFloat(progress)
)
}
}
}
| 31c914622020ec8b45d9622306bc8d1d | 44.621739 | 95 | 0.500905 | false | false | false | false |
troystribling/BlueCap | refs/heads/master | Examples/BlueCap/BlueCap/Peripheral/PeripheralManagerBeaconViewController.swift | mit | 1 | //
// PeripheralManagerBeaconViewController.swift
// BlueCap
//
// Created by Troy Stribling on 9/28/14.
// Copyright (c) 2014 Troy Stribling. The MIT License (MIT).
//
import UIKit
import BlueCapKit
class PeripheralManagerBeaconViewController: UITableViewController, UITextFieldDelegate {
@IBOutlet var advertiseSwitch: UISwitch!
@IBOutlet var advertiseLabel: UILabel!
@IBOutlet var nameTextField: UITextField!
@IBOutlet var uuidTextField: UITextField!
@IBOutlet var majorTextField: UITextField!
@IBOutlet var minorTextField: UITextField!
@IBOutlet var generaUUIDBuuton: UIButton!
required init?(coder aDecoder:NSCoder) {
super.init(coder:aDecoder)
}
override func viewDidLoad() {
super.viewDidLoad()
self.nameTextField.text = PeripheralStore.getBeaconName()
self.uuidTextField.text = PeripheralStore.getBeaconUUID()?.uuidString
let beaconMinorMajor = PeripheralStore.getBeaconMinorMajor()
if beaconMinorMajor.count == 2 {
self.minorTextField.text = "\(beaconMinorMajor[0])"
self.majorTextField.text = "\(beaconMinorMajor[1])"
}
let stateChangeFuture = Singletons.peripheralManager.whenStateChanges()
stateChangeFuture.onSuccess { [weak self] state in
self.forEach { strongSelf in
strongSelf.setUIState()
switch state {
case .poweredOn:
break
case .poweredOff:
strongSelf.present(UIAlertController.alert(message: "PeripheralManager powered off."), animated: true)
case .unauthorized:
strongSelf.present(UIAlertController.alert(message: "Bluetooth not authorized."), animated: true)
case .unknown:
break
case .unsupported:
strongSelf.present(UIAlertController.alert(message: "Bluetooth not supported."), animated: true)
case .resetting:
let message = "PeripheralManager state \"\(Singletons.peripheralManager.state)\". The connection with the system bluetooth service was momentarily lost."
strongSelf.present(UIAlertController.alert(message: message) { _ in
Singletons.peripheralManager.reset()
}, animated: true)
}
}
}
stateChangeFuture.onFailure { [weak self] error in
self?.present(UIAlertController.alert(error: error) { _ in
Singletons.peripheralManager.reset()
}, animated: true, completion: nil)
}
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
setUIState()
}
override func viewWillDisappear(_ animated: Bool) {
super.viewWillDisappear(animated)
NotificationCenter.default.removeObserver(self)
}
@IBAction func generateUUID(_ sender: AnyObject) {
self.uuidTextField.text = UUID().uuidString
}
// UITextFieldDelegate
func textFieldShouldReturn(_ textField: UITextField) -> Bool {
textField.resignFirstResponder()
if let enteredUUID = self.uuidTextField.text, !enteredUUID.isEmpty {
if let uuid = UUID(uuidString:enteredUUID) {
PeripheralStore.setBeaconUUID(uuid)
} else {
self.present(UIAlertController.alertOnErrorWithMessage("UUID '\(enteredUUID)' is invalid."), animated:true, completion:nil)
return false
}
}
if let enteredName = self.nameTextField.text, !enteredName.isEmpty {
PeripheralStore.setBeaconName(enteredName)
}
if let enteredMinor = self.minorTextField.text, let enteredMajor = self.majorTextField.text, !enteredMinor.isEmpty, !enteredMajor.isEmpty {
if let minor = UInt16(enteredMinor), let major = UInt16(enteredMajor), minor <= 65535, major <= 65535 {
PeripheralStore.setBeaconMinorMajor([minor, major])
} else {
present(UIAlertController.alertOnErrorWithMessage("major or minor not convertable to a number."), animated:true, completion:nil)
return false
}
}
setUIState()
return true
}
@IBAction func toggleAdvertise(_ sender:AnyObject) {
guard Singletons.peripheralManager.poweredOn else {
present(UIAlertController.alertOnErrorWithMessage("Bluetooth powered off"), animated:true, completion:nil)
return
}
if Singletons.peripheralManager.isAdvertising {
let stopAdvertisingFuture = Singletons.peripheralManager.stopAdvertising()
stopAdvertisingFuture.onSuccess { [weak self] _ in
self?.setUIState()
}
stopAdvertisingFuture.onFailure { [weak self] (error) -> Void in
self?.present(UIAlertController.alert(error: error) { _ in
Singletons.peripheralManager.reset()
}, animated: true, completion: nil)
}
return
}
let beaconMinorMajor = PeripheralStore.getBeaconMinorMajor()
if let uuid = PeripheralStore.getBeaconUUID(), let name = PeripheralStore.getBeaconName(), beaconMinorMajor.count == 2 {
let beaconRegion = BeaconRegion(proximityUUID: uuid, identifier: name, major: beaconMinorMajor[1], minor: beaconMinorMajor[0])
let startAdvertiseFuture = Singletons.peripheralManager.startAdvertising(beaconRegion)
startAdvertiseFuture.onSuccess { [weak self] _ in
self?.setUIState()
self?.present(UIAlertController.alert(message: "Started advertising."), animated: true, completion: nil)
}
startAdvertiseFuture.onFailure { [weak self] error in
self.forEach { strongSelf in
let stopAdvertisingFuture = Singletons.peripheralManager.stopAdvertising()
stopAdvertisingFuture.onSuccess { _ in
strongSelf.setUIState()
}
stopAdvertisingFuture.onFailure { _ in
strongSelf.setUIState()
}
self?.present(UIAlertController.alert(error: error) { _ in
Singletons.peripheralManager.reset()
}, animated: true, completion: nil)
}
}
} else {
present(UIAlertController.alert(message: "iBeacon config is invalid."), animated: true, completion: nil)
}
}
func setUIState() {
if Singletons.peripheralManager.isAdvertising {
navigationItem.setHidesBackButton(true, animated:true)
advertiseSwitch.isOn = true
nameTextField.isEnabled = false
uuidTextField.isEnabled = false
majorTextField.isEnabled = false
minorTextField.isEnabled = false
generaUUIDBuuton.isEnabled = false
advertiseLabel.textColor = UIColor.black
} else {
navigationItem.setHidesBackButton(false, animated:true)
advertiseSwitch.isOn = false
nameTextField.isEnabled = true
uuidTextField.isEnabled = true
majorTextField.isEnabled = true
minorTextField.isEnabled = true
generaUUIDBuuton.isEnabled = true
if canAdvertise() {
advertiseSwitch.isEnabled = true
advertiseLabel.textColor = UIColor.black
} else {
advertiseSwitch.isEnabled = false
advertiseLabel.textColor = UIColor.lightGray
}
}
if !Singletons.peripheralManager.poweredOn {
advertiseSwitch.isEnabled = false
advertiseLabel.textColor = UIColor.lightGray
}
}
func canAdvertise() -> Bool {
return PeripheralStore.getBeaconUUID() != nil && PeripheralStore.getBeaconName() != nil && PeripheralStore.getBeaconMinorMajor().count == 2
}
}
| e12042412101c4a56af66fc4e1201aa2 | 42.903226 | 173 | 0.617438 | false | false | false | false |
alblue/com.packtpub.swift.essentials | refs/heads/master | MasterDetail/MasterDetail/AppDelegate.swift | mit | 1 | // Copyright (c) 2016, Alex Blewitt, Bandlem Ltd
// Copyright (c) 2016, Packt Publishing Ltd
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// THE SOFTWARE.
import UIKit
@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate, UISplitViewControllerDelegate {
var window: UIWindow?
func application(application: UIApplication, didFinishLaunchingWithOptions launchOptions: [NSObject: AnyObject]?) -> Bool {
// Override point for customization after application launch.
let splitViewController = self.window!.rootViewController as! UISplitViewController
let navigationController = splitViewController.viewControllers[splitViewController.viewControllers.count-1] as! UINavigationController
navigationController.topViewController!.navigationItem.leftBarButtonItem = splitViewController.displayModeButtonItem()
splitViewController.delegate = self
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:.
}
// MARK: - Split view
func splitViewController(splitViewController: UISplitViewController, collapseSecondaryViewController secondaryViewController:UIViewController, ontoPrimaryViewController primaryViewController:UIViewController) -> Bool {
if let secondaryAsNavController = secondaryViewController as? UINavigationController {
if let topAsDetailController = secondaryAsNavController.topViewController as? DetailViewController {
if topAsDetailController.detailItem == nil {
// Return true to indicate that we have handled the collapse by doing nothing; the secondary controller will be discarded.
return true
}
}
}
return false
}
}
| d5ca65c293b3726790790aa598d27402 | 54.513158 | 279 | 0.78502 | false | false | false | false |
StormXX/BadgeListView | refs/heads/master | BadgeListView/BadgeListView/TagBadgeView.swift | mit | 1 | //
// TagBadgeView.swift
// Teambition
//
// Created by DangGu on 16/1/5.
// Copyright © 2016年 Teambition. All rights reserved.
//
import UIKit
struct Tag {
var color: String
var name: String
}
let tagImagePrefix: String = "boardCell_tag_icon_"
class TagBadgeView: BadgeView {
var tbTag: Tag! {
didSet {
self.text = tbTag.name
self.image = UIImage(named: tagImagePrefix + tbTag.color)
}
}
override init(frame: CGRect) {
super.init(frame: frame)
setupProperty()
}
func setupProperty() {
// backgroundImage = UIImage(asset: .BoardCell_tag_background)
// textColor = BoardCardCellConstant.BadgeListView.tagTextColor
// if Device.isPhone {
// imageWidth = 4.0
// textFont = UIFont.systemFontOfSize(10.0)
// } else {
// imageWidth = 5.0
// textFont = UIFont.systemFontOfSize(12.0)
// }
}
func drawTagIcon() {
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
}
| b6ceb2bdcedafd9b665f5c15a1e6c79f | 22.375 | 70 | 0.581105 | false | false | false | false |
fthomasmorel/insapp-iOS | refs/heads/master | Insapp/EditUserTableViewController.swift | mit | 1 | //
// EditUserTableViewController.swift
// Insapp
//
// Created by Florent THOMAS-MOREL on 9/13/16.
// Copyright © 2016 Florent THOMAS-MOREL. All rights reserved.
//
import Foundation
import UIKit
import UserNotifications
class EditUserTableViewController: UITableViewController, UIPickerViewDataSource, UIPickerViewDelegate, UITextFieldDelegate, UITextViewDelegate {
@IBOutlet weak var avatarImageView: UIImageView!
@IBOutlet weak var usernameTextField: UILabel!
@IBOutlet weak var nameTextField: UITextField!
@IBOutlet weak var promotionTextField: UITextField!
@IBOutlet weak var genderTextField: UITextField!
@IBOutlet weak var emailTextField: UITextField!
@IBOutlet weak var descriptionTextView: UITextView!
@IBOutlet weak var descriptionLengthLabel: UILabel!
@IBOutlet weak var notificationSwitch: UISwitch!
@IBOutlet weak var avatarHelpLabel: UILabel!
@IBOutlet weak var insappImageView: UIImageView!
@IBOutlet weak var versionLabel: UILabel!
@IBOutlet weak var addToCalendarSwitch: UISwitch!
var promotionPickerView:UIPickerView!
var genderPickerView:UIPickerView!
var isNotificationEnabled:Bool = false
override func viewDidLoad() {
super.viewDidLoad()
self.tableView.delegate = self
self.tableView.tableFooterView = UIView()
}
override func viewWillAppear(_ animated: Bool) {
self.promotionPickerView = UIPickerView()
self.promotionPickerView.dataSource = self
self.promotionPickerView.delegate = self
self.promotionTextField.inputView = self.promotionPickerView
self.genderPickerView = UIPickerView()
self.genderPickerView.dataSource = self
self.genderPickerView.delegate = self
self.genderTextField.inputView = self.genderPickerView
DispatchQueue.main.async {
self.avatarImageView.layer.cornerRadius = self.avatarImageView.frame.size.width/2
self.avatarImageView.layer.borderColor = kDarkGreyColor.cgColor
self.avatarImageView.layer.masksToBounds = true
self.avatarImageView.layer.borderWidth = 1
self.avatarImageView.backgroundColor = kWhiteColor
let tap = UITapGestureRecognizer(target: self.promotionTextField, action: #selector(UIResponder.becomeFirstResponder))
self.avatarImageView.addGestureRecognizer(tap)
self.avatarImageView.isUserInteractionEnabled = true
self.updateDescriptionLengthLabel(length: self.descriptionTextView.text.characters.count)
self.tableView.scrollToRow(at: IndexPath(row: 0, section: 0), at: .top, animated: false)
self.nameTextField.delegate = self
self.descriptionTextView.isScrollEnabled = false
self.descriptionTextView.isScrollEnabled = true
self.insappImageView.layer.masksToBounds = true
self.insappImageView.layer.cornerRadius = 10
self.versionLabel.text = ""
if let version = Bundle.main.infoDictionary!["CFBundleShortVersionString"] as? String {
self.versionLabel.text = "Insapp v\(version)"
}
self.addToCalendarSwitch.isOn = false
if let addToCalendar = UserDefaults.standard.object(forKey: kSuggestCalendar) as? Bool {
self.addToCalendarSwitch.isOn = addToCalendar
}
}
self.lightStatusBar()
}
override func viewDidAppear(_ animated: Bool) {
self.promotionPickerView.selectRow(promotions.index(of: self.promotionTextField.text!)!, inComponent: 0, animated: false)
self.genderPickerView.selectRow(genders.index(of: self.genderTextField.text!)!, inComponent: 0, animated: false)
UNUserNotificationCenter.current().getNotificationSettings { (settings) in
self.isNotificationEnabled = settings.authorizationStatus == .authorized
DispatchQueue.main.async {
self.notificationSwitch.isOn = self.isNotificationEnabled
}
}
}
func numberOfComponents(in pickerView: UIPickerView) -> Int {
return 1
}
func pickerView(_ pickerView: UIPickerView, numberOfRowsInComponent component: Int) -> Int {
switch pickerView {
case self.genderPickerView:
return genders.count
default:
return promotions.count
}
}
func pickerView(_ pickerView: UIPickerView, titleForRow row: Int, forComponent component: Int) -> String? {
switch pickerView {
case self.genderPickerView:
return genders[row]
default:
return promotions[row]
}
}
func pickerView(_ pickerView: UIPickerView, didSelectRow row: Int, inComponent component: Int) {
switch pickerView {
case self.genderPickerView:
self.genderTextField.text = genders[row]
default:
self.promotionTextField.text = promotions[row]
}
self.updateAvatar()
}
func updateAvatar(){
let gender = self.genderTextField.text!
let promotion = self.promotionTextField.text!
self.avatarImageView.image = User.avatarFor(gender: convertGender[gender]!, andPromotion: promotion)
self.avatarHelpLabel.isHidden = self.avatarImageView.image != #imageLiteral(resourceName: "avatar-default")
}
override func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
if indexPath.row == 10 {
let alert = Alert.create(alert: .deleteUser, completion: { (success) in
if success {
self.deleteUser()
}
})
self.present(alert, animated: true, completion: nil)
}
}
func deleteUser(){
APIManager.delete(user: (self.parent as! EditUserViewController).user!, controller: self.parent!, completion: { (result) in
if result == .success {
Credentials.delete()
UserDefaults.standard.removeObject(forKey: kSuggestCalendar)
let storyboard = UIStoryboard(name: "Main", bundle: nil)
let vc = storyboard.instantiateViewController(withIdentifier: "SpashScreenViewController")
self.present(vc, animated: true, completion: nil)
}
})
}
func textField(_ textField: UITextField, shouldChangeCharactersIn range: NSRange, replacementString string: String) -> Bool {
if range.location == textField.text?.characters.count, string == " ", let text = textField.text {
textField.text = text + "\u{00a0}"
return false
}
return true
}
func textView(_ textView: UITextView, shouldChangeTextIn range: NSRange, replacementText text: String) -> Bool {
guard let content = textView.text else { return true }
let newLength = content.characters.count + text.characters.count - range.length
if (newLength <= kMaxDescriptionLength){
self.updateDescriptionLengthLabel(length: newLength)
}
return newLength <= kMaxDescriptionLength
}
func updateDescriptionLengthLabel(length: Int){
self.descriptionLengthLabel.text = "\(kMaxDescriptionLength - length)"
}
@IBAction func handleTap(_ sender: AnyObject) {
self.descriptionTextView.becomeFirstResponder()
}
@IBAction func notificationStatusAction(_ sender: AnyObject) {
if self.notificationSwitch.isOn {
let center = UNUserNotificationCenter.current()
center.requestAuthorization(options: [.alert, .sound, .badge]) { (granted, error) in
if !granted {
let alert = Alert.create(alert: .notificationEnable)
self.present(alert, animated: true, completion: nil)
DispatchQueue.main.async {
self.notificationSwitch.isOn = self.isNotificationEnabled
}
}else{
UIApplication.shared.registerForRemoteNotifications()
}
}
}else{
let alert = Alert.create(alert: .notificationDisable)
self.present(alert, animated: true, completion: nil)
self.notificationSwitch.isOn = self.isNotificationEnabled
}
}
@IBAction func showBarCodeCameraAction(_ sender: Any) {
let storyboard = UIStoryboard(name: "Main", bundle: nil)
let vc = storyboard.instantiateViewController(withIdentifier: "BarCodeViewController") as! BarCodeViewController
self.present(vc, animated: true, completion: nil)
}
@IBAction func showBarCodeKeyboardAction(_ sender: Any) {
let alertController = UIAlertController(title: "Carte Amicaliste", message: "Entre le code de 9 chiffres de ta carte Amicaliste", preferredStyle: .alert)
let saveAction = UIAlertAction(title: "Valider", style: .default, handler: {
alert -> Void in
let text = alertController.textFields![0] as UITextField
if let code = text.text {
UserDefaults.standard.set(code, forKey: kBarCodeAmicalistCard)
}
return
})
let cancelAction = UIAlertAction(title: "Cancel", style: .default, handler: {
(action : UIAlertAction!) -> Void in
return
})
alertController.addTextField(configurationHandler: {(textField : UITextField!) -> Void in
textField.keyboardType = .numberPad
if let code = UserDefaults.standard.object(forKey: kBarCodeAmicalistCard) as? String {
textField.text = code
} else {
textField.placeholder = "XXXXXXXXX"
}
})
alertController.addAction(saveAction)
alertController.addAction(cancelAction)
self.present(alertController, animated: true, completion: nil)
}
@IBAction func addToCalendarSwitchAction(_ sender: AnyObject) {
UserDefaults.standard.set(self.addToCalendarSwitch.isOn, forKey: kSuggestCalendar)
}
}
| 507c325207442659bf5d7b1ddb2d6bf3 | 39.827451 | 161 | 0.640476 | false | false | false | false |
steelwheels/Canary | refs/heads/master | Source/CNMath.swift | gpl-2.0 | 1 | /**
* @file CNMath.h
* @brief Define arithmetic functions
* @par Copyright
* Copyright (C) 2016 Steel Wheels Project
*/
import Foundation
public func pow(base b:Int, power p:UInt) -> Int
{
var result : Int = 1
for _ in 0..<p {
result *= b
}
return result
}
public func clip<T: Comparable>(value v:T, max mx:T, min mn: T) -> T
{
var result: T
if v < mn {
result = mn
} else if v > mx {
result = mx
} else {
result = v
}
return result
}
public func random(between val0: UInt32, and val1: UInt32) -> UInt32
{
if val0 > val1 {
return arc4random_uniform(val0 - val1) + val1
} else if val1 > val0 {
return arc4random_uniform(val1 - val0) + val0
} else { // val0 == val1
return val0
}
}
public func round(value v:Double, atPoint p:Int) -> Double
{
var mult: Double = 1.0
for _ in 0..<p {
mult = mult * 10.0
}
let ival = Int(v * mult)
return Double(ival) / mult
}
| 9454fe0147e8de3e7365e8876c3855dc | 16.705882 | 68 | 0.62237 | false | false | false | false |
KPRSN/Lr-backup | refs/heads/master | Lr backup/AppDelegate.swift | mit | 1 | //
// AppDelegate.swift
// Lr backup
//
// Created by Karl Persson on 2015-08-08.
// Copyright (c) 2015 Karl Persson. All rights reserved.
//
import Cocoa
@NSApplicationMain
class AppDelegate: NSObject, NSApplicationDelegate, NSMenuDelegate {
@IBOutlet weak var window: NSWindow!
let preferences = Preferences(windowNibName: "Preferences")
let statusItem = NSStatusBar.systemStatusBar().statusItemWithLength(-2)
let statusMenu = NSMenuItem(title: "Lr backup", action: nil, keyEquivalent: "")
let backupMenu = NSMenuItem(title: "", action: Selector("runBackup:"), keyEquivalent: "")
let backup = Backup()
var statusIcon: StatusIcon!
// Show animation, error message and cancel option while running
var running: Bool = false {
didSet {
if !running {
self.backupMenu.title = "Backup"
}
else {
self.backupMenu.title = "Cancel"
statusIcon.running()
status = backup.status
}
}
}
// Show the correct animation and error message after an error
var error: Bool = false {
didSet {
if error {
statusIcon.error()
status = backup.status
}
else {
statusIcon.idle()
}
}
}
var status: String {
get {
return self.statusMenu.title
}
set {
// Print last line only
self.statusMenu.title = newValue
}
}
func applicationDidFinishLaunching(aNotification: NSNotification) {
// Assign icon
if let button = statusItem.button {
statusIcon = StatusIcon(button: button)
}
// First run setup
if (Defaults.firstRun == nil || Defaults.firstRun == true) {
Defaults.standardUserDefaults()
}
// Observe backup actions
NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("backupRunningNotification:"), name: "BackupRunningNotification", object: nil)
// Initialize menu
let menu = NSMenu()
menu.addItem(statusMenu)
menu.addItem(NSMenuItem.separatorItem())
menu.addItem(backupMenu)
menu.addItem(NSMenuItem.separatorItem())
menu.addItem(NSMenuItem(title: "Log", action: Selector("openLog:"), keyEquivalent: ""))
menu.addItem(NSMenuItem(title: "Preferences...", action: Selector("openPreferences:"), keyEquivalent: ""))
menu.addItem(NSMenuItem.separatorItem())
menu.addItem(NSMenuItem(title: "Quit", action: Selector("quit:"), keyEquivalent: ""))
running = false
statusItem.menu = menu
updateStatus()
menu.delegate = self
}
func applicationWillTerminate(aNotification: NSNotification) {
// Insert code here to tear down your application
}
func backupRunningNotification(notification: NSNotification) {
error = backup.error
running = backup.running
}
// Run backup
func runBackup(sender: AnyObject?) {
if running {
backup.cancel()
}
else {
backup.run()
}
}
// Open application log
func openLog(sender: AnyObject?) {
openPreferences(self)
preferences.toolbar.selectedItemIdentifier = "log"
preferences.showLog(self)
}
// Open preferences pane
func openPreferences(sender: AnyObject?) {
preferences.showWindow(self)
preferences.toolbar.selectedItemIdentifier = "preferences"
preferences.showPreferences(self)
NSApp.activateIgnoringOtherApps(true)
}
// Quit the application
func quit(sender: AnyObject?) {
backup.cancel()
NSApplication.sharedApplication().terminate(self)
}
// Update status if needed
func menuWillOpen(menu: NSMenu) {
if !(running || error) {
updateStatus()
}
}
// Clear errors when the menu closes
func menuDidClose(menu: NSMenu) {
if !running {
// Show normal status (last backup)
error = false
}
}
// Update last backup status
func updateStatus() {
var dateString = "Never"
if (Defaults.lastBackup != nil) {
let formatter = NSDateFormatter()
formatter.timeStyle = NSDateFormatterStyle.ShortStyle
formatter.dateStyle = NSDateFormatterStyle.FullStyle
dateString = formatter.stringFromDate(Defaults.lastBackup!)
}
status = "Last backup: " + dateString
}
}
| d6a00a779661bd7b3e424233634654dd | 23.805031 | 154 | 0.70715 | false | false | false | false |
devpunk/cartesian | refs/heads/master | cartesian/Model/Session/MSession.swift | mit | 1 | import Foundation
class MSession
{
static let sharedInstance:MSession = MSession()
private(set) var settings:DSettings?
private init()
{
}
//MARK: private
private func asyncLoadSession()
{
DManager.sharedInstance?.fetchData(
entityName:DSettings.entityName,
limit:1)
{ (data) in
guard
let settings:DSettings = data?.first as? DSettings
else
{
self.createSession()
return
}
settings.becameActive()
self.settings = settings
self.sessionLoaded()
}
}
private func createSession()
{
DManager.sharedInstance?.createData(
entityName:DSettings.entityName)
{ (data) in
guard
let settings:DSettings = data as? DSettings
else
{
return
}
self.settings = settings
self.sessionLoaded()
}
}
private func sessionLoaded()
{
DispatchQueue.global(qos:DispatchQoS.QoSClass.background).async
{
if let userId:String = self.settings?.userId
{
self.loadFirebaseUser(userId:userId)
}
else
{
self.createFirebaseUser()
}
}
}
private func createFirebaseUser()
{
let modelUserItem:FDbUserItem = FDbUserItem()
guard
let userJson:Any = modelUserItem.json()
else
{
return
}
let userId:String = FMain.sharedInstance.db.createChild(
path:FDb.user,
json:userJson)
settings?.userId = userId
DManager.sharedInstance?.save()
fireBaseUserLoaded(modelUserItem:modelUserItem)
}
private func loadFirebaseUser(userId:String)
{
let path:String = "\(FDb.user)/\(userId)"
FMain.sharedInstance.db.listenOnce(
path:path,
nodeType:FDbUserItem.self)
{ (data:FDbProtocol?) in
guard
let userItem:FDbUserItem = data as? FDbUserItem
else
{
return
}
self.fireBaseUserLoaded(modelUserItem:userItem)
}
}
private func fireBaseUserLoaded(modelUserItem:FDbUserItem)
{
settings?.shouldPost = modelUserItem.shouldPost
DManager.sharedInstance?.save()
}
//MARK: public
func loadSession()
{
DispatchQueue.global(qos:DispatchQoS.QoSClass.background).async
{
self.asyncLoadSession()
}
}
}
| 3becc335ca8c74997043f7fd24f583c9 | 21.69697 | 71 | 0.478638 | false | false | false | false |
idappthat/UTANow-iOS | refs/heads/master | Pods/Kingfisher/Kingfisher/KingfisherManager.swift | mit | 1 | //
// KingfisherManager.swift
// Kingfisher
//
// Created by Wei Wang on 15/4/6.
//
// Copyright (c) 2015 Wei Wang <[email protected]>
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// THE SOFTWARE.
import UIKit
public typealias DownloadProgressBlock = ((receivedSize: Int64, totalSize: Int64) -> ())
public typealias CompletionHandler = ((image: UIImage?, error: NSError?, cacheType: CacheType, imageURL: NSURL?) -> ())
/// RetrieveImageTask represents a task of image retrieving process.
/// It contains an async task of getting image from disk and from network.
public class RetrieveImageTask {
// If task is canceled before the download task started (which means the `downloadTask` is nil),
// the download task should not begin.
var cancelled: Bool = false
var diskRetrieveTask: RetrieveImageDiskTask?
var downloadTask: RetrieveImageDownloadTask?
/**
Cancel current task. If this task does not begin or already done, do nothing.
*/
public func cancel() {
// From Xcode 7 beta 6, the `dispatch_block_cancel` will crash at runtime.
// It fixed in Xcode 7.1.
// See https://github.com/onevcat/Kingfisher/issues/99 for more.
if let diskRetrieveTask = diskRetrieveTask {
dispatch_block_cancel(diskRetrieveTask)
}
if let downloadTask = downloadTask {
downloadTask.cancel()
}
cancelled = true
}
}
/// Error domain of Kingfisher
public let KingfisherErrorDomain = "com.onevcat.Kingfisher.Error"
private let instance = KingfisherManager()
/// Main manager class of Kingfisher. It connects Kingfisher downloader and cache.
/// You can use this class to retrieve an image via a specified URL from web or cache.
public class KingfisherManager {
/// Options to control some downloader and cache behaviors.
public typealias Options = (forceRefresh: Bool, lowPriority: Bool, cacheMemoryOnly: Bool, shouldDecode: Bool, queue: dispatch_queue_t!, scale: CGFloat)
/// A preset option tuple with all value set to `false`.
public static let OptionsNone: Options = {
return (forceRefresh: false, lowPriority: false, cacheMemoryOnly: false, shouldDecode: false, queue: dispatch_get_main_queue(), scale: 1.0)
}()
/// The default set of options to be used by the manager to control some downloader and cache behaviors.
public static var DefaultOptions: Options = OptionsNone
/// Shared manager used by the extensions across Kingfisher.
public class var sharedManager: KingfisherManager {
return instance
}
/// Cache used by this manager
public var cache: ImageCache
/// Downloader used by this manager
public var downloader: ImageDownloader
/**
Default init method
- returns: A Kingfisher manager object with default cache and default downloader.
*/
public init() {
cache = ImageCache.defaultCache
downloader = ImageDownloader.defaultDownloader
}
/**
Get an image with resource.
If KingfisherOptions.None is used as `options`, Kingfisher will seek the image in memory and disk first.
If not found, it will download the image at `resource.downloadURL` and cache it with `resource.cacheKey`.
These default behaviors could be adjusted by passing different options. See `KingfisherOptions` for more.
- parameter resource: Resource object contains information such as `cacheKey` and `downloadURL`.
- parameter optionsInfo: A dictionary could control some behaviors. See `KingfisherOptionsInfo` for more.
- parameter progressBlock: Called every time downloaded data changed. This could be used as a progress UI.
- parameter completionHandler: Called when the whole retrieving process finished.
- returns: A `RetrieveImageTask` task object. You can use this object to cancel the task.
*/
public func retrieveImageWithResource(resource: Resource,
optionsInfo: KingfisherOptionsInfo?,
progressBlock: DownloadProgressBlock?,
completionHandler: CompletionHandler?) -> RetrieveImageTask
{
let task = RetrieveImageTask()
// There is a bug in Swift compiler which prevents to write `let (options, targetCache) = parseOptionsInfo(optionsInfo)`
// It will cause a compiler error.
let parsedOptions = parseOptionsInfo(optionsInfo)
let (options, targetCache, downloader) = (parsedOptions.0, parsedOptions.1, parsedOptions.2)
if options.forceRefresh {
downloadAndCacheImageWithURL(resource.downloadURL,
forKey: resource.cacheKey,
retrieveImageTask: task,
progressBlock: progressBlock,
completionHandler: completionHandler,
options: options,
targetCache: targetCache,
downloader: downloader)
} else {
let diskTaskCompletionHandler: CompletionHandler = { (image, error, cacheType, imageURL) -> () in
// Break retain cycle created inside diskTask closure below
task.diskRetrieveTask = nil
completionHandler?(image: image, error: error, cacheType: cacheType, imageURL: imageURL)
}
let diskTask = targetCache.retrieveImageForKey(resource.cacheKey, options: options, completionHandler: { (image, cacheType) -> () in
if image != nil {
diskTaskCompletionHandler(image: image, error: nil, cacheType:cacheType, imageURL: resource.downloadURL)
} else {
self.downloadAndCacheImageWithURL(resource.downloadURL,
forKey: resource.cacheKey,
retrieveImageTask: task,
progressBlock: progressBlock,
completionHandler: diskTaskCompletionHandler,
options: options,
targetCache: targetCache,
downloader: downloader)
}
})
task.diskRetrieveTask = diskTask
}
return task
}
/**
Get an image with `URL.absoluteString` as the key.
If KingfisherOptions.None is used as `options`, Kingfisher will seek the image in memory and disk first.
If not found, it will download the image at URL and cache it with `URL.absoluteString` value as its key.
If you need to specify the key other than `URL.absoluteString`, please use resource version of this API with `resource.cacheKey` set to what you want.
These default behaviors could be adjusted by passing different options. See `KingfisherOptions` for more.
- parameter URL: The image URL.
- parameter optionsInfo: A dictionary could control some behaviors. See `KingfisherOptionsInfo` for more.
- parameter progressBlock: Called every time downloaded data changed. This could be used as a progress UI.
- parameter completionHandler: Called when the whole retrieving process finished.
- returns: A `RetrieveImageTask` task object. You can use this object to cancel the task.
*/
public func retrieveImageWithURL(URL: NSURL,
optionsInfo: KingfisherOptionsInfo?,
progressBlock: DownloadProgressBlock?,
completionHandler: CompletionHandler?) -> RetrieveImageTask
{
return retrieveImageWithResource(Resource(downloadURL: URL), optionsInfo: optionsInfo, progressBlock: progressBlock, completionHandler: completionHandler)
}
func downloadAndCacheImageWithURL(URL: NSURL,
forKey key: String,
retrieveImageTask: RetrieveImageTask,
progressBlock: DownloadProgressBlock?,
completionHandler: CompletionHandler?,
options: Options,
targetCache: ImageCache,
downloader: ImageDownloader)
{
downloader.downloadImageWithURL(URL, retrieveImageTask: retrieveImageTask, options: options, progressBlock: { (receivedSize, totalSize) -> () in
progressBlock?(receivedSize: receivedSize, totalSize: totalSize)
}) { (image, error, imageURL, originalData) -> () in
if let error = error where error.code == KingfisherError.NotModified.rawValue {
// Not modified. Try to find the image from cache.
// (The image should be in cache. It should be guaranteed by the framework users.)
targetCache.retrieveImageForKey(key, options: options, completionHandler: { (cacheImage, cacheType) -> () in
completionHandler?(image: cacheImage, error: nil, cacheType: cacheType, imageURL: URL)
})
return
}
if let image = image, originalData = originalData {
targetCache.storeImage(image, originalData: originalData, forKey: key, toDisk: !options.cacheMemoryOnly, completionHandler: nil)
}
completionHandler?(image: image, error: error, cacheType: .None, imageURL: URL)
}
}
func parseOptionsInfo(optionsInfo: KingfisherOptionsInfo?) -> (Options, ImageCache, ImageDownloader) {
var options = KingfisherManager.DefaultOptions
var targetCache = self.cache
var targetDownloader = self.downloader
guard let optionsInfo = optionsInfo else {
return (options, targetCache, targetDownloader)
}
if let optionsItem = optionsInfo.kf_findFirstMatch(.Options(.None)), case .Options(let optionsInOptionsInfo) = optionsItem {
let queue = optionsInOptionsInfo.contains(KingfisherOptions.BackgroundCallback) ? dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0) : KingfisherManager.DefaultOptions.queue
let scale = optionsInOptionsInfo.contains(KingfisherOptions.ScreenScale) ? UIScreen.mainScreen().scale : KingfisherManager.DefaultOptions.scale
options = (forceRefresh: optionsInOptionsInfo.contains(KingfisherOptions.ForceRefresh),
lowPriority: optionsInOptionsInfo.contains(KingfisherOptions.LowPriority),
cacheMemoryOnly: optionsInOptionsInfo.contains(KingfisherOptions.CacheMemoryOnly),
shouldDecode: optionsInOptionsInfo.contains(KingfisherOptions.BackgroundDecode),
queue: queue, scale: scale)
}
if let optionsItem = optionsInfo.kf_findFirstMatch(.TargetCache(self.cache)), case .TargetCache(let cache) = optionsItem {
targetCache = cache
}
if let optionsItem = optionsInfo.kf_findFirstMatch(.Downloader(self.downloader)), case .Downloader(let downloader) = optionsItem {
targetDownloader = downloader
}
return (options, targetCache, targetDownloader)
}
}
// MARK: - Deprecated
public extension KingfisherManager {
@available(*, deprecated=1.2, message="Use -retrieveImageWithURL:optionsInfo:progressBlock:completionHandler: instead.")
public func retrieveImageWithURL(URL: NSURL,
options: KingfisherOptions,
progressBlock: DownloadProgressBlock?,
completionHandler: CompletionHandler?) -> RetrieveImageTask
{
return retrieveImageWithURL(URL, optionsInfo: [.Options(options)], progressBlock: progressBlock, completionHandler: completionHandler)
}
}
| ea7c071a6b7effc14f6446568ed99a88 | 48.02682 | 196 | 0.664505 | false | false | false | false |
thierryw7/CalcMania | refs/heads/master | Scene/GameScene.swift | gpl-3.0 | 1 | //
// GameScene.swift
// CalcMania
//
// Created by Thierry Wong on 8/04/2016.
// Copyright (c) 2016 twong. All rights reserved.
//
import SpriteKit
class GameScene: SKScene {
override func didMoveToView(view: SKView) {
/* Setup your scene here */
let myLabel = SKLabelNode(fontNamed:"Chalkduster")
myLabel.text = "Hello, World!"
myLabel.fontSize = 45
myLabel.position = CGPoint(x:CGRectGetMidX(self.frame), y:CGRectGetMidY(self.frame))
self.addChild(myLabel)
}
override func touchesBegan(touches: Set<UITouch>, withEvent event: UIEvent?) {
/* Called when a touch begins */
for touch in touches {
let location = touch.locationInNode(self)
let sprite = SKSpriteNode(imageNamed:"Spaceship")
sprite.xScale = 0.5
sprite.yScale = 0.5
sprite.position = location
let action = SKAction.rotateByAngle(CGFloat(M_PI), duration:1)
sprite.runAction(SKAction.repeatActionForever(action))
self.addChild(sprite)
}
}
override func update(currentTime: CFTimeInterval) {
/* Called before each frame is rendered */
}
}
| 037dd82079e5fa6127dd46a7c5540f1c | 27.8 | 92 | 0.584105 | false | false | false | false |
mzp/OctoEye | refs/heads/master | Tests/Unit/Store/FileItemStoreSpec.swift | mit | 1 | //
// FileItemStoreSpec.swift
// Tests
//
// Created by mzp on 2017/09/09.
// Copyright © 2017 mzp. All rights reserved.
//
import Nimble
import Quick
// swiftlint:disable function_body_length, force_try
internal class FileItemStoreSPec: QuickSpec {
func make(name: String, parent: FileItemIdentifier) -> GithubObjectItem {
let owner = OwnerObject(login: "mzp")
let repository = RepositoryObject(owner: owner, name: "OctoEye")
let object = BlobObject(byteSize: 42)
return GithubObjectItem(
entryObject: EntryObject(
repository: repository,
oid: "oid",
name: name,
type: "blob",
object: object),
// swiftlint:disable:next force_unwrapping
parent: parent)!
}
override func spec() {
let subject = FileItemStore()
beforeEach {
JsonCache<String>.clearAll()
}
describe("root") {
it("returns nothing") {
expect(subject[.root]).to(beNil())
}
it("cannot store anything") {
expect { try subject.append(parent: .root, entries: [:]) }.notTo(throwAssertion())
}
}
describe("repository") {
let identifier = FileItemIdentifier.repository(owner: "mzp", name: "OctoEye")
it("can store children") {
try! subject.append(parent: identifier, entries: [
"foo": self.make(name: "foo", parent: identifier),
"bar": self.make(name: "bar", parent: identifier)
])
let result = subject[.entry(owner: "mzp", name: "OctoEye", oid: "_", path: ["foo"])]
expect(result?.filename) == "foo.show-extension"
}
}
describe("repository") {
let identifier = FileItemIdentifier.entry(owner: "mzp", name: "OctoEye", oid: "_", path: ["foo"])
it("returns non-store value") {
expect(subject[identifier]).to(beNil())
}
it("can store children") {
try! subject.append(parent: identifier, entries: [
"bar": self.make(name: "bar", parent: identifier),
"baz": self.make(name: "baz", parent: identifier)
])
let result = subject[.entry(owner: "mzp", name: "OctoEye", oid: "_", path: ["foo", "bar"])]
expect(result?.filename) == "bar.show-extension"
}
}
}
}
| 1078376769d4959bee52101f0ea01e1f | 33.2 | 109 | 0.520858 | false | false | false | false |
wikimedia/apps-ios-wikipedia | refs/heads/twn | FeaturedArticleWidget/FeaturedArticleWidget.swift | mit | 1 | import UIKit
import NotificationCenter
import WMF
private final class EmptyView: SetupView {
private let label = UILabel()
var theme: Theme = .widget
override func setup() {
super.setup()
label.text = WMFLocalizedString("featured-article-empty-title", value: "No featured article available today", comment: "Title that displays when featured article is not available")
label.textColor = theme.colors.primaryText
label.textAlignment = .center
label.numberOfLines = 0
wmf_addSubviewWithConstraintsToEdges(label)
}
override func traitCollectionDidChange(_ previousTraitCollection: UITraitCollection?) {
super.traitCollectionDidChange(previousTraitCollection)
label.font = UIFont.wmf_font(.headline, compatibleWithTraitCollection: traitCollection)
}
}
class FeaturedArticleWidget: UIViewController, NCWidgetProviding {
let collapsedArticleView = ArticleRightAlignedImageCollectionViewCell()
let expandedArticleView = ArticleFullWidthImageCollectionViewCell()
var isExpanded = true
var currentArticleKey: String?
private lazy var emptyView = EmptyView()
override func viewDidLoad() {
super.viewDidLoad()
view.translatesAutoresizingMaskIntoConstraints = false
let tapGR = UITapGestureRecognizer(target: self, action: #selector(handleTapGesture(_:)))
view.addGestureRecognizer(tapGR)
collapsedArticleView.preservesSuperviewLayoutMargins = true
collapsedArticleView.frame = view.bounds
view.addSubview(collapsedArticleView)
expandedArticleView.preservesSuperviewLayoutMargins = true
expandedArticleView.saveButton.addTarget(self, action: #selector(saveButtonPressed), for: .touchUpInside)
expandedArticleView.frame = view.bounds
view.addSubview(expandedArticleView)
view.wmf_addSubviewWithConstraintsToEdges(emptyView)
}
var isEmptyViewHidden = true {
didSet {
extensionContext?.widgetLargestAvailableDisplayMode = isEmptyViewHidden ? .expanded : .compact
emptyView.isHidden = isEmptyViewHidden
collapsedArticleView.isHidden = !isEmptyViewHidden
expandedArticleView.isHidden = !isEmptyViewHidden
}
}
var dataStore: MWKDataStore? {
return SessionSingleton.sharedInstance()?.dataStore
}
var article: WMFArticle? {
guard
let dataStore = dataStore,
let featuredContentGroup = dataStore.viewContext.newestVisibleGroup(of: .featuredArticle) ?? dataStore.viewContext.newestGroup(of: .featuredArticle),
let articleURL = featuredContentGroup.contentPreview as? URL else {
return nil
}
return dataStore.fetchArticle(with: articleURL)
}
func widgetPerformUpdate(completionHandler: @escaping (NCUpdateResult) -> Void) {
defer {
updateView()
}
guard let article = self.article,
let articleKey = article.key else {
isEmptyViewHidden = false
completionHandler(.failed)
return
}
guard articleKey != currentArticleKey else {
completionHandler(.noData)
return
}
currentArticleKey = articleKey
isEmptyViewHidden = true
let theme:Theme = .widget
collapsedArticleView.configure(article: article, displayType: .relatedPages, index: 0, shouldShowSeparators: false, theme: theme, layoutOnly: false)
collapsedArticleView.titleTextStyle = .body
collapsedArticleView.updateFonts(with: traitCollection)
collapsedArticleView.tintColor = theme.colors.link
expandedArticleView.configure(article: article, displayType: .pageWithPreview, index: 0, theme: theme, layoutOnly: false)
expandedArticleView.tintColor = theme.colors.link
expandedArticleView.saveButton.saveButtonState = article.savedDate == nil ? .longSave : .longSaved
completionHandler(.newData)
}
func updateViewAlpha(isExpanded: Bool) {
expandedArticleView.alpha = isExpanded ? 1 : 0
collapsedArticleView.alpha = isExpanded ? 0 : 1
}
@objc func updateView() {
guard viewIfLoaded != nil else {
return
}
var maximumSize = CGSize(width: view.bounds.size.width, height: UIView.noIntrinsicMetric)
if let context = extensionContext {
isExpanded = context.widgetActiveDisplayMode == .expanded
maximumSize = context.widgetMaximumSize(for: context.widgetActiveDisplayMode)
}
updateViewAlpha(isExpanded: isExpanded)
updateViewWithMaximumSize(maximumSize, isExpanded: isExpanded)
}
func updateViewWithMaximumSize(_ maximumSize: CGSize, isExpanded: Bool) {
let sizeThatFits: CGSize
if isExpanded {
sizeThatFits = expandedArticleView.sizeThatFits(CGSize(width: maximumSize.width, height:UIView.noIntrinsicMetric), apply: true)
expandedArticleView.frame = CGRect(origin: .zero, size:sizeThatFits)
} else {
collapsedArticleView.imageViewDimension = maximumSize.height - 30 //hax
sizeThatFits = collapsedArticleView.sizeThatFits(CGSize(width: maximumSize.width, height:UIView.noIntrinsicMetric), apply: true)
collapsedArticleView.frame = CGRect(origin: .zero, size:sizeThatFits)
}
preferredContentSize = CGSize(width: maximumSize.width, height: sizeThatFits.height)
}
func widgetActiveDisplayModeDidChange(_ activeDisplayMode: NCWidgetDisplayMode, withMaximumSize maxSize: CGSize) {
debounceViewUpdate()
}
func debounceViewUpdate() {
NSObject.cancelPreviousPerformRequests(withTarget: self, selector: #selector(updateView), object: nil)
perform(#selector(updateView), with: nil, afterDelay: 0.1)
}
@objc func saveButtonPressed() {
guard let article = self.article, let articleKey = article.key else {
return
}
let isSaved = dataStore?.savedPageList.toggleSavedPage(forKey: articleKey) ?? false
expandedArticleView.saveButton.saveButtonState = isSaved ? .longSaved : .longSave
}
@objc func handleTapGesture(_ tapGR: UITapGestureRecognizer) {
guard tapGR.state == .recognized else {
return
}
guard let article = self.article, let articleURL = article.url else {
return
}
let URL = articleURL as NSURL?
let URLToOpen = URL?.wmf_wikipediaScheme ?? NSUserActivity.wmf_baseURLForActivity(of: .explore)
self.extensionContext?.open(URLToOpen)
}
}
| 0a7c1854d7ce15e20e084f916a692472 | 38.219653 | 188 | 0.68224 | false | false | false | false |
wireapp/wire-ios-sync-engine | refs/heads/develop | Source/UnauthenticatedSession/UnauthenticatedOperationLoop.swift | gpl-3.0 | 1 | //
// Wire
// Copyright (C) 2017 Wire Swiss GmbH
//
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//
// You should have received a copy of the GNU General Public License
// along with this program. If not, see http://www.gnu.org/licenses/.
//
import Foundation
import WireTransport
import WireRequestStrategy
private let log = ZMSLog(tag: "Network")
class UnauthenticatedOperationLoop: NSObject {
let transportSession: UnauthenticatedTransportSessionProtocol
let requestStrategies: [RequestStrategy]
weak var operationQueue: ZMSGroupQueue?
fileprivate var tornDown = false
fileprivate var shouldEnqueue = true
init(transportSession: UnauthenticatedTransportSessionProtocol, operationQueue: ZMSGroupQueue, requestStrategies: [RequestStrategy]) {
self.transportSession = transportSession
self.requestStrategies = requestStrategies
self.operationQueue = operationQueue
super.init()
RequestAvailableNotification.addObserver(self)
}
deinit {
precondition(tornDown, "Need to call tearDown before deinit")
}
}
extension UnauthenticatedOperationLoop: TearDownCapable {
func tearDown() {
shouldEnqueue = false
requestStrategies.forEach { ($0 as? TearDownCapable)?.tearDown() }
transportSession.tearDown()
tornDown = true
}
}
extension UnauthenticatedOperationLoop: RequestAvailableObserver {
func newRequestsAvailable() {
var enqueueMore = true
while enqueueMore && shouldEnqueue {
let result = transportSession.enqueueRequest(withGenerator: generator)
enqueueMore = result == .success
switch result {
case .maximumNumberOfRequests: log.debug("Maximum number of concurrent requests reached")
case .nilRequest: log.debug("Nil request generated")
default: break
}
}
}
private var generator: ZMTransportRequestGenerator {
return { [weak self] in
guard let `self` = self else { return nil }
guard let apiVersion = BackendInfo.apiVersion else { return nil }
let request = (self.requestStrategies as NSArray).nextRequest(for: apiVersion)
guard let queue = self.operationQueue else { return nil }
request?.add(ZMCompletionHandler(on: queue) { [weak self] _ in
self?.newRequestsAvailable()
})
return request
}
}
}
| 5e60a32b0478543240c0982e7d9326d5 | 34.253012 | 138 | 0.691388 | false | false | false | false |
exyte/Macaw | refs/heads/master | Source/model/scene/Shape.swift | mit | 1 | #if os(iOS)
import UIKit
#elseif os(OSX)
import AppKit
#endif
open class Shape: Node {
public let formVar: AnimatableVariable<Locus>
open var form: Locus {
get { return formVar.value }
set(val) { formVar.value = val }
}
public let fillVar: AnimatableVariable<Fill?>
open var fill: Fill? {
get { return fillVar.value }
set(val) { fillVar.value = val }
}
public let strokeVar: StrokeAnimatableVariable
open var stroke: Stroke? {
get { return strokeVar.value }
set(val) { strokeVar.value = val }
}
public init(form: Locus, fill: Fill? = nil, stroke: Stroke? = nil, place: Transform = Transform.identity, opaque: Bool = true, opacity: Double = 1, clip: Locus? = nil, mask: Node? = nil, effect: Effect? = nil, visible: Bool = true, tag: [String] = []) {
self.formVar = AnimatableVariable<Locus>(form)
self.fillVar = AnimatableVariable<Fill?>(fill)
self.strokeVar = StrokeAnimatableVariable(stroke)
super.init(
place: place,
opaque: opaque,
opacity: opacity,
clip: clip,
mask: mask,
effect: effect,
visible: visible,
tag: tag
)
self.formVar.node = self
self.fillVar.node = self
self.strokeVar.node = self
}
override open var bounds: Rect? {
guard let ctx = createContext() else {
return .none
}
var shouldStrokePath = false
if let stroke = stroke {
RenderUtils.setStrokeAttributes(stroke, ctx: ctx)
shouldStrokePath = true
}
RenderUtils.setGeometry(self.form, ctx: ctx)
RenderUtils.setClip(self.clip, ctx: ctx)
let point = ctx.currentPointOfPath
if shouldStrokePath {
ctx.replacePathWithStrokedPath()
}
var rect = ctx.boundingBoxOfPath
if rect.height == 0,
rect.width == 0 && (rect.origin.x == CGFloat.infinity || rect.origin.y == CGFloat.infinity) {
rect.origin = point
}
// TO DO: Remove after fixing bug with boundingBoxOfPath - https://openradar.appspot.com/6468254639
if rect.width.isInfinite || rect.height.isInfinite {
rect.size = CGSize.zero
}
endContext()
return rect.toMacaw()
}
fileprivate func createContext() -> CGContext? {
let screenScale: CGFloat = MMainScreen()?.mScale ?? 1.0
let smallSize = CGSize(width: 1.0, height: 1.0)
MGraphicsBeginImageContextWithOptions(smallSize, false, screenScale)
return MGraphicsGetCurrentContext()
}
fileprivate func endContext() {
MGraphicsEndImageContext()
}
}
| 90d165d313dc4334bfbdb0d5f37b7625 | 27.27551 | 257 | 0.593288 | false | false | false | false |
bromas/Architect | refs/heads/master | UIArchitect/ConstrainingSize.swift | mit | 1 | //
// SizeArchitectures.swift
// LayoutArchitect
//
// Created by Brian Thomas on 7/13/14.
// Copyright (c) 2014 Brian Thomas. All rights reserved.
//
public typealias SizeResult = [BlueprintMeasure: NSLayoutConstraint]
public typealias ExtendedSizeOptions = (relation: BlueprintRelation, magnitude: CGFloat, priority: BlueprintPriority)
import Foundation
import UIKit
extension Constrain {
public class func size(view: UIView, with options: [BlueprintMeasure: CGFloat]) -> SizeResult {
return size(view, with: options)
}
public class func size(view: UIView, withExtendedOptions options: [BlueprintMeasure: ExtendedSizeOptions]) -> SizeResult {
return size(view, withExtendedOptions: options)
}
}
public func size(view: UIView, with options: [BlueprintMeasure: CGFloat]) -> SizeResult {
var newOptions = [BlueprintMeasure: ExtendedSizeOptions]()
for (measure, float) in options {
let option = (BlueprintRelation.Equal, options[measure]! as CGFloat, BlueprintPriority.Required)
newOptions[measure] = option
}
return size(view, withExtendedOptions: newOptions)
}
public func size(view: UIView , withExtendedOptions options: [BlueprintMeasure: (relation: BlueprintRelation, magnitude: CGFloat, priority: BlueprintPriority)]) -> SizeResult {
var constraints = SizeResult()
let views = ["view": view]
for (attribute: BlueprintMeasure, with: ExtendedSizeOptions) in options {
let relation = with.relation.string()
let priority = with.priority.float()
switch attribute {
case .Width:
let metrics = ["width": with.magnitude]
constraints[.Width] = (NSLayoutConstraint.constraintsWithVisualFormat("H:[view(\(relation)width@\(priority))]", options: NSLayoutFormatOptions(0), metrics: metrics, views: views)[0] as! NSLayoutConstraint)
view.addConstraint(constraints[.Width]!)
case .Height:
let metrics = ["height": with.magnitude]
constraints[.Height] = (NSLayoutConstraint.constraintsWithVisualFormat("V:[view(\(relation)height@\(priority))]", options: NSLayoutFormatOptions(0), metrics: metrics, views: views)[0] as! NSLayoutConstraint)
view.addConstraint(constraints[.Height]!)
}
}
return constraints
} | 8aaaf26569b650b38344b86454c8f0bf | 38 | 213 | 0.734023 | false | false | false | false |
OpsLabJPL/MarsTimeConversion | refs/heads/master | Example/MarsTimeConversion/ViewController.swift | mit | 1 | //
// ViewController.swift
// MarsTimeConversion
//
// Created by Mark Powell on 05/20/2016.
// Copyright (c) 2016 Mark Powell. All rights reserved.
//
import UIKit
import MarsTimeConversion
class ViewController: UIViewController {
@IBOutlet weak var utcText: UILabel!
@IBOutlet weak var pdtText: UILabel!
@IBOutlet weak var lmstText: UILabel!
@IBOutlet weak var utc2label: UILabel!
var timer:Timer?
override func viewDidLoad() {
super.viewDidLoad()
//start clock update timer
timer = Timer.scheduledTimer(timeInterval: 0.10, target: self, selector: #selector(ViewController.updateTime), userInfo: nil, repeats: true)
updateTime()
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
@objc func updateTime() {
let now = NSDate()
let formatter = DateFormatter()
formatter.dateFormat = "yyyy-MM-dd HH:mm:ss"
formatter.timeZone = NSTimeZone(abbreviation: "PDT") as TimeZone!
pdtText.text = formatter.string(from: now as Date)
formatter.timeZone = NSTimeZone(abbreviation: "UTC") as TimeZone!
utcText.text = formatter.string(from: now as Date)
let (_, _, _, _, _, _, _, _, _, _, msd, mtc, _, _) = MarsTimeConversion.getMarsTimes(now as Date, longitude:MarsTimeConversion.CURIOSITY_WEST_LONGITUDE)
let sol = Int(msd-(360-MarsTimeConversion.CURIOSITY_WEST_LONGITUDE)/360)-49268
let mtcInHours:Double = MarsTimeConversion.canonicalValue24(mtc - (360-MarsTimeConversion.CURIOSITY_WEST_LONGITUDE)*24.0/360.0)
let hour:Int = Int(mtcInHours);
let hours = String(format:"%02d", hour)
let minute:Int = Int((mtcInHours-Double(hour))*60.0)
let minutes = String(format:"%02d", minute)
let second:Int = Int((mtcInHours-Double(hour))*3600.0 - Double(minute)*60.0)
let secondDouble:Double = (mtcInHours-Double(hour))*3600.0 - Double(minute)*60.0
let seconds = String(format:"%02d", second);
lmstText.text = String("Sol \(sol) \(hours):\(minutes):\(seconds)")
let utcTime = MarsTimeConversion.getUTCTimeForMSL(sol, hours: hour, minutes: minute, seconds: secondDouble)
utc2label.text = formatter.string(from: utcTime)
}
}
| 4bbac9be7908f643924e90051c1b07ef | 38.311475 | 160 | 0.65221 | false | false | false | false |
sunlubo/TicTacToe | refs/heads/master | TiCTacToe/TicTacToeViewController.swift | apache-2.0 | 1 | //
// TicTacToeViewController.swift
// TiCTacToe
//
// Created by sunlubo on 2017/2/9.
// Copyright © 2017年 slb. All rights reserved.
//
import UIKit
final class TicTacToeViewController: UIViewController {
@IBOutlet weak var button1: UIButton!
@IBOutlet weak var button2: UIButton!
@IBOutlet weak var button3: UIButton!
@IBOutlet weak var button4: UIButton!
@IBOutlet weak var button5: UIButton!
@IBOutlet weak var button6: UIButton!
@IBOutlet weak var button7: UIButton!
@IBOutlet weak var button8: UIButton!
@IBOutlet weak var button9: UIButton!
@IBOutlet weak var winnerPlayerView: UIView!
@IBOutlet weak var winnerPlayerLabel: UILabel!
var cellButtons = [UIButton]()
lazy var presenter: TicTacToePresenter = {
return TicTacToePresenter(view: self)
}()
override func viewDidLoad() {
super.viewDidLoad()
cellButtons.append(contentsOf: [button1, button2, button3, button4, button5, button6, button7, button8, button9])
resetButtonClicked()
presenter.viewDidLoad()
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
presenter.viewWillAppear()
}
override func viewDidAppear(_ animated: Bool) {
super.viewDidAppear(animated)
presenter.viewDidAppear()
}
override func viewWillDisappear(_ animated: Bool) {
super.viewWillDisappear(animated)
presenter.viewWillDisappear()
}
override func viewDidDisappear(_ animated: Bool) {
super.viewDidDisappear(animated)
presenter.viewDidDisappear()
}
@IBAction func cellsClicked(button: UIButton) {
let tag = button.tag.description
let row = Int(tag.substring(to: tag.index(tag.startIndex, offsetBy: 1)))! - 1
let col = Int(tag.substring(with: tag.index(tag.startIndex, offsetBy: 1)..<tag.endIndex))! - 1
presenter.cellsClicked(row: row, col: col)
}
@IBAction func resetButtonClicked() {
presenter.resetButtonClicked()
}
}
// MARK: - TicTacToeView
extension TicTacToeViewController: TicTacToeView {
func showWinner(_ winner: String) {
winnerPlayerLabel.text = winner
winnerPlayerView.isHidden = false
}
func clearWinnerDisplay() {
winnerPlayerLabel.text = nil
winnerPlayerView.isHidden = true
}
func clearButtons() {
cellButtons.forEach({ $0.setTitle(nil, for: .normal) })
}
func setButtonText(_ row: Int, _ col: Int, _ text: String) {
let button = cellButtons.filter({ $0.tag == Int("\(row + 1)\(col + 1)")! }).first!
button.setTitle(text, for: .normal)
}
}
| 978b6b71c52e415328c733e16efbd85c | 28.521277 | 121 | 0.641441 | false | false | false | false |
blinksh/blink | refs/heads/raw | Blink/TermController.swift | gpl-3.0 | 1 | //////////////////////////////////////////////////////////////////////////////////
//
// B L I N K
//
// Copyright (C) 2016-2019 Blink Mobile Shell Project
//
// This file is part of Blink.
//
// Blink 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.
//
// Blink 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 Blink. If not, see <http://www.gnu.org/licenses/>.
//
// In addition, Blink is also subject to certain additional terms under
// GNU GPL version 3 section 7.
//
// You should have received a copy of these additional terms immediately
// following the terms and conditions of the GNU General Public License
// which accompanied the Blink Source Code. If not, see
// <http://www.github.com/blinksh/blink>.
//
////////////////////////////////////////////////////////////////////////////////
import Combine
import UserNotifications
import AVFoundation
@objc protocol TermControlDelegate: NSObjectProtocol {
// May be do it optional
func terminalHangup(control: TermController)
@objc optional func terminalDidResize(control: TermController)
}
@objc protocol ControlPanelDelegate: NSObjectProtocol {
func controlPanelOnClose()
func controlPanelOnPaste()
func currentTerm() -> TermController!
}
private class ProxyView: UIView {
var controlledView: UIView? = nil
private var _cancelable: AnyCancellable? = nil
override func willMove(toSuperview newSuperview: UIView?) {
super.willMove(toSuperview: newSuperview)
if superview == nil {
_cancelable = nil
}
}
override func didMoveToSuperview() {
super.didMoveToSuperview()
_cancelable = nil
guard
let parent = superview
else {
return
}
_cancelable = parent.publisher(for: \.frame).sink { [weak self] frame in
guard let controlledView = self?.controlledView,
controlledView.superview != nil
else {
return
}
controlledView.frame = frame
}
placeControlledView()
}
override func layoutSubviews() {
super.layoutSubviews()
guard
let parent = superview,
let controlledView = controlledView
else {
return
}
controlledView.frame = parent.frame
}
func removeControlledView() {
controlledView?.removeFromSuperview()
}
func placeControlledView() {
guard
let parent = superview,
let container = parent.superview,
let controlledView = controlledView
else {
return
}
controlledView.frame = parent.frame
if
let sharedWindow = ShadowWindow.shared,
container.window == sharedWindow {
sharedWindow.layer.removeFromSuperlayer()
container.addSubview(controlledView)
sharedWindow.refWindow.layer.addSublayer(sharedWindow.layer)
} else {
container.addSubview(controlledView)
}
}
}
class TermController: UIViewController {
private let _meta: SessionMeta
private var _termDevice = TermDevice()
private var _bag = Array<AnyCancellable>()
private var _termView = TermView(frame: .zero)
private var _proxyView = ProxyView(frame: .zero)
private var _sessionParams: MCPParams = {
let params = MCPParams()
params.fontSize = BKDefaults.selectedFontSize()?.intValue ?? 16
params.fontName = BKDefaults.selectedFontName()
params.themeName = BKDefaults.selectedThemeName()
params.enableBold = BKDefaults.enableBold()
params.boldAsBright = BKDefaults.isBoldAsBright()
params.viewSize = .zero
params.layoutMode = BKDefaults.layoutMode().rawValue
return params
}()
private var _bgColor: UIColor? = nil
private var _fontSizeBeforeScaling: Int? = nil
@objc public var viewIsLoaded: Bool = false
@objc public var activityKey: String? = nil
@objc public var termDevice: TermDevice { _termDevice }
@objc weak var delegate: TermControlDelegate? = nil
@objc var sessionParams: MCPParams { _sessionParams }
@objc var bgColor: UIColor? {
get { _bgColor }
set { _bgColor = newValue }
}
private var _session: MCPSession? = nil
required init(meta: SessionMeta? = nil) {
_meta = meta ?? SessionMeta()
super.init(nibName: nil, bundle: nil)
}
convenience init(sceneRole: UISceneSession.Role? = nil) {
self.init(meta: nil)
if sceneRole == .windowExternalDisplay {
_sessionParams.fontSize = BKDefaults.selectedExternalDisplayFontSize()?.intValue ?? 24
}
}
required public init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
func placeToContainer() {
_proxyView.placeControlledView()
}
func removeFromContainer() -> Bool {
if KBTracker.shared.input == _termView.webView {
return false
}
_proxyView.controlledView?.removeFromSuperview()
return true
}
public override func viewWillTransition(to size: CGSize, with coordinator: UIViewControllerTransitionCoordinator) {
if !coordinator.isAnimated {
return
}
super.viewWillTransition(to: size, with: coordinator)
}
public override func loadView() {
super.loadView()
_termDevice.delegate = self
_termDevice.attachView(_termView)
_termView.backgroundColor = _bgColor
_proxyView.controlledView = _termView;
_proxyView.isUserInteractionEnabled = false
view = _proxyView
}
public override func viewDidLoad() {
super.viewDidLoad()
viewIsLoaded = true
resumeIfNeeded()
_termView.load(with: _sessionParams)
NotificationCenter.default.addObserver(
self,
selector: #selector(_relayout),
name: NSNotification.Name(rawValue: LayoutManagerBottomInsetDidUpdate), object: nil)
}
@objc func _relayout() {
guard
let window = view.window,
window.screen === UIScreen.main
else {
return
}
view.setNeedsLayout()
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated);
resumeIfNeeded()
}
public override func viewWillLayoutSubviews() {
super.viewWillLayoutSubviews()
guard let window = view.window,
let windowScene = window.windowScene,
windowScene.activationState == .foregroundActive
else {
return
}
let layoutMode = BKLayoutMode(rawValue: _sessionParams.layoutMode) ?? BKLayoutMode.default
_termView.additionalInsets = LayoutManager.buildSafeInsets(for: self, andMode: layoutMode)
_termView.layoutLockedFrame = _sessionParams.layoutLockedFrame
_termView.layoutLocked = _sessionParams.layoutLocked
_termView.setNeedsLayout()
}
public override func viewDidLayoutSubviews() {
super.viewDidLayoutSubviews()
_sessionParams.viewSize = view.bounds.size
}
@objc public func terminate() {
NotificationCenter.default.post(name: .deviceTerminated, object: nil, userInfo: ["device": _termDevice])
_termDevice.delegate = nil
_termView.terminate()
_session?.kill()
}
@objc public func lockLayout() {
_sessionParams.layoutLocked = true
_sessionParams.layoutLockedFrame = _termView.webViewFrame()
}
@objc public func unlockLayout() {
_sessionParams.layoutLocked = false
view.setNeedsLayout()
}
@objc public func isRunningCmd() -> Bool {
return _session?.isRunningCmd() ?? false
}
@objc public func scaleWithPich(_ pinch: UIPinchGestureRecognizer) {
switch pinch.state {
case .began: fallthrough
case .ended:
_fontSizeBeforeScaling = _sessionParams.fontSize
case .changed:
guard let initialSize = _fontSizeBeforeScaling else {
return
}
let newSize = Int(round(CGFloat(initialSize) * pinch.scale))
guard newSize != _sessionParams.fontSize else {
return
}
_termView.setFontSize(newSize as NSNumber)
default: break
}
}
deinit {
NotificationCenter.default.removeObserver(self)
_session?.delegate = nil
_session = nil
}
}
extension TermController: SessionDelegate {
public func sessionFinished() {
if _sessionParams.hasEncodedState() {
_session?.delegate = nil
_session = nil
return
}
delegate?.terminalHangup(control: self)
}
}
let _apiRoutes:[String: (MCPSession, String) -> AnyPublisher<String, Never>] = [
"history.search": History.searchAPI,
"completion.for": Complete.forAPI
]
/// Types of supported notifications
@objc enum BKNotificationType: NSInteger {
case bell = 0
case osc = 1
}
// MARK: - TermDeviceDelegate methods
extension TermController: TermDeviceDelegate {
/**
When a `ring-bell` notification has been received on `TermView` react to it by sounding a bell if the terminal that sent it
is in focus and if it's not send a notification. Tapping the notification opens the session that sent it.
Only reproduce haptic feedback on iPhones and if it's enabled.
Enable/Disable standard OSC sequences & iTerm2 notifications
*/
func viewDidReceiveBellRing() {
if BKDefaults.isPlaySoundOnBellOn() && _termView.isFocused() {
AudioServicesPlaySystemSound(1103);
}
viewNotify(["title": "🔔 \(_termView.title ?? "")", "type": BKNotificationType.bell.rawValue])
// Haptic feedback is only visible from iPhones
if UIDevice.current.userInterfaceIdiom == .phone && !BKDefaults.hapticFeedbackOnBellOff() {
UINotificationFeedbackGenerator().notificationOccurred(.warning)
}
}
/**
Presents a UserNotification with the `title` & `body` values passed on `data`. Tapping on the notification opens the terminal that originated the notification. Also triggered when the terminal receives a standard `OSC` sequence & iTerm2-like notification.
- Parameters:
- data: Set the `title` and `body` String values to display those values in the notification banner. Set the `type`'s rawValue of `BKNotificationType` to identify the type of notification used.
*/
func viewNotify(_ data: [AnyHashable : Any]!) {
guard let notificationTypeRaw = data["type"] as? Int, let notificationType = BKNotificationType(rawValue: notificationTypeRaw) else {
return
}
if notificationType == .bell && (_termView.isFocused() || !BKDefaults.isNotificationOnBellUnfocusedOn())
|| notificationType == .osc && !BKDefaults.isOscNotificationsOn() {
return
}
let content = UNMutableNotificationContent()
content.title = (data["title"] as? String) ?? title ?? "Blink"
content.body = (data["body"] as? String) ?? ""
content.sound = .default
content.threadIdentifier = meta.key.uuidString
content.targetContentIdentifier = "blink://open-scene/\(view?.window?.windowScene?.session.persistentIdentifier ?? "")"
let req = UNNotificationRequest(identifier: UUID().uuidString, content: content, trigger: nil)
let center = UNUserNotificationCenter.current()
center.requestAuthorization(options: [.alert, .sound, .announcement]) { (granted, error) in
if granted {
center.add(req, withCompletionHandler: nil)
}
}
}
func apiCall(_ api: String!, andRequest request: String!) {
guard
let api = api,
let session = _session,
let call = _apiRoutes[api]
else {
return
}
weak var termView = _termView
_ = call(session, request)
.receive(on: RunLoop.main)
.sink { termView?.apiResponse(api, response: $0) }
}
public func deviceIsReady() {
startSession()
guard
let input = KBTracker.shared.input,
input == _termDevice.view.webView,
_termDevice.view.browserView == nil
else {
return
}
_termDevice.attachInput(input)
_termDevice.focus()
input.reportFocus(true)
}
public func deviceSizeChanged() {
_sessionParams.rows = _termDevice.rows
_sessionParams.cols = _termDevice.cols
delegate?.terminalDidResize?(control: self)
_session?.sigwinch()
}
public func viewFontSizeChanged(_ size: Int) {
_sessionParams.fontSize = size
_termDevice.input?.reset()
}
public func handleControl(_ control: String!) -> Bool {
return _session?.handleControl(control) ?? false
}
public func deviceFocused() {
_session?.setActiveSession()
view.setNeedsLayout()
}
public func viewController() -> UIViewController! {
return self
}
public func xCallbackLineSubmitted(_ line: String, _ successUrl: URL? = nil) {
_session?.enqueueXCallbackCommand(line, xCallbackSuccessUrl: successUrl)
}
public func lineSubmitted(_ line: String!) {
_session?.enqueueCommand(line)
}
}
extension TermController: SuspendableSession {
var meta: SessionMeta { _meta }
var _decodableKey: String { "params" }
func startSession() {
guard _session == nil
else {
if view.bounds.size != _sessionParams.viewSize {
_session?.sigwinch()
}
return
}
_session = MCPSession(
device: _termDevice,
andParams: _sessionParams)
_session?.delegate = self
_session?.execute(withArgs: "")
if view.bounds.size != _sessionParams.viewSize {
_session?.sigwinch()
}
}
func resume(with unarchiver: NSKeyedUnarchiver) {
guard
unarchiver.containsValue(forKey: _decodableKey),
let params = unarchiver.decodeObject(of: MCPParams.self, forKey: _decodableKey)
else {
return
}
_sessionParams = params
_session?.sessionParams = params
if _sessionParams.hasEncodedState() {
_session?.execute(withArgs: "")
}
if view.bounds.size != _sessionParams.viewSize {
_session?.sigwinch()
}
}
func suspendedSession(with archiver: NSKeyedArchiver) {
guard
let session = _session
else {
return
}
_sessionParams.cleanEncodedState()
session.suspend()
let hasEncodedState = _sessionParams.hasEncodedState()
debugPrint("has encoded state", hasEncodedState)
archiver.encode(_sessionParams, forKey: _decodableKey)
}
}
extension Notification.Name {
static let deviceTerminated = Notification.Name("deviceTerminated")
} | d687db6df451e4e2358dac970a950613 | 27.088462 | 258 | 0.671482 | false | false | false | false |
chrisamanse/CryptoKit | refs/heads/master | Sources/CryptoKit/Hash Algorithms/Implementations/SHA-2/SHA2Variant.swift | mit | 1 | //
// SHA2Variant.swift
// CryptoKit
//
// Created by Chris Amanse on 01/09/2016.
//
//
import Foundation
public protocol SHA2Variant: MerkleDamgardConstructor {
static var kConstants: [Self.BaseUnit] { get }
static var s0ShiftAndRotateAmounts: (BaseUnit, BaseUnit, BaseUnit) { get }
static var s1ShiftAndRotateAmounts: (BaseUnit, BaseUnit, BaseUnit) { get }
static var S0ShiftAndRotateAmounts: (BaseUnit, BaseUnit, BaseUnit) { get }
static var S1ShiftAndRotateAmounts: (BaseUnit, BaseUnit, BaseUnit) { get }
}
public extension SHA2Variant {
public static var endianess: Endianess {
return .bigEndian
}
public static var rounds: UInt {
return UInt(self.kConstants.count)
}
public static func compress(_ data: Data) -> [BaseUnit] {
// Constants
let k = self.kConstants
var h = self.initializationVector
// Rotate amounts
let s0Amounts = self.s0ShiftAndRotateAmounts
let s1Amounts = self.s1ShiftAndRotateAmounts
let S0Amounts = self.S0ShiftAndRotateAmounts
let S1Amounts = self.S1ShiftAndRotateAmounts
// Divide into 512-bit (64-byte) chunks
// Since data length is 0 bytes (mod 64), all chunks are 64 bytes
let chunkLength = Int(self.blockSize)
for index in stride(from: data.startIndex, to: data.endIndex, by: chunkLength) {
// Get 512-bit chunk
let chunk = data.subdata(in: index ..< index + chunkLength)
// Divide chunk into 32-bit words (512 is divisible by 32, thus all words are 32 bits)
// Since 512 is divisible by 32, simply create array by converting the Data pointer to a UInt32 array pointer
let elementCount = chunkLength / MemoryLayout<BaseUnit>.size
var w = chunk.withUnsafeBytes { (ptr: UnsafePointer<BaseUnit>) -> [BaseUnit] in
// 512 / 32 = 16 words
return Array(UnsafeBufferPointer(start: ptr, count: elementCount))
}.map {
$0.bigEndian
}
// Extend 16 words to 64 words
for i in 16 ..< Int(self.rounds) {
let w15 = w[i-15]
let s0 = (w15 >>> s0Amounts.0) ^ (w15 >>> s0Amounts.1) ^ (w15 >> s0Amounts.2)
let w2 = w[i-2]
let s1 = (w2 >>> s1Amounts.0) ^ (w2 >>> s1Amounts.1) ^ (w2 >> s1Amounts.2)
w.append(w[i-16] &+ s0 &+ w[i-7] &+ s1)
}
// Initialize hash value for this chunk
var (A, B, C, D, E, F, G, H) = (h[0], h[1], h[2], h[3], h[4], h[5], h[6], h[7])
for i in 0 ..< Int(self.rounds) {
let S1 = (E >>> S1Amounts.0) ^ (E >>> S1Amounts.1) ^ (E >>> S1Amounts.2)
let ch = (E & F) ^ ((~E) & G)
let temp1 = H &+ S1 &+ ch &+ k[i] &+ w[i]
let S0 = (A >>> S0Amounts.0) ^ (A >>> S0Amounts.1) ^ (A >>> S0Amounts.2)
let maj = (A & B) ^ (A & C) ^ (B & C)
let temp2 = S0 &+ maj
// Swap values
H = G
G = F
F = E
E = D &+ temp1
D = C
C = B
B = A
A = temp1 &+ temp2
}
// Add current chunk's hash to result (allow overflow)
let currentHash = [A, B, C, D, E, F, G, H]
for i in 0..<h.count {
h[i] = h[i] &+ currentHash[i]
}
}
return h
}
}
| e93b6dab99fee68f447bfa25841eb72f | 35.881188 | 121 | 0.496913 | false | false | false | false |
antonio081014/LeeCode-CodeBase | refs/heads/main | Swift/n-th-tribonacci-number.swift | mit | 2 | /**
* https://leetcode.com/problems/n-th-tribonacci-number/
*
*
*/
// Date: Fri Sep 24 00:24:13 PDT 2021
class Solution {
func tribonacci(_ n: Int) -> Int {
if n == 0 { return 0 }
if n == 1 { return 1 }
if n == 2 { return 1 }
var a = 0
var b = 1
var c = 1
for x in stride(from: 3, through: n, by: 1) {
let next = a + b + c
a = b
b = c
c = next
}
return c
}
} | f3edce112303193fbc4979d80131f2f6 | 19.48 | 56 | 0.399217 | false | false | false | false |
TheNounProject/CollectionView | refs/heads/main | CollectionViewTests/CVListLayoutTests.swift | mit | 1 | //
// CVListLayoutTests.swift
// CollectionViewTests
//
// Created by Wes Byrne on 6/15/18.
// Copyright © 2018 Noun Project. All rights reserved.
//
import XCTest
@testable import CollectionView
class CVListLayoutTests: XCTestCase {
func testDataSource() {
let test = LayoutTester(data: [10])
XCTAssertEqual(test.layout.layoutAttributesForItem(at: IndexPath.zero)?.indexPath, IndexPath.zero)
XCTAssertEqual(test.layout.layoutAttributesForItem(at: IndexPath.for(item: 1, section: 0))?.indexPath,
IndexPath.for(item: 1, section: 0))
XCTAssertEqual(test.collectionView.indexPathsForVisibleItems.count, 10)
}
func testInvalidation() {
let test = LayoutTester(data: [100])
XCTAssertTrue(test.layout.shouldInvalidateLayout(forBoundsChange: test.frame.insetBy(dx: 1, dy: 0)))
XCTAssertTrue(test.layout.shouldInvalidateLayout(forBoundsChange: test.frame.insetBy(dx: 0, dy: 1)))
XCTAssertFalse(test.layout.shouldInvalidateLayout(forBoundsChange: test.frame))
XCTAssertFalse(test.layout.shouldInvalidateLayout(forBoundsChange: test.frame.offsetBy(dx: 4, dy: 5)))
}
private let _prepareCounts = (sections: 100, items: 300)
func testTesterPerformance_bigSection() {
self.measure {
_ = LayoutTester(sections: 1, itemsPerSection: _prepareCounts.sections * _prepareCounts.items)
}
}
func testPreparePerformance_bigSection() {
let test = LayoutTester(sections: 1, itemsPerSection: _prepareCounts.sections * _prepareCounts.items)
self.measure {
test.layout.invalidate()
test.layout.prepare()
}
}
func testPreparePerformance_multipleSections() {
let test = LayoutTester(sections: _prepareCounts.sections, itemsPerSection: _prepareCounts.items)
self.measure {
test.layout.invalidate()
test.layout.prepare()
}
}
func testPreparePerformance_varyingHeights() {
let test = LayoutTester(sections: _prepareCounts.sections, itemsPerSection: _prepareCounts.items)
test.heightProvider = {
let idx = $0._section + $0._item
return CGFloat(40 + ((idx % 10) * 5))
}
self.measure {
test.layout.invalidate()
test.layout.prepare()
}
}
// MARK: - Multi Section indexPathsForItems(in rect)
/*-------------------------------------------------------------------------------*/
private let _counts = (sections: 100, items: 5000)
func testIndexPathsInRectPerformance_multiSection_top() {
let test = LayoutTester(sections: _counts.sections, itemsPerSection: _counts.items)
let frame = test.frame
self.measure {
_ = test.layout.indexPathsForItems(in: frame)
}
}
func testIndexPathsInRectPerformance_multiSection_mid() {
let test = LayoutTester(sections: _counts.sections, itemsPerSection: _counts.items)
let frame = test.frame.offsetBy(dx: 0,
dy: test.collectionView.contentSize.height/2)
self.measure {
_ = test.layout.indexPathsForItems(in: frame)
}
}
func testIndexPathsInRectPerformance_multiSection_bottom() {
let test = LayoutTester(sections: _counts.sections, itemsPerSection: _counts.items)
let frame = test.frame.offsetBy(dx: 0,
dy: test.collectionView.contentSize.height - test.frame.size.height)
self.measure {
_ = test.layout.indexPathsForItems(in: frame)
}
}
// MARK: - Single Section indexPathsForItems(in rect)
/*-------------------------------------------------------------------------------*/
func testIndexPathsInRectPerformance_bigSection_top() {
let test = LayoutTester(sections: 1, itemsPerSection: _counts.items * _counts.sections)
let frame = test.frame
self.measure {
_ = test.layout.indexPathsForItems(in: frame)
}
}
func testIndexPathsInRectPerformance_bigSection_mid() {
let test = LayoutTester(sections: 1, itemsPerSection: _counts.items * _counts.sections)
let frame = test.frame.offsetBy(dx: 0,
dy: test.collectionView.contentSize.height/2)
self.measure {
_ = test.layout.indexPathsForItems(in: frame)
}
}
func testIndexPathsInRectPerformance_bigSection_bottom() {
let test = LayoutTester(sections: 1, itemsPerSection: _counts.items * _counts.sections)
let frame = test.frame.offsetBy(dx: 0,
dy: test.collectionView.contentSize.height - test.frame.size.height)
self.measure {
_ = test.layout.indexPathsForItems(in: frame)
}
}
// MARK: - Querying Layout Attributes
/*-------------------------------------------------------------------------------*/
func testAttributesInRectPerformance_big_top() {
let test = LayoutTester(sections: 1, itemsPerSection: _counts.items * _counts.sections)
let frame = test.frame
self.measure {
_ = test.layout.layoutAttributesForItems(in: frame)
}
}
}
fileprivate class LayoutTester: CollectionViewDataSource, CollectionViewDelegateListLayout {
let collectionView = CollectionView(frame: NSRect(x: 0, y: 0, width: 1000, height: 800))
var frame: CGRect {
get { return self.collectionView.frame }
set { self.collectionView.frame = newValue }
}
let layout = CollectionViewListLayout()
var data: [Int]
let headerHeight: CGFloat = 0
var defaultHeight: CGFloat = 40
var heightProvider: ((IndexPath) -> CGFloat)?
init(data: [Int] = [10]) {
self.data = data
collectionView.dataSource = self
collectionView.collectionViewLayout = layout
collectionView.register(class: CollectionViewCell.self, forCellWithReuseIdentifier: "Cell")
collectionView.register(class: CollectionReusableView.self,
forSupplementaryViewOfKind: CollectionViewLayoutElementKind.SectionHeader,
withReuseIdentifier: "Header")
collectionView.reloadData()
}
convenience init(sections: Int, itemsPerSection items: Int) {
self.init(data: [Int](repeating: items, count: sections))
}
// CollectionView Data Source
func numberOfSections(in collectionView: CollectionView) -> Int {
return data.count
}
func collectionView(_ collectionView: CollectionView, numberOfItemsInSection section: Int) -> Int {
return data[section]
}
func collectionView(_ collectionView: CollectionView, cellForItemAt indexPath: IndexPath) -> CollectionViewCell {
return collectionView.dequeueReusableCell(withReuseIdentifier: "Cell", for: indexPath)
}
func collectionView(_ collectionView: CollectionView, viewForSupplementaryElementOfKind kind: String, at indexPath: IndexPath) -> CollectionReusableView {
return collectionView.dequeueReusableSupplementaryView(ofKind: kind, withReuseIdentifier: "Header", for: indexPath)
}
func collectionView(_ collectionView: CollectionView, layout collectionViewLayout: CollectionViewLayout, heightForHeaderInSection section: Int) -> CGFloat {
return self.headerHeight
}
func collectionView(_ collectionView: CollectionView, layout collectionViewLayout: CollectionViewLayout, heightForItemAt indexPath: IndexPath) -> CGFloat {
return self.heightProvider?(indexPath) ?? self.defaultHeight
}
}
| fad9bfd0a0583d8eabe41cdec2bedfcf | 40.700535 | 160 | 0.630803 | false | true | false | false |
BlurredSoftware/BSWFoundation | refs/heads/develop | Sources/BSWFoundation/Parse/FailableCodableArray.swift | mit | 1 | import Foundation
public struct FailableCodableArray<Element : Decodable> : Decodable {
public var elements: [Element]
public init(from decoder: Decoder) throws {
let container = try decoder.singleValueContainer()
let elements = try container.decode([FailableDecodable<Element>].self)
self.elements = elements.compactMap { $0.base }
}
}
extension FailableCodableArray: DateDecodingStrategyProvider where Element: DateDecodingStrategyProvider {
public static var dateDecodingStrategy: DateFormatter {
return Element.dateDecodingStrategy
}
}
private struct FailableDecodable<Base : Decodable> : Decodable {
let base: Base?
init(from decoder: Decoder) throws {
let container = try decoder.singleValueContainer()
self.base = {
do {
return try container.decode(Base.self)
} catch let error {
print(error)
return nil
}
}()
}
}
| 05c2406afc30b4e9051dfb5a03278160 | 26.805556 | 106 | 0.649351 | false | false | false | false |
SteveKueng/SplashBuddy | refs/heads/master | SplashBuddy/Script.swift | apache-2.0 | 2 | //
// Script.swift
// SplashBuddy
//
// Created by ftiff on 04/08/16.
// Copyright © 2016 François Levaux-Tiffreau. All rights reserved.
//
import Cocoa
class Script {
let absolutePath: String
init(absolutePath: String) {
self.absolutePath = absolutePath
}
func execute(_ completionHandler: @escaping (_ isSuccessful: Bool) -> ()) {
DispatchQueue.global(qos: .userInitiated).async {
let task: Process = Process()
task.launchPath = "/bin/bash"
task.arguments = [self.absolutePath]
task.terminationHandler = { task in DispatchQueue.global().async {
task.terminationStatus == 0 ? completionHandler(true) : completionHandler(false)
}
}
task.launch()
}
}
}
| 4b63b09d3d0587bfd0e281e09ba1bfea | 22.307692 | 96 | 0.526953 | false | false | false | false |
WhisperSystems/Signal-iOS | refs/heads/master | SignalServiceKit/src/Messages/OWSMessageSend.swift | gpl-3.0 | 1 | //
// Copyright (c) 2019 Open Whisper Systems. All rights reserved.
//
import Foundation
import SignalMetadataKit
// Corresponds to a single effort to send a message to a given recipient,
// which may span multiple attempts. Note that group messages may be sent
// to multiple recipients and therefore require multiple instances of
// OWSMessageSend.
@objc
public class OWSMessageSend: NSObject {
@objc
public let message: TSOutgoingMessage
@objc
public let thread: TSThread
@objc
public let recipient: SignalRecipient
private static let kMaxRetriesPerRecipient: Int = 3
@objc
public var remainingAttempts = OWSMessageSend.kMaxRetriesPerRecipient
// We "fail over" to REST sends after _any_ error sending
// via the web socket.
@objc
public var hasWebsocketSendFailed = false
@objc
public var udAccess: OWSUDAccess?
@objc
public var senderCertificate: SMKSenderCertificate?
@objc
public let localAddress: SignalServiceAddress
@objc
public let isLocalAddress: Bool
@objc
public let success: () -> Void
@objc
public let failure: (Error) -> Void
@objc
public init(message: TSOutgoingMessage,
thread: TSThread,
recipient: SignalRecipient,
senderCertificate: SMKSenderCertificate?,
udAccess: OWSUDAccess?,
localAddress: SignalServiceAddress,
success: @escaping () -> Void,
failure: @escaping (Error) -> Void) {
self.message = message
self.thread = thread
self.recipient = recipient
self.localAddress = localAddress
self.senderCertificate = senderCertificate
self.udAccess = udAccess
self.isLocalAddress = recipient.address.isLocalAddress
self.success = success
self.failure = failure
}
@objc
public var isUDSend: Bool {
return udAccess != nil && senderCertificate != nil
}
@objc
public func disableUD() {
Logger.verbose("\(String(describing: recipient.address))")
udAccess = nil
}
@objc
public func setHasUDAuthFailed() {
Logger.verbose("\(String(describing: recipient.address))")
// We "fail over" to non-UD sends after auth errors sending via UD.
disableUD()
}
}
| 548e8527f424d38db11a98874e4000e5 | 25.516854 | 75 | 0.652119 | false | false | false | false |
iamyuiwong/swift-sqlite | refs/heads/master | SwiftSQLiteDEMO/SwiftSQLiteDEMO/ViewController.swift | lgpl-3.0 | 1 | // ViewController.swift
// 15/10/11.
import UIKit
private let TAG: String = "SQLiteHelperDEMO"
class ViewController: UIViewController {
override func viewDidLoad() {
Log.trace()
super.viewDidLoad()
/* Do any additional setup after loading the view */
let dpo = AppUtil.getAppDocPath()
if let dp = dpo {
Log.v(tag: TAG, items: "appDocPath", dp)
}
let _dbInst = SQLiteDB.getInstance(byDBName: "demodbx.sqlite")
if let dbInst = _dbInst {
/* create table */
let ctabxxSql = "CREATE TABLE IF NOT EXISTS " //
+ "`xx`" + " (" //
+ "`id`" + " TEXT PRIMARY KEY," //
+ "`from`" + " TEXT," //
+ "`to`" + " TEXT," //
+ "`type`" + " INTEGER," //
+ "`send`" + " INTEGER," //
+ "`content`" + " TEXT" + ");"
var ret = SQLiteHelper.create(tableBySql: ctabxxSql,
useDB: dbInst.db!)
if (ret > 0) {
Log.i(tag: TAG, items: "create success")
} else {
Log.e(tag: TAG, items: "create fail: \(ret)")
}
usleep(UInt32(5 * 1e6))
/* create tables */
let ctabsSqls = [
"CREATE TABLE IF NOT EXISTS " //
+ "`yy1`" + " (" //
+ "`id`" + " TEXT PRIMARY KEY," //
+ "`content`" + " TEXT" + ");",
"CREATE TABLE IF NOT EXISTS " //
+ "`yy2`" + " (" //
+ "`id`" + " TEXT PRIMARY KEY," //
+ "`content`" + " TEXT" + ");",
"CREATE TABLE IF NOT EXISTS " //
+ "`yy3`" + " (" //
+ "`id`" + " TEXT PRIMARY KEY," //
+ "`status`" + " INTEGER," //
+ "`time`" + " DATETIME," //
+ "`content`" + " TEXT" + ");",
]
ret = SQLiteHelper.create(tablesBySqls:
array<String>(values: ctabsSqls),
useDB: dbInst.db!)
if (ret > 0) {
Log.i(tag: TAG, items: "create 2 success: \(ret)")
} else {
Log.e(tag: TAG, items: "create 2 fail: \(ret)")
}
usleep(UInt32(5 * 1e6))
/* insert */
var insSql = "INSERT INTO `yy2` (`id`, `content`) VALUES "
insSql += " ('100001', 'hello');"
ret = SQLiteHelper.insert(bySql: insSql, useDB: dbInst.db)
Log.i(tag: TAG, items: "insert ret: \(ret)")
usleep(UInt32(5 * 1e6))
/* insert 2 */
let insSqls: array<String> = array<String>()
insSqls.append("INSERT INTO `yy3` (`id`, `status`, `time`) "
+ "VALUES ('200001', 99, '2015-10-01 00:00:00');")
insSqls.append("INSERT INTO `yy3` (`id`, `status`, `time`) "
+ "VALUES ('200002', 99, '2015-10-02 00:00:00');")
ret = SQLiteHelper.insert(bySqls: insSqls, useDB: dbInst.db)
Log.i(tag: TAG, items: "insert 2 ret: \(ret)")
usleep(UInt32(5 * 1e6))
/* insert 3 */
let vsl = array<Dictionary<String, String>>()
vsl.data!.append(["`id`": "'100001'", "`status`": "1",
"`content`": "'ccaaaa'"])
vsl.data!.append(["`id`": "'100002'", "`status`": "2",
"`content`": "'ccbbbb'"])
vsl.data!.append(["`id`": "'100003'", "`status`": "3",
"`content`": "'cccccc'"])
vsl.data!.append(["`id`": "'100004'", "`status`": "4",
"`content`": "'cccccd'"])
vsl.data!.append(["`id`": "'100005'", "`status`": "5",
"`content`": "'ccccce'"])
vsl.data!.append(["`id`": "'100006'", "`status`": "6",
"`content`": "'cccccf'"])
ret = SQLiteHelper.insert(valuesList: vsl, intoTab: "yy3",
withKeyList:
array<String>(values: ["`id`", "`status`", "`content`"]),
useDB: dbInst.db)
Log.i(tag: TAG, items: "insert 3 ret: \(ret)")
usleep(UInt32(5 * 1e6))
/* select */
var queSql = "SELECT * FROM `yy3`;"
var qres = SQLiteHelper.query(bySql: queSql, useDB: dbInst.db)
Log.i(tag: TAG, items: "select result code: \(qres.code)")
if (nil != qres.rows) {
for r in qres.rows! {
let c = r.data["id"]?.value
Log.v(tag: TAG, items: "row: \(r.data)", "c: \(c)")
}
}
usleep(UInt32(5 * 1e6))
/* select 2 */
queSql = "SELECT * FROM `yy3` WHERE `status` > 3 "
queSql += "AND `id` = '100005'"
Log.v(tag: TAG, items: queSql)
qres = SQLiteHelper.query(bySql: queSql, useDB: dbInst.db)
Log.i(tag: TAG, items: "select 2 result code: \(qres.code)")
if (nil != qres.rows) {
for r in qres.rows! {
let c = r.data["id"]?.value
Log.v(tag: TAG, items: "row: \(r.data)", "c: \(c)")
}
}
usleep(UInt32(5 * 1e6))
/* count */
var c = SQLiteHelper.count(itemsInTable: "yy3", useDB: dbInst.db)
Log.i(tag: TAG, items: "count: \(c)")
usleep(UInt32(5 * 1e6))
/* count 2 */
let climSql = "WHERE `status` > 3"
c = SQLiteHelper.count(itemsInTable: "yy3",
useDB: dbInst.db,
withSqlLimit: climSql)
Log.i(tag: TAG, items: "2 count: \(c)")
usleep(UInt32(5 * 1e6))
/* drop */
ret = SQLiteHelper.drop(tableByName: "yy1", useDB: dbInst.db)
if (ret > 0) {
Log.i(tag: TAG, items: "drop success: \(ret)")
} else {
Log.e(tag: TAG, items: "drop fail: \(ret)")
}
usleep(UInt32(5 * 1e6))
/* drop 2 */
ret = SQLiteHelper.drop(tablesByNames:
array<String>(values: ["yy1", "yy2"]), useDB: dbInst.db)
if (ret > 0) {
Log.i(tag: TAG, items: "drop 2 success: \(ret)")
} else {
Log.e(tag: TAG, items: "drop 2 fail: \(ret)")
}
usleep(UInt32(5 * 1e6))
/* db!.closeDB() */
SQLiteHelper.dropDB(byDBName: "demodbx.sqlite")
} else {
Log.e(tag: TAG, items: "SQLiteHelper.getInstance fail")
}
let log = AppUtil.getAppDocPath()! + "/log"
let ret = FileUtil.rm(ofPath: log, recurrence: true)
print("rm log ret: \(ret)")
}
override func didReceiveMemoryWarning() {
Log.w(tag: TAG, items: "didReceiveMemoryWarning")
super.didReceiveMemoryWarning()
/* Dispose of any resources that can be recreated. */
}
} | 687171f30263f4e8951aca760708038b | 26.542289 | 68 | 0.549955 | false | false | false | false |
larryhou/swift | refs/heads/master | MRCodes/MRCodes/ReadViewController.swift | mit | 1 | //
// ViewController.swift
// MRCodes
//
// Created by larryhou on 13/12/2015.
// Copyright © 2015 larryhou. All rights reserved.
//
import UIKit
import AVFoundation
class ReadViewController: UIViewController, AVCaptureMetadataOutputObjectsDelegate {
private var FocusContext: String?
private var ExposureContext: String?
private var LensContext: String?
@IBOutlet weak var torchSwitcher: UISwitch!
@IBOutlet weak var previewView: CameraPreviewView!
@IBOutlet weak var metadataView: CameraMetadataView!
private var session: AVCaptureSession!
private var activeCamera: AVCaptureDevice?
override func viewDidLoad() {
super.viewDidLoad()
session = AVCaptureSession()
session.sessionPreset = .photo
previewView.session = session
(previewView.layer as! AVCaptureVideoPreviewLayer).videoGravity = .resizeAspectFill
AVCaptureDevice.requestAccess(for: .video) { (success: Bool) -> Void in
let status = AVCaptureDevice.authorizationStatus(for: .video)
if success {
self.configSession()
} else {
print(status, status.rawValue)
}
}
}
override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
if let resultController = presentedViewController as? ResultViewController {
resultController.animate(visible: false)
}
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
torchSwitcher.isHidden = true
if !session.isRunning {
session.startRunning()
}
}
func applicationWillEnterForeground() {
metadataView.setMetadataObjects([])
}
func findCamera(position: AVCaptureDevice.Position) -> AVCaptureDevice! {
let list = AVCaptureDevice.devices()
for device in list {
if device.position == position {
return device
}
}
return nil
}
func configSession() {
session.beginConfiguration()
guard let camera = findCamera(position: .back) else {return}
self.activeCamera = camera
do {
let cameraInput = try AVCaptureDeviceInput(device: camera)
if session.canAddInput(cameraInput) {
session.addInput(cameraInput)
}
setupCamera(camera: camera)
} catch {}
let metadata = AVCaptureMetadataOutput()
if session.canAddOutput(metadata) {
session.addOutput(metadata)
metadata.setMetadataObjectsDelegate(self, queue: .main)
var metadataTypes = metadata.availableMetadataObjectTypes
for i in 0..<metadataTypes.count {
if metadataTypes[i] == .face {
metadataTypes.remove(at: i)
break
}
}
metadata.metadataObjectTypes = metadataTypes
print(metadata.availableMetadataObjectTypes)
}
session.commitConfiguration()
session.startRunning()
}
func setupCamera(camera: AVCaptureDevice) {
do {
try camera.lockForConfiguration()
} catch {
return
}
if camera.isFocusModeSupported(.continuousAutoFocus) {
camera.focusMode = .continuousAutoFocus
}
if camera.isAutoFocusRangeRestrictionSupported {
// camera.autoFocusRangeRestriction = .near
}
if camera.isSmoothAutoFocusSupported {
camera.isSmoothAutoFocusEnabled = true
}
camera.unlockForConfiguration()
// camera.addObserver(self, forKeyPath: "adjustingFocus", options: .new, context: &FocusContext)
// camera.addObserver(self, forKeyPath: "exposureDuration", options: .new, context: &ExposureContext)
camera.addObserver(self, forKeyPath: "lensPosition", options: .new, context: &LensContext)
}
@IBAction func torchStatusChange(_ sender: UISwitch) {
guard let camera = self.activeCamera else { return }
guard camera.isTorchAvailable else {return}
do { try camera.lockForConfiguration() } catch { return }
if sender.isOn {
if camera.isTorchModeSupported(.on) {
try? camera.setTorchModeOn(level: AVCaptureDevice.maxAvailableTorchLevel)
}
} else {
if camera.isTorchModeSupported(.off) {
camera.torchMode = .off
}
checkTorchSwitcher(for: camera)
}
camera.unlockForConfiguration()
}
override func observeValue(forKeyPath keyPath: String?, of object: Any?, change: [NSKeyValueChangeKey: Any]?, context: UnsafeMutableRawPointer?) {
if context == &FocusContext || context == &ExposureContext || context == &LensContext, let camera = object as? AVCaptureDevice {
// print(camera.exposureDuration.seconds, camera.activeFormat.minExposureDuration.seconds, camera.activeFormat.maxExposureDuration.seconds,camera.iso, camera.lensPosition)
checkTorchSwitcher(for: camera)
}
}
func checkTorchSwitcher(`for` camera: AVCaptureDevice) {
if camera.iso >= 400 {
torchSwitcher.isHidden = false
} else {
torchSwitcher.isHidden = !camera.isTorchActive
}
}
// MARK: metadataObjects processing
func metadataOutput(_ output: AVCaptureMetadataOutput, didOutput metadataObjects: [AVMetadataObject], from connection: AVCaptureConnection) {
var codes: [AVMetadataMachineReadableCodeObject] = []
var faces: [AVMetadataFaceObject] = []
let layer = previewView.layer as! AVCaptureVideoPreviewLayer
for item in metadataObjects {
guard let mrc = layer.transformedMetadataObject(for: item) else {continue}
switch mrc {
case is AVMetadataMachineReadableCodeObject:
codes.append(mrc as! AVMetadataMachineReadableCodeObject)
case is AVMetadataFaceObject:
faces.append(mrc as! AVMetadataFaceObject)
default:
print(mrc)
}
}
DispatchQueue.main.async {
self.metadataView.setMetadataObjects(codes)
self.showMetadataObjects(self.metadataView.mrcObjects)
}
}
func showMetadataObjects(_ objects: [AVMetadataMachineReadableCodeObject]) {
if let resultController = self.presentedViewController as? ResultViewController {
resultController.mrcObjects = objects
resultController.reload()
resultController.animate(visible: true)
} else {
guard let resultController = storyboard?.instantiateViewController(withIdentifier: "ResultViewController") as? ResultViewController else {
return
}
resultController.mrcObjects = objects
resultController.view.frame = view.frame
present(resultController, animated: false, completion: nil)
}
}
// MARK: orientation
override func viewWillTransition(to size: CGSize, with coordinator: UIViewControllerTransitionCoordinator) {
super.viewWillTransition(to: size, with: coordinator)
let orientation = UIDevice.current.orientation
if orientation.isLandscape || orientation.isPortrait {
let layer = previewView.layer as! AVCaptureVideoPreviewLayer
if layer.connection != nil {
layer.connection?.videoOrientation = AVCaptureVideoOrientation(rawValue: orientation.rawValue)!
}
}
}
override var supportedInterfaceOrientations: UIInterfaceOrientationMask { return .all }
override var prefersStatusBarHidden: Bool { return true }
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
}
}
| c28db28575173dbb9cad816f05a0bb7e | 33.336207 | 182 | 0.638966 | false | false | false | false |
kenwilcox/EasyBrowser | refs/heads/master | EasyBrowser/ViewController.swift | mit | 1 | //
// ViewController.swift
// EasyBrowser
//
// Created by Kenneth Wilcox on 10/19/15.
// Copyright © 2015 Kenneth Wilcox. All rights reserved.
//
import UIKit
import WebKit
class ViewController: UIViewController {
var webView: WKWebView!
var progressView: UIProgressView!
var websites = ["apple.com", "loopinsight.com"]
override func loadView() {
webView = WKWebView()
webView.navigationDelegate = self
view = webView
}
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view, typically from a nib.
let url = NSURL(string: "https://" + websites[0])!
webView.loadRequest(NSURLRequest(URL: url))
webView.allowsBackForwardNavigationGestures = true
webView.addObserver(self, forKeyPath: "estimatedProgress", options: .New, context: nil)
navigationItem.rightBarButtonItem = UIBarButtonItem(title: "Open", style: .Plain, target: self, action: "openTapped")
progressView = UIProgressView(progressViewStyle: .Default) // or .Bar
progressView.sizeToFit()
let progressButton = UIBarButtonItem(customView: progressView)
let spacer = UIBarButtonItem(barButtonSystemItem: .FlexibleSpace, target: nil, action: nil)
let refresh = UIBarButtonItem(barButtonSystemItem: .Refresh, target: self, action: "refreshTapped")
toolbarItems = [progressButton, spacer, refresh]
navigationController?.toolbarHidden = false
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
func openTapped() {
let ac = UIAlertController(title: "Open page…", message: nil, preferredStyle: .ActionSheet)
for website in websites {
ac.addAction(UIAlertAction(title: website, style: .Default, handler: openPage))
}
ac.addAction(UIAlertAction(title: "Cancel", style: .Cancel, handler: nil))
if UIDevice().userInterfaceIdiom == UIUserInterfaceIdiom.Pad {
ac.modalPresentationStyle = .Popover
ac.popoverPresentationController!.barButtonItem = navigationItem.rightBarButtonItem
}
presentViewController(ac, animated: true, completion: nil)
}
func openPage(action: UIAlertAction!) {
let url = NSURL(string: "https://" + action.title!)!
UIApplication.sharedApplication().networkActivityIndicatorVisible = true
webView.loadRequest(NSURLRequest(URL: url))
}
func refreshTapped() {
UIApplication.sharedApplication().networkActivityIndicatorVisible = true
webView.reload()
}
override func observeValueForKeyPath(keyPath: String?, ofObject object: AnyObject?, change: [String : AnyObject]?, context: UnsafeMutablePointer<Void>) {
if keyPath == "estimatedProgress" {
progressView.progress = Float(webView.estimatedProgress)
}
}
}
extension ViewController: WKNavigationDelegate {
func webView(webView: WKWebView, didFinishNavigation navigation: WKNavigation!) {
title = webView.title
UIApplication.sharedApplication().networkActivityIndicatorVisible = false
progressView.progress = 0
}
func webView(webView: WKWebView, decidePolicyForNavigationAction navigationAction: WKNavigationAction, decisionHandler: (WKNavigationActionPolicy) -> Void) {
let url = navigationAction.request.URL
if let host = url!.host {
for website in websites {
if host.rangeOfString(website) != nil {
decisionHandler(.Allow)
return
}
}
}
decisionHandler(.Cancel)
}
}
| 0b459317c366e0357b1052ff704e8f68 | 33.076923 | 159 | 0.713883 | false | false | false | false |
Karumi/BothamUI | refs/heads/master | Sources/BothamStoryboard.swift | apache-2.0 | 1 | //
// Storyboard.swift
// BothamUI
//
// Created by Davide Mendolia on 03/12/15.
// Copyright © 2015 GoKarumi S.L. All rights reserved.
//
import Foundation
public struct BothamStoryboard {
private let name: String
private let bundle: Bundle
public init(name: String, bundle: Bundle = .main) {
self.name = name
self.bundle = bundle
}
public func initialViewController<T>() -> T {
let uiStoryboard = UIStoryboard(name: name, bundle: bundle)
return uiStoryboard.instantiateInitialViewController() as! T
}
public func instantiateViewController<T>(_ viewControllerIdentifier: String = String(describing: T.self)) -> T {
let uiStoryboard = UIStoryboard(name: name, bundle: bundle)
return uiStoryboard.instantiateViewController(withIdentifier: viewControllerIdentifier) as! T
}
}
| 50524e6a3b4e325eabeec30a3c54e0fd | 28.758621 | 116 | 0.690614 | false | false | false | false |
shadanan/mado | refs/heads/master | Antlr4Runtime/Sources/Antlr4/Token.swift | mit | 1 | /* Copyright (c) 2012-2017 The ANTLR Project. All rights reserved.
* Use of this file is governed by the BSD 3-clause license that
* can be found in the LICENSE.txt file in the project root.
*/
/** A token has properties: text, type, line, character position in the line
* (so we can ignore tabs), token channel, index, and source from which
* we obtained this token.
*/
public protocol Token: class, CustomStringConvertible {
//let INVALID_TYPE : Int = 0;
/** During lookahead operations, this "token" signifies we hit rule end ATN state
* and did not follow it despite needing to.
*/
//let EPSILON : Int = -2;
//let MIN_USER_TOKEN_TYPE : Int = 1;
//let EOF : Int = IntStream.EOF;
/** All tokens go to the parser (unless skip() is called in that rule)
* on a particular "channel". The parser tunes to a particular channel
* so that whitespace etc... can go to the parser on a "hidden" channel.
*/
//let DEFAULT_CHANNEL : Int = 0;
/** Anything on different channel than DEFAULT_CHANNEL is not parsed
* by parser.
*/
//let HIDDEN_CHANNEL : Int = 1;
/**
* This is the minimum constant value which can be assigned to a
* user-defined token channel.
*
* <p>
* The non-negative numbers less than {@link #MIN_USER_CHANNEL_VALUE} are
* assigned to the predefined channels {@link #DEFAULT_CHANNEL} and
* {@link #HIDDEN_CHANNEL}.</p>
*
* @see org.antlr.v4.runtime.Token#getChannel()
*/
//let MIN_USER_CHANNEL_VALUE : Int = 2;
/**
* Get the text of the token.
*/
func getText() -> String?
/** Get the token type of the token */
func getType() -> Int
/** The line number on which the 1st character of this token was matched,
* line=1..n
*/
func getLine() -> Int
/** The index of the first character of this token relative to the
* beginning of the line at which it occurs, 0..n-1
*/
func getCharPositionInLine() -> Int
/** Return the channel this token. Each token can arrive at the parser
* on a different channel, but the parser only "tunes" to a single channel.
* The parser ignores everything not on DEFAULT_CHANNEL.
*/
func getChannel() -> Int
/** An index from 0..n-1 of the token object in the input stream.
* This must be valid in order to print token streams and
* use TokenRewriteStream.
*
* Return -1 to indicate that this token was conjured up since
* it doesn't have a valid index.
*/
func getTokenIndex() -> Int
/** The starting character index of the token
* This method is optional; return -1 if not implemented.
*/
func getStartIndex() -> Int
/** The last character index of the token.
* This method is optional; return -1 if not implemented.
*/
func getStopIndex() -> Int
/** Gets the {@link org.antlr.v4.runtime.TokenSource} which created this token.
*/
func getTokenSource() -> TokenSource?
/**
* Gets the {@link org.antlr.v4.runtime.CharStream} from which this token was derived.
*/
func getInputStream() -> CharStream?
var visited: Bool { get set }
}
| 9383516617a2a0fb161446d69a6d6ea3 | 30.656863 | 90 | 0.633323 | false | false | false | false |
TouchInstinct/LeadKit | refs/heads/master | Sources/Extensions/TableKit/TableDirector/TableDirector+Extensions.swift | apache-2.0 | 1 | //
// Copyright (c) 2017 Touch Instinct
//
// 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 TableKit
public extension TableDirector {
/**
method replaces current table director's section at index and reloads it
- parameter section: new section
- parameter index: current replaced section index
- parameter reload: is reloaded after replace
- returns: self
*/
@discardableResult
func replace(section: TableSection, atIndex index: Int, reload: Bool = true) -> Self {
if index < sections.count {
remove(sectionAt: index)
}
insert(section: section, atIndex: index)
if reload {
self.reload(sectionAtIndex: index)
}
return self
}
/**
method reloads section at index with animation
- parameter index: current reloaded section index
- parameter animation: reloading animation. Default .none
- returns: self
*/
@discardableResult
func reload(sectionAtIndex index: Int, with animation: UITableView.RowAnimation = .none) -> Self {
let action = { [tableView] in
guard let tableView = tableView else {
return
}
if index < tableView.numberOfSections {
tableView.reloadSections([index], with: animation)
} else {
tableView.reloadData()
}
}
if animation == .none {
UIView.performWithoutAnimation(action)
} else {
action()
}
return self
}
/**
method replaces current table director's state with sections
- parameter sections: new sections
- returns: self
*/
@discardableResult
func replace(withSections sections: [TableSection]) -> Self {
clear().append(sections: sections).reload()
return self
}
/**
method replaces current table director's state with section
- parameter section: new section
- returns: self
*/
@discardableResult
func replace(withSection section: TableSection) -> Self {
replace(withSections: [section])
}
/**
method replaces current table director's state with rows
- parameter rows: new rows
- returns: self
*/
@discardableResult
func replace(withRows rows: [Row]) -> Self {
replace(withSection: TableSection(rows: rows))
}
/// Clear table view and reload it within empty section
func safeClear() {
clear().append(section: TableSection(onlyRows: [])).reload()
}
/// Inserts rows into table without complete reload.
///
/// - Parameters:
/// - rows: Rows to insert.
/// - indexPath: Position of first row.
/// - animation: The type of animation when rows are inserted
/// - manualBeginEndUpdates: Don't call beginUpdates() & endUpdates() inside.
func insert(rows: [Row],
at indexPath: IndexPath,
with animation: UITableView.RowAnimation,
manualBeginEndUpdates: Bool = false) {
sections[indexPath.section].insert(rows: rows, at: indexPath.row)
let indexPaths: [IndexPath] = rows.indices.map {
IndexPath(row: indexPath.row + $0, section: indexPath.section)
}
if manualBeginEndUpdates {
tableView?.insertRows(at: indexPaths, with: animation)
} else {
tableView?.beginUpdates()
tableView?.insertRows(at: indexPaths, with: animation)
tableView?.endUpdates()
}
}
/// Removes rows from table without complete reload.
///
/// - Parameters:
/// - rowsCount: Number of rows to remove.
/// - indexPath: Position of first row to remove.
/// - animation: The type of animation when rows are deleted
/// - manualBeginEndUpdates: Don't call beginUpdates() & endUpdates() inside.
func remove(rowsCount: Int,
startingAt indexPath: IndexPath,
with animation: UITableView.RowAnimation,
manualBeginEndUpdates: Bool = false) {
var indexPaths = [IndexPath]()
for index in indexPath.row ..< indexPath.row + rowsCount {
indexPaths.append(IndexPath(row: index, section: indexPath.section))
}
indexPaths.reversed().forEach {
sections[$0.section].remove(rowAt: $0.row)
}
if manualBeginEndUpdates {
tableView?.deleteRows(at: indexPaths, with: animation)
} else {
tableView?.beginUpdates()
tableView?.deleteRows(at: indexPaths, with: animation)
tableView?.endUpdates()
}
}
/// Method inserts section with animation.
///
/// - Parameters:
/// - section: Section to insert
/// - index: Position to insert
/// - animation: The type of insert animation
/// - manualBeginEndUpdates: Don't call beginUpdates() & endUpdates() inside.
/// - Returns: self
@discardableResult
func insert(section: TableSection,
at index: Int,
with animation: UITableView.RowAnimation,
manualBeginEndUpdates: Bool = false) -> Self {
insert(section: section, atIndex: index)
if manualBeginEndUpdates {
tableView?.insertSections([index], with: animation)
} else {
tableView?.beginUpdates()
tableView?.insertSections([index], with: animation)
tableView?.endUpdates()
}
return self
}
/// Method removes section with animation.
///
/// - Parameters:
/// - index: Position to remove
/// - animation: The type of remove animation
/// - manualBeginEndUpdates: Don't call beginUpdates() & endUpdates() inside.
/// - Returns: self
@discardableResult
func remove(at index: Int,
with animation: UITableView.RowAnimation,
manualBeginEndUpdates: Bool = false) -> Self {
delete(sectionAt: index)
if manualBeginEndUpdates {
tableView?.deleteSections([index], with: animation)
} else {
tableView?.beginUpdates()
tableView?.deleteSections([index], with: animation)
tableView?.endUpdates()
}
return self
}
/// Method replace section with animation.
///
/// - Parameters:
/// - section: Section to replace
/// - index: Position to replace
/// - animation: The type of replace animation
/// - manualBeginEndUpdates: Don't call beginUpdates() & endUpdates() inside.
/// - Returns: self
@discardableResult
func replace(with section: TableSection,
at index: Int,
with animation: UITableView.RowAnimation,
manualBeginEndUpdates: Bool = false) -> Self {
remove(at: index, with: animation, manualBeginEndUpdates: manualBeginEndUpdates)
return insert(section: section, at: index, with: animation, manualBeginEndUpdates: manualBeginEndUpdates)
}
}
| d9d1d1e4eb5d22f44d8d66d337724964 | 32.785124 | 113 | 0.617661 | false | false | false | false |
PeeJWeeJ/SwiftyDevice | refs/heads/master | SwiftyDevice/HardwareStringable.swift | apache-2.0 | 1 | //
// HardwareStringable.swift
// SwiftyDevice
//
// Created by Paul Fechner on 11/10/16.
// Copyright © 2016 PeeJWeeJ. All rights reserved.
// I've tried a few different ways of organizing the parsing of the device HWString and this is what I settled on.
// Although the long switches can get a tad ugly, it seems to be the best way to keep things organized and maintainable.
//
// This file includes extensions for all the Device enums from DeviceLine that adhere to HardwareStringable
// The general behavior is the types will be passed a hwString and return the related device, or .unknown
/// adherance means the type can be created from the hwString from UIDevice
protocol HardwareStringable: Equatable {
static func make(from hwString: String) -> Self
static func makeOrNil(from hwString: String) -> Self?
}
extension DeviceLine: HardwareStringable {
static func make(from hwString: String) -> DeviceLine {
if hwString.contains("86") {
return .simulator
}
else if hwString.contains("iPhone") {
return .iPhone(IPhone.make(from: hwString))
}
else if hwString.contains("iPad") {
return .iPad(IPad.make(from: hwString))
}
else if hwString.contains("iPod") {
return .iPod(IPod.make(from: hwString))
}
else if hwString.contains("Watch") {
return .watch(Watch.make(from: hwString))
}
else if hwString.contains("Apple TV") {
return .appleTV(AppleTV.make(from: hwString))
}
else if hwString.contains("Simulator") {
return .simulator
}
else {
return .unknown
}
}
static func makeOrNil(from hwString: String) -> DeviceLine? {
let result = make(from: hwString)
return (result == DeviceLine.unknown) ? nil : result
}
}
extension DeviceLine.IPhone: HardwareStringable {
static func make(from hwString: String) -> DeviceLine.IPhone {
// Cases double spaced for readibility since there is a large number of cases
switch hwString {
case "iPhone1,1":
return .iPhone1
case "iPhone1,2":
return .iPhone3G
case "iPhone2":
return .iPhone3GS
case "iPhone3,1", "iPhone3,3":
return .iPhone4
case "iPhone4":
return .iPhone4s
case "iPhone5,1", "iPhone5,2":
return .iPhone5
case "iPhone5,3", "iPhone5,4":
return .iPhone5C
case "iPhone6,1", "iPhone6,2":
return .iPhone5s
case "iPhone7,2":
return .iPhone6
case "iPhone7,1":
return .iPhone6Plus
case "iPhone8,1":
return .iPhone6s
case "iPhone8,2":
return .iPhone6sPlus
case "iPhone8,4":
return .iPhoneSE
case "iPhone9,1", "iPhone9,3":
return .iPhone7
case "iPhone9,2", "iPhone9,4":
return .iPhone7Plus
default:
return .unknown
}
}
static func makeOrNil(from hwString: String) -> DeviceLine.IPhone? {
let result = make(from: hwString)
return result == .unknown ? nil : result
}
}
extension DeviceLine.IPad: HardwareStringable {
// Cases double spaced for readibility since there is a large number of cases and a lot of multi-value cases
static func make(from hwString: String) -> DeviceLine.IPad {
switch hwString {
case "iPad1":
return .iPad1
case "iPad2,1", "iPad2,2", "iPad2,3", "iPad2,4":
return .iPad2
case "iPad2,5", "iPad2,6", "iPad2,7":
return .iPadMini1
case "iPad3,1", "iPad3,2", "iPad3,3":
return .iPad3
case "iPad3,4", "iPad3,5", "iPad3,6":
return .iPad4
case "iPad4,1", "iPad4,2", "iPad4,3":
return .iPadAir1
case "iPad4,4", "iPad4,5", "iPad4,6":
return .iPadMini2
case "iPad4,7", "iPad4,8", "iPad4,9":
return .iPadMini3
case "iPad5,1", "iPad5,2":
return .iPadMini4
case "iPad5,3", "iPad5,4":
return .iPadAir2
case "iPad6,3", "iPad6,4":
return .iPadBabyPro1
case "iPad6,7", "iPad6,8":
return .iPadPro1
default:
return .unknown
}
}
static func makeOrNil(from hwString: String) -> DeviceLine.IPad? {
let result = make(from: hwString)
return result == .unknown ? nil : result
}
}
extension DeviceLine.IPod: HardwareStringable {
static func make(from hwString: String) -> DeviceLine.IPod {
switch hwString {
case "iPod1,1":
return .iPod1
case "iPod2,1":
return .iPod2
case "iPod3,1":
return .iPod3
case "iPod4,1":
return .iPod4
case "iPod5,1":
return .iPod5
case "iPod7,1":
return .iPod6
default:
return .unknown
}
}
static func makeOrNil(from hwString: String) -> DeviceLine.IPod? {
let result = make(from: hwString)
return result == .unknown ? nil : result
}
}
extension DeviceLine.Watch: HardwareStringable {
static func make(from hwString: String) -> DeviceLine.Watch {
switch hwString {
case "Watch1,1":
return .watch0_38
case "Watch1,2":
return .watch0_42
case "Watch2,3":
return .watch2_38
case "Watch2,4":
return .watch2_42
case "Watch2,6":
return .watch1_38
case "Watch2,7":
return .watch1_42
default:
return .unknown
}
}
static func makeOrNil(from hwString: String) -> DeviceLine.Watch? {
let result = make(from: hwString)
return result == .unknown ? nil : result
}
}
extension DeviceLine.AppleTV: HardwareStringable {
static func make(from hwString: String) -> DeviceLine.AppleTV {
switch hwString {
case "AppleTV1,1":
return .appleTV1G
case "AppleTV2,1":
return .appleTV2G
case "AppleTV3,1", "AppleTV3,2":
return .appleTV3G
case "AppleTV5,3":
return .appleTV4G
default:
return .unknown
}
}
static func makeOrNil(from hwString: String) -> DeviceLine.AppleTV? {
let result = make(from: hwString)
return result == .unknown ? nil : result
}
}
extension DeviceLine: Equatable {
public static func ==(leftItem: DeviceLine, rightItem: DeviceLine) -> Bool {
switch (leftItem, rightItem) {
case (.unknown, .unknown), (.simulator, simulator):
return true
case (.iPhone(let left), iPhone(let right)):
return left == right
case (.iPad(let left), iPad(let right)):
return left == right
case (.iPod(let left), iPod(let right)):
return left == right
case (.watch(let left), watch(let right)):
return left == right
case (.appleTV(let left), appleTV(let right)):
return left == right
default:
return false
}
}
}
/// This allows RawRepresentable types (enums are what's important here) to adhere to Comparable without having to re-implement any methods.
/// fileprivate because it could clash with other extensions or create undesired effects.
fileprivate extension RawRepresentable where RawValue: Comparable {
static func <(lessThan: Self, item: Self) -> Bool {
return lessThan.rawValue < item.rawValue
}
static func ==(leftItem: Self, rightItem: Self) -> Bool {
return leftItem.rawValue == rightItem.rawValue
}
}
| 497d45ef7bac89b9c41d11d82b2d31ac | 22.242105 | 140 | 0.683273 | false | false | false | false |
y-hryk/MVVM_Demo | refs/heads/master | Demo/SampleViewController.swift | mit | 1 | //
// SampleViewController.swift
// Demo
//
// Created by yamaguchi on 2016/09/17.
// Copyright © 2016年 h.yamaguchi. All rights reserved.
//
import UIKit
class SampleViewController: UITableViewController {
let datas = ["TextField Bind"]
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
}
override func viewDidLoad() {
super.viewDidLoad()
self.tableView.register(UITableViewCell.self, forCellReuseIdentifier: "reuseIdentifier")
}
// MARK: - Table view data source
override func numberOfSections(in tableView: UITableView) -> Int {
return 1
}
override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return datas.count
}
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: "reuseIdentifier", for: indexPath)
cell.textLabel?.text = datas[indexPath.row]
return cell
}
override func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
tableView.deselectRow(at: indexPath, animated: true)
if indexPath.row == 0 {
let vc = TextFieldBindViewController()
self.navigationController?.pushViewController(vc, animated: true)
}
}
}
| 10eb69f0519ff73ff67583527ce1c19a | 27.019608 | 109 | 0.6676 | false | false | false | false |
algolia/algolia-swift-demo | refs/heads/master | Source/ActorCell.swift | mit | 1 | //
// Copyright (c) 2016 Algolia
// http://www.algolia.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 UIKit
/// A collection view displaying a movie.
///
class ActorCell: UITableViewCell {
@IBOutlet weak var portraitImageView: UIImageView!
@IBOutlet weak var nameLabel: UILabel!
static let placeholder = UIImage(named: "placeholder")!
override init(style: UITableViewCellStyle, reuseIdentifier: String?) {
super.init(style: style, reuseIdentifier: reuseIdentifier)
}
required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
}
override func awakeFromNib() {
portraitImageView.layer.cornerRadius = portraitImageView.frame.height / 2
portraitImageView.layer.masksToBounds = true
}
var actor: Actor? {
didSet {
nameLabel.highlightedText = actor?.name_highlighted
if let url = actor?.imageUrl {
portraitImageView.setImageWith(url, placeholderImage: ActorCell.placeholder)
} else {
portraitImageView.cancelImageDownloadTask()
portraitImageView.image = ActorCell.placeholder
}
}
}
}
| 549154a3e676c6586a3dc1456fa97c89 | 37.322034 | 92 | 0.697479 | false | false | false | false |
narner/AudioKit | refs/heads/master | AudioKit/Common/Operations/AKOperation.swift | mit | 1 | //
// AKComputedParameter.swift
// AudioKit
//
// Created by Aurelius Prochazka, revision history on Github.
// Copyright © 2017 Aurelius Prochazka. All rights reserved.
//
/// A computed parameter differs from a regular parameter in that it only exists within an operation
/// (unlike float, doubles, and ints which have a value outside of an operation)
public protocol AKComputedParameter: AKParameter {}
/// An AKOperation is a computed parameter that can be passed to other operations in the same operation node
open class AKOperation: AKComputedParameter {
// MARK: - Dependency Management
fileprivate var inputs = [AKParameter]()
internal var savedLocation = -1
fileprivate var dependencies = [AKOperation]()
internal var recursiveDependencies: [AKOperation] {
var all = [AKOperation]()
var uniq = [AKOperation]()
var added = Set<String>()
for dep in dependencies {
all += dep.recursiveDependencies
all.append(dep)
}
for elem in all {
if ❗️added.contains(elem.inlineSporth) {
uniq.append(elem)
added.insert(elem.inlineSporth)
}
}
return uniq
}
// MARK: - String Representations
fileprivate var valueText = ""
internal var setupSporth = ""
fileprivate var module = ""
internal var inlineSporth: String {
if valueText != "" {
return valueText
}
var opString = ""
for input in inputs {
if type(of: input) == AKOperation.self {
if let operation = input as? AKOperation {
if operation.savedLocation >= 0 {
opString += "\(operation.savedLocation) \"ak\" tget "
} else {
opString += operation.inlineSporth
}
}
} else {
opString += "\(input) "
}
}
opString += "\(module) "
return opString
}
/// Final sporth string when this operation is the last operation in the stack
internal var sporth: String {
let rd = recursiveDependencies
var str = ""
if rd.isNotEmpty {
str = "\"ak\" \""
for _ in rd {
str += "0 "
}
str += "\" gen_vals \n"
var counter = 0
for op in rd {
op.savedLocation = counter
str += "\(op.setupSporth) \n"
str += "\(op.inlineSporth) \(op.savedLocation) \"ak\" tset\n"
counter += 1
}
}
str += "\(setupSporth) \n"
str += "\(inlineSporth) \n"
return str
}
/// Redefining description to return the operation string
open var description: String {
return inlineSporth
}
// MARK: - Inputs
/// Left input to any stereo operation
open static var leftInput = AKOperation("(14 p) ")
/// Right input to any stereo operation
open static var rightInput = AKOperation("(15 p) ")
/// Dummy trigger
open static var trigger = AKOperation("(0 p) ")
// MARK: - Functions
/// An= array of 14 parameters which may be sent to operations
open static var parameters: [AKOperation] =
[AKOperation("(0 p) "),
AKOperation("(1 p) "),
AKOperation("(2 p) "),
AKOperation("(3 p) "),
AKOperation("(4 p) "),
AKOperation("(5 p) "),
AKOperation("(6 p) "),
AKOperation("(7 p) "),
AKOperation("(8 p) "),
AKOperation("(9 p) "),
AKOperation("(10 p) "),
AKOperation("(11 p) "),
AKOperation("(12 p) "),
AKOperation("(13 p) ")]
/// Convert the operation to a mono operation
open func toMono() -> AKOperation {
return self
}
/// Performs absolute value on the operation
open func abs() -> AKOperation {
return AKOperation(module: "abs", inputs: self)
}
/// Performs floor calculation on the operation
open func floor() -> AKOperation {
return AKOperation(module: "floor", inputs: self)
}
/// Returns the fractional part of the operation (as opposed to the integer part)
open func fract() -> AKOperation {
return AKOperation(module: "frac", inputs: self)
}
/// Performs natural logarithm on the operation
open func log() -> AKOperation {
return AKOperation(module: "log", inputs: self)
}
/// Performs Base 10 logarithm on the operation
open func log10() -> AKOperation {
return AKOperation(module: "log10", inputs: self)
}
/// Rounds the operation to the nearest integer
open func round() -> AKOperation {
return AKOperation(module: "round", inputs: self)
}
/// Returns a frequency for a given MIDI note number
open func midiNoteToFrequency() -> AKOperation {
return AKOperation(module: "mtof", inputs: self)
}
// MARK: - Initialization
/// Initialize the operation as a constant value
///
/// - parameter value: Constant value as an operation
///
public init(_ value: Double) {
self.valueText = "\(value)"
}
init(global: String) {
self.valueText = global
}
/// Initialize the operation with a Sporth string
///
/// - parameter operationString: Valid Sporth string (proceed with caution
///
public init(_ operationString: String) {
self.valueText = operationString
//self.tableIndex = -1 //AKOperation.nextTableIndex
//AKOperation.nextTableIndex += 1
//AKOperation.operationArray.append(self)
}
/// Initialize the operation
///
/// - parameter module: Sporth unit generator
/// - parameter setup: Any setup Sporth code that this operation may require
/// - parameter inputs: All the parameters of the operation
///
public init(module: String, setup: String = "", inputs: AKParameter...) {
self.module = module
self.setupSporth = setup
self.inputs = inputs
for input in inputs {
if type(of: input) == AKOperation.self {
if let forcedInput = input as? AKOperation {
dependencies.append(forcedInput)
}
}
}
}
}
// MARK: - Global Functions
/// Performs absolute value on the operation
///
/// - parameter parameter: AKComputedParameter to operate on
///
public func abs(_ parameter: AKOperation) -> AKOperation {
return parameter.abs()
}
/// Performs floor calculation on the operation
///
/// - parameter operation: AKComputedParameter to operate on
///
public func floor(_ operation: AKOperation) -> AKOperation {
return operation.floor()
}
/// Returns the fractional part of the operation (as opposed to the integer part)
///
/// - parameter operation: AKComputedParameter to operate on
///
public func fract(_ operation: AKOperation) -> AKOperation {
return operation.fract()
}
/// Performs natural logarithm on the operation
///
/// - parameter operation: AKComputedParameter to operate on
///
public func log(_ operation: AKOperation) -> AKOperation {
return operation.log()
}
/// Performs Base 10 logarithm on the operation
///
/// - parmeter operation: AKComputedParameter to operate on
///
public func log10(_ operation: AKOperation) -> AKOperation {
return operation.log10()
}
/// Rounds the operation to the nearest integer
///
/// - parameter operation: AKComputedParameter to operate on
///
public func round(_ operation: AKOperation) -> AKOperation {
return operation.round()
}
| 1757793eb43af8be8553b9963e9e2fbf | 28.003759 | 108 | 0.592353 | false | false | false | false |
kingiol/KDInfiniteView | refs/heads/master | KDInfiniteView/KDInfiniteView.swift | mit | 1 | //
// KDInfiniteView.swift
// KDInfiniteView
//
// Created by Kingiol on 15/12/16.
// Copyright © 2015年 Kingiol. All rights reserved.
//
import UIKit
@objc public protocol KDInfiniteViewDataSource : NSObjectProtocol {
optional func numberOfPagesInKDInfiniteView(infiniteView: KDInfiniteView) -> Int // Default is 1 if not implemented
func kdInfiniteView(kdInfiniteView: KDInfiniteView, cellForPage page: Int) -> KDInfiniteViewCell
}
@objc public protocol KDInfiniteViewDelegate : NSObjectProtocol {
optional func kdInfiniteView(kdInfiniteView: KDInfiniteView, didSelectAtPage page: Int)
optional func kdInfiniteView(kdInfiniteView: KDInfiniteView, didScrollFromPage fromPage: Int, toPage: Int)
}
public class KDInfiniteViewCell: UIView {
public var kdInfiniteViewCellIdentifier: String!
}
public class KDInfiniteView: UIView {
private let numberOfVisiblePages = 3
weak public var dataSource: KDInfiniteViewDataSource?
weak public var delegate: KDInfiniteViewDelegate?
public var numberOfPages = 1
public var autoScrollInterval: NSTimeInterval = 5
var visiblePages = [KDInfiniteViewCell]()
var resueablePages = [KDInfiniteViewCell]()
lazy var scrollView: UIScrollView = {
let s = UIScrollView()
s.pagingEnabled = true
s.scrollsToTop = false
s.showsHorizontalScrollIndicator = false
s.showsVerticalScrollIndicator = false
return s
}()
override init(frame: CGRect) {
super.init(frame: frame)
self.initialize()
}
public required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
self.initialize()
}
public func registerClass(cellClass: AnyClass?, forCellReuseIdentifier identifier: String) {
}
public func reloadData() {
}
public override func didMoveToSuperview() {
super.didMoveToSuperview()
reloadData()
}
private func initialize() {
autoScrollInterval = 5
addSubview(scrollView)
NSLayoutConstraint(item: scrollView, attribute: .Leading, relatedBy: .Equal, toItem: self, attribute: .Leading, multiplier: 1.0, constant: 0.0).active = true
NSLayoutConstraint(item: scrollView, attribute: .Top, relatedBy: .Equal, toItem: self, attribute: .Top, multiplier: 1.0, constant: 0.0).active = true
NSLayoutConstraint(item: scrollView, attribute: .Trailing, relatedBy: .Equal, toItem: self, attribute: .Trailing, multiplier: 1.0, constant: 0.0).active = true
NSLayoutConstraint(item: scrollView, attribute: .Bottom, relatedBy: .Equal, toItem: self, attribute: .Bottom, multiplier: 1.0, constant: 0.0).active = true
}
}
| 06969cd99b8d05840a111e448365eac2 | 31.694118 | 167 | 0.689097 | false | false | false | false |
AlesTsurko/DNMKit | refs/heads/master | DNM_iOS/DNM_iOS/BGStratum.swift | gpl-2.0 | 1 | //
// BGStratum.swift
// denm_view
//
// Created by James Bean on 8/23/15.
// Copyright © 2015 James Bean. All rights reserved.
//
import UIKit
import DNMModel
// clean up, add documentation
public class BGStratum: ViewNode, BuildPattern {
public override var description: String { get { return getDescription() } }
private func getDescription() -> String {
var description: String = "BGStratum"
description += ": StemDirection: \(stemDirection)"
return description
}
// this is temporary!!
public var id: String? {
get { if iIDsByPID.count == 1 { return iIDsByPID.first!.0 }; return nil }
}
public var system: SystemLayer? // temp
public var g: CGFloat = 12
public var s: CGFloat = 1
public var gS: CGFloat { get { return g * s } }
public var stemDirection: StemDirection = .Down
public var beatWidth: CGFloat = 0
public var isMetrical: Bool?
public var isNumerical: Bool?
public var beamEndY: CGFloat { get { return getBeamEndY() } }
public var hasBeenBuilt: Bool = false
public var beamGroups: [BeamGroup] = []
public var bgEvents: [BGEvent] { get { return getBGEvents() } }
public var deNode: DENode?
public var saNodeByType: [ArticulationType : SANode] = [:]
public var beamsLayerGroup: BeamsLayerGroup?
public var tbGroupAtDepth: [Int : TBGroup] = [:]
public var tbLigaturesAtDepth: [Int : [TBLigature]] = [:]
public var augmentationDots: [AugmentationDot] = []
public var instrumentIDsByPerformerID: [String: [String]] { return getIIDsByPID() }
// deprecate
// make verbose title at some point: instrumentsIDsByPerformerID
public var iIDsByPID: [String: [String]] { get { return getIIDsByPID() } }
public init(stemDirection: StemDirection = .Down, g: CGFloat = 12, s: CGFloat = 1) {
super.init()
self.stemDirection = stemDirection
self.g = g
self.s = s
layoutAccumulation_vertical = stemDirection == .Down ? .Top : .Bottom
}
public required init?(coder aDecoder: NSCoder) { super.init(coder: aDecoder) }
public override init(layer: AnyObject) { super.init(layer: layer) }
public func showTBGroupAtDepth(depth: Int) {
// something
}
public func hideTBGRoupAtDepth(depth: Int) {
}
public func commitDENode() {
if deNode != nil {
addNode(deNode!)
deNode!.layout()
}
}
private func createSANodes() {
}
private func ensureDENode() {
if deNode == nil {
deNode = DENode(left: 0, top: 0, height: 0.5 * beamGroups.first!.g)
deNode!.pad_bottom = 0.5 * g
deNode!.pad_top = 0.5 * g
}
}
private func addAugmentationDotsToDENode() {
guard let deNode = deNode else { return }
let augDotPad = g
// set amount of of augmentation dots... (2 for 7, 3 and so on)
for bgEvent in bgEvents {
if bgEvent.hasAugmentationDot {
let x = bgEvent.x_objective!
bgEvent.augmentationDot = deNode.addAugmentationDotAtX(x + augDotPad)
}
}
}
private func addDurationalExtensionsToDENode() {
guard let deNode = deNode else { return }
let pad = 0.618 * g
for e in 0..<bgEvents.count {
let curEvent = bgEvents[e]
// first event
if e == 0 {
if curEvent.stopsExtension {
let start: CGFloat = -2 * pad
let stop = curEvent.x_objective! - pad
deNode.addDurationalExtensionFromLeft(start, toRight: stop)
}
}
else {
let prevEvent = bgEvents[e - 1]
if curEvent.stopsExtension {
let x = prevEvent.augmentationDot?.frame.maxX ?? prevEvent.x_objective!
let start = x + pad
let stop = curEvent.x_objective! - pad // refine
deNode.addDurationalExtensionFromLeft(start, toRight: stop)
}
// last event
if e == bgEvents.count - 1 {
if curEvent.startsExtension {
let start_x = curEvent.augmentationDot?.frame.maxX ?? curEvent.x_objective!
let start = start_x + pad
let stop_x = system?.frame.width ?? UIScreen.mainScreen().bounds.width
let stop = stop_x + 2 * pad
deNode.addDurationalExtensionFromLeft(start, toRight: stop)
}
}
}
}
}
private func createDENode() {
ensureDENode()
addAugmentationDotsToDENode()
addDurationalExtensionsToDENode()
commitDENode()
layout()
}
public override func layout() {
super.layout()
// manage LIGATURES
/*
for (level, tbLigatures) in tbLigaturesAtDepth {
let beamEndY = stemDirection == .Down
? beamsLayerGroup!.frame.minY
: beamsLayerGroup!.frame.maxY
let bracketEndY = tbGroupAtDepth[level]!.position.y
for tbLigature in tbLigatures {
addSublayer(tbLigature)
tbLigature.setBeamEndY(beamEndY, andBracketEndY: bracketEndY)
}
}
*/
//uiView?.setFrame()
}
public func addBeamGroupWithDurationNode(durationNode: DurationNode, atX x: CGFloat) {
let beamGroup = BeamGroup(durationNode: durationNode, left: x)
beamGroup.beatWidth = beatWidth
beamGroups.append(beamGroup)
}
// make private
public func buildBeamGroups() {
for beamGroup in beamGroups {
beamGroup.g = g
beamGroup.s = s
beamGroup.stemDirection = stemDirection
if !beamGroup.hasBeenBuilt { beamGroup.build() }
}
}
// make private
public func commitBeamGroups() {
buildBeamGroups()
handOffBeamGroups()
}
private func handOffBeamGroups() {
for beamGroup in beamGroups { handOffBeamGroup(beamGroup) }
}
public func handOffTupletBracketGroupsFromBeamGroup(beamGroup: BeamGroup) {
for (depth, tbGroup) in beamGroup.tbGroupAtDepth {
addTBGroup(tbGroup, atDepth: depth)
}
}
public func handOffBeamGroup(beamGroup: BeamGroup) {
guard beamGroup.hasBeenBuilt else { return }
handOffTupletBracketGroupsFromBeamGroup(beamGroup)
ensureBeamsLayerGroup()
beamGroup.beamsLayerGroup!.layout()
beamGroup.bgStratum = self
beamsLayerGroup!.addNode(beamGroup.beamsLayerGroup!)
}
// THIS IS BEING REFACTORED OUT
/*
private func addMGNode(mgNode: MGNode, atDepth depth: Int) {
ensuremgNodeAtDepth(depth)
mgNodeAtDepth[depth]?.addNode(mgNode)
}
*/
private func ensureBeamsLayerGroup() {
if beamsLayerGroup == nil {
beamsLayerGroup = BeamsLayerGroup(stemDirection: stemDirection)
beamsLayerGroup!.pad_bottom = 6 // hack
beamsLayerGroup!.pad_top = 6 // hack
}
}
private func commitTBGroups() {
let tbGroupsSorted: [TBGroup] = makeSortedTBGroups()
for tbGroup in tbGroupsSorted { addNode(tbGroup) }
}
private func commitBeamsLayerGroup() {
addNode(beamsLayerGroup!)
}
public func build() {
buildBeamGroups()
commitBeamGroups()
commitTBGroups()
commitBeamsLayerGroup()
createDENode()
createSANodes()
layout()
hasBeenBuilt = true
}
// THESE ARE BEING REFACTORED OUT ------------------------------------------------------->
/*
private func makeSortedMGNodes() -> [MGNode] {
var mggs: [MGNode] = []
var mggsByDepth: [(Int, MGNode)] = []
for (depth, mgg) in mgNodeAtDepth {
mggsByDepth.append((depth, mgg))
}
mggsByDepth.sortInPlace { $0.0 < $1.0 }
for mgg in mggsByDepth { mggs.append(mgg.1) }
return mggs
}
*/
/*
public func addTestStems() {
for event in bgEvents {
let x = event.x + event.bgContainer!.left + event.bgContainer!.beamGroup!.left
let stem = Stem(x: x, beamEndY: beamsLayerGroup!.frame.minY, infoEndY: 100) // hack
stem.lineWidth = 0.0618 * beamGroups.first!.g // hack
let hue = HueByTupletDepth[event.bgContainer!.depth]
stem.strokeColor = UIColor.colorWithHue(hue, andDepthOfField: .Foreground).CGColor
addSublayer(stem)
}
}
*/
private func makeSortedTBGroups() -> [TBGroup] {
var tbgs: [TBGroup] = []
var tbgsByDepth: [(Int, TBGroup)] = []
for (depth, tbg) in tbGroupAtDepth { tbgsByDepth.append((depth, tbg)) }
tbgsByDepth.sortInPlace { $0.0 < $1.0 }
for tbg in tbgsByDepth { tbgs.append(tbg.1) }
return tbgs
}
private func addTBGroup(tbGroup: TBGroup, atDepth depth: Int ) {
ensureTupletBracketGroupAtDepth(depth)
tbGroupAtDepth[depth]?.addNode(tbGroup)
}
// THIS IS BEING REFACTORED OUT --------------------------------------------------------->
/*
private func ensuremgNodeAtDepth(depth: Int) {
if mgNodeAtDepth[depth] == nil {
mgNodeAtDepth[depth] = MGNode()
mgNodeAtDepth[depth]!.depth = depth
// TO-DO: PAD
//mgNodeAtDepth[depth]!.pad.bottom = 5
}
}
*/
private func ensureTupletBracketGroupAtDepth(depth: Int) {
if tbGroupAtDepth[depth] == nil {
tbGroupAtDepth[depth] = TBGroup()
tbGroupAtDepth[depth]!.pad_bottom = 3 // hack
tbGroupAtDepth[depth]!.pad_top = 3 // hack
tbGroupAtDepth[depth]!.depth = depth
tbGroupAtDepth[depth]!.bgStratum = self
}
}
private func getBGEvents() -> [BGEvent] {
var bgEvents: [BGEvent] = []
for beamGroup in beamGroups {
bgEvents.appendContentsOf(beamGroup.bgEvents)
}
for bgEvent in bgEvents { bgEvent.bgStratum = self }
bgEvents.sortInPlace { $0.x_inBGStratum! < $1.x_inBGStratum! }
return bgEvents
}
private func getPad_below() -> CGFloat {
// refine
return stemDirection == .Down ? 0.0618 * frame.height : 0.0618 * frame.height
}
private func getPad_above() -> CGFloat {
// refine
return stemDirection == .Down ? 0.0618 * frame.height : 0.0618 * frame.height
}
private func getBeamEndY() -> CGFloat {
if beamsLayerGroup != nil {
return stemDirection == .Up ? beamsLayerGroup!.frame.height : 0
}
else { return 0 }
}
private func getIIDsByPID() -> [String : [String]] {
var iIDsByPID: [String : [String]] = [:]
for beamGroup in beamGroups {
if let durationNode = beamGroup.durationNode {
let bg_iIDsByPID = durationNode.instrumentIDsByPerformerID
for (pid, iids) in bg_iIDsByPID {
if iIDsByPID[pid] == nil {
iIDsByPID[pid] = iids
}
else {
iIDsByPID[pid]!.appendContentsOf(iids)
iIDsByPID[pid] = iIDsByPID[pid]!.unique()
}
}
}
}
return iIDsByPID
}
// THESE ARE BEING REFACTORED OUT ------------------------------------------------------->
/*
public func switchMGNodeAtDepth(depth: Int) {
if !hasNode(mgNodeAtDepth[depth]!) { showMGNodeAtDepth(depth) }
else { hideMGNodeAtDepth(depth) }
}
*/
/*
public func showMGNodeAtDepth(depth: Int) {
let mgNode = mgNodeAtDepth[depth]
if mgNode == nil { return }
let tbGroup = tbGroupAtDepth[depth]
if tbGroup == nil { return }
if !hasNode(mgNode!) { insertNode(mgNode!, afterNode: tbGroup!) }
//layout()
//container?.layout()
print("showMGNodeAtDepth")
print("bgStratum.container: \(container)")
}
public func hideMGNodeAtDepth(depth: Int) {
let mgNode = mgNodeAtDepth[depth]
if mgNode == nil { return }
removeNode(mgNode!)
//layout()
//container?.layout()
}
*/
// <--------------------------------------------------------------------------------------
}
| 3f80799753b593451e24886d5ec73c12 | 31.175879 | 99 | 0.555677 | false | false | false | false |
michael-lehew/swift-corelibs-foundation | refs/heads/master | Foundation/NSXMLDTD.swift | apache-2.0 | 2 | // This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2016 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See http://swift.org/LICENSE.txt for license information
// See http://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
import CoreFoundation
/*!
@class NSXMLDTD
@abstract Defines the order, repetition, and allowable values for a document
*/
open class XMLDTD : XMLNode {
internal var _xmlDTD: _CFXMLDTDPtr {
return _CFXMLDTDPtr(_xmlNode)
}
public init() {
NSUnimplemented()
}
public convenience init(contentsOf url: URL, options: Options = []) throws {
let urlString = url.absoluteString
guard let node = _CFXMLParseDTD(urlString) else {
//TODO: throw error
fatalError("parsing dtd string failed")
}
self.init(ptr: node)
}
public convenience init(data: Data, options: Options = []) throws {
var unmanagedError: Unmanaged<CFError>? = nil
guard let node = _CFXMLParseDTDFromData(data._cfObject, &unmanagedError) else {
if let error = unmanagedError?.takeRetainedValue()._nsObject {
throw error
}
//TODO: throw a generic error?
fatalError("parsing dtd from data failed")
}
self.init(ptr: node)
}
/*!
@method openID
@abstract Sets the open id. This identifier should be in the default catalog in /etc/xml/catalog or in a path specified by the environment variable XML_CATALOG_FILES. When the public id is set the system id must also be set.
*/
open var publicID: String? {
get {
return _CFXMLDTDExternalID(_xmlDTD)?._swiftObject
}
set {
if let value = newValue {
_CFXMLDTDSetExternalID(_xmlDTD, value)
} else {
_CFXMLDTDSetExternalID(_xmlDTD, nil)
}
}
}
/*!
@method systemID
@abstract Sets the system id. This should be a URL that points to a valid DTD.
*/
open var systemID: String? {
get {
return _CFXMLDTDSystemID(_xmlDTD)?._swiftObject
}
set {
if let value = newValue {
_CFXMLDTDSetSystemID(_xmlDTD, value)
} else {
_CFXMLDTDSetSystemID(_xmlDTD, nil)
}
}
}
/*!
@method insertChild:atIndex:
@abstract Inserts a child at a particular index.
*/
open func insertChild(_ child: XMLNode, at index: Int) {
_insertChild(child, atIndex: index)
} //primitive
/*!
@method insertChildren:atIndex:
@abstract Insert several children at a particular index.
*/
open func insertChildren(_ children: [XMLNode], at index: Int) {
_insertChildren(children, atIndex: index)
}
/*!
@method removeChildAtIndex:
@abstract Removes a child at a particular index.
*/
open func removeChild(at index: Int) {
_removeChildAtIndex(index)
} //primitive
/*!
@method setChildren:
@abstract Removes all existing children and replaces them with the new children. Set children to nil to simply remove all children.
*/
open func setChildren(_ children: [XMLNode]?) {
_setChildren(children)
} //primitive
/*!
@method addChild:
@abstract Adds a child to the end of the existing children.
*/
open func addChild(_ child: XMLNode) {
_addChild(child)
}
/*!
@method replaceChildAtIndex:withNode:
@abstract Replaces a child at a particular index with another child.
*/
open func replaceChild(at index: Int, with node: XMLNode) {
_replaceChildAtIndex(index, withNode: node)
}
/*!
@method entityDeclarationForName:
@abstract Returns the entity declaration matching this name.
*/
open func entityDeclaration(forName name: String) -> XMLDTDNode? {
guard let node = _CFXMLDTDGetEntityDesc(_xmlDTD, name) else { return nil }
return XMLDTDNode._objectNodeForNode(node)
} //primitive
/*!
@method notationDeclarationForName:
@abstract Returns the notation declaration matching this name.
*/
open func notationDeclaration(forName name: String) -> XMLDTDNode? {
guard let node = _CFXMLDTDGetNotationDesc(_xmlDTD, name) else { return nil }
return XMLDTDNode._objectNodeForNode(node)
} //primitive
/*!
@method elementDeclarationForName:
@abstract Returns the element declaration matching this name.
*/
open func elementDeclaration(forName name: String) -> XMLDTDNode? {
guard let node = _CFXMLDTDGetElementDesc(_xmlDTD, name) else { return nil }
return XMLDTDNode._objectNodeForNode(node)
} //primitive
/*!
@method attributeDeclarationForName:
@abstract Returns the attribute declaration matching this name.
*/
open func attributeDeclaration(forName name: String, elementName: String) -> XMLDTDNode? {
guard let node = _CFXMLDTDGetAttributeDesc(_xmlDTD, elementName, name) else { return nil }
return XMLDTDNode._objectNodeForNode(node)
} //primitive
/*!
@method predefinedEntityDeclarationForName:
@abstract Returns the predefined entity declaration matching this name.
@discussion The five predefined entities are
<ul><li>&lt; - <</li><li>&gt; - ></li><li>&amp; - &</li><li>&quot; - "</li><li>&apos; - &</li></ul>
*/
open class func predefinedEntityDeclaration(forName name: String) -> XMLDTDNode? {
guard let node = _CFXMLDTDGetPredefinedEntity(name) else { return nil }
return XMLDTDNode._objectNodeForNode(node)
}
internal override class func _objectNodeForNode(_ node: _CFXMLNodePtr) -> XMLDTD {
precondition(_CFXMLNodeGetType(node) == _kCFXMLTypeDTD)
if let privateData = _CFXMLNodeGetPrivateData(node) {
return XMLDTD.unretainedReference(privateData)
}
return XMLDTD(ptr: node)
}
internal override init(ptr: _CFXMLNodePtr) {
super.init(ptr: ptr)
}
}
| e4f454c0b60b9150fabcb78990f2bbc2 | 31.974359 | 232 | 0.619751 | false | false | false | false |
PeteShearer/SwiftNinja | refs/heads/master | 012-Intro to Protocols/Lesson 012 - Protocols.playground/Contents.swift | bsd-2-clause | 1 | /*
// Protocols can act like interfaces in other languages
protocol Car {
}
class Camry: Car {
}
var genericCar: Car
genericCar = Camry()
print (genericCar) // <-- Prints Camry
*/
protocol Car {
var numberOfCylinders: Int {get}
var color: String {get set}
}
/*
// If we leave this blank, we get errors
class Camry: Car {
}
// error: type 'Camry' does not conform to protocol 'Car'
// note: protocol requires property 'numberOfCylinders' with type 'Int'
// note: protocol requires property 'color' with type 'String'
*/
// Instead, we have to define "the minimum"
class Camry: Car {
var numberOfCylinders: Int { return 6 }
var color: String
init(color: String) {
self.color = color
}
}
var genericCar: Car
genericCar = Camry(color: "Black")
print(genericCar.color) // <-- Prints Black
// We can add Protocols to classes we don't even own retroactively!!!
protocol BiggieSize {
var doubleUp: String {get}
}
extension String: BiggieSize {
var doubleUp: String {
return "\(self)\(self)"
}
}
func usingAProtocolAsAParameter(input: BiggieSize) {
print(input.doubleUp)
}
usingAProtocolAsAParameter(input: "Pete") // <-- prints PetePete
protocol A {
var foo: String {get set}
func talk() -> Void
}
protocol B {
var bar: String {get set}
func talkAlso() -> Void
}
func demonstrateIntersection(input: A & B) -> Void {
input.talk()
input.talkAlso()
}
class onlyHasA: A {
var foo: String = ""
init(foo: String) {
self.foo = foo
}
func talk() -> Void {
print(self.foo)
}
}
class onlyHasB: B {
var bar: String = ""
init(bar: String) {
self.bar = bar
}
func talkAlso() -> Void {
print(self.bar)
}
}
class hasBoth: A, B {
var foo: String = ""
var bar: String = ""
init(foo: String, bar: String) {
self.foo = foo
self.bar = bar
}
func talk() -> Void {
print(foo)
}
func talkAlso() -> Void {
print(bar)
}
}
var aVariable = onlyHasA(foo: "FOOO!")
var bVariable = onlyHasB(bar: "BARRRRR!")
var bothVariable = hasBoth(foo: "FOOOO!", bar: "BARRRR!")
// error: argument type 'onlyHasA' does not conform to expected type 'protocol<A, B>'
// demonstrateIntersection(aVariable)
// error: argument type 'onlyHasB' does not conform to expected type 'protocol<A, B>'
// demonstrateIntersection(bVariable)
demonstrateIntersection(input: bothVariable) // <-- WORKS!
| c2a5511f0e185b182bc293447a28b7c9 | 17.427536 | 85 | 0.614628 | false | false | false | false |
robconrad/fledger-common | refs/heads/master | FledgerCommon/services/models/item/Item.swift | mit | 1 | //
// Item.swift
// fledger-ios
//
// Created by Robert Conrad on 4/9/15.
// Copyright (c) 2015 TwoSpec Inc. All rights reserved.
//
import Foundation
import SQLite
#if os(iOS)
import Parse
#elseif os(OSX)
import ParseOSX
#endif
public func ==(a: Item, b: Item) -> Bool {
let x = a.id == b.id
&& a.accountId == b.accountId
&& a.typeId == b.typeId
&& a.locationId == b.locationId
let y = a.locationId == b.locationId
&& a.amount == b.amount
&& a.date == b.date
&& a.comments == b.comments
return x && y
}
public class Item: Model, PFModel, SqlModel, CustomStringConvertible {
public let modelType = ModelType.Item
public let id: Int64?
public let accountId: Int64
public let typeId: Int64
public let locationId: Int64?
public let amount: Double
public let date: NSDate
public let comments: String
let pf: PFObject?
public var description: String {
return "Item(id: \(id), accountId: \(accountId), typeId: \(typeId), locationId: \(locationId), amount: \(amount), date: \(date), comments: \(comments), pf: \(pf))"
}
public required init(id: Int64?, accountId: Int64, typeId: Int64, locationId: Int64?, amount: Double, date: NSDate, comments: String, pf: PFObject? = nil) {
self.id = id
self.accountId = accountId
self.typeId = typeId
self.locationId = locationId
self.amount = amount
self.date = date
self.comments = comments
self.pf = pf
}
convenience init(row: Row) {
self.init(
id: row.get(DatabaseSvc().items[Fields.id]),
accountId: row.get(Fields.accountId),
typeId: row.get(Fields.typeId),
locationId: row.get(Fields.locationId),
amount: row.get(Fields.amount),
date: row.get(Fields.date),
comments: row.get(Fields.comments))
}
convenience init(pf: PFObject) {
self.init(
id: pf.objectId.flatMap { ParseSvc().withParseId($0, ModelType.Item) }?.modelId,
accountId: ParseSvc().withParseId(pf["accountId"] as! String, ModelType.Account)!.modelId,
typeId: ParseSvc().withParseId(pf["typeId"] as! String, ModelType.Typ)!.modelId,
locationId: (pf["locationId"] as? String).map { ParseSvc().withParseId($0, ModelType.Location)!.modelId },
amount: pf["amount"] as! Double,
date: pf["date"] as! NSDate,
comments: pf["comments"] as! String,
pf: pf)
}
func toSetters() -> [Setter] {
return [
Fields.accountId <- accountId,
Fields.typeId <- typeId,
Fields.locationId <- locationId,
Fields.amount <- amount,
Fields.date <- date,
Fields.comments <- comments
]
}
func toPFObject() -> PFObject? {
if let parseAccountId = account().parse()!.parseId, parseTypeId = type().parse()!.parseId {
let myLocation = location()
let parseLocationId = myLocation.flatMap { $0.parse()!.parseId }
if myLocation != nil && parseLocationId == nil {
return nil
}
let npf = PFObject(withoutDataWithClassName: modelType.rawValue, objectId: pf?.objectId ?? parse()?.parseId)
npf["accountId"] = parseAccountId
npf["typeId"] = parseTypeId
npf["locationId"] = parseLocationId ?? NSNull()
npf["amount"] = amount
npf["date"] = date
npf["comments"] = comments
return npf
}
return nil
}
func parse() -> ParseModel? {
return id.flatMap { ParseSvc().withModelId($0, modelType) }
}
public func copy(accountId: Int64? = nil, typeId: Int64? = nil, locationId: Int64? = nil, amount: Double? = nil, date: NSDate? = nil, comments: String? = nil) -> Item {
return Item(
id: id,
accountId: accountId ?? self.accountId,
typeId: typeId ?? self.typeId,
locationId: locationId ?? self.locationId,
amount: amount ?? self.amount,
date: date ?? self.date,
comments: comments ?? self.comments)
}
public func withId(id: Int64?) -> Item {
return Item(
id: id,
accountId: accountId,
typeId: typeId,
locationId: locationId,
amount: amount,
date: date,
comments: comments)
}
public func clear(locationId: Bool = false) -> Item {
return Item(
id: id,
accountId: accountId,
typeId: typeId,
locationId: locationId ? nil : self.locationId,
amount: amount,
date: date,
comments: comments)
}
public func account() -> Account {
return AccountSvc().withId(accountId)!
}
public func type() -> Type {
return TypeSvc().withId(typeId)!
}
public func group() -> Group {
return GroupSvc().withTypeId(typeId)!
}
public func location() -> Location? {
return locationId.flatMap { LocationSvc().withId($0) }
}
public func isTransfer() -> Bool {
return typeId == TypeSvc().transferId
}
}
| 6888ac1e3f0d418a2565f889d041900b | 30.87574 | 172 | 0.556896 | false | false | false | false |
ZekeSnider/Jared | refs/heads/master | Jared/ContactHelper.swift | apache-2.0 | 1 | //
// ContactHelper.swift
// JaredUI
//
// Created by Zeke Snider on 2/2/19.
// Copyright © 2019 Zeke Snider. All rights reserved.
//
import Foundation
import Contacts
class ContactHelper {
static func RetreiveContact(handle: String) -> CNContact? {
if (CNContactStore.authorizationStatus(for: CNEntityType.contacts) == .authorized) {
let store = CNContactStore()
let searchPredicate: NSPredicate
if (!handle.contains("@")) {
searchPredicate = CNContact.predicateForContacts(matching: CNPhoneNumber(stringValue: handle))
} else {
searchPredicate = CNContact.predicateForContacts(matchingEmailAddress: handle)
}
let contacts = try! store.unifiedContacts(matching: searchPredicate, keysToFetch:[CNContactFamilyNameKey as CNKeyDescriptor,
CNContactGivenNameKey as CNKeyDescriptor,
CNContactEmailAddressesKey as CNKeyDescriptor,
CNContactPhoneNumbersKey as CNKeyDescriptor])
if (contacts.count == 1) {
return contacts[0]
}
}
return nil
}
}
| 842c4468e7b903b79262562fd656e709 | 39.222222 | 140 | 0.513812 | false | false | false | false |
thefuntasty/FuntastyKit | refs/heads/master | Sources/FuntastyKit/AutoLayout/KeyboardHeightConstraint.swift | mit | 1 | import UIKit
public final class KeyboardHeightConstraint: NSLayoutConstraint {
override public func awakeFromNib() {
super.awakeFromNib()
let center: NotificationCenter = .default
center.addObserver(self, selector: #selector(keyboardWillChange), name: UIResponder.keyboardWillHideNotification, object: nil)
center.addObserver(self, selector: #selector(keyboardWillChange), name: UIResponder.keyboardWillShowNotification, object: nil)
}
private var superview: UIView? {
return (secondItem as? UIView)?.superview
}
@objc
private func keyboardWillChange(_ notification: Notification) {
guard let userInfo = notification.userInfo else {
return
}
let insetHeight = (notification.name == UIResponder.keyboardWillHideNotification) ? 0.0 : height(for: userInfo) - inset
superview?.layoutIfNeeded()
UIView.animate(withDuration: duration(from: userInfo), delay: 0, options: options(from: userInfo), animations: {
self.constant = insetHeight
self.superview?.layoutIfNeeded()
}, completion: nil)
}
private var inset: CGFloat {
if #available(iOS 11.0, *) {
return superview?.safeAreaInsets.bottom ?? 0.0
}
return 0.0
}
private func height(for userInfo: [AnyHashable: Any]) -> CGFloat {
return userInfo[UIResponder.keyboardFrameEndUserInfoKey]
.flatMap { $0 as? NSValue }
.map { $0.cgRectValue.height } ?? 0.0
}
private func duration(from userInfo: [AnyHashable: Any]) -> Double {
return userInfo[UIResponder.keyboardAnimationDurationUserInfoKey]
.flatMap { $0 as? NSNumber }
.map { $0.doubleValue } ?? 0.0
}
private func options(from userInfo: [AnyHashable: Any]) -> UIView.AnimationOptions {
return userInfo[UIResponder.keyboardAnimationCurveUserInfoKey]
.flatMap { $0 as? NSNumber }
.map { $0.uintValue << 16 }
.map(UIView.AnimationOptions.init) ?? UIView.AnimationOptions()
}
}
| fda3411a537fedd6b3394d1a3eab6ff7 | 35.964912 | 134 | 0.650688 | false | false | false | false |
micazeve/MAGearRefreshControl | refs/heads/master | MAGearRefreshControl-Demo/MAGearRefreshControl-Demo/DemoViewController.swift | mit | 1 | //
// DemoViewController.swift
// MAGearRefreshControl-Demo
//
// Created by Michaël Azevedo on 31/08/2015.
// Copyright (c) 2015 micazeve. All rights reserved.
//
import UIKit
class DemoViewController: UIViewController, UITableViewDataSource, UITableViewDelegate, MAGearRefreshDelegate {
//MARK: - Instance properties
var refreshControlView : MAGearRefreshControl!
var isLoading = false
@IBOutlet var myTableView: UITableView!
//MARK: - Init methods
override func viewDidLoad() {
super.viewDidLoad()
myTableView.delegate = self
myTableView.dataSource = self
self.navigationController?.navigationBar.isTranslucent = false
refreshControlView = MAGearRefreshControl(frame: CGRect(x: 0, y: -self.myTableView.bounds.height, width: self.view.frame.width, height: self.myTableView.bounds.height))
refreshControlView.backgroundColor = UIColor.initRGB(34, g: 75, b: 150)
_ = refreshControlView.addInitialGear(nbTeeth:12, color: UIColor.initRGB(92, g: 133, b: 236), radius:16)
_ = refreshControlView.addLinkedGear(0, nbTeeth:16, color: UIColor.initRGB(92, g: 133, b: 236).withAlphaComponent(0.8), angleInDegree: 30)
_ = refreshControlView.addLinkedGear(0, nbTeeth:32, color: UIColor.initRGB(92, g: 133, b: 236).withAlphaComponent(0.4), angleInDegree: 190, gearStyle: .WithBranchs)
_ = refreshControlView.addLinkedGear(1, nbTeeth:40, color: UIColor.initRGB(92, g: 133, b: 236).withAlphaComponent(0.4), angleInDegree: -30, gearStyle: .WithBranchs, nbBranches:12)
_ = refreshControlView.addLinkedGear(2, nbTeeth:24, color: UIColor.initRGB(92, g: 133, b: 236).withAlphaComponent(0.8), angleInDegree: -190)
_ = refreshControlView.addLinkedGear(3, nbTeeth:10, color: UIColor.initRGB(92, g: 133, b: 236), angleInDegree: 40)
refreshControlView.setMainGearPhase(0)
refreshControlView.delegate = self
refreshControlView.barColor = UIColor.initRGB(92, g: 133, b: 236)
self.myTableView.addSubview(refreshControlView)
}
//MARK: - Orientation methods
override func didRotate(from fromInterfaceOrientation: UIInterfaceOrientation) {
refreshControlView.frame = CGRect(x: 0, y: -self.myTableView.bounds.height, width: self.view.frame.size.width, height: self.myTableView.bounds.size.height)
}
//MARK: - Various methods
func refresh(){
isLoading = true
// -- DO SOMETHING AWESOME (... or just wait 3 seconds) --
// This is where you'll make requests to an API, reload data, or process information
let delayInSeconds = 0.6
let popTime = DispatchTime.now() + Double(Int64(delayInSeconds * Double(NSEC_PER_SEC))) / Double(NSEC_PER_SEC)
DispatchQueue.main.asyncAfter(deadline: popTime) { () -> Void in
// When done requesting/reloading/processing invoke endRefreshing, to close the control
self.isLoading = false
self.refreshControlView.MAGearRefreshScrollViewDataSourceDidFinishedLoading(self.myTableView)
}
// -- FINISHED SOMETHING AWESOME, WOO! --
}
//MARK: - UIScrollViewDelegate protocol conformance
func scrollViewDidScroll(_ scrollView: UIScrollView) {
refreshControlView.MAGearRefreshScrollViewDidScroll(scrollView)
}
func scrollViewDidEndDragging(_ scrollView: UIScrollView, willDecelerate decelerate: Bool) {
refreshControlView.MAGearRefreshScrollViewDidEndDragging(scrollView)
}
//MARK: - MAGearRefreshDelegate protocol conformance
func MAGearRefreshTableHeaderDataSourceIsLoading(_ view: MAGearRefreshControl) -> Bool {
return isLoading
}
func MAGearRefreshTableHeaderDidTriggerRefresh(_ view: MAGearRefreshControl) {
refresh()
}
// MARK: - UITableViewDataSource protocol conformance
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return 20
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let CellIdentifier = "Cell";
var cell: AnyObject? = tableView.dequeueReusableCell(withIdentifier: CellIdentifier)
if (cell == nil) {
cell = UITableViewCell(style: UITableViewCellStyle.default, reuseIdentifier: CellIdentifier)
}
// Configure the cell...
cell!.textLabel!!.text = "Row \(indexPath.row)"
return cell as! UITableViewCell!
}
// MARK: - UITableViewDelegate protocol conformance
func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
tableView.deselectRow(at: indexPath, animated: true)
}
}
| f650905359b6e73a2b89f832970aa604 | 37.263566 | 187 | 0.669571 | false | false | false | false |
robzimpulse/mynurzSDK | refs/heads/master | Example/mynurzSDK/VCPlaceHolderViewController.swift | mit | 1 | //
// VCPlaceHolderViewController.swift
// mynurzSDK
//
// Created by Robyarta on 6/15/17.
// Copyright © 2017 CocoaPods. All rights reserved.
//
import UIKit
import StatefulViewController
class VCPlaceHolderViewController: UIViewController, StatefulViewController {
@IBOutlet weak var tableView: UITableView!
var dataArray = [String]()
override func viewDidLoad() {
super.viewDidLoad()
navigationItem.rightBarButtonItem = UIBarButtonItem(title: "Reload", style: .plain, target: self, action: #selector(fetchData))
tableView.tableFooterView = UIView()
loadingView = LoadingView(frame: tableView.frame)
emptyView = EmptyView(frame: tableView.frame)
errorView = ErrorView(frame: tableView.frame)
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
self.setupInitialViewState()
fetchData()
}
func fetchData(){
if currentState == .Loading {return}
self.dataArray = [String]()
startLoading(animated: true, completion: {
print("start loading")
})
Timer.runThisAfterDelay(seconds: 2.0, after: {
let stage = Int.random(within: 0..<3)
switch stage {
case 0:
// Success
self.dataArray = ["Merlot", "Sauvignon Blanc", "Blaufränkisch", "Pinot Nior"]
self.tableView.reloadData()
self.endLoading(error: nil, completion: {
print("end loading")
})
break
case 1:
// Error
self.endLoading(error: NSError(domain: "foo", code: -1, userInfo: nil))
break
default:
// No Content
self.endLoading(error: nil)
break
}
})
}
func hasContent() -> Bool {
return dataArray.count > 0
}
func handleErrorWhenContentAvailable(_ error: Error) {
let alertController = UIAlertController(title: "Ooops", message: "Something went wrong.", preferredStyle: .alert)
alertController.addAction(UIAlertAction(title: "OK", style: .default, handler: nil))
present(alertController, animated: true, completion: nil)
}
}
extension VCPlaceHolderViewController: UITableViewDataSource {
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return self.dataArray.count
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: "textCell", for: indexPath)
cell.textLabel?.text = dataArray[indexPath.row]
return cell
}
}
class BasicPlaceholderView: UIView {
let centerView: UIView = UIView()
override init(frame: CGRect) {
super.init(frame: frame)
setupView()
}
required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
setupView()
}
func setupView() {
backgroundColor = UIColor.white
centerView.translatesAutoresizingMaskIntoConstraints = false
self.addSubview(centerView)
let vConstraints = NSLayoutConstraint.constraints(withVisualFormat: "|-(>=20)-[centerView]-(>=20)-|", options: .alignAllCenterX, metrics: nil, views: ["centerView": centerView])
let hConstraint = NSLayoutConstraint(item: centerView, attribute: .centerY, relatedBy: .equal, toItem: self, attribute: .centerY, multiplier: 1.0, constant: 0.0)
let centerConstraint = NSLayoutConstraint(item: centerView, attribute: .centerX, relatedBy: .equal, toItem: self, attribute: .centerX, multiplier: 1.0, constant: 0.0)
centerConstraint.priority = 750
addConstraints(vConstraints)
addConstraint(hConstraint)
addConstraint(centerConstraint)
}
}
class LoadingView: BasicPlaceholderView, StatefulPlaceholderView {
let label = UILabel()
override func setupView() {
super.setupView()
label.text = "Loading..."
label.translatesAutoresizingMaskIntoConstraints = false
centerView.addSubview(label)
let activityIndicator = UIActivityIndicatorView(activityIndicatorStyle: .gray)
activityIndicator.startAnimating()
activityIndicator.translatesAutoresizingMaskIntoConstraints = false
centerView.addSubview(activityIndicator)
let views = ["label": label, "activity": activityIndicator]
let hConstraints = NSLayoutConstraint.constraints(withVisualFormat: "|-[activity]-[label]-|", options: [], metrics: nil, views: views)
let vConstraintsLabel = NSLayoutConstraint.constraints(withVisualFormat: "V:|[label]|", options: [], metrics: nil, views: views)
let vConstraintsActivity = NSLayoutConstraint.constraints(withVisualFormat: "V:|[activity]|", options: [], metrics: nil, views: views)
centerView.addConstraints(hConstraints)
centerView.addConstraints(vConstraintsLabel)
centerView.addConstraints(vConstraintsActivity)
}
func placeholderViewInsets() -> UIEdgeInsets {
return UIEdgeInsets(top: 0, left: 0, bottom: 0, right: 0)
}
}
class EmptyView: BasicPlaceholderView {
let label = UILabel()
override func setupView() {
super.setupView()
backgroundColor = UIColor.white
label.text = "No Content."
label.numberOfLines = 0
label.textAlignment = .center
label.translatesAutoresizingMaskIntoConstraints = false
centerView.addSubview(label)
let views = ["label": label]
let hConstraints = NSLayoutConstraint.constraints(withVisualFormat: "|-[label]-|", options: .alignAllCenterY, metrics: nil, views: views)
let vConstraints = NSLayoutConstraint.constraints(withVisualFormat: "V:|-[label]-|", options: .alignAllCenterX, metrics: nil, views: views)
centerView.addConstraints(hConstraints)
centerView.addConstraints(vConstraints)
}
}
class ErrorView: BasicPlaceholderView {
let textLabel = UILabel()
let detailTextLabel = UILabel()
let tapGestureRecognizer = UITapGestureRecognizer()
override func setupView() {
super.setupView()
backgroundColor = UIColor.white
self.addGestureRecognizer(tapGestureRecognizer)
textLabel.text = "Something went wrong."
textLabel.numberOfLines = 0
textLabel.textAlignment = .center
textLabel.translatesAutoresizingMaskIntoConstraints = false
centerView.addSubview(textLabel)
detailTextLabel.text = "Tap to reload"
detailTextLabel.numberOfLines = 0
detailTextLabel.textAlignment = .center
let fontDescriptor = UIFontDescriptor.preferredFontDescriptor(withTextStyle: UIFontTextStyle.footnote)
detailTextLabel.font = UIFont(descriptor: fontDescriptor, size: 0)
detailTextLabel.textAlignment = .center
detailTextLabel.textColor = UIColor.gray
detailTextLabel.translatesAutoresizingMaskIntoConstraints = false
centerView.addSubview(detailTextLabel)
let views = ["label": textLabel, "detailLabel": detailTextLabel]
let hConstraints = NSLayoutConstraint.constraints(withVisualFormat: "|-[label]-|", options: .alignAllCenterY, metrics: nil, views: views)
let hConstraintsDetail = NSLayoutConstraint.constraints(withVisualFormat: "|-[detailLabel]-|", options: .alignAllCenterY, metrics: nil, views: views)
let vConstraints = NSLayoutConstraint.constraints(withVisualFormat: "V:|-[label]-[detailLabel]-|", options: .alignAllCenterX, metrics: nil, views: views)
centerView.addConstraints(hConstraints)
centerView.addConstraints(hConstraintsDetail)
centerView.addConstraints(vConstraints)
}
}
| 2bd086970603d76db9bd6e5d681da93d | 35.846847 | 185 | 0.647311 | false | false | false | false |
jdbateman/Lendivine | refs/heads/master | OAuthSwift-master/OAuthSwiftDemo/MySingleton.swift | mit | 1 | //
// MySingleton.swift
// OAuthSwift
//
// Created by john bateman on 10/27/15.
// Copyright © 2015 Dongri Jin. All rights reserved.
//
import Foundation
class MySingleton {
static var _bTimeStampInHeader = true
static let sharedInstance = MySingleton()
private init () {
//MySingleton.timestampInHeader = true
print("timestampInHeader.init() in MySingleton.init() reports timestampInHeader = \(MySingleton._bTimeStampInHeader)")
}
var timeStampInHeader: Bool {
get {
return MySingleton._bTimeStampInHeader
}
set {
MySingleton._bTimeStampInHeader = newValue
}
}
}
//class MySingleton {
//
// var timestampInHeader: Bool
//
// /* Get a shared instance */
// static func sharedInstance() -> MySingleton {
// struct Static {
// static let instance = MySingleton()
// }
// print("returning Static.instance. timestampInHeader = \(Static.instance.timestampInHeader)")
// return Static.instance
// }
//
// init () {
// self.timestampInHeader = true
// print("timestampInHeader.init() in MySingleton.init() sets timestampInHeader = true")
// }
//} | f2422ec150b22e37c290520062a63a06 | 23.96 | 126 | 0.607057 | false | false | false | false |
HTWDD/HTWDresden-iOS-Temp | refs/heads/master | BHTabbar/BHTabbar/BHTabbarController.swift | gpl-2.0 | 1 | //
// ViewController.swift
// BHTabbar
//
// Created by Benjamin Herzog on 30.11.14.
// Copyright (c) 2014 Benjamin Herzog. All rights reserved.
//
import UIKit
class TabViewController {
var name: String
var picture: UIImage
var viewController: UIViewController
init(name: String, picture: UIImage, viewController: UIViewController) {
self.name = name
self.picture = picture
self.viewController = viewController
}
}
class BHTabbarController: UIViewController {
let SIZE = 75
var items = [TabViewController]()
@IBOutlet weak var tabbarSuperView: UIView!
@IBOutlet weak var tabbar: UIScrollView!
@IBOutlet weak var contentView: UIView!
@IBOutlet weak var menuButton: UIButton!
var visible: Bool = true {
willSet{
if visible {
UIView.animateWithDuration(0.1) {
self.tabbarSuperView.frame.origin.y += CGFloat(self.SIZE - 10)
self.menuButton.frame.origin.y += CGFloat(self.SIZE - 10)
self.tabbar.userInteractionEnabled = false
}
}
else {
UIView.animateWithDuration(0.1) {
self.tabbarSuperView.frame.origin.y -= CGFloat(self.SIZE - 10)
self.menuButton.frame.origin.y -= CGFloat(self.SIZE - 10)
self.tabbar.userInteractionEnabled = true
}
}
}
}
override func viewDidLoad() {
super.viewDidLoad()
// ViewController erstellen und items hinzufügen (über struct TabViewController)
var stundenPlanVC = UIStoryboard(name: "Main", bundle: nil).instantiateViewControllerWithIdentifier("Stundenplan") as StundenplanVC
var mensaVC = UIStoryboard(name: "Main", bundle: nil).instantiateViewControllerWithIdentifier("Mensa") as MensaVC
items.append(TabViewController(name: "Stundenplan", picture: UIImage(), viewController: stundenPlanVC))
items.append(TabViewController(name: "Mensa", picture: UIImage(), viewController: mensaVC))
items.append(TabViewController(name: "Stundenplan", picture: UIImage(), viewController: stundenPlanVC))
items.append(TabViewController(name: "Mensa", picture: UIImage(), viewController: mensaVC))
items.append(TabViewController(name: "Stundenplan", picture: UIImage(), viewController: stundenPlanVC))
items.append(TabViewController(name: "Mensa", picture: UIImage(), viewController: mensaVC))
items.append(TabViewController(name: "Stundenplan", picture: UIImage(), viewController: stundenPlanVC))
items.append(TabViewController(name: "Mensa", picture: UIImage(), viewController: mensaVC))
items.append(TabViewController(name: "Stundenplan", picture: UIImage(), viewController: stundenPlanVC))
items.append(TabViewController(name: "Mensa", picture: UIImage(), viewController: mensaVC))
items.append(TabViewController(name: "Stundenplan", picture: UIImage(), viewController: stundenPlanVC))
items.append(TabViewController(name: "Mensa", picture: UIImage(), viewController: mensaVC))
items.append(TabViewController(name: "Stundenplan", picture: UIImage(), viewController: stundenPlanVC))
items.append(TabViewController(name: "Mensa", picture: UIImage(), viewController: mensaVC))
items.append(TabViewController(name: "Stundenplan", picture: UIImage(), viewController: stundenPlanVC))
items.append(TabViewController(name: "Mensa", picture: UIImage(), viewController: mensaVC))
items.append(TabViewController(name: "Stundenplan", picture: UIImage(), viewController: stundenPlanVC))
items.append(TabViewController(name: "Mensa", picture: UIImage(), viewController: mensaVC))
items.append(TabViewController(name: "Stundenplan", picture: UIImage(), viewController: stundenPlanVC))
items.append(TabViewController(name: "Mensa", picture: UIImage(), viewController: mensaVC))
configureTabBar()
}
func configureTabBar() {
tabbar.contentSize = CGSize(width: items.count * SIZE, height: SIZE)
tabbar.showsHorizontalScrollIndicator = false
tabbar.bounces = false
for (i, item) in enumerate(items) {
let view = UIView(frame: CGRect(x: i * SIZE, y: 0, width: SIZE, height: SIZE))
view.backgroundColor = UIColor.random()
view.tag = i
let label = UILabel(frame: CGRect(x: 0, y: SIZE*2/3, width: SIZE, height: SIZE*1/3))
label.text = item.name
label.font = UIFont.systemFontOfSize(10)
label.textColor = UIColor.whiteColor()
label.textAlignment = .Center
label.userInteractionEnabled = false
view.addSubview(label)
let imageView = UIImageView(frame: CGRect(x: 0, y: 0, width: SIZE*2/3, height: SIZE*2/3))
imageView.image = item.picture
imageView.userInteractionEnabled = false
view.addSubview(imageView)
let button = UIButton(frame: CGRect(x: 0, y: 0, width: SIZE, height: SIZE))
button.tag = i
button.addTarget(self, action: "buttonPressed:", forControlEvents: .TouchUpInside)
view.addSubview(button)
tabbar.addSubview(view)
}
}
var tempVC: UIViewController?
func buttonPressed(sender: UIButton) {
let item = items[sender.tag]
if item.viewController === tempVC { return }
item.viewController.view.frame = self.contentView.bounds
for view in self.contentView.subviews { (view as UIView).removeFromSuperview() }
self.contentView.addSubview(item.viewController.view)
self.addChildViewController(item.viewController)
item.viewController.didMoveToParentViewController(self)
tempVC = item.viewController
}
@IBAction func menuButtonPressed(sender: AnyObject) {
visible = !visible
}
}
class StundenplanVC : UIViewController {
override func viewDidLoad() {
println("StundenplanVC --- viewDidLoad:")
}
override func viewWillAppear(animated: Bool) {
println("StundenplanVC --- viewWillAppear:")
}
override func viewWillDisappear(animated: Bool) {
println("StundenplanVC --- viewWillDisappear")
}
}
class MensaVC : UIViewController {
override func viewDidLoad() {
println("MensaVC --- viewDidLoad:")
}
override func viewWillAppear(animated: Bool) {
println("MensaVC --- viewWillAppear:")
}
override func viewWillDisappear(animated: Bool) {
println("MensaVC --- viewWillDisappear")
}
}
extension UIColor {
class func random() -> UIColor {
let redValue = Float(rand() % 255) / 255
let greenValue = Float(rand() % 255) / 255
let blueValue = Float(rand() % 255) / 255
return UIColor(red: CGFloat(redValue), green: CGFloat(greenValue), blue: CGFloat(blueValue), alpha: 1)
}
} | 57324e0e7d5dae48adf2dc514de42c6b | 41.987952 | 139 | 0.647652 | false | false | false | false |
jsslai/Action | refs/heads/master | Carthage/Checkouts/RxSwift/RxExample/RxDataSources/DataSources/CollectionViewSectionedDataSource.swift | mit | 3 | //
// CollectionViewSectionedDataSource.swift
// RxDataSources
//
// Created by Krunoslav Zaher on 7/2/15.
// Copyright © 2015 Krunoslav Zaher. All rights reserved.
//
import Foundation
import UIKit
#if !RX_NO_MODULE
import RxCocoa
#endif
public class _CollectionViewSectionedDataSource
: NSObject
, UICollectionViewDataSource {
func _numberOfSectionsInCollectionView(_ collectionView: UICollectionView) -> Int {
return 0
}
public func numberOfSections(in collectionView: UICollectionView) -> Int {
return _numberOfSectionsInCollectionView(collectionView)
}
func _rx_collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return 0
}
public func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return _rx_collectionView(collectionView, numberOfItemsInSection: section)
}
func _rx_collectionView(_ collectionView: UICollectionView, cellForItemAtIndexPath indexPath: IndexPath) -> UICollectionViewCell {
return (nil as UICollectionViewCell?)!
}
public func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
return _rx_collectionView(collectionView, cellForItemAtIndexPath: indexPath)
}
func _rx_collectionView(_ collectionView: UICollectionView, viewForSupplementaryElementOfKind kind: String, atIndexPath indexPath: IndexPath) -> UICollectionReusableView {
return (nil as UICollectionReusableView?)!
}
public func collectionView(_ collectionView: UICollectionView, viewForSupplementaryElementOfKind kind: String, at indexPath: IndexPath) -> UICollectionReusableView {
return _rx_collectionView(collectionView, viewForSupplementaryElementOfKind: kind, atIndexPath: indexPath)
}
func _rx_collectionView(_ collectionView: UICollectionView, canMoveItemAtIndexPath indexPath: IndexPath) -> Bool {
return true
}
public func collectionView(_ collectionView: UICollectionView, canMoveItemAt indexPath: IndexPath) -> Bool {
return _rx_collectionView(collectionView, canMoveItemAtIndexPath: indexPath)
}
func _rx_collectionView(_ collectionView: UICollectionView, moveItemAtIndexPath sourceIndexPath: IndexPath, toIndexPath destinationIndexPath: IndexPath) {
}
public func collectionView(_ collectionView: UICollectionView, moveItemAt sourceIndexPath: IndexPath, to destinationIndexPath: IndexPath) {
_rx_collectionView(collectionView, moveItemAtIndexPath: sourceIndexPath, toIndexPath: destinationIndexPath)
}
}
public class CollectionViewSectionedDataSource<S: SectionModelType>
: _CollectionViewSectionedDataSource
, SectionedViewDataSourceType {
public typealias I = S.Item
public typealias Section = S
public typealias CellFactory = (CollectionViewSectionedDataSource<S>, UICollectionView, IndexPath, I) -> UICollectionViewCell
public typealias SupplementaryViewFactory = (CollectionViewSectionedDataSource<S>, UICollectionView, String, IndexPath) -> UICollectionReusableView
#if DEBUG
// If data source has already been bound, then mutating it
// afterwards isn't something desired.
// This simulates immutability after binding
var _dataSourceBound: Bool = false
private func ensureNotMutatedAfterBinding() {
assert(!_dataSourceBound, "Data source is already bound. Please write this line before binding call (`bindTo`, `drive`). Data source must first be completely configured, and then bound after that, otherwise there could be runtime bugs, glitches, or partial malfunctions.")
}
#endif
// This structure exists because model can be mutable
// In that case current state value should be preserved.
// The state that needs to be preserved is ordering of items in section
// and their relationship with section.
// If particular item is mutable, that is irrelevant for this logic to function
// properly.
public typealias SectionModelSnapshot = SectionModel<S, I>
private var _sectionModels: [SectionModelSnapshot] = []
public var sectionModels: [S] {
return _sectionModels.map { Section(original: $0.model, items: $0.items) }
}
public subscript(section: Int) -> S {
let sectionModel = self._sectionModels[section]
return S(original: sectionModel.model, items: sectionModel.items)
}
public subscript(indexPath: IndexPath) -> I {
get {
return self._sectionModels[indexPath.section].items[indexPath.item]
}
set(item) {
var section = self._sectionModels[indexPath.section]
section.items[indexPath.item] = item
self._sectionModels[indexPath.section] = section
}
}
public func model(_ indexPath: IndexPath) throws -> Any {
return self[indexPath]
}
public func setSections(_ sections: [S]) {
self._sectionModels = sections.map { SectionModelSnapshot(model: $0, items: $0.items) }
}
public var configureCell: CellFactory! = nil {
didSet {
#if DEBUG
ensureNotMutatedAfterBinding()
#endif
}
}
@available(*, deprecated:0.8.1, renamed:"configureCell")
public var cellFactory: CellFactory! {
get {
return self.configureCell
}
set {
self.configureCell = newValue
}
}
public var supplementaryViewFactory: SupplementaryViewFactory {
didSet {
#if DEBUG
ensureNotMutatedAfterBinding()
#endif
}
}
public var moveItem: ((CollectionViewSectionedDataSource<S>, _ sourceIndexPath:IndexPath, _ destinationIndexPath:IndexPath) -> Void)? {
didSet {
#if DEBUG
ensureNotMutatedAfterBinding()
#endif
}
}
public var canMoveItemAtIndexPath: ((CollectionViewSectionedDataSource<S>, IndexPath) -> Bool)? {
didSet {
#if DEBUG
ensureNotMutatedAfterBinding()
#endif
}
}
public override init() {
self.configureCell = {_, _, _, _ in return (nil as UICollectionViewCell?)! }
self.supplementaryViewFactory = {_, _, _, _ in (nil as UICollectionReusableView?)! }
super.init()
self.configureCell = { [weak self] _ in
precondition(false, "There is a minor problem. `cellFactory` property on \(self!) was not set. Please set it manually, or use one of the `rx_bindTo` methods.")
return (nil as UICollectionViewCell!)!
}
self.supplementaryViewFactory = { [weak self] _ in
precondition(false, "There is a minor problem. `supplementaryViewFactory` property on \(self!) was not set.")
return (nil as UICollectionReusableView?)!
}
}
// UICollectionViewDataSource
override func _numberOfSectionsInCollectionView(_ collectionView: UICollectionView) -> Int {
return _sectionModels.count
}
override func _rx_collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return _sectionModels[section].items.count
}
override func _rx_collectionView(_ collectionView: UICollectionView, cellForItemAtIndexPath indexPath: IndexPath) -> UICollectionViewCell {
precondition(indexPath.item < _sectionModels[indexPath.section].items.count)
return configureCell(self, collectionView, indexPath, self[indexPath])
}
override func _rx_collectionView(_ collectionView: UICollectionView, viewForSupplementaryElementOfKind kind: String, atIndexPath indexPath: IndexPath) -> UICollectionReusableView {
return supplementaryViewFactory(self, collectionView, kind, indexPath)
}
override func _rx_collectionView(_ collectionView: UICollectionView, canMoveItemAtIndexPath indexPath: IndexPath) -> Bool {
guard let canMoveItem = canMoveItemAtIndexPath?(self, indexPath) else {
return super._rx_collectionView(collectionView, canMoveItemAtIndexPath: indexPath)
}
return canMoveItem
}
override func _rx_collectionView(_ collectionView: UICollectionView, moveItemAtIndexPath sourceIndexPath: IndexPath, toIndexPath destinationIndexPath: IndexPath) {
self._sectionModels.moveFromSourceIndexPath(sourceIndexPath, destinationIndexPath: destinationIndexPath)
}
}
| 1aab6079a643d798bb0f38290e4e3fe3 | 39.032258 | 280 | 0.689651 | false | false | false | false |
minggangw/crosswalk-ios | refs/heads/master | AppShell/AppShell/ViewController.swift | bsd-3-clause | 2 | // Copyright (c) 2014 Intel Corporation. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import UIKit
import WebKit
import XWalkView
class ViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
var start_url = "index.html"
var xwalk_extensions = ["Extension.load"]
if let plistPath = NSBundle.mainBundle().pathForResource("manifest", ofType: "plist") {
if let manifest = NSDictionary(contentsOfFile: plistPath) {
start_url = manifest["start_url"] as? String ?? start_url
xwalk_extensions = manifest["xwalk_extensions"] as? [String] ?? xwalk_extensions
}
}
let webview = XWalkView(frame: view.frame, configuration: WKWebViewConfiguration())
webview.scrollView.bounces = false
view.addSubview(webview)
for name in xwalk_extensions {
if let ext: AnyObject = XWalkExtensionFactory.createExtension(name) {
webview.loadExtension(ext, namespace: name)
}
}
if let root = NSBundle.mainBundle().resourceURL?.URLByAppendingPathComponent("www") {
var error: NSError?
let url = root.URLByAppendingPathComponent(start_url)
if url.checkResourceIsReachableAndReturnError(&error) {
webview.loadFileURL(url, allowingReadAccessToURL: root)
} else {
webview.loadHTMLString(error!.description, baseURL: nil)
}
}
}
override func prefersStatusBarHidden() -> Bool {
return true
}
}
| 937cc3014b17d44d6dff47cf99aa8946 | 35.521739 | 96 | 0.630952 | false | false | false | false |
SergeyPetrachkov/VIPERTemplates | refs/heads/master | Example/VIPERExample/VIPERExample/Test/TestAssembly.swift | mit | 1 | //
// TestAssembly.swift
// VIPERExample
//
// Created by Sergey Petrachkov on 26/12/2017.
// Copyright (c) 2017 Sergey Petrachkov. All rights reserved.
//
// This file was generated by the SergeyPetrachkov VIPER Xcode Templates so
// you can apply VIPER architecture to your iOS projects
//
import UIKit
class TestAssembly {
// MARK: - Constants
fileprivate static let storyboardId = "Main"
fileprivate static let controllerStoryboardId = "Test"
// MARK: - Public methods
static func createModule(moduleIn: Test.DataContext.ModuleIn) -> TestViewController {
if let controller = UIStoryboard(name: storyboardId, bundle: nil).instantiateViewController(withIdentifier: controllerStoryboardId) as? TestViewController {
let presenter = injectPresenter(moduleIn: moduleIn)
presenter.output = controller
presenter.view = controller
controller.presenter = presenter
return controller
} else {
fatalError("Could not create Test module!!! Check Test assembly")
}
}
// MARK: - Private injections
fileprivate static func injectPresenter(moduleIn: Test.DataContext.ModuleIn) -> TestPresenterInput {
let presenter = TestPresenter(moduleIn: moduleIn)
let interactor = injectInteractor()
interactor.output = presenter
presenter.interactor = interactor
let router = injectRouter()
presenter.router = router
return presenter
}
fileprivate static func injectInteractor() -> TestInteractorInput {
return TestInteractor()
}
fileprivate static func injectRouter() -> TestRoutingLogic {
return TestRouter()
}
}
| 342efb528a6dc17ba3f9d876f685c227 | 33.934783 | 160 | 0.734287 | false | true | false | false |
Drusy/auvergne-webcams-ios | refs/heads/master | BeeFun/Pods/ObjectMapper/Sources/IntegerOperators.swift | apache-2.0 | 18 | //
// IntegerOperators.swift
// ObjectMapper
//
// Created by Suyeol Jeon on 17/02/2017.
//
// The MIT License (MIT)
//
// Copyright (c) 2014-2018 Tristan Himmelman
//
// 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
// MARK: - Signed Integer
/// SignedInteger mapping
public func <- <T: SignedInteger>(left: inout T, right: Map) {
switch right.mappingType {
case .fromJSON where right.isKeyPresent:
let value: T = toSignedInteger(right.currentValue) ?? 0
FromJSON.basicType(&left, object: value)
case .toJSON:
left >>> right
default: ()
}
}
/// Optional SignedInteger mapping
public func <- <T: SignedInteger>(left: inout T?, right: Map) {
switch right.mappingType {
case .fromJSON where right.isKeyPresent:
let value: T? = toSignedInteger(right.currentValue)
FromJSON.basicType(&left, object: value)
case .toJSON:
left >>> right
default: ()
}
}
// Code targeting the Swift 4.1 compiler and below.
#if !(swift(>=4.1.50) || (swift(>=3.4) && !swift(>=4.0)))
/// ImplicitlyUnwrappedOptional SignedInteger mapping
public func <- <T: SignedInteger>(left: inout T!, right: Map) {
switch right.mappingType {
case .fromJSON where right.isKeyPresent:
let value: T! = toSignedInteger(right.currentValue)
FromJSON.basicType(&left, object: value)
case .toJSON:
left >>> right
default: ()
}
}
#endif
// MARK: - Unsigned Integer
/// UnsignedInteger mapping
public func <- <T: UnsignedInteger>(left: inout T, right: Map) {
switch right.mappingType {
case .fromJSON where right.isKeyPresent:
let value: T = toUnsignedInteger(right.currentValue) ?? 0
FromJSON.basicType(&left, object: value)
case .toJSON:
left >>> right
default: ()
}
}
/// Optional UnsignedInteger mapping
public func <- <T: UnsignedInteger>(left: inout T?, right: Map) {
switch right.mappingType {
case .fromJSON where right.isKeyPresent:
let value: T? = toUnsignedInteger(right.currentValue)
FromJSON.basicType(&left, object: value)
case .toJSON:
left >>> right
default: ()
}
}
// Code targeting the Swift 4.1 compiler and below.
#if !(swift(>=4.1.50) || (swift(>=3.4) && !swift(>=4.0)))
/// ImplicitlyUnwrappedOptional UnsignedInteger mapping
public func <- <T: UnsignedInteger>(left: inout T!, right: Map) {
switch right.mappingType {
case .fromJSON where right.isKeyPresent:
let value: T! = toUnsignedInteger(right.currentValue)
FromJSON.basicType(&left, object: value)
case .toJSON:
left >>> right
default: ()
}
}
#endif
// MARK: - Casting Utils
/// Convert any value to `SignedInteger`.
private func toSignedInteger<T: SignedInteger>(_ value: Any?) -> T? {
guard
let value = value,
case let number as NSNumber = value
else {
return nil
}
if T.self == Int.self, let x = Int(exactly: number.int64Value) {
return T.init(x)
}
if T.self == Int8.self, let x = Int8(exactly: number.int64Value) {
return T.init(x)
}
if T.self == Int16.self, let x = Int16(exactly: number.int64Value) {
return T.init(x)
}
if T.self == Int32.self, let x = Int32(exactly: number.int64Value) {
return T.init(x)
}
if T.self == Int64.self, let x = Int64(exactly: number.int64Value) {
return T.init(x)
}
return nil
}
/// Convert any value to `UnsignedInteger`.
private func toUnsignedInteger<T: UnsignedInteger>(_ value: Any?) -> T? {
guard
let value = value,
case let number as NSNumber = value
else {
return nil
}
if T.self == UInt.self, let x = UInt(exactly: number.uint64Value) {
return T.init(x)
}
if T.self == UInt8.self, let x = UInt8(exactly: number.uint64Value) {
return T.init(x)
}
if T.self == UInt16.self, let x = UInt16(exactly: number.uint64Value) {
return T.init(x)
}
if T.self == UInt32.self, let x = UInt32(exactly: number.uint64Value) {
return T.init(x)
}
if T.self == UInt64.self, let x = UInt64(exactly: number.uint64Value) {
return T.init(x)
}
return nil
}
| 10574cac0743bcc5012422860a3ad6d0 | 27.730994 | 81 | 0.69998 | false | false | false | false |
ajohnson388/rss-reader | refs/heads/master | RSS Reader/RSS Reader/FeedsListViewController.swift | apache-2.0 | 1 | //
// FeedsListViewController.swift
// RSS Reader
//
// Created by Andrew Johnson on 9/5/16.
// Copyright © 2016 Andrew Johnson. All rights reserved.
//
import Foundation
import UIKit
import MGSwipeTableCell
/**
An enum that represents the selectable segments in the FeedListViewcontroller. In addition,
this enum is used to persist the state into the info.plist to better the user experience.
*/
enum Segment: String {
case Category, Favorite
static let list = [Category.rawValue, Favorite.rawValue]
}
/**
The view controller responsible for displaying a list of the feeds in the user's database.
The feeds are divided into sections determined by the
*/
final class FeedsListViewController: SearchableTableViewController {
// MARK: Fields
// Data sources
fileprivate var feeds: [[Feed]] = []
fileprivate var sectionTitles: [String] = []
fileprivate var selectedFeedIds: Set<String> = [] {
didSet {
deleteButton.isEnabled = selectedFeedIds.count != 0
}
}
// Views
fileprivate let segmentControl = UISegmentedControl(items: Segment.list)
fileprivate let editButton = UIBarButtonItem(title: "Edit", style: .plain, target: nil, action: nil)
fileprivate let addButton = UIBarButtonItem(barButtonSystemItem: .add, target: nil, action: nil)
fileprivate let settingsButton = UIBarButtonItem(title: "Settings", style: .plain, target: nil, action: nil)
fileprivate let deleteButton = UIBarButtonItem(title: "Delete", style: .plain, target: nil, action: nil)
// MARK: Selectors
func segmentDidChange() {
let index = segmentControl.selectedSegmentIndex
let rawValue = Segment.list[index]
let currentSegment = Segment(rawValue: rawValue) ?? .Category
PListService.setSegment(currentSegment)
loadDataArraysForSelectedSegment()
}
func addButtonTapped() {
let controller = EditableFeedViewController(feed: nil)
let navController = NavigationController(rootViewController: controller)
present(navController, animated: true, completion: nil)
}
func editButtonTapped() {
// Toggle state
tableView.setEditing(!tableView.isEditing, animated: true)
if !tableView.isEditing { selectedFeedIds = [] }
// Update UI
searchBar.isUserInteractionEnabled = !tableView.isEditing
navigationController?.setToolbarHidden(!tableView.isEditing, animated: true)
editButton.title = tableView.isEditing ? "Cancel" : "Edit"
}
func deleteButtonTapped() {
promptToolbarAction(titleStr: "Warning", actionStr: "delete", action: { (id) in
return DBService.sharedInstance.delete(objectWithId: id)
})
}
// MARK: Abstract Method Implementations
override func reloadDataSource() {
isSearching() ? loadDataArraysForSearch() : loadDataArraysForSelectedSegment()
}
// MARK: Helper Methods
fileprivate func endEditing() {
tableView.setEditing(false, animated: true)
navigationController?.setToolbarHidden(true, animated: true)
editButton.title = "Edit"
}
fileprivate func promptToolbarAction(titleStr: String?, actionStr: String, action: @escaping (_ id: String) -> (Bool)) {
// Generate the text
let dynamicText = selectedFeedIds.count > 1 ? "Are you sure you want to \(actionStr) these \(selectedFeedIds.count) feeds?" : "Are you sure you want to \(actionStr) this feed?"
// Create and prepare the controller
let alertController = UIAlertController(title: titleStr, message: "Are you sure you want to \(actionStr) \(dynamicText)", preferredStyle: .alert)
let yes = UIAlertAction(title: "Yes", style: .destructive, handler: { [weak self] (_) in
guard let controller = self else { return }
let ids = controller.selectedFeedIds
let success = ids.reduce(true, { $0 && action($1) })
controller.selectedFeedIds = []
success ? controller.endEditing() : SystemUtils.promptError(withMessage: "An error occured editing the feeds.", onController: controller)
})
let no = UIAlertAction(title: "No", style: .cancel, handler: { (_) in
alertController.dismiss(animated: true, completion: nil)
})
// Add the buttons and prompt the warning
[yes, no].forEach({ alertController.addAction($0) })
present(alertController, animated: true, completion: nil)
}
fileprivate func promptError(_ message: String) {
let alertController = UIAlertController(title: "Error", message: message, preferredStyle: .alert)
alertController.addAction(UIAlertAction(title: "Ok", style: .default, handler: { _ in
alertController.dismiss(animated: true, completion: nil)
}))
present(alertController, animated: true, completion: nil)
}
fileprivate func clearDataArrays() {
sectionTitles = []
feeds = []
}
fileprivate func loadDataArraysForSearch() {
// Checks and cleanup
guard let searchText = searchBar.text else {
fatalError("\(#function) was called when there was no search text")
}
clearDataArrays()
// Get, filter, and sort the feeds
let filteredFeeds: [Feed] = DBService.sharedInstance.getObjects().filter({
return $0.matchesSearch(text: searchText)
})
let sortedFeeds: [Feed] = filteredFeeds.sorted(by: {
guard let firstTitle = $0.title?.lowercased(), let secondTitle = $1.title?.lowercased() else {
return false
}
return firstTitle < secondTitle
})
// Populate the data arrays and reload the table
feeds = [sortedFeeds]
sectionTitles = ["Top Matches"]
tableView.reloadData()
}
fileprivate func loadDataArraysForSelectedSegment() {
// Cleanup
clearDataArrays()
// Get the feeds
let loadedFeeds: [Feed] = DBService.sharedInstance.getObjects()
// Divide the feeds list via categories
// Loop through the feeds to build the sectioned feeds
var sectionedFeeds: [String: [Feed]] = [:]
let currentSegment = PListService.getSegment() ?? .Category
for feed in loadedFeeds {
// Get the section title
let section: String = {
switch currentSegment {
case .Category: return feed.category ?? "Default"
case .Favorite: return feed.favorite ? "Favorites" : "Others"
}
}()
// Intialize the array if needed
if sectionedFeeds[section] == nil {
sectionedFeeds[section] = []
}
// Add the feed
sectionedFeeds[section]?.append(feed)
}
// Convert the dictionary to a list and sort the inner arrays
var entries: [(title: String, feeds: [Feed])] = []
for entry in sectionedFeeds {
let sortedFeeds = entry.1.sorted(by: { $0.title ?? "" < $1.title ?? "" })
entries.append((entry.0, sortedFeeds))
}
// Sort the sections
entries.sort(by: { $0.0.title < $0.1.title })
// Populate the data arrays and reload the table
for entry in entries {
feeds.append(entry.feeds)
sectionTitles.append(entry.title)
}
tableView.reloadData()
}
fileprivate func setupNavBar() {
// Remove the back bar title when navigating forward
navigationItem.backBarButtonItem = UIBarButtonItem(title: "", style: .plain, target: nil, action: nil)
// Configure the add button
addButton.target = self
addButton.action = #selector(addButtonTapped)
navigationItem.rightBarButtonItem = addButton
// Configure the settings button
// Configure the edit button
editButton.target = self
editButton.action = #selector(editButtonTapped)
navigationItem.leftBarButtonItem = editButton
// Configure the title view with the segment control
let currentSegment = PListService.getSegment() ?? .Category
segmentControl.selectedSegmentIndex = Segment.list.index(of: currentSegment.rawValue) ?? 0
segmentControl.tintColor = FlatUIColor.Clouds
segmentControl.addTarget(self, action: #selector(segmentDidChange), for: .valueChanged)
segmentControl.frame.size = CGSize(width: 80, height: 24)
navigationItem.titleView = segmentControl
}
fileprivate func setupToolBar() {
// Configure the toolbar
navigationController?.toolbar.barTintColor = FlatUIColor.WetAsphalt
// Configure the delete button
deleteButton.target = self
deleteButton.action = #selector(deleteButtonTapped)
deleteButton.isEnabled = false
deleteButton.tintColor = FlatUIColor.Clouds
// Add the buttons to the toolbar
setToolbarItems([deleteButton], animated: false)
}
// MARK: UIViewController LifeCycle Callbacks
override func viewDidLoad() {
super.viewDidLoad()
setupNavBar()
setupToolBar()
}
// MARK: UITableView DataSource
override func numberOfSections(in tableView: UITableView) -> Int {
return feeds.count
}
override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return feeds[section].count
}
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let feed = feeds[indexPath.section][indexPath.row]
let reuseId = "feed_cell"
let cell = MGSwipeTableCell(style: .subtitle, reuseIdentifier: reuseId)
cell.accessoryType = .disclosureIndicator
cell.textLabel?.text = feed.title
cell.detailTextLabel?.text = feed.subtitle
cell.delegate = self
// TODO - Configure the image
return cell
}
// MARK: UITableView Delegate
override func tableView(_ tableView: UITableView, titleForHeaderInSection section: Int) -> String? {
return sectionTitles[section]
}
override func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
let feed = feeds[(indexPath as NSIndexPath).section][(indexPath as NSIndexPath).row]
if tableView.isEditing {
selectedFeedIds.insert(feed.id)
} else {
tableView.deselectRow(at: indexPath, animated: true)
let controller = ArticlesListViewController(feed: feed)
navigationController?.setNavigationBarHidden(false, animated: false)
navigationController?.pushViewController(controller, animated: true)
}
}
override func tableView(_ tableView: UITableView, didDeselectRowAt indexPath: IndexPath) {
guard tableView.isEditing else { return }
let feed = feeds[indexPath.section][indexPath.row]
selectedFeedIds.remove(feed.id)
}
override func tableView(_ tableView: UITableView, editingStyleForRowAt indexPath: IndexPath) -> UITableViewCellEditingStyle {
// Allows multiselect and shows checkboxes on the left along with blue color fill on selection
return UITableViewCellEditingStyle(rawValue: 3)! // Undocumented API, forced unwrap is safe
}
}
// MARK: MGSwipeTableCellDelegate
extension FeedsListViewController: MGSwipeTableCellDelegate {
func swipeTableCell(_ cell: MGSwipeTableCell!, canSwipe direction: MGSwipeDirection, from point: CGPoint) -> Bool {
return true
}
func swipeTableCell(_ cell: MGSwipeTableCell!, swipeButtonsFor direction: MGSwipeDirection, swipeSettings: MGSwipeSettings!, expansionSettings: MGSwipeExpansionSettings!) -> [Any]! {
// Get the feed
guard let indexPath = tableView.indexPath(for: cell) else { return nil }
var feed = feeds[indexPath.section][indexPath.row]
if direction == .leftToRight {
// Configure the swipe settings
swipeSettings.transition = .clipCenter
swipeSettings.keepButtonsSwiped = false
expansionSettings.buttonIndex = 0
expansionSettings.threshold = 1
expansionSettings.expansionLayout = .center
expansionSettings.expansionColor = feed.favorite ? FlatUIColor.Carrot : FlatUIColor.Emerald
expansionSettings.triggerAnimation.easingFunction = .cubicOut
expansionSettings.fillOnTrigger = false
// Configure the button
let title = feed.favorite ? "Unfavorite" : "Favorite"
let button = MGSwipeButton(title: title, backgroundColor: FlatUIColor.Concrete) {
[weak self] (_) in
feed.favorite = !feed.favorite
_ = DBService.sharedInstance.save(feed)
self?.loadDataArraysForSelectedSegment()
return true
}
return [button!]
} else {
swipeSettings.enableSwipeBounces = true
let button = MGSwipeButton(title: "Delete", backgroundColor: FlatUIColor.Alizarin) {
[weak self] (_) in
// Delete the feed from the database
guard DBService.sharedInstance.delete(objectWithId: feed.id) else {
self?.tableView.setEditing(false, animated: true)
self?.promptError("Failed to delete the feed.")
return false
}
// Remove the feed cell from the table view
self?.tableView.beginUpdates()
self?.feeds[indexPath.section].remove(at: indexPath.row)
self?.tableView.deleteRows(at: [indexPath], with: .right)
self?.tableView.endUpdates()
return true
}
return [button!]
}
}
}
| c58767dbfe5571ac79726ea4de7ef71b | 37.827493 | 186 | 0.627005 | false | false | false | false |
alvarozizou/Noticias-Leganes-iOS | refs/heads/develop | Pods/FeedKit/Sources/FeedKit/Models/Namespaces/Media/MediaText.swift | mit | 2 | //
// MediaText.swift
//
// Copyright (c) 2016 - 2018 Nuno Manuel Dias
//
// 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
/// Allows the inclusion of a text transcript, closed captioning or lyrics of
/// the media content. Many of these elements are permitted to provide a time
/// series of text. In such cases, it is encouraged, but not required, that the
/// elements be grouped by language and appear in time sequence order based on
/// the start time. Elements can have overlapping start and end times. It has
/// four optional attributes.
public class MediaText {
/// The element's attributes.
public class Attributes {
/// Specifies the type of text embedded. Possible values are either "plain"
/// or "html". Default value is "plain". All HTML must be entity-encoded.
/// It is an optional attribute.
public var type: String?
/// The primary language encapsulated in the media object. Language codes
/// possible are detailed in RFC 3066. This attribute is used similar to
/// the xml:lang attribute detailed in the XML 1.0 Specification (Third
/// Edition). It is an optional attribute.
public var lang: String?
/// Specifies the start time offset that the text starts being relevant to
/// the media object. An example of this would be for closed captioning.
/// It uses the NTP time code format (see: the time attribute used in
/// <media:thumbnail>). It is an optional attribute.
public var start: String?
/// Specifies the end time that the text is relevant. If this attribute is
/// not provided, and a start time is used, it is expected that the end
/// time is either the end of the clip or the start of the next
/// <media:text> element.
public var end: String?
}
/// The element's attributes.
public var attributes: Attributes?
/// The element's value.
public var value: String?
public init() { }
}
// MARK: - Initializers
extension MediaText {
convenience init(attributes attributeDict: [String : String]) {
self.init()
self.attributes = MediaText.Attributes(attributes: attributeDict)
}
}
extension MediaText.Attributes {
convenience init?(attributes attributeDict: [String : String]) {
if attributeDict.isEmpty {
return nil
}
self.init()
self.type = attributeDict["type"]
self.lang = attributeDict["lang"]
self.start = attributeDict["start"]
self.end = attributeDict["end"]
}
}
// MARK: - Equatable
extension MediaText: Equatable {
public static func ==(lhs: MediaText, rhs: MediaText) -> Bool {
return
lhs.value == rhs.value &&
lhs.attributes == rhs.attributes
}
}
extension MediaText.Attributes: Equatable {
public static func ==(lhs: MediaText.Attributes, rhs: MediaText.Attributes) -> Bool {
return
lhs.type == rhs.type &&
lhs.lang == rhs.lang &&
lhs.start == rhs.start &&
lhs.end == rhs.end
}
}
| adfde60377ae2d48452da7ffe7cd89a2 | 33.349206 | 89 | 0.64903 | false | false | false | false |
kalvish21/AndroidMessenger | refs/heads/master | AndroidMessengerMacDesktopClient/AndroidMessenger/Classes/Common.swift | mit | 1 | //
// Common.swift
// AndroidMessenger
//
// Created by Kalyan Vishnubhatla on 3/22/16.
// Copyright © 2016 Kalyan Vishnubhatla. All rights reserved.
//
let ipAddress: String = "ipAddress"
let deviceUUID: String = "deviceFullUUID"
let fullUrlPath: String = "fullUrlPath"
let lastIdRetreived: String = "lastIdRetreived"
// Notifications
let websocketHandshake: String = "websocketHandshake"
let messageSentConfirmation: String = "MessageSentConfirmation"
let newMessageReceived: String = "NewMessageReceived"
let leftDataShouldRefresh: String = "leftDataShouldRefresh"
let applicationBecameVisible: String = "applicationBecameVisible"
let chatDataShouldRefresh: String = "chatDataShouldRefresh"
let badgeCountSoFar: String = "badgeCountSoFar"
let handshake: String = "handshake"
let getNewData: String = "getNewData"
let openConnectSheet: String = "openConnectSheet"
| c99cefd031de2c0675ddc940fb887306 | 35.333333 | 65 | 0.793578 | false | false | false | false |
ibm-cloud-security/appid-clientsdk-swift | refs/heads/master | Source/IBMCloudAppID/internal/tokens/AbstractToken.swift | apache-2.0 | 1 | import Foundation
public protocol Token {
var raw: String {get}
var header: Dictionary<String, Any> {get}
var payload: Dictionary<String, Any> {get}
var signature: String {get}
var issuer: String? {get}
var subject: String? {get}
var audience: [String]? {get}
var expiration: Date? {get}
var issuedAt: Date? {get}
var tenant: String? {get}
var authenticationMethods: [String]? {get}
var isExpired: Bool {get}
var isAnonymous: Bool {get}
}
internal class AbstractToken: Token {
private static let ISSUER = "iss"
private static let SUBJECT = "sub"
private static let AUDIENCE = "aud"
private static let EXPIRATION = "exp"
private static let ISSUED_AT = "iat"
private static let TENANT = "tenant"
private static let AUTH_METHODS = "amr"
var raw: String
var header: Dictionary<String, Any>
var payload: Dictionary<String, Any>
var signature: String
internal init? (with raw: String) {
self.raw = raw
let tokenComponents = self.raw.components(separatedBy: ".")
guard tokenComponents.count==3 else {
return nil
}
let headerComponent = tokenComponents[0]
let payloadComponent = tokenComponents[1]
self.signature = tokenComponents[2]
guard
let headerDecodedData = Data(base64Encoded: Utils.base64urlToBase64(base64url: headerComponent)),
let payloadDecodedData = Data(base64Encoded: Utils.base64urlToBase64(base64url: payloadComponent))
else {
return nil
}
guard
let headerDecodedString = String(data: headerDecodedData, encoding: String.Encoding.utf8),
let payloadDecodedString = String(data: payloadDecodedData, encoding: String.Encoding.utf8)
else {
return nil
}
guard
let headerDictionary = try? Utils.parseJsonStringtoDictionary(headerDecodedString),
let payloadDictionary = try? Utils.parseJsonStringtoDictionary(payloadDecodedString)
else {
return nil
}
self.header = headerDictionary
self.payload = payloadDictionary
}
var issuer: String? {
return payload[AbstractToken.ISSUER] as? String
}
var subject: String? {
return payload[AbstractToken.SUBJECT] as? String
}
var audience: [String]? {
return payload[AbstractToken.AUDIENCE] as? [String]
}
var expiration: Date? {
guard let exp = payload[AbstractToken.EXPIRATION] as? Double else {
return nil
}
return Date(timeIntervalSince1970: exp)
}
var issuedAt: Date? {
guard let iat = payload[AbstractToken.ISSUED_AT] as? Double else {
return nil
}
return Date(timeIntervalSince1970: iat)
}
var tenant: String? {
return payload[AbstractToken.TENANT] as? String
}
var authenticationMethods: [String]? {
return payload[AbstractToken.AUTH_METHODS] as? [String]
}
var isExpired: Bool {
guard let exp = self.expiration else {
return true
}
return exp < Date()
}
var isAnonymous: Bool {
// TODO: complete this
guard let amr = payload[AbstractToken.AUTH_METHODS] as? Array<String> else {
return false
}
return amr.contains("appid_anon")
}
}
| 2a53014665e285559fa7cb52780600f5 | 28.6 | 110 | 0.603885 | false | false | false | false |
auth0/Lock.swift | refs/heads/master | Lock/AuthButton.swift | mit | 1 | // AuthButton.swift
//
// Copyright (c) 2016 Auth0 (http://auth0.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 UIKit
public class AuthButton: UIView {
weak var button: UIButton?
weak var iconView: UIImageView?
public var color: UIColor {
get {
return self.normalColor
}
set {
self.normalColor = newValue
}
}
public var normalColor: UIColor = UIColor.a0_orange {
didSet {
let normal = image(withColor: self.normalColor)
self.button?.setBackgroundImage(normal, for: .normal)
}
}
public var highlightedColor: UIColor = UIColor.a0_orange.a0_darker(0.3) {
didSet {
let highlighted = image(withColor: self.highlightedColor)
self.button?.setBackgroundImage(highlighted, for: .highlighted)
}
}
public var borderColor: UIColor? {
didSet {
if let borderColor = self.borderColor {
self.layer.borderWidth = 1
self.layer.borderColor = borderColor.cgColor
} else {
self.layer.borderWidth = 0
self.layer.borderColor = UIColor.clear.cgColor
}
}
}
public var titleColor: UIColor = .white {
didSet {
self.iconView?.tintColor = self.titleColor
self.button?.setTitleColor(self.titleColor, for: .normal)
self.button?.tintColor = self.titleColor
}
}
public var title: String? {
didSet {
guard case .big = self.size else { return }
self.button?.setTitle(self.title, for: .normal)
}
}
public var icon: UIImage? {
get {
return self.iconView?.image
}
set {
self.iconView?.image = newValue
}
}
public var onPress: (AuthButton) -> Void = { _ in }
// MARK: - Style
public var size: Size {
didSet {
self.subviews.forEach { $0.removeFromSuperview() }
self.layout(size: self.size)
}
}
public enum Size {
case small
case big
}
// MARK: - Initialisers
public init(size: Size) {
self.size = size
super.init(frame: .zero)
self.layout(size: self.size)
}
required override public init(frame: CGRect) {
self.size = .big
super.init(frame: frame)
self.layout(size: self.size)
}
public required init?(coder aDecoder: NSCoder) {
self.size = .big
super.init(coder: aDecoder)
self.layout(size: self.size)
}
// MARK: - Layout
private func layout(size: Size) {
self.translatesAutoresizingMaskIntoConstraints = false
self.layer.cornerRadius = 3
self.layer.masksToBounds = true
let button = UIButton(type: .custom)
let iconView = UIImageView()
self.addSubview(button)
button.addSubview(iconView)
constraintEqual(anchor: iconView.leftAnchor, toAnchor: button.leftAnchor)
constraintEqual(anchor: iconView.topAnchor, toAnchor: button.topAnchor)
constraintEqual(anchor: iconView.bottomAnchor, toAnchor: button.bottomAnchor)
constraintEqual(anchor: iconView.widthAnchor, toAnchor: iconView.heightAnchor)
iconView.translatesAutoresizingMaskIntoConstraints = false
constraintEqual(anchor: button.leftAnchor, toAnchor: self.leftAnchor)
constraintEqual(anchor: button.topAnchor, toAnchor: self.topAnchor)
constraintEqual(anchor: button.rightAnchor, toAnchor: self.rightAnchor)
constraintEqual(anchor: button.bottomAnchor, toAnchor: self.bottomAnchor)
if case .small = size {
constraintEqual(anchor: button.widthAnchor, toAnchor: button.heightAnchor)
}
dimension(dimension: button.heightAnchor, greaterThanOrEqual: 50)
button.translatesAutoresizingMaskIntoConstraints = false
iconView.image = self.icon ?? UIImage(named: "ic_auth_auth0", in: bundleForLock(), compatibleWith: self.traitCollection)
iconView.contentMode = .center
iconView.tintColor = self.titleColor
button.setBackgroundImage(image(withColor: self.color), for: .normal)
button.setBackgroundImage(image(withColor: self.highlightedColor), for: .highlighted)
button.setTitleColor(self.titleColor, for: .normal)
button.titleLabel?.font = .systemFont(ofSize: 16, weight: UIFont.weightMedium)
button.titleLabel?.adjustsFontSizeToFitWidth = true
button.titleLabel?.minimumScaleFactor = 0.5
button.contentVerticalAlignment = .center
button.contentHorizontalAlignment = .left
button.addTarget(self, action: #selector(buttonPressed), for: .touchUpInside)
if case .big = self.size {
button.setTitle(self.title, for: .normal)
}
self.button = button
self.iconView = iconView
}
public override func updateConstraints() {
super.updateConstraints()
self.button?.titleEdgeInsets = UIEdgeInsets(top: 0, left: max(self.frame.size.height, 50) + 12, bottom: 0, right: 12)
}
public override var intrinsicContentSize: CGSize {
switch self.size {
case .big:
return CGSize(width: 280, height: 50)
case .small:
return CGSize(width: 50, height: 50)
}
}
// MARK: - Event
@objc func buttonPressed(_ sender: Any) {
self.onPress(self)
}
}
// MARK: - Color Util
extension UIColor {
func a0_darker(_ percentage: CGFloat) -> UIColor {
guard percentage >= 0 && percentage <= 1 else { return self }
var hue: CGFloat = 0, saturation: CGFloat = 0, brightness: CGFloat = 0, alpha: CGFloat = 0
guard self.getHue(&hue, saturation: &saturation, brightness: &brightness, alpha: &alpha) else { return self }
return UIColor(hue: hue, saturation: saturation, brightness: (brightness - percentage), alpha: alpha)
}
func a0_lighter(_ percentage: CGFloat) -> UIColor {
guard percentage >= 0 && percentage <= 1 else { return self }
var hue: CGFloat = 0, saturation: CGFloat = 0, brightness: CGFloat = 0, alpha: CGFloat = 0
guard self.getHue(&hue, saturation: &saturation, brightness: &brightness, alpha: &alpha) else { return self }
return UIColor(hue: hue, saturation: saturation, brightness: (brightness + percentage), alpha: alpha)
}
}
| dce98ca248e5d21d2c3622605b7e627e | 34.17757 | 128 | 0.644261 | false | false | false | false |
adamahrens/noisily | refs/heads/master | Noisily/Noisily/Models/Noise.swift | mit | 1 | //
// Noise.swift
// Noisily
//
// Created by Adam Ahrens on 3/11/15.
// Copyright (c) 2015 Appsbyahrens. All rights reserved.
//
import UIKit
import Realm
class Noise: RLMObject {
dynamic var name = ""
dynamic var imageName = ""
dynamic var fileName = ""
dynamic var fileType = ""
override var hashValue: Int {
return name.hashValue & imageName.hashValue & fileName.hashValue & fileType.hashValue
}
func soundFilePath() -> NSURL {
return NSURL(fileURLWithPath: NSBundle.mainBundle().pathForResource(fileName, ofType: fileType)!)
}
}
func ==(lhs: Noise, rhs: Noise) -> Bool {
let sameName = lhs.name == rhs.name
let sameImageName = lhs.imageName == rhs.imageName
let sameFileName = lhs.fileName == rhs.fileName
let sameFileType = lhs.fileType == rhs.fileType
return sameName && sameImageName && sameFileName && sameFileType
}
func !=(lhs: Noise, rhs: Noise) -> Bool {
return !(lhs == rhs)
}
| e89d512de1b585e2c33c6e9aebe604e3 | 25.513514 | 105 | 0.655454 | false | false | false | false |
Ivacker/swift | refs/heads/master | validation-test/compiler_crashers_2_fixed/0016-rdar21437203.swift | apache-2.0 | 20 | // RUN: %target-swift-frontend %s -emit-silgen
struct Curds {
var whey: AnyObject? = nil
}
private class Butter {
private func churn<T>(block: () throws -> T) throws -> T {
return try block()
}
}
struct Cow {
private var b : Butter
init() {
self.b = Butter()
}
func cheese() throws {
let a = Curds()
let b = Curds()
let c = Curds()
var err = 0
var newChild = 0
defer { }
try self.b.churn { return () }
}
}
| 265fde6bdaae9907178181dae07bce91 | 14.666667 | 62 | 0.548936 | false | false | false | false |
lioonline/Swift | refs/heads/master | UIImagePickerControllerCameraEditImage/UIImagePickerControllerCameraEditImage/ViewController.swift | gpl-3.0 | 1 | //
// ViewController.swift
// UIImagePickerControllerCameraEditImage
//
// Created by Carlos Butron on 08/12/14.
// Copyright (c) 2014 Carlos Butron.
//
// This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public
// License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later
// version.
// This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied
// warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details.
// You should have received a copy of the GNU General Public License along with this program. If not, see
// http:/www.gnu.org/licenses/.
//
import UIKit
import MediaPlayer
import MobileCoreServices
class ViewController: UIViewController, UINavigationControllerDelegate, UIImagePickerControllerDelegate {
@IBOutlet weak var cutImage: UIImageView!
@IBOutlet weak var myImage: UIImageView!
@IBAction func useCamera(sender: UIButton) {
let imagePicker = UIImagePickerController()
imagePicker.delegate = self
imagePicker.sourceType = UIImagePickerControllerSourceType.Camera
//to select only camera control, not video
imagePicker.mediaTypes = [kUTTypeImage]
imagePicker.showsCameraControls = true
imagePicker.allowsEditing = true
self.presentViewController(imagePicker, animated: true, completion: nil)
}
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view, typically from a nib.
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
func imagePickerController(picker: UIImagePickerController!, didFinishPickingMediaWithInfo info: [NSObject : AnyObject]!){
let image = info[UIImagePickerControllerOriginalImage] as UIImage
let imageEdited = info[UIImagePickerControllerEditedImage] as UIImage
let imageData = UIImagePNGRepresentation(image) as NSData
//guarda en album de fotos
UIImageWriteToSavedPhotosAlbum(image, self, "image:didFinishSavingWithError:contextInfo:", nil)
//guarda en documents
let documentsPath = NSSearchPathForDirectoriesInDomains(NSSearchPathDirectory.DocumentDirectory, NSSearchPathDomainMask.UserDomainMask, true).last as NSString
let filePath = documentsPath.stringByAppendingPathComponent("pic.png")
imageData.writeToFile(filePath, atomically: true)
myImage.image = image
cutImage.image = imageEdited
self.dismissViewControllerAnimated(true, completion: nil)
}
func image(image: UIImage, didFinishSavingWithError error: NSErrorPointer, contextInfo: UnsafePointer<()>){
if(error != nil){
println("ERROR IMAGE \(error.debugDescription)")
}
}
func imagePickerControllerDidCancel(picker: UIImagePickerController!){
self.dismissViewControllerAnimated(true, completion: nil)
}
}
| 7f93d32d347baf0e2cdbff3f919da200 | 37.411765 | 166 | 0.713323 | false | false | false | false |
Constructor-io/constructorio-client-swift | refs/heads/master | AutocompleteClient/FW/Logic/Request/CIOTrackAutocompleteSelectData.swift | mit | 1 | //
// CIOTrackAutocompleteSelectData.swift
// AutocompleteClient
//
// Copyright © Constructor.io. All rights reserved.
// http://constructor.io/
//
import Foundation
/**
Struct encapsulating the parameters that must/can be set in order to track a click on an autocomplete result.
`sectionName` is an optional parameter.
- If specified, it will report the autocomplete click as a *select* type and should be used for all types of item clicks, which simply tracks a user selection on an autocomplete item.
- Otherwise, it will report the autocomplete click as a *search* type, typically used when the clicked item is a search suggestion for tracking what users search (in addition to the *select* type).
*/
struct CIOTrackAutocompleteSelectData: CIORequestData {
let searchTerm: String
let originalQuery: String
let group: CIOGroup?
let sectionName: String
let resultID: String?
func url(with baseURL: String) -> String {
return String(format: Constants.TrackAutocompleteSelect.format, baseURL, self.searchTerm.addingPercentEncoding(withAllowedCharacters: .urlPathAllowed)!)
}
init(searchTerm: String, originalQuery: String, sectionName: String, group: CIOGroup? = nil, resultID: String? = nil) {
self.searchTerm = searchTerm
self.originalQuery = originalQuery
self.group = group
self.sectionName = sectionName
self.resultID = resultID
}
func decorateRequest(requestBuilder: RequestBuilder) {
requestBuilder.set(originalQuery: self.originalQuery)
if let group = self.group {
requestBuilder.set(groupName: group.displayName)
requestBuilder.set(groupID: group.groupID)
}
requestBuilder.set(resultID: self.resultID)
requestBuilder.set(autocompleteSection: self.sectionName)
requestBuilder.addTriggerQueryItem()
}
}
| d47499c0d2269dfbe9939be48392dc5c | 38.395833 | 198 | 0.723956 | false | false | false | false |
plus44/hcr-2016 | refs/heads/master | app/PiNAOqio/Camera/FocusViewController.swift | apache-2.0 | 1 | //
// FocusViewController.swift
// Camera
//
// Created by Matteo Caldari on 06/02/15.
// Copyright (c) 2015 Matteo Caldari. All rights reserved.
//
import UIKit
import AVFoundation
class FocusViewController: UIViewController, CameraControlsViewControllerProtocol, CameraSettingValueObserver {
@IBOutlet var modeSwitch:UISwitch!
@IBOutlet var slider:UISlider!
var cameraController:CameraController? {
willSet {
if let cameraController = cameraController {
cameraController.unregisterObserver(self, property: CameraControlObservableSettingLensPosition)
}
}
didSet {
if let cameraController = cameraController {
cameraController.registerObserver(self, property: CameraControlObservableSettingLensPosition)
}
}
}
override func viewDidLoad() {
setInitialValues()
}
@IBAction func sliderDidChangeValue(_ sender:UISlider) {
cameraController?.lockFocusAtLensPosition(CGFloat(sender.value))
}
@IBAction func modeSwitchValueChanged(_ sender:UISwitch) {
if sender.isOn {
cameraController?.enableContinuousAutoFocus()
}
else {
cameraController?.lockFocusAtLensPosition(CGFloat(self.slider.value))
}
slider.isEnabled = !sender.isOn
}
func cameraSetting(_ setting:String, valueChanged value:AnyObject) {
if setting == CameraControlObservableSettingLensPosition {
if let lensPosition = value as? Float {
slider.value = lensPosition
}
}
}
func setInitialValues() {
if isViewLoaded && cameraController != nil {
if let autoFocus = cameraController?.isContinuousAutoFocusEnabled() {
modeSwitch.isOn = autoFocus
slider.isEnabled = !autoFocus
}
if let currentLensPosition = cameraController?.currentLensPosition() {
slider.value = currentLensPosition
}
}
}
}
| c4585386c25a15ae8bd9df34572a8e2f | 23.611111 | 111 | 0.747178 | false | false | false | false |
skywinder/DOFavoriteButton | refs/heads/master | DOFavoriteButton-DEMO/DOFavoriteButton-DEMO/ViewController.swift | mit | 1 | //
// ViewController.swift
// DOFavoriteButton-DEMO
//
// Created by Daiki Okumura on 2015/07/09.
// Copyright (c) 2015 Daiki Okumura. All rights reserved.
//
import UIKit
import DOFavoriteButton
class ViewController: UIViewController {
@IBOutlet var heartButton: DOFavoriteButton!
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view, typically from a nib.
let width = (self.view.frame.width - 44) / 4
var x = width / 2
let y = self.view.frame.height / 2 - 22
// star button
let starButton = DOFavoriteButton(frame: CGRectMake(x, y, 44, 44), image: UIImage(named: "star", inBundle:NSBundle(forClass: DOFavoriteButton.self), compatibleWithTraitCollection: nil))
starButton.addTarget(self, action: Selector("tappedButton:"), forControlEvents: UIControlEvents.TouchUpInside)
self.view.addSubview(starButton)
x += width
// heart button
let heartButton = DOFavoriteButton(frame: CGRectMake(x, y, 44, 44), image: UIImage(named: "heart", inBundle:NSBundle(forClass: DOFavoriteButton.self), compatibleWithTraitCollection: nil))
heartButton.imageColorOn = UIColor(red: 254/255, green: 110/255, blue: 111/255, alpha: 1.0)
heartButton.circleColor = UIColor(red: 254/255, green: 110/255, blue: 111/255, alpha: 1.0)
heartButton.lineColor = UIColor(red: 226/255, green: 96/255, blue: 96/255, alpha: 1.0)
heartButton.addTarget(self, action: Selector("tappedButton:"), forControlEvents: UIControlEvents.TouchUpInside)
self.view.addSubview(heartButton)
x += width
// like button
let likeButton = DOFavoriteButton(frame: CGRectMake(x, y, 44, 44), image: UIImage(named: "like", inBundle:NSBundle(forClass: DOFavoriteButton.self), compatibleWithTraitCollection: nil))
likeButton.imageColorOn = UIColor(red: 52/255, green: 152/255, blue: 219/255, alpha: 1.0)
likeButton.circleColor = UIColor(red: 52/255, green: 152/255, blue: 219/255, alpha: 1.0)
likeButton.lineColor = UIColor(red: 41/255, green: 128/255, blue: 185/255, alpha: 1.0)
likeButton.addTarget(self, action: Selector("tappedButton:"), forControlEvents: UIControlEvents.TouchUpInside)
self.view.addSubview(likeButton)
x += width
// smile button
let smileButton = DOFavoriteButton(frame: CGRectMake(x, y, 44, 44), image: UIImage(named: "smile", inBundle:NSBundle(forClass: DOFavoriteButton.self), compatibleWithTraitCollection: nil))
smileButton.imageColorOn = UIColor(red: 45/255, green: 204/255, blue: 112/255, alpha: 1.0)
smileButton.circleColor = UIColor(red: 45/255, green: 204/255, blue: 112/255, alpha: 1.0)
smileButton.lineColor = UIColor(red: 45/255, green: 195/255, blue: 106/255, alpha: 1.0)
smileButton.addTarget(self, action: Selector("tappedButton:"), forControlEvents: UIControlEvents.TouchUpInside)
self.view.addSubview(smileButton)
self.heartButton.addTarget(self, action: Selector("tappedButton:"), forControlEvents: UIControlEvents.TouchUpInside)
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
func tappedButton(sender: DOFavoriteButton) {
if sender.selected {
sender.deselect()
} else {
sender.select()
}
}
}
| 7d4d0e0b0ea15a2acc50363a26e3408e | 48.661972 | 195 | 0.675837 | false | false | false | false |
divljiboy/IOSChatApp | refs/heads/master | Quick-Chat/MagicChat/UI/ProgressHud/ProgressHUD.swift | mit | 1 | //
// ProgressHUD.swift
// MagicChat
//
// Created by Ivan Divljak on 5/17/18.
// Copyright © 2018 Mexonis. All rights reserved.
//
import Foundation
import UIKit
class ProgressHUD: UIVisualEffectView {
var text: String? {
didSet {
label.text = text
}
}
let activityIndictor: UIActivityIndicatorView = UIActivityIndicatorView(activityIndicatorStyle: UIActivityIndicatorViewStyle.gray)
let label: UILabel = UILabel()
let blurEffect = UIBlurEffect(style: .light)
let vibrancyView: UIVisualEffectView
init(text: String) {
self.text = text
self.vibrancyView = UIVisualEffectView(effect: UIBlurEffect(style: .extraLight))
super.init(effect: blurEffect)
self.setup()
}
required init?(coder aDecoder: NSCoder) {
self.text = ""
self.vibrancyView = UIVisualEffectView(effect: UIBlurEffect(style: .extraLight))
super.init(coder: aDecoder)
self.setup()
}
func setup() {
contentView.addSubview(vibrancyView)
contentView.addSubview(activityIndictor)
contentView.addSubview(label)
activityIndictor.startAnimating()
}
override func didMoveToSuperview() {
super.didMoveToSuperview()
if let superview = self.superview {
let width = superview.frame.size.width / 1.5
let height: CGFloat = 50.0
self.frame = CGRect(x: superview.frame.size.width / 2 - width / 2,
y: superview.frame.size.height / 2,
width: width,
height: height)
vibrancyView.frame = self.bounds
let activityIndicatorSize: CGFloat = 40
activityIndictor.frame = CGRect(x: 5,
y: height / 2 - activityIndicatorSize / 2,
width: activityIndicatorSize,
height: activityIndicatorSize)
layer.cornerRadius = 8.0
layer.masksToBounds = true
label.text = text
label.textAlignment = NSTextAlignment.center
label.numberOfLines = 0
label.frame = CGRect(x: activityIndicatorSize + 5,
y: 0,
width: width - activityIndicatorSize - 15,
height: height)
label.textColor = UIColor.gray
label.font = UIFont.preferredFont(forTextStyle: UIFontTextStyle.headline)
}
}
func show() {
self.isHidden = false
}
func hide() {
self.isHidden = true
}
}
| c415c9d63a54ae3aaff6ef9c55f3aa81 | 31.430233 | 134 | 0.546432 | false | false | false | false |
werediver/ParserCore | refs/heads/master | Sources/ParserCore/Core+Ext/Core+Subseq.swift | mit | 2 | public extension SomeCore {
static func subseq(
tag: String? = nil,
while predicate: @escaping (Source.SubSequence.Element) -> Bool,
count limit: CountLimit = .atLeast(1)
) -> GenericParser<Self, Source.SubSequence> {
return GenericParser(tag: tag) { _, core in
core.accept { tail -> Match<Source.SubSequence>? in
var count = 0
let match = tail.prefix(while: { element in
if limit.extends(past: count) && predicate(element) {
count += 1
return true
}
return false
})
if limit.contains(match.count) {
return Match(symbol: match, range: match.startIndex ..< match.endIndex)
}
return nil
}
.map(Either.right)
?? .left(Mismatch())
}
}
}
public extension SomeCore where
Source.SubSequence.Element: Equatable
{
static func subseq(
tag: String? = nil,
_ pattern: Source.SubSequence
) -> GenericParser<Self, Source.SubSequence> {
return GenericParser(tag: tag) { _, core in
core.accept { tail -> Match<Source.SubSequence>? in
if tail.starts(with: pattern) {
return Match(symbol: pattern, range: tail.startIndex ..< tail.index(tail.startIndex, offsetBy: pattern.count))
}
return nil
}
.map(Either.right)
?? .left(.expected(String(reflecting: pattern)))
}
}
}
| 36045294a5cbda4b811a46b70676bf9c | 34.895833 | 134 | 0.485781 | false | false | false | false |
MaddTheSane/iNetHack | refs/heads/swift | Classes/TouchInfo.swift | gpl-2.0 | 1 | //
// TouchInfo.swift
// iNetHack
//
// Created by C.W. Betts on 10/3/15.
// Copyright 2015 Dirk Zimmermann. All rights reserved.
//
// This file is part of iNetHack.
//
// iNetHack 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 2 of the License only.
//
// iNetHack 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 iNetHack. If not, see <http://www.gnu.org/licenses/>.
import UIKit
class TouchInfo : NSObject {
var pinched = false
var moved = false
var doubleTap = false
var initialLocation: CGPoint
/// only updated on -init, for your own use
var currentLocation: CGPoint
init(touch t: UITouch) {
initialLocation = t.location(in: t.view)
currentLocation = initialLocation
super.init()
}
}
| aed8ea23f51b0a695a27d54c555f46d5 | 26.95 | 72 | 0.719141 | false | false | false | false |
adrfer/swift | refs/heads/master | stdlib/public/core/SwiftNativeNSArray.swift | apache-2.0 | 2 | //===--- SwiftNativeNSArray.swift -----------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2016 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See http://swift.org/LICENSE.txt for license information
// See http://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
//
// _ContiguousArrayStorageBase supplies the implementation of the
// _NSArrayCoreType API (and thus, NSArray the API) for our
// _ContiguousArrayStorage<T>. We can't put this implementation
// directly on _ContiguousArrayStorage because generic classes can't
// override Objective-C selectors.
//
//===----------------------------------------------------------------------===//
#if _runtime(_ObjC)
import SwiftShims
/// Returns `true` iff the given `index` is valid as a position, i.e. `0
/// ≤ index ≤ count`.
@_transparent
internal func _isValidArrayIndex(index: Int, _ count: Int) -> Bool {
return (index >= 0) && (index <= count)
}
/// Returns `true` iff the given `index` is valid for subscripting, i.e.
/// `0 ≤ index < count`.
@_transparent
internal func _isValidArraySubscript(index: Int, _ count: Int) -> Bool {
return (index >= 0) && (index < count)
}
/// An `NSArray` with Swift-native reference counting and contiguous
/// storage.
class _SwiftNativeNSArrayWithContiguousStorage
: _SwiftNativeNSArray { // Provides NSArray inheritance and native refcounting
// Operate on our contiguous storage
internal func withUnsafeBufferOfObjects<R>(
@noescape body: UnsafeBufferPointer<AnyObject> throws -> R
) rethrows -> R {
_sanityCheckFailure(
"Must override withUnsafeBufferOfObjects in derived classes")
}
}
// Implement the APIs required by NSArray
extension _SwiftNativeNSArrayWithContiguousStorage: _NSArrayCoreType {
@objc internal var count: Int {
return withUnsafeBufferOfObjects { $0.count }
}
@objc internal func objectAtIndex(index: Int) -> AnyObject {
return withUnsafeBufferOfObjects {
objects in
_precondition(
_isValidArraySubscript(index, objects.count),
"Array index out of range")
return objects[index]
}
}
@objc internal func getObjects(
aBuffer: UnsafeMutablePointer<AnyObject>, range: _SwiftNSRange
) {
return withUnsafeBufferOfObjects {
objects in
_precondition(
_isValidArrayIndex(range.location, objects.count),
"Array index out of range")
_precondition(
_isValidArrayIndex(
range.location + range.length, objects.count),
"Array index out of range")
// These objects are "returned" at +0, so treat them as values to
// avoid retains.
UnsafeMutablePointer<Int>(aBuffer).initializeFrom(
UnsafeMutablePointer(objects.baseAddress + range.location),
count: range.length)
}
}
@objc internal func countByEnumeratingWithState(
state: UnsafeMutablePointer<_SwiftNSFastEnumerationState>,
objects: UnsafeMutablePointer<AnyObject>, count: Int
) -> Int {
var enumerationState = state.memory
if enumerationState.state != 0 {
return 0
}
return withUnsafeBufferOfObjects {
objects in
enumerationState.mutationsPtr = _fastEnumerationStorageMutationsPtr
enumerationState.itemsPtr = unsafeBitCast(
objects.baseAddress,
AutoreleasingUnsafeMutablePointer<AnyObject?>.self)
enumerationState.state = 1
state.memory = enumerationState
return objects.count
}
}
@objc internal func copyWithZone(_: _SwiftNSZone) -> AnyObject {
return self
}
}
/// An `NSArray` whose contiguous storage is created and filled, upon
/// first access, by bridging the elements of a Swift `Array`.
///
/// Ideally instances of this class would be allocated in-line in the
/// buffers used for Array storage.
@objc internal final class _SwiftDeferredNSArray
: _SwiftNativeNSArrayWithContiguousStorage {
// This stored property should be stored at offset zero. We perform atomic
// operations on it.
//
// Do not access this property directly.
internal var _heapBufferBridged_DoNotUse: AnyObject? = nil
// When this class is allocated inline, this property can become a
// computed one.
internal let _nativeStorage: _ContiguousArrayStorageBase
internal var _heapBufferBridgedPtr: UnsafeMutablePointer<AnyObject?> {
return UnsafeMutablePointer(_getUnsafePointerToStoredProperties(self))
}
internal typealias HeapBufferStorage = _HeapBufferStorage<Int, AnyObject>
internal var _heapBufferBridged: HeapBufferStorage? {
if let ref =
_stdlib_atomicLoadARCRef(object: _heapBufferBridgedPtr) {
return unsafeBitCast(ref, HeapBufferStorage.self)
}
return nil
}
internal init(_nativeStorage: _ContiguousArrayStorageBase) {
self._nativeStorage = _nativeStorage
}
internal func _destroyBridgedStorage(hb: HeapBufferStorage?) {
if let bridgedStorage = hb {
let heapBuffer = _HeapBuffer(bridgedStorage)
let count = heapBuffer.value
heapBuffer.baseAddress.destroy(count)
}
}
deinit {
_destroyBridgedStorage(_heapBufferBridged)
}
internal override func withUnsafeBufferOfObjects<R>(
@noescape body: UnsafeBufferPointer<AnyObject> throws -> R
) rethrows -> R {
repeat {
var buffer: UnsafeBufferPointer<AnyObject>
// If we've already got a buffer of bridged objects, just use it
if let bridgedStorage = _heapBufferBridged {
let heapBuffer = _HeapBuffer(bridgedStorage)
buffer = UnsafeBufferPointer(
start: heapBuffer.baseAddress, count: heapBuffer.value)
}
// If elements are bridged verbatim, the native buffer is all we
// need, so return that.
else if let buf = _nativeStorage._withVerbatimBridgedUnsafeBuffer(
{ $0 }
) {
buffer = buf
}
else {
// Create buffer of bridged objects.
let objects = _nativeStorage._getNonVerbatimBridgedHeapBuffer()
// Atomically store a reference to that buffer in self.
if !_stdlib_atomicInitializeARCRef(
object: _heapBufferBridgedPtr, desired: objects.storage!) {
// Another thread won the race. Throw out our buffer
let storage: HeapBufferStorage = unsafeDowncast(objects.storage!)
_destroyBridgedStorage(storage)
}
continue // Try again
}
defer { _fixLifetime(self) }
return try body(buffer)
}
while true
}
/// Returns the number of elements in the array.
///
/// This override allows the count to be read without triggering
/// bridging of array elements.
@objc
internal override var count: Int {
if let bridgedStorage = _heapBufferBridged {
return _HeapBuffer(bridgedStorage).value
}
// Check if elements are bridged verbatim.
return _nativeStorage._withVerbatimBridgedUnsafeBuffer { $0.count }
?? _nativeStorage._getNonVerbatimBridgedCount()
}
}
#else
// Empty shim version for non-objc platforms.
class _SwiftNativeNSArrayWithContiguousStorage {}
#endif
/// Base class of the heap buffer backing arrays.
internal class _ContiguousArrayStorageBase
: _SwiftNativeNSArrayWithContiguousStorage {
#if _runtime(_ObjC)
internal override func withUnsafeBufferOfObjects<R>(
@noescape body: UnsafeBufferPointer<AnyObject> throws -> R
) rethrows -> R {
if let result = try _withVerbatimBridgedUnsafeBuffer(body) {
return result
}
_sanityCheckFailure(
"Can't use a buffer of non-verbatim-bridged elements as an NSArray")
}
/// If the stored type is bridged verbatim, invoke `body` on an
/// `UnsafeBufferPointer` to the elements and return the result.
/// Otherwise, return `nil`.
internal func _withVerbatimBridgedUnsafeBuffer<R>(
@noescape body: UnsafeBufferPointer<AnyObject> throws -> R
) rethrows -> R? {
_sanityCheckFailure(
"Concrete subclasses must implement _withVerbatimBridgedUnsafeBuffer")
}
internal func _getNonVerbatimBridgedCount(dummy: Void) -> Int {
_sanityCheckFailure(
"Concrete subclasses must implement _getNonVerbatimBridgedCount")
}
internal func _getNonVerbatimBridgedHeapBuffer(dummy: Void) ->
_HeapBuffer<Int, AnyObject> {
_sanityCheckFailure(
"Concrete subclasses must implement _getNonVerbatimBridgedHeapBuffer")
}
#endif
func canStoreElementsOfDynamicType(_: Any.Type) -> Bool {
_sanityCheckFailure(
"Concrete subclasses must implement canStoreElementsOfDynamicType")
}
/// A type that every element in the array is.
var staticElementType: Any.Type {
_sanityCheckFailure(
"Concrete subclasses must implement staticElementType")
}
deinit {
_sanityCheck(
self !== _emptyArrayStorage, "Deallocating empty array storage?!")
}
}
| a6b69fb3e2a358fd75efc54fb6de3f9d | 31.535971 | 80 | 0.686567 | false | false | false | false |
maxbritto/cours-ios11-swift4 | refs/heads/master | Maitriser/Objectif 1/Safety First/Safety First/EditCredentialViewController.swift | apache-2.0 | 4 | //
// EditCredentialViewController.swift
// Safety First
//
// Created by Maxime Britto on 07/09/2017.
// Copyright © 2017 Maxime Britto. All rights reserved.
//
import UIKit
class EditCredentialViewController: UITableViewController {
@IBOutlet weak var ui_loginField: UITextField!
@IBOutlet weak var ui_titleField: UITextField!
@IBOutlet weak var ui_passwordField: UITextField!
@IBOutlet weak var ui_urlField: UITextField!
@IBAction func dismissThisViewController(_ sender: Any) {
dismiss(animated: true, completion: nil)
}
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
if segue.identifier == "saveAndReturnToListSegue" {
print("We should save the edits")
if let title = ui_titleField.text,
let login = ui_loginField.text,
let password = ui_passwordField.text,
let url = ui_urlField.text {
let credentialsManager = CredentialsManager()
_ = credentialsManager.addCredentials(title: title, login: login, password: password, url: url)
}
}
}
override func viewDidLoad() {
super.viewDidLoad()
// Uncomment the following line to preserve selection between presentations
// self.clearsSelectionOnViewWillAppear = false
// Uncomment the following line to display an Edit button in the navigation bar for this view controller.
// self.navigationItem.rightBarButtonItem = self.editButtonItem
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
// MARK: - Table view data source
/*
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: "reuseIdentifier", for: indexPath)
// Configure the cell...
return cell
}
*/
/*
// Override to support conditional editing of the table view.
override func tableView(_ tableView: UITableView, canEditRowAt indexPath: IndexPath) -> Bool {
// Return false if you do not want the specified item to be editable.
return true
}
*/
/*
// Override to support editing the table view.
override func tableView(_ tableView: UITableView, commit editingStyle: UITableViewCellEditingStyle, forRowAt indexPath: IndexPath) {
if editingStyle == .delete {
// Delete the row from the data source
tableView.deleteRows(at: [indexPath], with: .fade)
} else if editingStyle == .insert {
// Create a new instance of the appropriate class, insert it into the array, and add a new row to the table view
}
}
*/
/*
// Override to support rearranging the table view.
override func tableView(_ tableView: UITableView, moveRowAt fromIndexPath: IndexPath, to: IndexPath) {
}
*/
/*
// Override to support conditional rearranging of the table view.
override func tableView(_ tableView: UITableView, canMoveRowAt indexPath: IndexPath) -> Bool {
// Return false if you do not want the item to be re-orderable.
return true
}
*/
/*
// MARK: - Navigation
// In a storyboard-based application, you will often want to do a little preparation before navigation
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
// Get the new view controller using segue.destinationViewController.
// Pass the selected object to the new view controller.
}
*/
}
| 0240266c7d2d3ee4bc004900193d40b7 | 33.240741 | 136 | 0.657382 | false | false | false | false |
InsectQY/HelloSVU_Swift | refs/heads/master | HelloSVU_Swift/Classes/Module/Home/WallPaper/Detail/View/TipView.swift | apache-2.0 | 1 | //
// TipView.swift
// HelloSVU_Swift
//
// Created by Insect on 2017/9/27.
// Copyright © 2017年 Insect. All rights reserved.
//
import UIKit
class TipView: UIView {
/// 透明遮罩
private lazy var bgView: UIView = {
let bgView = UIView(frame: UIScreen.main.bounds)
bgView.backgroundColor = UIColor(white: 0, alpha: 0)
bgView.addGestureRecognizer(UITapGestureRecognizer(target: self, action: #selector(didTappedBgView(_:))))
return bgView
}()
// MARK: - 图片
private lazy var swipeImageView: UIImageView = {
let swipeImageView = UIImageView(frame: CGRect(x: 100, y: ScreenH - 200, width: 50, height: 50))
swipeImageView.image = #imageLiteral(resourceName: "swipe_down")
return swipeImageView
}()
// MARK: - 提示文字
private lazy var swipeLabel: UILabel = {
let swipeLabel = UILabel(frame: CGRect(x: 160, y: ScreenH - 180, width: ScreenW - 160, height: 30))
swipeLabel.text = "可以下滑返回哦"
swipeLabel.font = PFR18Font
swipeLabel.textColor = .white
return swipeLabel
}()
// MARK: - 弹出视图
func show() {
// 只显示一次
if !UserDefaults.standard.bool(forKey: "showTip") {
UIApplication.shared.keyWindow?.addSubview(self)
UIApplication.shared.keyWindow?.addSubview(bgView)
UIApplication.shared.keyWindow?.addSubview(swipeImageView)
UIApplication.shared.keyWindow?.addSubview(swipeLabel)
UIView.animate(withDuration: 0.25, animations: {
self.bgView.backgroundColor = UIColor(white: 0, alpha: 0.5)
}, completion: { (_) in
self.showAnimation(2)
})
UserDefaults.standard.set(true, forKey: "showTip")
}
}
// MARK: - 下滑手势动画
private func showAnimation(_ count: Int) {
var animationCount = count
UIView.animate(withDuration: 0.3, delay: 0, options: UIViewAnimationOptions.allowUserInteraction, animations: {
self.swipeImageView.transform = CGAffineTransform(translationX: 0, y: 100)
}, completion: { (_) in
UIView.animate(withDuration: 0.2, delay: 0, options: UIViewAnimationOptions.allowUserInteraction, animations: {
self.swipeImageView.transform = CGAffineTransform.identity
}, completion: { (_) in
animationCount -= 1
if animationCount > 0 {
self.showAnimation(animationCount)
}
})
})
}
// MARK: - 透明背景遮罩触摸事件
@objc private func didTappedBgView(_ tap: UITapGestureRecognizer) {
dismiss()
}
// MARK: - 隐藏视图
func dismiss() {
UIView.animate(withDuration: 0.25, animations: {
self.swipeImageView.alpha = 0
self.swipeLabel.alpha = 0
self.bgView.backgroundColor = UIColor(white: 0, alpha: 0)
}, completion: { (_) in
self.bgView.removeFromSuperview()
self.swipeImageView.removeFromSuperview()
self.swipeLabel.removeFromSuperview()
self.removeFromSuperview()
})
}
}
| bd87d65199b47719f9c26935403ae70f | 31.230769 | 123 | 0.567422 | false | false | false | false |
PANDA-Guide/PandaGuideApp | refs/heads/master | PandaGuideUITests/SigninViewControllerTests.swift | gpl-3.0 | 1 | //
// SigninViewControllerTests.swift
// PandaGuide
//
// Created by Arnaud Lenglet on 26/04/2017.
// Copyright © 2017 ESTHESIX. All rights reserved.
//
@testable import PandaGuide
class SigninViewControllerTests: BaseUITests {
let emailField = "Email"
let passwordField = "Password"
let signinButton = "Connect"
override func beforeAll() {
userFactory = UserFactory()
_ = userFactory.create()
SessionService().signout()
}
override func afterAll() {
_ = userFactory.destroy()
SessionService().signout()
}
override func beforeEach() {
clearOutForm()
}
func testEmptyForm() {
tap(button: signinButton)
expectToSee(alert: "Empty email")
tap(button: "Ok")
}
func testEmptyPassword() {
fillInEmail()
tap(button: signinButton)
expectToSee(alert: "Empty password")
tap(button: "Ok")
}
func testWhenIncorrectCredentials() {
fillInEmail()
fillInPassword("Wrong password")
tap(button: signinButton)
expectToSee(alert: "Incorrect email or password")
tap(button: "Ok")
}
func testWhenCorrectCredentials() {
fillInEmail(userFactory.user.email)
fillInPassword(userFactory.user.password)
tap(button: signinButton)
expectToGoToCameraView()
tap(button: "Signout button")
}
}
| e8c753059a1e806a3ff4db7ee410eeb5 | 23.433333 | 57 | 0.604366 | false | true | false | false |
adrfer/swift | refs/heads/master | stdlib/private/SwiftPrivatePthreadExtras/PthreadBarriers.swift | apache-2.0 | 2 | //===--- PthreadBarriers.swift --------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2016 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See http://swift.org/LICENSE.txt for license information
// See http://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
#if os(OSX) || os(iOS) || os(watchOS) || os(tvOS)
import Darwin
#elseif os(Linux) || os(FreeBSD)
import Glibc
#endif
//
// Implement pthread barriers.
//
// (OS X does not implement them.)
//
public struct _stdlib_pthread_barrierattr_t {
public init() {}
}
public func _stdlib_pthread_barrierattr_init(
attr: UnsafeMutablePointer<_stdlib_pthread_barrierattr_t>
) -> CInt {
return 0
}
public func _stdlib_pthread_barrierattr_destroy(
attr: UnsafeMutablePointer<_stdlib_pthread_barrierattr_t>
) -> CInt {
return 0
}
public var _stdlib_PTHREAD_BARRIER_SERIAL_THREAD: CInt {
return 1
}
public struct _stdlib_pthread_barrier_t {
var mutex: UnsafeMutablePointer<pthread_mutex_t> = nil
var cond: UnsafeMutablePointer<pthread_cond_t> = nil
/// The number of threads to synchronize.
var count: CUnsignedInt = 0
/// The number of threads already waiting on the barrier.
///
/// This shared variable is protected by `mutex`.
var numThreadsWaiting: CUnsignedInt = 0
public init() {}
}
public func _stdlib_pthread_barrier_init(
barrier: UnsafeMutablePointer<_stdlib_pthread_barrier_t>,
_ attr: UnsafeMutablePointer<_stdlib_pthread_barrierattr_t>,
_ count: CUnsignedInt
) -> CInt {
barrier.memory = _stdlib_pthread_barrier_t()
if count == 0 {
errno = EINVAL
return -1
}
barrier.memory.mutex = UnsafeMutablePointer.alloc(1)
if pthread_mutex_init(barrier.memory.mutex, nil) != 0 {
// FIXME: leaking memory.
return -1
}
barrier.memory.cond = UnsafeMutablePointer.alloc(1)
if pthread_cond_init(barrier.memory.cond, nil) != 0 {
// FIXME: leaking memory, leaking a mutex.
return -1
}
barrier.memory.count = count
return 0
}
public func _stdlib_pthread_barrier_destroy(
barrier: UnsafeMutablePointer<_stdlib_pthread_barrier_t>
) -> CInt {
if pthread_cond_destroy(barrier.memory.cond) != 0 {
// FIXME: leaking memory, leaking a mutex.
return -1
}
if pthread_mutex_destroy(barrier.memory.mutex) != 0 {
// FIXME: leaking memory.
return -1
}
barrier.memory.cond.destroy()
barrier.memory.cond.dealloc(1)
barrier.memory.mutex.destroy()
barrier.memory.mutex.dealloc(1)
return 0
}
public func _stdlib_pthread_barrier_wait(
barrier: UnsafeMutablePointer<_stdlib_pthread_barrier_t>
) -> CInt {
if pthread_mutex_lock(barrier.memory.mutex) != 0 {
return -1
}
barrier.memory.numThreadsWaiting += 1
if barrier.memory.numThreadsWaiting < barrier.memory.count {
// Put the thread to sleep.
if pthread_cond_wait(barrier.memory.cond, barrier.memory.mutex) != 0 {
return -1
}
if pthread_mutex_unlock(barrier.memory.mutex) != 0 {
return -1
}
return 0
} else {
// Reset thread count.
barrier.memory.numThreadsWaiting = 0
// Wake up all threads.
if pthread_cond_broadcast(barrier.memory.cond) != 0 {
return -1
}
if pthread_mutex_unlock(barrier.memory.mutex) != 0 {
return -1
}
return _stdlib_PTHREAD_BARRIER_SERIAL_THREAD
}
}
| 16410ebd2f3d8e755e0ffcf61a5e72f2 | 25.75 | 80 | 0.664967 | false | false | false | false |
shralpmeister/shralptide2 | refs/heads/main | ShralpTide/ShralpTide2/WatchSessionManager.swift | gpl-3.0 | 1 | //
// WatchSessionManager.swift
// ShralpTide2
//
// Created by Michael Parlee on 10/18/16.
//
//
import Foundation
import WatchConnectivity
import OSLog
class WatchSessionManager: NSObject, WCSessionDelegate {
private let log = Logger(subsystem: "WatchSessionManager", category: "main")
private let session: WCSession? = WCSession.isSupported() ? WCSession.default : nil
private var validSession: WCSession? {
// paired - the user has to have their device paired to the watch
// watchAppInstalled - the user must have your watch app installed
// Note: if the device is paired, but your watch app is not installed
// consider prompting the user to install it for a better experience
if let session = session, session.isPaired, session.isWatchAppInstalled {
return session
}
return nil
}
var appState: AppState?
func startSession() {
session?.delegate = self
session?.activate()
}
/** Called when the session has completed activation. If session state is WCSessionActivationStateNotActivated there will be an error with more details. */
func session(_: WCSession, activationDidCompleteWith _: WCSessionActivationState, error: Error?) {
if error != nil {
log.error("Activation failed with error: \(String(describing: error))")
} else {
log.info("WatchConnectivity session active!")
}
}
func session(_: WCSession, didReceiveMessage message: [String: Any],
replyHandler: @escaping ([String: Any]) -> Void)
{
if let request = message["request"] as! String? {
if request == "provision" {
if let state = appState {
var settings = state.config.settingsDict as! Dictionary<String, Any>
settings["selected_station"] = state.tides[state.locationPage].stationName
settings["favorite_locations"] = state.tides.map { $0.stationName }
replyHandler(settings)
}
}
}
}
func sendStateUpdate() {
if let state = appState {
if session?.isReachable ?? false {
var settings = state.config.settingsDict as! Dictionary<String, Any>
settings["selected_station"] = state.tides[state.locationPage].stationName
settings["favorite_locations"] = state.tides.map { $0.stationName }
settings["message_type"] = "settings_update"
session?.sendMessage(settings, replyHandler: nil, errorHandler: { error in
self.log.info("Unable to send settings update to watch")
})
}
}
}
/** Called when the session can no longer be used to modify or add any new transfers and, all interactive messages will be cancelled, but delegate callbacks for background transfers can still occur. This will happen when the selected watch is being changed. */
func sessionDidBecomeInactive(_: WCSession) {
log.info("Session became inactive")
}
/** Called when all delegate callbacks for the previously selected watch has occurred. The session can be re-activated for the now selected watch using activateSession. */
func sessionDidDeactivate(_: WCSession) {
log.info("Session deactivated")
}
}
| da99de9e6c9ebde9f58e1d2e1730d869 | 38.94186 | 264 | 0.630568 | false | false | false | false |
maicki/plank | refs/heads/master | Sources/Core/JavaModelRenderer.swift | apache-2.0 | 1 | //
// JavaModelRenderer.swift
// Core
//
// Created by Rahul Malik on 1/4/18.
//
import Foundation
public struct JavaModelRenderer: JavaFileRenderer {
let rootSchema: SchemaObjectRoot
let params: GenerationParameters
init(rootSchema: SchemaObjectRoot, params: GenerationParameters) {
self.rootSchema = rootSchema
self.params = params
}
func renderBuilder() -> JavaIR.Method {
return JavaIR.method([.public, .static], "Builder builder()") {[
"return new AutoValue_\(className).Builder();"
]}
}
func renderBuilderBuild() -> JavaIR.Method {
return JavaIR.method([.public, .abstract], "\(self.className) build()") {[]}
}
func renderToBuilder() -> JavaIR.Method {
return JavaIR.method([.abstract], "Builder toBuilder()") {[]}
}
func renderBuilderProperties(modifiers: JavaModifier = [.public, .abstract]) -> [JavaIR.Method] {
let props = self.transitiveProperties.map { param, schemaObj in
JavaIR.method(modifiers, "Builder set\(param.snakeCaseToCamelCase())(\(self.typeFromSchema(param, schemaObj)) value)") {[]}
}
return props
}
func renderModelProperties(modifiers: JavaModifier = [.public, .abstract]) -> [JavaIR.Method] {
return self.transitiveProperties.map { param, schemaObj in
JavaIR.method(modifiers, "@SerializedName(\"\(param)\") \(self.typeFromSchema(param, schemaObj)) \(param.snakeCaseToPropertyName())()") {[]}
}
}
func renderTypeClassAdapter() -> JavaIR.Method {
return JavaIR.method([.public, .static], "TypeAdapter<\(className)> jsonAdapter(Gson gson)") {[
"return new AutoValue_\(className).GsonTypeAdapter(gson);"
]}
}
func renderRoots() -> [JavaIR.Root] {
let packages = self.params[.packageName].flatMap {
[JavaIR.Root.packages(names: [$0])]
} ?? []
let imports = [
JavaIR.Root.imports(names: [
"com.google.auto.value.AutoValue",
"com.google.gson.Gson",
"com.google.gson.annotations.SerializedName",
"com.google.gson.TypeAdapter",
"java.util.Date",
"java.util.Map",
"java.util.Set",
"java.util.List",
"java.lang.annotation.Retention",
"java.lang.annotation.RetentionPolicy",
"android.support.annotation.IntDef",
"android.support.annotation.NonNull",
"android.support.annotation.Nullable",
"android.support.annotation.StringDef"
])
]
let enumProps = self.properties.flatMap { (param, prop) -> [JavaIR.Enum] in
switch prop.schema {
case .enumT(let enumValues):
return [
JavaIR.Enum(
name: enumTypeName(propertyName: param, className: self.className),
values: enumValues
)
]
default: return []
}
}
let adtRoots = self.properties.flatMap { (param, prop) -> [JavaIR.Root] in
switch prop.schema {
case .oneOf(types: let possibleTypes):
let objProps = possibleTypes.map { $0.nullableProperty() }
return adtRootsForSchema(property: param, schemas: objProps)
case .array(itemType: .some(let itemType)):
switch itemType {
case .oneOf(types: let possibleTypes):
let objProps = possibleTypes.map { $0.nullableProperty() }
return adtRootsForSchema(property: param, schemas: objProps)
default: return []
}
case .map(valueType: .some(let additionalProperties)):
switch additionalProperties {
case .oneOf(types: let possibleTypes):
let objProps = possibleTypes.map { $0.nullableProperty() }
return adtRootsForSchema(property: param, schemas: objProps)
default: return []
}
default: return []
}
}
let builderClass = JavaIR.Class(
annotations: ["AutoValue.Builder"],
modifiers: [.public, .abstract, .static],
extends: nil,
implements: nil,
name: "Builder",
methods: self.renderBuilderProperties() + [
self.renderBuilderBuild()
],
enums: [],
innerClasses: [],
properties: []
)
let modelClass = JavaIR.Root.classDecl(
aClass: JavaIR.Class(
annotations: ["AutoValue"],
modifiers: [.public, .abstract],
extends: nil,
implements: nil,
name: self.className,
methods: self.renderModelProperties() + [
self.renderBuilder(),
self.renderToBuilder(),
self.renderTypeClassAdapter()
],
enums: enumProps,
innerClasses: [
builderClass
],
properties: []
)
)
let roots: [JavaIR.Root] =
packages +
imports +
adtRoots +
[ modelClass ]
return roots
}
}
| 9aa6d57e4fbe980c6c43f7ed91484b79 | 34.623377 | 152 | 0.531535 | false | false | false | false |
white-rabbit-apps/Fusuma | refs/heads/master | Sources/FSAlbumView.swift | mit | 1 | //
// FSAlbumView.swift
// Fusuma
//
// Created by Yuta Akizuki on 2015/11/14.
// Copyright © 2015年 ytakzk. All rights reserved.
//
import UIKit
import Photos
@objc public protocol FSAlbumViewDelegate: class {
func albumViewCameraRollUnauthorized()
}
final class FSAlbumView: UIView, UICollectionViewDataSource, UICollectionViewDelegate, PHPhotoLibraryChangeObserver, UIGestureRecognizerDelegate {
@IBOutlet weak var collectionView: UICollectionView!
@IBOutlet weak var imageCropView: FSImageCropView!
@IBOutlet weak var imageCropViewContainer: UIView!
@IBOutlet weak var collectionViewConstraintHeight: NSLayoutConstraint!
@IBOutlet weak var imageCropViewConstraintTop: NSLayoutConstraint!
weak var delegate: FSAlbumViewDelegate? = nil
var selectedImageCreationDate: NSDate? = nil
var images: PHFetchResult!
var imageManager: PHCachingImageManager?
var previousPreheatRect: CGRect = CGRectZero
let cellSize = CGSize(width: 100, height: 100)
// Variables for calculating the position
enum Direction {
case Scroll
case Stop
case Up
case Down
}
let imageCropViewOriginalConstraintTop: CGFloat = 50
let imageCropViewMinimalVisibleHeight: CGFloat = 100
var dragDirection = Direction.Up
var imaginaryCollectionViewOffsetStartPosY: CGFloat = 0.0
var cropBottomY: CGFloat = 0.0
var dragStartPos: CGPoint = CGPointZero
let dragDiff: CGFloat = 20.0
static func instance() -> FSAlbumView {
return UINib(nibName: "FSAlbumView", bundle: NSBundle(forClass: self.classForCoder())).instantiateWithOwner(self, options: nil)[0] as! FSAlbumView
}
func initialize() {
if images != nil {
return
}
self.hidden = false
let panGesture = UIPanGestureRecognizer(target: self, action: #selector(FSAlbumView.panned(_:)))
panGesture.delegate = self
self.addGestureRecognizer(panGesture)
collectionViewConstraintHeight.constant = self.frame.height - imageCropView.frame.height - imageCropViewOriginalConstraintTop
imageCropViewConstraintTop.constant = 50
dragDirection = Direction.Up
imageCropViewContainer.layer.shadowColor = UIColor.blackColor().CGColor
imageCropViewContainer.layer.shadowRadius = 30.0
imageCropViewContainer.layer.shadowOpacity = 0.9
imageCropViewContainer.layer.shadowOffset = CGSizeZero
collectionView.registerNib(UINib(nibName: "FSAlbumViewCell", bundle: NSBundle(forClass: self.classForCoder)), forCellWithReuseIdentifier: "FSAlbumViewCell")
collectionView.backgroundColor = fusumaBackgroundColor
// Never load photos Unless the user allows to access to photo album
checkPhotoAuth()
// Sorting condition
let options = PHFetchOptions()
options.sortDescriptors = [
NSSortDescriptor(key: "creationDate", ascending: false)
]
images = PHAsset.fetchAssetsWithMediaType(.Image, options: options)
if images.count > 0 {
changeImage(images[0] as! PHAsset)
self.selectedImageCreationDate = (images[0] as! PHAsset).creationDate
collectionView.reloadData()
collectionView.selectItemAtIndexPath(NSIndexPath(forRow: 0, inSection: 0), animated: false, scrollPosition: UICollectionViewScrollPosition.None)
}
PHPhotoLibrary.sharedPhotoLibrary().registerChangeObserver(self)
}
deinit {
if PHPhotoLibrary.authorizationStatus() == PHAuthorizationStatus.Authorized {
PHPhotoLibrary.sharedPhotoLibrary().unregisterChangeObserver(self)
}
}
func gestureRecognizer(gestureRecognizer: UIGestureRecognizer, shouldRecognizeSimultaneouslyWithGestureRecognizer otherGestureRecognizer: UIGestureRecognizer) -> Bool {
return true
}
func panned(sender: UITapGestureRecognizer) {
if sender.state == UIGestureRecognizerState.Began {
let view = sender.view
let loc = sender.locationInView(view)
let subview = view?.hitTest(loc, withEvent: nil)
if subview == imageCropView && imageCropViewConstraintTop.constant == imageCropViewOriginalConstraintTop {
return
}
dragStartPos = sender.locationInView(self)
cropBottomY = self.imageCropViewContainer.frame.origin.y + self.imageCropViewContainer.frame.height
// Move
if dragDirection == Direction.Stop {
dragDirection = (imageCropViewConstraintTop.constant == imageCropViewOriginalConstraintTop) ? Direction.Up : Direction.Down
}
// Scroll event of CollectionView is preferred.
if (dragDirection == Direction.Up && dragStartPos.y < cropBottomY + dragDiff) ||
(dragDirection == Direction.Down && dragStartPos.y > cropBottomY) {
dragDirection = Direction.Stop
imageCropView.changeScrollable(false)
} else {
imageCropView.changeScrollable(true)
}
} else if sender.state == UIGestureRecognizerState.Changed {
let currentPos = sender.locationInView(self)
if dragDirection == Direction.Up && currentPos.y < cropBottomY - dragDiff {
imageCropViewConstraintTop.constant = max(imageCropViewMinimalVisibleHeight - self.imageCropViewContainer.frame.height, currentPos.y + dragDiff - imageCropViewContainer.frame.height)
collectionViewConstraintHeight.constant = min(self.frame.height - imageCropViewMinimalVisibleHeight, self.frame.height - imageCropViewConstraintTop.constant - imageCropViewContainer.frame.height)
} else if dragDirection == Direction.Down && currentPos.y > cropBottomY {
imageCropViewConstraintTop.constant = min(imageCropViewOriginalConstraintTop, currentPos.y - imageCropViewContainer.frame.height)
collectionViewConstraintHeight.constant = max(self.frame.height - imageCropViewOriginalConstraintTop - imageCropViewContainer.frame.height, self.frame.height - imageCropViewConstraintTop.constant - imageCropViewContainer.frame.height)
} else if dragDirection == Direction.Stop && collectionView.contentOffset.y < 0 {
dragDirection = Direction.Scroll
imaginaryCollectionViewOffsetStartPosY = currentPos.y
} else if dragDirection == Direction.Scroll {
imageCropViewConstraintTop.constant = imageCropViewMinimalVisibleHeight - self.imageCropViewContainer.frame.height + currentPos.y - imaginaryCollectionViewOffsetStartPosY
collectionViewConstraintHeight.constant = max(self.frame.height - imageCropViewOriginalConstraintTop - imageCropViewContainer.frame.height, self.frame.height - imageCropViewConstraintTop.constant - imageCropViewContainer.frame.height)
}
} else {
imaginaryCollectionViewOffsetStartPosY = 0.0
if sender.state == UIGestureRecognizerState.Ended && dragDirection == Direction.Stop {
imageCropView.changeScrollable(true)
return
}
let currentPos = sender.locationInView(self)
if currentPos.y < cropBottomY - dragDiff && imageCropViewConstraintTop.constant != imageCropViewOriginalConstraintTop {
// The largest movement
imageCropView.changeScrollable(false)
imageCropViewConstraintTop.constant = imageCropViewMinimalVisibleHeight - self.imageCropViewContainer.frame.height
collectionViewConstraintHeight.constant = self.frame.height - imageCropViewMinimalVisibleHeight
UIView.animateWithDuration(0.3, delay: 0.0, options: UIViewAnimationOptions.CurveEaseOut, animations: {
self.layoutIfNeeded()
}, completion: nil)
dragDirection = Direction.Down
} else {
// Get back to the original position
imageCropView.changeScrollable(true)
imageCropViewConstraintTop.constant = imageCropViewOriginalConstraintTop
collectionViewConstraintHeight.constant = self.frame.height - imageCropViewOriginalConstraintTop - imageCropViewContainer.frame.height
UIView.animateWithDuration(0.3, delay: 0.0, options: UIViewAnimationOptions.CurveEaseOut, animations: {
self.layoutIfNeeded()
}, completion: nil)
dragDirection = Direction.Up
}
}
}
// MARK: - UICollectionViewDelegate Protocol
func collectionView(collectionView: UICollectionView, cellForItemAtIndexPath indexPath: NSIndexPath) -> UICollectionViewCell {
let cell = collectionView.dequeueReusableCellWithReuseIdentifier("FSAlbumViewCell", forIndexPath: indexPath) as! FSAlbumViewCell
let currentTag = cell.tag + 1
cell.tag = currentTag
let asset = self.images[indexPath.item] as! PHAsset
self.imageManager?.requestImageForAsset(asset,
targetSize: cellSize,
contentMode: .AspectFill,
options: nil) {
result, info in
if cell.tag == currentTag {
cell.image = result
cell.creationDate = asset.creationDate
}
}
return cell
}
func numberOfSectionsInCollectionView(collectionView: UICollectionView) -> Int {
return 1
}
func collectionView(collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return images == nil ? 0 : images.count
}
func collectionView(collectionView: UICollectionView, layout collectionViewLayout: UICollectionViewLayout, sizeForItemAtIndexPath indexPath: NSIndexPath) -> CGSize {
let width = (collectionView.frame.width - 3) / 4
return CGSize(width: width, height: width)
}
func collectionView(collectionView: UICollectionView, didSelectItemAtIndexPath indexPath: NSIndexPath) {
changeImage(images[indexPath.row] as! PHAsset)
imageCropView.changeScrollable(true)
imageCropViewConstraintTop.constant = imageCropViewOriginalConstraintTop
collectionViewConstraintHeight.constant = self.frame.height - imageCropViewOriginalConstraintTop - imageCropViewContainer.frame.height
UIView.animateWithDuration(0.2, delay: 0.0, options: UIViewAnimationOptions.CurveEaseOut, animations: {
self.layoutIfNeeded()
}, completion: nil)
dragDirection = Direction.Up
collectionView.scrollToItemAtIndexPath(indexPath, atScrollPosition: .Top, animated: true)
}
// MARK: - ScrollViewDelegate
func scrollViewDidScroll(scrollView: UIScrollView) {
if scrollView == collectionView {
self.updateCachedAssets()
}
}
//MARK: - PHPhotoLibraryChangeObserver
func photoLibraryDidChange(changeInstance: PHChange) {
dispatch_async(dispatch_get_main_queue()) {
let collectionChanges = changeInstance.changeDetailsForFetchResult(self.images)
if collectionChanges != nil {
self.images = collectionChanges!.fetchResultAfterChanges
let collectionView = self.collectionView!
if !collectionChanges!.hasIncrementalChanges || collectionChanges!.hasMoves {
collectionView.reloadData()
} else {
collectionView.performBatchUpdates({
let removedIndexes = collectionChanges!.removedIndexes
if (removedIndexes?.count ?? 0) != 0 {
collectionView.deleteItemsAtIndexPaths(removedIndexes!.aapl_indexPathsFromIndexesWithSection(0))
}
let insertedIndexes = collectionChanges!.insertedIndexes
if (insertedIndexes?.count ?? 0) != 0 {
collectionView.insertItemsAtIndexPaths(insertedIndexes!.aapl_indexPathsFromIndexesWithSection(0))
}
let changedIndexes = collectionChanges!.changedIndexes
if (changedIndexes?.count ?? 0) != 0 {
collectionView.reloadItemsAtIndexPaths(changedIndexes!.aapl_indexPathsFromIndexesWithSection(0))
}
}, completion: nil)
}
self.resetCachedAssets()
}
}
}
}
internal extension UICollectionView {
func aapl_indexPathsForElementsInRect(rect: CGRect) -> [NSIndexPath] {
let allLayoutAttributes = self.collectionViewLayout.layoutAttributesForElementsInRect(rect)
if (allLayoutAttributes?.count ?? 0) == 0 {return []}
var indexPaths: [NSIndexPath] = []
indexPaths.reserveCapacity(allLayoutAttributes!.count)
for layoutAttributes in allLayoutAttributes! {
let indexPath = layoutAttributes.indexPath
indexPaths.append(indexPath)
}
return indexPaths
}
}
internal extension NSIndexSet {
func aapl_indexPathsFromIndexesWithSection(section: Int) -> [NSIndexPath] {
var indexPaths: [NSIndexPath] = []
indexPaths.reserveCapacity(self.count)
self.enumerateIndexesUsingBlock {idx, stop in
indexPaths.append(NSIndexPath(forItem: idx, inSection: section))
}
return indexPaths
}
}
private extension FSAlbumView {
func changeImage(asset: PHAsset) {
self.imageCropView.image = nil
dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), {
let options = PHImageRequestOptions()
options.networkAccessAllowed = true
self.imageManager?.requestImageForAsset(asset,
targetSize: CGSize(width: asset.pixelWidth, height: asset.pixelHeight),
contentMode: .AspectFill,
options: options) {
result, info in
dispatch_async(dispatch_get_main_queue(), {
self.imageCropView.imageSize = CGSize(width: asset.pixelWidth, height: asset.pixelHeight)
self.imageCropView.image = result
self.selectedImageCreationDate = asset.creationDate
})
}
})
}
// Check the status of authorization for PHPhotoLibrary
private func checkPhotoAuth() {
PHPhotoLibrary.requestAuthorization { (status) -> Void in
switch status {
case .Authorized:
self.imageManager = PHCachingImageManager()
if self.images != nil && self.images.count > 0 {
self.changeImage(self.images[0] as! PHAsset)
}
case .Restricted, .Denied:
dispatch_async(dispatch_get_main_queue(), { () -> Void in
self.delegate?.albumViewCameraRollUnauthorized()
})
default:
break
}
}
}
// MARK: - Asset Caching
func resetCachedAssets() {
imageManager?.stopCachingImagesForAllAssets()
previousPreheatRect = CGRectZero
}
func updateCachedAssets() {
var preheatRect = self.collectionView!.bounds
preheatRect = CGRectInset(preheatRect, 0.0, -0.5 * CGRectGetHeight(preheatRect))
let delta = abs(CGRectGetMidY(preheatRect) - CGRectGetMidY(self.previousPreheatRect))
if delta > CGRectGetHeight(self.collectionView!.bounds) / 3.0 {
var addedIndexPaths: [NSIndexPath] = []
var removedIndexPaths: [NSIndexPath] = []
self.computeDifferenceBetweenRect(self.previousPreheatRect, andRect: preheatRect, removedHandler: {removedRect in
let indexPaths = self.collectionView.aapl_indexPathsForElementsInRect(removedRect)
removedIndexPaths += indexPaths
}, addedHandler: {addedRect in
let indexPaths = self.collectionView.aapl_indexPathsForElementsInRect(addedRect)
addedIndexPaths += indexPaths
})
let assetsToStartCaching = self.assetsAtIndexPaths(addedIndexPaths)
let assetsToStopCaching = self.assetsAtIndexPaths(removedIndexPaths)
self.imageManager?.startCachingImagesForAssets(assetsToStartCaching,
targetSize: cellSize,
contentMode: .AspectFill,
options: nil)
self.imageManager?.stopCachingImagesForAssets(assetsToStopCaching,
targetSize: cellSize,
contentMode: .AspectFill,
options: nil)
self.previousPreheatRect = preheatRect
}
}
func computeDifferenceBetweenRect(oldRect: CGRect, andRect newRect: CGRect, removedHandler: CGRect->Void, addedHandler: CGRect->Void) {
if CGRectIntersectsRect(newRect, oldRect) {
let oldMaxY = CGRectGetMaxY(oldRect)
let oldMinY = CGRectGetMinY(oldRect)
let newMaxY = CGRectGetMaxY(newRect)
let newMinY = CGRectGetMinY(newRect)
if newMaxY > oldMaxY {
let rectToAdd = CGRectMake(newRect.origin.x, oldMaxY, newRect.size.width, (newMaxY - oldMaxY))
addedHandler(rectToAdd)
}
if oldMinY > newMinY {
let rectToAdd = CGRectMake(newRect.origin.x, newMinY, newRect.size.width, (oldMinY - newMinY))
addedHandler(rectToAdd)
}
if newMaxY < oldMaxY {
let rectToRemove = CGRectMake(newRect.origin.x, newMaxY, newRect.size.width, (oldMaxY - newMaxY))
removedHandler(rectToRemove)
}
if oldMinY < newMinY {
let rectToRemove = CGRectMake(newRect.origin.x, oldMinY, newRect.size.width, (newMinY - oldMinY))
removedHandler(rectToRemove)
}
} else {
addedHandler(newRect)
removedHandler(oldRect)
}
}
func assetsAtIndexPaths(indexPaths: [NSIndexPath]) -> [PHAsset] {
if indexPaths.count == 0 { return [] }
var assets: [PHAsset] = []
assets.reserveCapacity(indexPaths.count)
for indexPath in indexPaths {
let asset = self.images[indexPath.item] as! PHAsset
assets.append(asset)
}
return assets
}
} | a2bfb22dd843ddeacbd33c92d9a60547 | 39.243564 | 250 | 0.598563 | false | false | false | false |
teads/TeadsSDK-iOS | refs/heads/master | TeadsSampleApp/Controllers/Native/Direct/TableView/NativeDirectTableViewController.swift | mit | 1 | //
// NativeDirectTableViewController.swift
// TeadsSampleApp
//
// Created by Paul Nicolas on 26/07/2021.
// Copyright © 2021 Teads. All rights reserved.
//
import TeadsSDK
import UIKit
class NativeDirectTableViewController: TeadsViewController {
@IBOutlet var tableView: UITableView!
let headerCell = "TeadsContentCell"
let teadsAdCellIndentifier = "NativeAdTableViewCell"
let fakeArticleCell = "FakeArticleNativeTableViewCell"
let adRowNumber = 3
var adRatio: TeadsAdRatio?
var teadsAdIsLoaded = false
var placement: TeadsNativeAdPlacement?
var tableViewAdCellWidth: CGFloat!
private var elements = [TeadsNativeAd?]()
override func viewDidLoad() {
super.viewDidLoad()
(0 ..< 8).forEach { _ in
elements.append(nil)
}
let placementSettings = TeadsAdPlacementSettings { settings in
settings.enableDebug()
}
// keep a strong reference to placement instance
placement = Teads.createNativePlacement(pid: Int(pid) ?? 0, settings: placementSettings, delegate: self)
placement?.requestAd(requestSettings: TeadsAdRequestSettings { settings in
settings.pageUrl("https://www.teads.tv")
})
}
override func viewDidLayoutSubviews() {
super.viewDidLayoutSubviews()
tableViewAdCellWidth = tableView.frame.width - 20
}
func closeSlot(ad: TeadsAd) {
elements.removeAll { $0 == ad }
tableView.reloadData()
}
func updateAdCellHeight() {
tableView.reloadRows(at: [IndexPath(row: adRowNumber, section: 0)], with: .automatic)
}
}
extension NativeDirectTableViewController: UITableViewDelegate, UITableViewDataSource {
func tableView(_: UITableView, numberOfRowsInSection _: Int) -> Int {
return elements.count
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
if indexPath.row == 0 {
let cell = tableView.dequeueReusableCell(withIdentifier: headerCell, for: indexPath)
return cell
} else if let ad = elements[indexPath.row] {
guard let cell = tableView.dequeueReusableCell(withIdentifier: teadsAdCellIndentifier, for: indexPath) as? NativeAdTableViewCell else {
return UITableViewCell()
}
cell.adView.bind(ad)
return cell
} else {
guard let cell = tableView.dequeueReusableCell(withIdentifier: fakeArticleCell, for: indexPath) as? FakeArticleNativeTableViewCell else {
return UITableViewCell()
}
cell.setMockValues()
return cell
}
}
func tableView(_: UITableView, heightForRowAt _: IndexPath) -> CGFloat {
return 250
}
}
extension NativeDirectTableViewController: TeadsNativeAdPlacementDelegate {
func didReceiveAd(ad: TeadsNativeAd) {
elements.insert(ad, at: adRowNumber)
let indexPaths = [IndexPath(row: adRowNumber, section: 0)]
tableView.insertRows(at: indexPaths, with: .automatic)
tableView.reloadData()
ad.delegate = self
}
func didFailToReceiveAd(reason: AdFailReason) {
print("didFailToReceiveAd: \(reason.description)")
}
func adOpportunityTrackerView(trackerView _: TeadsAdOpportunityTrackerView) {
// not relevant in tableView integration
}
}
extension NativeDirectTableViewController: TeadsAdDelegate {
func didRecordImpression(ad _: TeadsAd) {
// you may want to use this callback for your own analytics
}
func didRecordClick(ad _: TeadsAd) {
// you may want to use this callback for your own analytics
}
func willPresentModalView(ad _: TeadsAd) -> UIViewController? {
return self
}
func didCatchError(ad: TeadsAd, error _: Error) {
closeSlot(ad: ad)
}
func didClose(ad: TeadsAd) {
closeSlot(ad: ad)
}
}
| 6e033d866badf5a5a9c99d8368efee1f | 30.314961 | 149 | 0.663063 | false | false | false | false |
ernestopino/Koloda | refs/heads/master | Pod/Classes/KolodaView/KolodaView.swift | mit | 1 | //
// KolodaView.swift
// TinderCardsSwift
//
// Created by Eugene Andreyev on 4/24/15.
// Copyright (c) 2015 Eugene Andreyev. All rights reserved.
//
import UIKit
import pop
public enum SwipeResultDirection {
case None
case Left
case Right
}
//Default values
private let defaultCountOfVisibleCards = 3
private let backgroundCardsTopMargin: CGFloat = 4.0
private let backgroundCardsScalePercent: CGFloat = 0.95
private let backgroundCardsLeftMargin: CGFloat = 8.0
private let backgroundCardFrameAnimationDuration: NSTimeInterval = 0.2
//Opacity values
private let defaultAlphaValueOpaque: CGFloat = 1.0
private let defaultAlphaValueTransparent: CGFloat = 0.0
private let defaultAlphaValueSemiTransparent: CGFloat = 0.7
//Animations constants
private let revertCardAnimationName = "revertCardAlphaAnimation"
private let revertCardAnimationDuration: NSTimeInterval = 1.0
private let revertCardAnimationToValue: CGFloat = 1.0
private let revertCardAnimationFromValue: CGFloat = 0.0
private let kolodaAppearScaleAnimationName = "kolodaAppearScaleAnimation"
private let kolodaAppearScaleAnimationFromValue = CGPoint(x: 0.1, y: 0.1)
private let kolodaAppearScaleAnimationToValue = CGPoint(x: 1.0, y: 1.0)
private let kolodaAppearScaleAnimationDuration: NSTimeInterval = 0.8
private let kolodaAppearAlphaAnimationName = "kolodaAppearAlphaAnimation"
private let kolodaAppearAlphaAnimationFromValue: CGFloat = 0.0
private let kolodaAppearAlphaAnimationToValue: CGFloat = 1.0
private let kolodaAppearAlphaAnimationDuration: NSTimeInterval = 0.8
public protocol KolodaViewDataSource:class {
func kolodaNumberOfCards(koloda: KolodaView) -> UInt
func kolodaViewForCardAtIndex(koloda: KolodaView, index: UInt) -> UIView
func kolodaViewForCardOverlayAtIndex(koloda: KolodaView, index: UInt) -> OverlayView?
}
public protocol KolodaViewDelegate:class {
func kolodaDidSwipedCardAtIndex(koloda: KolodaView,index: UInt, direction: SwipeResultDirection)
func kolodaDidRunOutOfCards(koloda: KolodaView)
func kolodaDidSelectCardAtIndex(koloda: KolodaView, index: UInt)
func kolodaShouldApplyAppearAnimation(koloda: KolodaView) -> Bool
func kolodaShouldMoveBackgroundCard(koloda: KolodaView) -> Bool
func kolodaShouldTransparentizeNextCard(koloda: KolodaView) -> Bool
func kolodaBackgroundCardAnimation(koloda: KolodaView) -> POPPropertyAnimation?
}
public extension KolodaViewDelegate {
func kolodaDidSwipedCardAtIndex(koloda: KolodaView,index: UInt, direction: SwipeResultDirection) {}
func kolodaDidRunOutOfCards(koloda: KolodaView) {}
func kolodaDidSelectCardAtIndex(koloda: KolodaView, index: UInt) {}
func kolodaShouldApplyAppearAnimation(koloda: KolodaView) -> Bool {return true}
func kolodaShouldMoveBackgroundCard(koloda: KolodaView) -> Bool {return true}
func kolodaShouldTransparentizeNextCard(koloda: KolodaView) -> Bool {return true}
func kolodaBackgroundCardAnimation(koloda: KolodaView) -> POPPropertyAnimation? {return nil}
}
public class KolodaView: UIView, DraggableCardDelegate {
public weak var dataSource: KolodaViewDataSource! {
didSet {
setupDeck()
}
}
public weak var delegate: KolodaViewDelegate?
private(set) public var currentCardNumber = 0
private(set) public var countOfCards = 0
public var countOfVisibleCards = defaultCountOfVisibleCards
private var visibleCards = [DraggableCardView]()
private var animating = false
private var configured = false
public var alphaValueOpaque: CGFloat = defaultAlphaValueOpaque
public var alphaValueTransparent: CGFloat = defaultAlphaValueTransparent
public var alphaValueSemiTransparent: CGFloat = defaultAlphaValueSemiTransparent
//MARK: Lifecycle
required public init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
configure()
}
override init(frame: CGRect) {
super.init(frame: frame)
configure()
}
deinit {
unsubsribeFromNotifications()
}
override public func layoutSubviews() {
super.layoutSubviews()
if !self.configured {
if self.visibleCards.isEmpty {
reloadData()
} else {
layoutDeck()
}
self.configured = true
}
}
//MARK: Configurations
private func subscribeForNotifications() {
NSNotificationCenter.defaultCenter().addObserver(self, selector: "layoutDeck", name: UIDeviceOrientationDidChangeNotification, object: nil)
}
private func unsubsribeFromNotifications() {
NSNotificationCenter.defaultCenter().removeObserver(self)
}
private func configure() {
subscribeForNotifications()
}
private func setupDeck() {
countOfCards = Int(dataSource!.kolodaNumberOfCards(self))
if countOfCards - currentCardNumber > 0 {
let countOfNeededCards = min(countOfVisibleCards, countOfCards - currentCardNumber)
for index in 0..<countOfNeededCards {
if let nextCardContentView = dataSource?.kolodaViewForCardAtIndex(self, index: UInt(index)) {
let nextCardView = DraggableCardView(frame: frameForCardAtIndex(UInt(index)))
nextCardView.delegate = self
nextCardView.alpha = index == 0 ? alphaValueOpaque : alphaValueSemiTransparent
nextCardView.userInteractionEnabled = index == 0
let overlayView = overlayViewForCardAtIndex(UInt(index))
nextCardView.configure(nextCardContentView, overlayView: overlayView)
visibleCards.append(nextCardView)
index == 0 ? addSubview(nextCardView) : insertSubview(nextCardView, belowSubview: visibleCards[index - 1])
}
}
}
}
public func layoutDeck() {
for (index, card) in self.visibleCards.enumerate() {
card.frame = frameForCardAtIndex(UInt(index))
}
}
//MARK: Frames
public func frameForCardAtIndex(index: UInt) -> CGRect {
let bottomOffset:CGFloat = 0
let topOffset = backgroundCardsTopMargin * CGFloat(self.countOfVisibleCards - 1)
let xOffset = backgroundCardsLeftMargin * CGFloat(index)
let scalePercent = backgroundCardsScalePercent
let width = CGRectGetWidth(self.frame) * pow(scalePercent, CGFloat(index))
let height = (CGRectGetHeight(self.frame) - bottomOffset - topOffset) * pow(scalePercent, CGFloat(index))
let multiplier: CGFloat = index > 0 ? 1.0 : 0.0
let previousCardFrame = index > 0 ? frameForCardAtIndex(max(index - 1, 0)) : CGRectZero
let yOffset = (CGRectGetHeight(previousCardFrame) - height + previousCardFrame.origin.y + backgroundCardsTopMargin) * multiplier
let frame = CGRect(x: xOffset, y: yOffset, width: width, height: height)
return frame
}
private func moveOtherCardsWithFinishPercent(percent: CGFloat) {
if visibleCards.count > 1 {
for index in 1..<visibleCards.count {
let previousCardFrame = frameForCardAtIndex(UInt(index - 1))
var frame = frameForCardAtIndex(UInt(index))
let distanceToMoveY: CGFloat = (frame.origin.y - previousCardFrame.origin.y) * (percent / 100)
frame.origin.y -= distanceToMoveY
let distanceToMoveX: CGFloat = (previousCardFrame.origin.x - frame.origin.x) * (percent / 100)
frame.origin.x += distanceToMoveX
let widthScale = (previousCardFrame.size.width - frame.size.width) * (percent / 100)
let heightScale = (previousCardFrame.size.height - frame.size.height) * (percent / 100)
frame.size.width += widthScale
frame.size.height += heightScale
let card = visibleCards[index]
card.pop_removeAllAnimations()
card.frame = frame
card.layoutIfNeeded()
//For fully visible next card, when moving top card
if let shouldTransparentize = delegate?.kolodaShouldTransparentizeNextCard(self) where shouldTransparentize == true {
if index == 1 {
card.alpha = alphaValueOpaque
}
}
}
}
}
//MARK: Animations
public func applyAppearAnimation() {
userInteractionEnabled = false
animating = true
let kolodaAppearScaleAnimation = POPBasicAnimation(propertyNamed: kPOPViewScaleXY)
kolodaAppearScaleAnimation.beginTime = CACurrentMediaTime() + cardSwipeActionAnimationDuration
kolodaAppearScaleAnimation.duration = kolodaAppearScaleAnimationDuration
kolodaAppearScaleAnimation.fromValue = NSValue(CGPoint: kolodaAppearScaleAnimationFromValue)
kolodaAppearScaleAnimation.toValue = NSValue(CGPoint: kolodaAppearScaleAnimationToValue)
kolodaAppearScaleAnimation.completionBlock = {
(_, _) in
self.userInteractionEnabled = true
self.animating = false
}
let kolodaAppearAlphaAnimation = POPBasicAnimation(propertyNamed: kPOPViewAlpha)
kolodaAppearAlphaAnimation.beginTime = CACurrentMediaTime() + cardSwipeActionAnimationDuration
kolodaAppearAlphaAnimation.fromValue = NSNumber(float: Float(kolodaAppearAlphaAnimationFromValue))
kolodaAppearAlphaAnimation.toValue = NSNumber(float: Float(kolodaAppearAlphaAnimationToValue))
kolodaAppearAlphaAnimation.duration = kolodaAppearAlphaAnimationDuration
pop_addAnimation(kolodaAppearAlphaAnimation, forKey: kolodaAppearAlphaAnimationName)
pop_addAnimation(kolodaAppearScaleAnimation, forKey: kolodaAppearScaleAnimationName)
}
func applyRevertAnimation(card: DraggableCardView) {
animating = true
let firstCardAppearAnimation = POPBasicAnimation(propertyNamed: kPOPViewAlpha)
firstCardAppearAnimation.toValue = NSNumber(float: Float(revertCardAnimationToValue))
firstCardAppearAnimation.fromValue = NSNumber(float: Float(revertCardAnimationFromValue))
firstCardAppearAnimation.duration = revertCardAnimationDuration
firstCardAppearAnimation.completionBlock = {
(_, _) in
self.animating = false
}
card.pop_addAnimation(firstCardAppearAnimation, forKey: revertCardAnimationName)
}
//MARK: DraggableCardDelegate
func cardDraggedWithFinishPercent(card: DraggableCardView, percent: CGFloat) {
animating = true
if let shouldMove = delegate?.kolodaShouldMoveBackgroundCard(self) where shouldMove == true {
self.moveOtherCardsWithFinishPercent(percent)
}
}
func cardSwippedInDirection(card: DraggableCardView, direction: SwipeResultDirection) {
swipedAction(direction)
}
func cardWasReset(card: DraggableCardView) {
if visibleCards.count > 1 {
UIView.animateWithDuration(backgroundCardFrameAnimationDuration,
delay: 0.0,
options: .CurveLinear,
animations: {
self.moveOtherCardsWithFinishPercent(0)
},
completion: {
_ in
self.animating = false
for index in 1..<self.visibleCards.count {
let card = self.visibleCards[index]
card.alpha = self.alphaValueSemiTransparent
}
})
} else {
animating = false
}
}
func cardTapped(card: DraggableCardView) {
let index = currentCardNumber + visibleCards.indexOf(card)!
delegate?.kolodaDidSelectCardAtIndex(self, index: UInt(index))
}
//MARK: Private
private func clear() {
currentCardNumber = 0
for card in visibleCards {
card.removeFromSuperview()
}
visibleCards.removeAll(keepCapacity: true)
}
private func overlayViewForCardAtIndex(index: UInt) -> OverlayView? {
return dataSource.kolodaViewForCardOverlayAtIndex(self, index: index)
}
//MARK: Actions
private func swipedAction(direction: SwipeResultDirection) {
animating = true
visibleCards.removeAtIndex(0)
currentCardNumber++
let shownCardsCount = currentCardNumber + countOfVisibleCards
if shownCardsCount - 1 < countOfCards {
if let dataSource = self.dataSource {
let lastCardContentView = dataSource.kolodaViewForCardAtIndex(self, index: UInt(shownCardsCount - 1))
let lastCardOverlayView = dataSource.kolodaViewForCardOverlayAtIndex(self, index: UInt(shownCardsCount - 1))
let lastCardFrame = frameForCardAtIndex(UInt(currentCardNumber + visibleCards.count))
let lastCardView = DraggableCardView(frame: lastCardFrame)
lastCardView.hidden = true
lastCardView.userInteractionEnabled = true
lastCardView.configure(lastCardContentView, overlayView: lastCardOverlayView)
lastCardView.delegate = self
insertSubview(lastCardView, belowSubview: visibleCards.last!)
visibleCards.append(lastCardView)
}
}
if !visibleCards.isEmpty {
for (index, currentCard) in visibleCards.enumerate() {
var frameAnimation: POPPropertyAnimation
if let delegateAnimation = delegate?.kolodaBackgroundCardAnimation(self) where delegateAnimation.property.name == kPOPViewFrame {
frameAnimation = delegateAnimation
} else {
frameAnimation = POPBasicAnimation(propertyNamed: kPOPViewFrame)
(frameAnimation as! POPBasicAnimation).duration = backgroundCardFrameAnimationDuration
}
let shouldTransparentize = delegate?.kolodaShouldTransparentizeNextCard(self)
if index != 0 {
currentCard.alpha = alphaValueSemiTransparent
} else {
frameAnimation.completionBlock = {(_, _) in
self.visibleCards.last?.hidden = false
self.animating = false
self.delegate?.kolodaDidSwipedCardAtIndex(self, index: UInt(self.currentCardNumber - 1), direction: direction)
if (shouldTransparentize == false) {
currentCard.alpha = self.alphaValueOpaque
}
}
if (shouldTransparentize == true) {
currentCard.alpha = alphaValueOpaque
} else {
let alphaAnimation = POPBasicAnimation(propertyNamed: kPOPViewAlpha)
alphaAnimation.toValue = alphaValueOpaque
alphaAnimation.duration = backgroundCardFrameAnimationDuration
currentCard.pop_addAnimation(alphaAnimation, forKey: "alpha")
}
}
currentCard.userInteractionEnabled = index == 0
frameAnimation.toValue = NSValue(CGRect: frameForCardAtIndex(UInt(index)))
currentCard.pop_addAnimation(frameAnimation, forKey: "frameAnimation")
}
} else {
delegate?.kolodaDidSwipedCardAtIndex(self, index: UInt(currentCardNumber - 1), direction: direction)
animating = false
self.delegate?.kolodaDidRunOutOfCards(self)
}
}
public func revertAction() {
if currentCardNumber > 0 && animating == false {
if countOfCards - currentCardNumber >= countOfVisibleCards {
if let lastCard = visibleCards.last {
lastCard.removeFromSuperview()
visibleCards.removeLast()
}
}
currentCardNumber--
if let dataSource = self.dataSource {
let firstCardContentView = dataSource.kolodaViewForCardAtIndex(self, index: UInt(currentCardNumber))
let firstCardOverlayView = dataSource.kolodaViewForCardOverlayAtIndex(self, index: UInt(currentCardNumber))
let firstCardView = DraggableCardView()
firstCardView.alpha = alphaValueTransparent
firstCardView.configure(firstCardContentView, overlayView: firstCardOverlayView)
firstCardView.delegate = self
addSubview(firstCardView)
visibleCards.insert(firstCardView, atIndex: 0)
firstCardView.frame = frameForCardAtIndex(0)
applyRevertAnimation(firstCardView)
}
for index in 1..<visibleCards.count {
let currentCard = visibleCards[index]
let frameAnimation = POPBasicAnimation(propertyNamed: kPOPViewFrame)
frameAnimation.duration = backgroundCardFrameAnimationDuration
currentCard.alpha = alphaValueSemiTransparent
frameAnimation.toValue = NSValue(CGRect: frameForCardAtIndex(UInt(index)))
currentCard.userInteractionEnabled = false
currentCard.pop_addAnimation(frameAnimation, forKey: "frameAnimation")
}
}
}
private func loadMissingCards(missingCardsCount: Int) {
if missingCardsCount > 0 {
let cardsToAdd = min(missingCardsCount, countOfCards - currentCardNumber)
for index in 1...cardsToAdd {
let nextCardView = DraggableCardView(frame: frameForCardAtIndex(UInt(index)))
nextCardView.alpha = alphaValueSemiTransparent
nextCardView.delegate = self
visibleCards.append(nextCardView)
insertSubview(nextCardView, belowSubview: visibleCards[index - 1])
}
}
reconfigureCards()
}
private func reconfigureCards() {
for index in 0..<visibleCards.count {
if let dataSource = self.dataSource {
let currentCardContentView = dataSource.kolodaViewForCardAtIndex(self, index: UInt(currentCardNumber + index))
let overlayView = dataSource.kolodaViewForCardOverlayAtIndex(self, index: UInt(currentCardNumber + index))
let currentCard = visibleCards[index]
currentCard.configure(currentCardContentView, overlayView: overlayView)
}
}
}
public func reloadData() {
countOfCards = Int(dataSource!.kolodaNumberOfCards(self))
let missingCards = min(countOfVisibleCards - visibleCards.count, countOfCards - (currentCardNumber + 1))
if countOfCards == 0 {
return
}
if currentCardNumber == 0 {
clear()
}
if countOfCards - (currentCardNumber + visibleCards.count) > 0 {
if !visibleCards.isEmpty {
loadMissingCards(missingCards)
} else {
setupDeck()
layoutDeck()
if let shouldApply = delegate?.kolodaShouldApplyAppearAnimation(self) where shouldApply == true {
self.alpha = 0
applyAppearAnimation()
}
}
} else {
reconfigureCards()
}
}
public func swipe(direction: SwipeResultDirection) {
if (animating == false) {
if let frontCard = visibleCards.first {
animating = true
if visibleCards.count > 1 {
if let shouldTransparentize = delegate?.kolodaShouldTransparentizeNextCard(self) where shouldTransparentize == true {
let nextCard = visibleCards[1]
nextCard.alpha = alphaValueOpaque
}
}
switch direction {
case SwipeResultDirection.None:
return
case SwipeResultDirection.Left:
frontCard.swipeLeft()
case SwipeResultDirection.Right:
frontCard.swipeRight()
}
}
}
}
public func resetCurrentCardNumber() {
clear()
reloadData()
}
}
| 02ad4f7a6b11046ec9f2d99155d3d3c7 | 38.715328 | 147 | 0.610044 | false | false | false | false |
Pocketbrain/nativeadslib-ios | refs/heads/master | PocketMediaNativeAds/Core/NativeAdsConstants.swift | mit | 1 | //
// Constants.swift
// NativeAdsSwift
//
// Created by Carolina Barreiro Cancela on 15/06/15.
// Copyright (c) 2015 Pocket Media. All rights reserved.
//
/**
Information about the current platform/running device
*/
import UIKit
import Foundation
struct Platform {
/**
Utility method for deciding if using a real device or simulator
- Returns: Bool indicating if using a real device or simulator
true = Simulator false = Device
*/
static let isSimulator: Bool = {
var isSim = false
#if arch(i386) || arch(x86_64)
isSim = true
#endif
return isSim
}()
}
/**
Contains constants for the NativeAds
*/
public struct NativeAdsConstants {
/// Holds device information, about the device running this app.
public struct Device {
static let iosVersion = NSString(string: UIDevice.current.systemVersion).doubleValue
static let model = UIDevice.current.model.characters.split { $0 == " " }.map { String($0) }[0]
}
/// Some config.
public struct NativeAds {
/// URL called to inform us about ads with bad end urls. Ones that make the user end up nowhere.
public static let notifyBadAdsUrl = "https://nativeadsapi.pocketmedia.mobi/api.php"
#if BETA
/// The URL used to fetch the ads from.
public static let baseURL = "https://getnativebeta.pocketmedia.mobi/ow.php?output=json"
#else
/// The URL used to fetch the ads from.
public static let baseURL = "https://getnative.pocketmedia.mobi/ow.php?output=json"
#endif
}
}
| b3c125d19723eea05ee4a6c97ea67de4 | 29.037037 | 104 | 0.644266 | false | false | false | false |
nikriek/gesundheit.space | refs/heads/master | Carthage/Checkouts/RxOptional/Test/OptionalOperatorsTests.swift | mit | 1 | import Quick
import Nimble
import RxSwift
import RxCocoa
import RxOptional
class OptionalOperatorsSpec: QuickSpec {
override func spec() {
describe("filterNil") {
context("Observable") {
it("unwraps the optional") {
// Check on compile
let _: Observable<Int> = Observable<Int?>
.just(nil)
.filterNil()
}
it("filters nil values") {
Observable<Int?>
.of(1, nil, 3, 4)
.filterNil()
.toArray()
.subscribe(onNext: {
expect($0).to(equal([1, 3, 4]))
})
.dispose()
}
}
context("Driver") {
it("unwraps the optional") {
// Check on compile
let _: Driver<Int> = Driver<Int?>
.just(nil)
.filterNil()
}
it("filters nil values") {
Driver<Int?>
.of(1, nil, 3, 4)
.filterNil()
.asObservable()
.toArray()
.subscribe(onNext: {
expect($0).to(equal([1, 3, 4]))
})
.dispose()
}
}
}
describe("Error On Nil") {
context("Observable") {
it("unwraps the optional") {
// Check on compile
let _: Observable<Int> = Observable<Int?>
.just(nil)
.errorOnNil()
}
it("throws default error") {
Observable<Int?>
.of(1, nil, 3, 4)
.errorOnNil()
.toArray()
.subscribe { event in
switch event {
case .next(let element):
expect(element).to(equal([1]))
case .error(let error):
// FIXME: There should be a better way to do this and to check a more specific error.
expect { throw error }
.to(throwError(errorType: RxOptionalError.self))
case .completed:
break
}
}
.dispose()
}
}
}
describe("replaceNilWith") {
context("Observable") {
it("unwraps the optional") {
// Check on compile
let _: Observable<Int> = Observable<Int?>
.just(nil)
.replaceNilWith(0)
}
it("replaces nil values") {
Observable<Int?>
.of(1, nil, 3, 4)
.replaceNilWith(2)
.toArray()
.subscribe(onNext: {
expect($0).to(equal([1, 2, 3, 4]))
})
.dispose()
}
}
context("Driver") {
it("unwraps the optional") {
// Check on compile
let _: Driver<Int> = Driver<Int?>
.just(nil)
.replaceNilWith(0)
}
it("replaces nil values") {
Driver<Int?>
.of(1, nil, 3, 4)
.replaceNilWith(2)
.asObservable()
.toArray()
.subscribe(onNext: {
expect($0).to(equal([1, 2, 3, 4]))
})
.dispose()
}
}
}
describe("catchOnNil") {
context("Observable") {
it("unwraps the optional") {
// Check on compile
let _: Observable<Int> = Observable<Int?>
.just(nil)
.catchOnNil {
return Observable<Int>.just(0)
}
}
it("catches nil and continues with new observable") {
Observable<Int?>
.of(1, nil, 3, 4)
.catchOnNil {
return Observable<Int>.just(2)
}
.toArray()
.subscribe(onNext: {
expect($0).to(equal([1, 2, 3, 4]))
})
.dispose()
}
}
context("Driver") {
it("unwraps the optional") {
// Check on compile
let _: Driver<Int> = Driver<Int?>
.just(nil)
.catchOnNil {
return Driver<Int>.just(0)
}
}
it("catches nil and continues with new observable") {
Driver<Int?>
.of(1, nil, 3, 4)
.catchOnNil {
return Driver<Int>.just(2)
}
.asObservable()
.toArray()
.subscribe(onNext: {
expect($0).to(equal([1, 2, 3, 4]))
})
.dispose()
}
}
}
}
}
| 7c2eefeadd521bb818576a7717801c4d | 33.19774 | 117 | 0.308938 | false | false | false | false |
arslanbilal/cryptology-project | refs/heads/master | Cryptology Project/Cryptology Project/Classes/Views/ManInTheMiddle Cell/ManInTheMiddleTableViewCell.swift | mit | 1 | //
// ManInTheMiddleTableViewCell.swift
// Cryptology Project
//
// Created by Bilal Arslan on 29/03/16.
// Copyright © 2016 Bilal Arslan. All rights reserved.
//
import UIKit
class ManInTheMiddleTableViewCell: UITableViewCell {
private let messageOwnersLabel = UILabel.newAutoLayoutView()
private let messageDateLabel = UILabel.newAutoLayoutView()
private let messageLabel = UILabel.newAutoLayoutView()
override init(style: UITableViewCellStyle, reuseIdentifier: String?) {
super.init(style: style, reuseIdentifier: reuseIdentifier)
self.backgroundColor = UIColor.clearColor()
self.selectionStyle = .None
let messageView = UIView.newAutoLayoutView()
messageView.layer.cornerRadius = 10.0
messageView.backgroundColor = UIColor.incomingMessageColor()
self.addSubview(messageView)
messageView.autoPinEdgesToSuperviewEdgesWithInsets(UIEdgeInsetsMake(10.0, 10.0, 10.0, 10.0))
messageOwnersLabel.numberOfLines = 1
messageOwnersLabel.textColor = UIColor.whiteColor()
messageOwnersLabel.textAlignment = .Left
messageOwnersLabel.font = UIFont(name: "HelveticaNeue-Bold", size: 14)
messageView.addSubview(messageOwnersLabel)
messageOwnersLabel.autoPinEdgesToSuperviewEdgesWithInsets(UIEdgeInsetsMake(10.0, 15.0, 0, 15.0), excludingEdge: .Bottom)
messageOwnersLabel.autoSetDimension(.Height, toSize: 17)
messageDateLabel.numberOfLines = 1
messageDateLabel.textColor = UIColor.whiteColor()
messageDateLabel.textAlignment = .Left
messageDateLabel.font = UIFont(name: "HelveticaNeue-Italic", size: 13)
messageView.addSubview(messageDateLabel)
messageDateLabel.autoPinEdge(.Top, toEdge: .Bottom, ofView: messageOwnersLabel, withOffset: 7.5)
messageDateLabel.autoPinEdgeToSuperviewEdge(.Left, withInset: 15.0)
messageDateLabel.autoPinEdgeToSuperviewEdge(.Right, withInset: 15.0)
messageDateLabel.autoSetDimension(.Height, toSize: 15)
messageLabel.numberOfLines = 0
messageLabel.textColor = UIColor.whiteColor()
messageLabel.textAlignment = .Left
messageLabel.font = UIFont(name: "HelveticaNeue", size: 15)
messageView.addSubview(messageLabel)
messageLabel.autoPinEdge(.Top, toEdge: .Bottom, ofView: messageDateLabel, withOffset: 7.5)
messageLabel.autoPinEdgesToSuperviewEdgesWithInsets(UIEdgeInsetsMake(0, 15.0, 10.0, 15.0), excludingEdge: .Top)
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
func setContent(message: CipherMessage) {
self.messageOwnersLabel.text = message.owners
self.messageDateLabel.text = Helper.getStringDateFromDate(message.date)
self.messageLabel.text = message.message
}
}
| 1750f3bd4c9ce41f932c862c2af3de4a | 40.444444 | 128 | 0.697051 | false | false | false | false |
RocketChat/Rocket.Chat.iOS | refs/heads/develop | Rocket.Chat/Views/Cells/Chat/ChatMessageURLView.swift | mit | 1 | //
// ChatMessageURLView.swift
// Rocket.Chat
//
// Created by Rafael K. Streit on 7/25/16.
// Copyright © 2016 Rocket.Chat. All rights reserved.
//
import UIKit
protocol ChatMessageURLViewProtocol: class {
func openURLFromCell(url: String)
}
final class ChatMessageURLView: UIView {
static let defaultHeight = CGFloat(50)
fileprivate static let imageViewDefaultWidth = CGFloat(50)
weak var delegate: ChatMessageURLViewProtocol?
var url: MessageURL! {
didSet {
updateMessageInformation()
}
}
@IBOutlet weak var viewLeftBorder: UIView!
@IBOutlet weak var imageViewURLWidthConstraint: NSLayoutConstraint!
@IBOutlet weak var imageViewURL: UIImageView! {
didSet {
imageViewURL.layer.masksToBounds = true
}
}
@IBOutlet weak var labelURLTitle: UILabel!
@IBOutlet weak var labelURLDescription: UILabel!
private lazy var tapGesture: UITapGestureRecognizer = {
return UITapGestureRecognizer(target: self, action: #selector(viewDidTapped(_:)))
}()
fileprivate func updateMessageInformation() {
let containsGesture = gestureRecognizers?.contains(tapGesture) ?? false
if !containsGesture {
addGestureRecognizer(tapGesture)
}
labelURLTitle.text = url.title
labelURLDescription.text = url.textDescription
if let imageURL = URL(string: url.imageURL ?? "") {
ImageManager.loadImage(with: imageURL, into: imageViewURL) { [weak self] _, error in
let width = error != nil ? 0 : ChatMessageURLView.imageViewDefaultWidth
self?.imageViewURLWidthConstraint.constant = width
self?.layoutSubviews()
}
} else {
imageViewURLWidthConstraint.constant = 0
layoutSubviews()
}
}
@objc func viewDidTapped(_ sender: Any) {
// delegate?.openURLFromCell(url: url)
}
}
// MARK: Themeable
extension ChatMessageURLView {
override func applyTheme() {
super.applyTheme()
guard let theme = theme else { return }
viewLeftBorder.backgroundColor = theme.auxiliaryText
labelURLDescription.textColor = theme.auxiliaryText
}
}
| 85b6fb30548bdd7a44b4361c3eae17c7 | 28.618421 | 96 | 0.657041 | false | false | false | false |
marc-medley/004.45macOS_CotEditorSwiftScripting | refs/heads/master | scripts/93)List Windows (front 2).swift | mit | 1 | #!/usr/bin/swift
// %%%{CotEditorXInput=NONE}%%%
// %%%{CotEditorXOutput=InsertAfterSelection}%%%
// EXAMPLE ALTERNATE: #!/usr/bin/swift -F /Library/Frameworks -g -target x86_64-apple-macosx10.12
// "List Windows.sh" lists the windows open in the CotEditor
import Foundation
import AppKit
import ScriptingBridge
@objc public protocol SBObjectProtocol: NSObjectProtocol {
func get() -> Any!
}
@objc public protocol SBApplicationProtocol: SBObjectProtocol {
func activate()
var delegate: SBApplicationDelegate! { get set }
var running: Bool { @objc(isRunning) get }
}
@objc public protocol CotEditorApplication: SBApplicationProtocol {
@objc optional func documents() -> SBElementArray
@objc optional func windows() -> SBElementArray
// ... other application features can be added here
}
extension SBApplication: CotEditorApplication {}
@objc public protocol CotEditorWindow: SBObjectProtocol {
@objc optional var name: String { get } // The title of the window.
@objc optional func id() -> Int // The unique identifier of the window.
@objc optional var index: Int { get } // The index of the window, ordered front to back.
@objc optional func setIndex(_ index: Int) // The index of the window, ordered front to back.
// ... other window properties can be added here.
}
extension SBObject: CotEditorWindow {}
let cotEditor = SBApplication(bundleIdentifier: "com.coteditor.CotEditor") as! CotEditorApplication
guard let windows = cotEditor.windows!().get() as? [CotEditorWindow] else {
print(":FAIL: no windows")
exit(1) // Swift script uses `exit(n)` instead of `return`
}
guard let window0: CotEditorWindow = windows[0],
let window1: CotEditorWindow = windows[1]
else {
print(":FAIL: requires 2 open windows")
exit(1) // Swift script uses `exit(n)` instead of `return`
}
print("window0 name:\(window0.name!)")
print("window1 name:\(window1.name!)")
for w in windows {
let id: Int = w.id!()
let index: Int = w.index!
let name: String = w.name!
print("window index:\(index) id:\(id) name:\(name)")
}
| 8afe3c4380e789fc099d63f478beb097 | 33.688525 | 99 | 0.697543 | false | false | false | false |
Look-ARound/LookARound2 | refs/heads/hd-callouts | lookaround2/Models/LABrand.swift | apache-2.0 | 1 | //
// LAColor.swift
// LookARound
//
// Created by Angela Yu on 10/11/17.
// Copyright © 2017 LookARound. All rights reserved.
//
import UIKit
extension UIColor {
struct LABrand {
// USAGE: myButton.tintColor = UIColor.LABrand.primary
static let primary = UIColor(red:0.00, green:0.59, blue:0.65, alpha:1.0) // navbar, icon outlines, buttons #0097A7 rgb(0, 151, 167)
static let unselected = UIColor.darkGray // #555555 rgb(85, 85, 85)
static let accent = UIColor(red:0.15, green:0.78, blue:0.85, alpha:1.0) // pins, highlighted info #26C6DA rgb(38, 198, 218)
static let buttons = UIColor.white // white UI buttons on clear background, #FFF rgb(255, 255, 255)
static let standard = UIColor.black // black default text
static let detail = UIColor.lightGray
// From https://developer.apple.com/ios/human-interface-guidelines/visual-design/color/
// purple #5856d6 rgb(88, 86, 214) UIColor(red:0.35, green:0.34, blue:0.84, alpha:1.0)
// green #4cd964 rgb(76, 217, 100) UIColor(red:0.30, green:0.85, blue:0.39, alpha:1.0)
// blue #007aff rgb(0, 122, 255) UIColor(red:0.00, green:0.48, blue:1.00, alpha:1.0)
// pink #ff2d55 rgb(255, 45, 85) UIColor(red:1.00, green:0.18, blue:0.33, alpha:1.0)
}
}
| 4f2dd0b3558ac89eedbaec253b1e7a78 | 49.074074 | 142 | 0.622041 | false | false | false | false |
idappthat/UTANow-iOS | refs/heads/master | UTANow/MapViewController.swift | mit | 1 | //
// MapViewController.swift
// UTANow
//
// Created by Cameron Moreau on 12/2/15.
// Copyright © 2015 Mobi. All rights reserved.
//
import UIKit
import Mapbox
class MapViewController: UIViewController, MGLMapViewDelegate {
@IBOutlet weak var mapView: MGLMapView!
var markerPoint: CLLocationCoordinate2D?
var markerTitle: String?
@IBAction func cancelAction(sender: AnyObject) {
self.dismissViewControllerAnimated(true, completion: nil)
}
override func viewDidLoad() {
super.viewDidLoad()
mapView.delegate = self
//Place marker if send in by previous view
if let point = markerPoint {
let marker = MGLPointAnnotation()
marker.coordinate = point
marker.title = markerTitle
mapView.addAnnotation(marker)
//Zoom on marker
mapView.setCenterCoordinate(point, zoomLevel: 17, animated: true)
}
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
//Use default marker
func mapView(mapView: MGLMapView, imageForAnnotation annotation: MGLAnnotation) -> MGLAnnotationImage? {
return nil
}
//Show annotation text
func mapView(mapView: MGLMapView, annotationCanShowCallout annotation: MGLAnnotation) -> Bool {
return true
}
}
| 1a0a82b3a6eb4f569ac96090c4cf6e98 | 25.690909 | 108 | 0.641689 | false | false | false | false |
overtake/TelegramSwift | refs/heads/master | Telegram-Mac/WallpaperAdditionColorView.swift | gpl-2.0 | 1 | //
// WallpaperAdditionColorView.swift
// Telegram
//
// Created by Mikhail Filimonov on 21.07.2021.
// Copyright © 2021 Telegram. All rights reserved.
//
import Foundation
import TGUIKit
import TGModernGrowingTextView
final class WallpaperAdditionColorView : View, TGModernGrowingDelegate {
func textViewHeightChanged(_ height: CGFloat, animated: Bool) {
}
func textViewEnterPressed(_ event: NSEvent) -> Bool {
return true
}
func textViewTextDidChange(_ string: String) {
var filtered = String(string.unicodeScalars.filter {CharacterSet(charactersIn: "#0123456789abcdefABCDEF").contains($0)}).uppercased()
if string != filtered {
if filtered.isEmpty {
filtered = "#"
} else if filtered.first != "#" {
filtered = "#" + filtered
}
textView.setString(filtered)
}
if filtered.length == maxCharactersLimit(textView) {
let color = NSColor(hexString: filtered)
if let color = color, !ignoreUpdate {
colorChanged?(color)
}
}
}
override func updateLocalizationAndTheme(theme: PresentationTheme) {
super.updateLocalizationAndTheme(theme: theme)
background = theme.colors.background
textView.background = theme.colors.background
textView.textColor = theme.colors.text
}
func textViewTextDidChangeSelectedRange(_ range: NSRange) {
}
func textViewDidPaste(_ pasteboard: NSPasteboard) -> Bool {
let text = pasteboard.string(forType: .string)
if let text = text, let color = NSColor(hexString: text) {
defaultColor = color
}
return true
}
func textViewSize(_ textView: TGModernGrowingTextView!) -> NSSize {
return textView.frame.size
}
func textViewIsTypingEnabled() -> Bool {
return true
}
func maxCharactersLimit(_ textView: TGModernGrowingTextView!) -> Int32 {
return 7
}
private var ignoreUpdate: Bool = false
var defaultColor: NSColor = NSColor(hexString: "#FFFFFF")! {
didSet {
ignoreUpdate = true
textView.setString(defaultColor.hexString)
ignoreUpdate = false
}
}
var colorChanged: ((NSColor) -> Void)? = nil
var resetClick:(()->Void)? = nil
fileprivate let resetButton = ImageButton()
let textView: TGModernGrowingTextView = TGModernGrowingTextView(frame: NSZeroRect, unscrollable: true)
required init(frame frameRect: NSRect) {
super.init(frame: frameRect)
addSubview(textView)
layer?.cornerRadius = frameRect.height / 2
layer?.borderWidth = .borderSize
layer?.borderColor = theme.colors.border.cgColor
textView.delegate = self
textView.setString("#")
textView.textFont = .normal(.text)
backgroundColor = theme.colors.background
textView.cursorColor = theme.colors.indicatorColor
resetButton.set(image: theme.icons.wallpaper_color_close, for: .Normal)
_ = resetButton.sizeToFit()
addSubview(resetButton)
textView.setBackgroundColor(theme.colors.background)
resetButton.set(handler: { [weak self] _ in
self?.resetClick?()
}, for: .Click)
}
override func layout() {
super.layout()
updateLayout(size: frame.size, transition: .immediate)
}
func updateLayout(size: NSSize, transition: ContainedViewLayoutTransition) {
transition.updateFrame(view: textView, frame: NSMakeRect(6, 0, frame.width - resetButton.frame.width - 15, frame.height))
transition.updateFrame(view: resetButton, frame: resetButton.centerFrameY(x: frame.width - resetButton.frame.width - 5))
}
required init?(coder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
}
| 83654e05b926f799730fd47b6c5b64ef | 31.475806 | 141 | 0.624038 | false | false | false | false |
pluralsight/PSOperations | refs/heads/master | PSOperationsTests/URLSessionTaskOperationTests.swift | apache-2.0 | 1 | @testable import PSOperations
import XCTest
public extension URLSession {
struct SharedInstance {
static var instance = URLSession.shared
}
func setProtocolClasses(classes: [AnyClass]) {
let sessionconfig = URLSession.PSSession.configuration
sessionconfig.protocolClasses = classes
SharedInstance.instance = URLSession(configuration: sessionconfig)
}
static var PSSession: URLSession {
return SharedInstance.instance
}
}
class TestURLProtocol: URLProtocol {
override class func canInit(with request: URLRequest) -> Bool {
return true
}
override class func canonicalRequest(for request: URLRequest) -> URLRequest {
return request
}
func GETjson() -> [String: AnyObject] {
return ["cool": "beans" as AnyObject]
}
override func startLoading() {
let resp = HTTPURLResponse(url: request.url!, statusCode: 200, httpVersion: "HTTP/1.1", headerFields: ["Content-Type": "application/json"])
client?.urlProtocol(self, didReceive: resp!, cacheStoragePolicy: .notAllowed)
client?.urlProtocol(self, didLoad: try! JSONSerialization.data(withJSONObject: GETjson(), options: []))
client?.urlProtocolDidFinishLoading(self)
}
override func stopLoading() {
}
}
class URLSessionTaskOperationTests: XCTestCase {
override func setUp() {
super.setUp()
URLSession.PSSession.setProtocolClasses(classes: [TestURLProtocol.self])
}
override func tearDown() {
super.tearDown()
URLSession.PSSession.setProtocolClasses(classes: [])
}
func testSuccess() {
let taskThing: URLSessionTask = URLSession.PSSession.dataTask(with: URL(string: "http://winning")!) { _, _, error in
XCTAssertNil(error)
}
let op = URLSessionTaskOperation(task: taskThing)
let q = PSOperations.OperationQueue()
q.addOperation(op)
keyValueObservingExpectation(for: op, keyPath: "isFinished") { _, _ in
return op.isFinished
}
waitForExpectations(timeout: 5.0, handler: nil)
}
func testCancel() {
let exp = expectation(description: "")
let taskThing: URLSessionTask = URLSession.PSSession.dataTask(with: URL(string: "http://winning")!) { _, _, error in
XCTAssertNotNil(error)
exp.fulfill()
}
let op = URLSessionTaskOperation(task: taskThing)
let q = PSOperations.OperationQueue()
q.isSuspended = true
q.addOperation(op)
op.cancel()
q.isSuspended = false
XCTAssertTrue(op.isCancelled)
waitForExpectations(timeout: 1.0, handler: nil)
}
}
| e4fa119bea8ff2a7a2e968ba979a7ab7 | 27.642105 | 147 | 0.648659 | false | true | false | false |
josefdolezal/fit-cvut | refs/heads/master | BI-IOS/assignments/assignment-1/bi-ios-recognizers/GraphView.swift | mit | 1 | //
// GraphView.swift
// bi-ios-recognizers
//
// Created by Dominik Vesely on 03/11/15.
// Copyright © 2015 Ackee s.r.o. All rights reserved.
//
//
import Foundation
import UIKit
class GraphView : UIView {
var graphRealPosition: CGPoint = CGPointMake(0, 0)
var graphBeginPosition: CGPoint = CGPointMake(0, 0) {
didSet {
graphRealPosition = graphBeginPosition
setNeedsDisplay()
}
}
var tapPosition: CGPoint = CGPointMake(0, 0)
var amplitude : CGFloat = 2.0 {
didSet {
setLabelText()
setNeedsDisplay()
}
}
var lineColor : UIColor = .redColor() {
didSet {
setNeedsDisplay()
}
}
weak var label : UILabel!
override init(frame: CGRect) {
super.init(frame: frame)
self.backgroundColor = UIColor.lightGrayColor()
print(CGRectGetHeight(self.bounds))
let label = UILabel(frame: CGRectMake(10, 10, 150, 25))
addSubview(label)
self.label = label
let panGesture = UIPanGestureRecognizer(target: self, action: "moveGraph:")
addGestureRecognizer(panGesture)
let doubleTap = UITapGestureRecognizer(target: self, action: "resetGraphPosition:")
doubleTap.numberOfTapsRequired = 2
addGestureRecognizer(doubleTap)
}
// Vola se pokazde, kdyz ma byt vykresleno view (klidne az 30fps)
override func drawRect(rect: CGRect) {
// Aktualni kontext - kam se kresli
let context = UIGraphicsGetCurrentContext();
// Nastaveni vlastnosti cary
CGContextSetStrokeColorWithColor(context, lineColor.CGColor);
CGContextSetLineWidth(context, 2);
// Nastaveni pocatecniho bodu pro kresleni
CGContextMoveToPoint(context, graphRealPosition.x, graphRealPosition.y);
for (var i : CGFloat = 0; i < 900; i += 4) {
CGContextAddLineToPoint(context, i + graphRealPosition.x, self.amplitude * 10 * sin(i) + graphRealPosition.y);
}
// Doposud se objekty ukladali do buffery, tato metoda je skutecne vykresli
CGContextStrokePath(context);
}
func setLabelText() {
label?.text = String(format: "Amplitude: %.2f", arguments: [amplitude])
}
// vyzadovana swiftem, ale neni nikdy volana
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
//MARK: Action
func moveGraph(reco: UIGestureRecognizer) {
let actualPosition = reco.locationInView(self)
switch(reco.state) {
case .Began:
tapPosition = actualPosition
case .Changed:
graphRealPosition.x = graphBeginPosition.x + actualPosition.x - tapPosition.x
graphRealPosition.y = graphBeginPosition.y + actualPosition.y - tapPosition.y
setNeedsDisplay()
case .Ended:
graphBeginPosition = graphRealPosition
default:
return
}
}
func resetGraphPosition(reco: UITapGestureRecognizer) {
graphBeginPosition = CGPointMake(0, CGRectGetHeight(self.bounds) / 2.0)
}
}
| 4ec7c07b1c62bd6f3666c6c6e9899ff1 | 27.894737 | 122 | 0.606557 | false | false | false | false |
ccrama/Slide-iOS | refs/heads/master | Slide for Reddit/SettingsContent.swift | apache-2.0 | 1 | //
// SettingsContent.swift
// Slide for Reddit
//
// Created by Carlos Crane on 6/20/17.
// Copyright © 2017 Haptic Apps. All rights reserved.
//
import reddift
import UIKit
class SettingsContent: BubbleSettingTableViewController {
var showNSFWPreviewsCell: UITableViewCell = InsetCell()
var showNSFWPreviews = UISwitch().then {
$0.tintColor = GMColor.red500Color()
}
var hideCollectionViewsCell: UITableViewCell = InsetCell()
var hideCollectionViews = UISwitch().then {
$0.tintColor = GMColor.red500Color()
}
@objc func switchIsChanged(_ changed: UISwitch) {
if changed == showNSFWPreviews {
SettingValues.nsfwPreviews = changed.isOn
UserDefaults.standard.set(changed.isOn, forKey: SettingValues.pref_nsfwPreviews + AccountController.currentName)
} else if changed == hideCollectionViews {
SettingValues.hideNSFWCollection = changed.isOn
UserDefaults.standard.set(changed.isOn, forKey: SettingValues.pref_hideNSFWCollection + AccountController.currentName)
}
UserDefaults.standard.synchronize()
doDisables()
tableView.reloadData()
}
public func createCell(_ cell: UITableViewCell, _ switchV: UISwitch? = nil, isOn: Bool, text: String) {
cell.textLabel?.text = text
cell.textLabel?.textColor = ColorUtil.theme.fontColor
cell.backgroundColor = ColorUtil.theme.foregroundColor
cell.textLabel?.numberOfLines = 0
cell.textLabel?.lineBreakMode = .byWordWrapping
if let s = switchV {
s.isOn = isOn
s.addTarget(self, action: #selector(SettingsLayout.switchIsChanged(_:)), for: UIControl.Event.valueChanged)
cell.accessoryView = s
}
cell.selectionStyle = UITableViewCell.SelectionStyle.none
}
override func loadView() {
super.loadView()
self.view.backgroundColor = ColorUtil.theme.backgroundColor
// set the title
self.title = "Reddit Content"
self.headers = ["NSFW content"]
createCell(showNSFWPreviewsCell, showNSFWPreviews, isOn: SettingValues.nsfwPreviews, text: "Show NSFW image previews")
createCell(hideCollectionViewsCell, hideCollectionViews, isOn: SettingValues.hideNSFWCollection, text: "Hide NSFW image previews in collections (such as r/all)")
doDisables()
self.tableView.tableFooterView = UIView()
}
func doDisables() {
if SettingValues.nsfwEnabled {
showNSFWPreviews.isEnabled = true
hideCollectionViews.isEnabled = true
if !SettingValues.nsfwPreviews {
hideCollectionViews.isEnabled = false
}
} else {
showNSFWPreviews.isEnabled = false
hideCollectionViews.isEnabled = false
}
}
}
extension SettingsContent {
override func numberOfSections(in tableView: UITableView) -> Int {
return 1
}
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
switch indexPath.section {
case 0:
switch indexPath.row {
case 0: return self.showNSFWPreviewsCell
case 1: return self.hideCollectionViewsCell
default: fatalError("Unknown row in section 0")
}
default: fatalError("Unknown section")
}
}
override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
switch section {
case 0: return 2 // section 0 has 2 rows
default: fatalError("Unknown number of sections")
}
}
}
| 6d63896f087cb350b447fcbc2b4d7104 | 34.32381 | 169 | 0.652467 | false | false | false | false |
Takanu/Pelican | refs/heads/master | Sources/Pelican/API/Types/Albums/InputMediaVideo.swift | mit | 1 | //
// InputMediaVideo.swift
// Pelican
//
// Created by Takanu Kyriako on 21/12/2017.
//
import Foundation
/**
Represents a video to be sent in the context of an album.
*/
struct InputMediaVideo: InputMedia {
// PROTOCOL INHERITANCE
public var type = "video"
public var media: String
public var caption: String?
// DETAILS
/// The width of the video in pixels
public var width: Int?
/// The height of the video in pixels.
public var height: Int?
/// The duration of the video in seconds.
public var duration: Int?
/// Coding keys to map values when Encoding and Decoding.
enum CodingKeys: String, CodingKey {
case type
case media
case caption
case width
case height
case duration
}
public init(mediaLink media: String,
caption: String?,
width: Int? = nil,
height: Int? = nil,
duration: Int? = nil) {
self.media = media
self.caption = caption
}
}
| d200254578b8def19601d4115d5b7820 | 17.58 | 58 | 0.666308 | false | false | false | false |
Subsets and Splits