repo_name
stringlengths 6
91
| path
stringlengths 8
968
| copies
stringclasses 210
values | size
stringlengths 2
7
| content
stringlengths 61
1.01M
| license
stringclasses 15
values | hash
stringlengths 32
32
| line_mean
float64 6
99.8
| line_max
int64 12
1k
| alpha_frac
float64 0.3
0.91
| ratio
float64 2
9.89
| autogenerated
bool 1
class | config_or_test
bool 2
classes | has_no_keywords
bool 2
classes | has_few_assignments
bool 1
class |
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
SuperAwesomeLTD/sa-mobile-sdk-ios | Pod/Classes/UI/Video/VideoViewController.swift | 1 | 7931 | //
// VideoViewController.swift
// SuperAwesome
//
// Created by Gabriel Coman on 17/12/2018.
//
import UIKit
@objc(SAVideoViewController) class VideoViewController: UIViewController, Injectable {
private lazy var controller: AdControllerType = dependencies.resolve()
private lazy var orientationProvider: OrientationProviderType = dependencies.resolve()
private lazy var stringProvider: StringProviderType = dependencies.resolve()
private var videoPlayer: AwesomeVideoPlayer!
private var chrome: AdSocialVideoPlayerControlsView!
private var logger: LoggerType = dependencies.resolve(param: VideoViewController.self)
private let config: AdConfig
private let control: VideoPlayerControls = VideoPlayerController()
private let videoEvents: VideoEvents
private var completed: Bool = false
private var closeDialog: UIAlertController?
init(adResponse: AdResponse, callback: AdEventCallback?, config: AdConfig) {
self.config = config
videoEvents = VideoEvents(adResponse)
super.init(nibName: nil, bundle: nil)
self.controller.adResponse = adResponse
self.controller.callback = callback
self.controller.parentalGateEnabled = config.isParentalGateEnabled
self.controller.bumperPageEnabled = config.isBumperPageEnabled
videoEvents.delegate = self
}
override var preferredStatusBarStyle: UIStatusBarStyle { .lightContent }
override var prefersStatusBarHidden: Bool { true }
override var preferredStatusBarUpdateAnimation: UIStatusBarAnimation { .fade }
@available(iOS 11.0, *)
override var prefersHomeIndicatorAutoHidden: Bool { true }
override var supportedInterfaceOrientations: UIInterfaceOrientationMask {
orientationProvider.findSupportedOrientations(config.orientation, super.supportedInterfaceOrientations)
}
required init?(coder aDecoder: NSCoder) {
fatalError("Don't use this externally!")
}
override func viewDidLoad() {
super.viewDidLoad()
// initial view setup
view.backgroundColor = .black
view.layoutMargins = .zero
// setup video player
videoPlayer = AwesomeVideoPlayer()
videoPlayer.setControls(controller: control)
videoPlayer.layoutMargins = .zero
videoPlayer.setDelegate(delegate: self)
view.addSubview(videoPlayer)
videoPlayer.bind(
toTheEdgesOf: view,
insets: UIEdgeInsets(top: 0.0, left: 0.0, bottom: Padding.s.negative, right: 0.0)
)
// setup chrome
chrome = AdSocialVideoPlayerControlsView(smallClick: config.showSmallClick,
showSafeAdLogo: config.showSafeAdLogo)
chrome.layoutMargins = .zero
chrome.setCloseAction { [weak self] in
self?.closeAction()
}
chrome.setClickAction { [weak self] in
self?.clickAction()
}
chrome.setPadlockAction { [weak self] in
self?.controller.handleSafeAdTap()
}
chrome.setVolumeAction { [weak self] in
self?.volumeAction()
}
videoPlayer.setControlsView(
controllerView: chrome,
insets: UIEdgeInsets(top: 0.0, left: 0.0, bottom: Padding.s.negative, right: 0.0)
)
if let avPlayer = videoPlayer.getAVPlayer() {
let muted = config.shouldMuteOnStart
avPlayer.isMuted = muted
chrome.setMuted(muted)
if muted {
chrome.makeVolumeButtonVisible()
}
}
if config.closeButtonState == .visibleImmediately {
chrome.makeCloseButtonVisible()
}
// play ad
if let url = controller.filePathUrl {
control.play(url: url)
}
// register notification for foreground
// swiftlint:disable discarded_notification_center_observer
NotificationCenter.default.addObserver(forName: UIApplication.willEnterForegroundNotification, object: nil, queue: .main) { [weak self] notification in
self?.willEnterForeground(notification)
}
// register notification for background
// swiftlint:disable discarded_notification_center_observer
NotificationCenter.default.addObserver(forName: UIApplication.didEnterBackgroundNotification, object: nil, queue: .main) { [weak self] _ in
self?.didEnterBackground()
}
}
override func viewDidAppear(_ animated: Bool) {
super.viewDidAppear(animated)
control.start()
}
override func viewDidDisappear(_ animated: Bool) {
super.viewDidDisappear(animated)
}
override func viewWillDisappear(_ animated: Bool) {
control.pause()
super.viewWillDisappear(animated)
}
deinit {
NotificationCenter.default.removeObserver(self,
name: UIApplication.willEnterForegroundNotification,
object: nil)
NotificationCenter.default.removeObserver(self,
name: UIApplication.didEnterBackgroundNotification,
object: nil)
}
private func didEnterBackground() {
closeDialog?.dismiss(animated: true)
closeDialog = nil
}
@objc
func willEnterForeground(_ notification: Notification) {
control.start()
}
private func clickAction() {
controller.handleAdTapForVast()
}
private func closeAction() {
if config.shouldShowCloseWarning && !completed {
control.pause()
closeDialog = showQuestionDialog(title: stringProvider.closeDialogTitle,
message: stringProvider.closeDialogMessage,
yesTitle: stringProvider.closeDialogCloseAction,
noTitle: stringProvider.closeDialogResumeAction) { [weak self] in
self?.close()
} noAction: { [weak self] in
self?.control.start()
}
} else {
close()
}
}
private func volumeAction() {
if let avPlayer = videoPlayer.getAVPlayer() {
let toggle = !avPlayer.isMuted
avPlayer.isMuted = toggle
chrome.setMuted(toggle)
}
}
private func close() {
videoPlayer.destroy()
dismiss(animated: true) { [weak self] in
self?.controller.close()
}
}
}
extension VideoViewController: VideoEventsDelegate {
func hasBeenVisible() {
controller.triggerViewableImpression()
controller.triggerDwellTime()
if config.closeButtonState == .visibleWithDelay {
chrome.makeCloseButtonVisible()
}
}
}
extension VideoViewController: VideoPlayerDelegate {
func didPrepare(videoPlayer: VideoPlayer, time: Int, duration: Int) {
videoEvents.prepare(player: videoPlayer, time: time, duration: duration)
controller.adShown()
}
func didUpdateTime(videoPlayer: VideoPlayer, time: Int, duration: Int) {
videoEvents.time(player: videoPlayer, time: time, duration: duration)
}
func didComplete(videoPlayer: VideoPlayer, time: Int, duration: Int) {
completed = true
videoEvents.complete(player: videoPlayer, time: time, duration: duration)
chrome.makeCloseButtonVisible()
controller.adEnded()
if config.shouldCloseAtEnd {
closeAction()
}
}
func didError(videoPlayer: VideoPlayer, error: Error, time: Int, duration: Int) {
videoEvents.error(player: videoPlayer, time: time, duration: duration)
controller.adFailedToShow()
closeAction()
}
}
| lgpl-3.0 | bbf0d0b3228bdbec4732926ebc392458 | 33.633188 | 159 | 0.631951 | 5.273271 | false | true | false | false |
Esri/arcgis-runtime-samples-ios | arcgis-ios-sdk-samples/Display information/Control graphic draw order/GraphicDrawOrderViewController.swift | 1 | 3997 | //
// Copyright 2016 Esri.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
import UIKit
import ArcGIS
class GraphicDrawOrderViewController: UIViewController {
@IBOutlet var mapView: AGSMapView!
@IBOutlet var buttons: [UIButton]!
var map: AGSMap!
private var graphicsOverlay = AGSGraphicsOverlay()
private var graphics = [AGSGraphic]()
private var drawIndex: Int = 0
override func viewDidLoad() {
super.viewDidLoad()
// add the source code button item to the right of navigation bar
(self.navigationItem.rightBarButtonItem as! SourceCodeBarButtonItem).filenames = ["GraphicDrawOrderViewController"]
// create an instance of a map with ESRI streets basemap
self.map = AGSMap(basemapStyle: .arcGISStreets)
// assign map to the map view
self.mapView.map = self.map
// add the graphics overlay to the map view
self.mapView.graphicsOverlays.add(self.graphicsOverlay)
// add the graphics to the overlay
self.addGraphics()
// set map scale
let mapScale: Double = 53500
// initial viewpoint
self.mapView.setViewpointCenter(AGSPoint(x: -13148960, y: 4000040, spatialReference: .webMercator()), scale: mapScale)
// restricting map scale to preserve the graphics overlapping
self.map.minScale = mapScale
self.map.maxScale = mapScale
}
private func addGraphics() {
// starting x and y
let x: Double = -13149000
let y: Double = 4e6
// distance between the graphics
let delta: Double = 100
// blue marker
var geometry = AGSPoint(x: x, y: y, spatialReference: .webMercator())
var symbol = AGSPictureMarkerSymbol(image: UIImage(named: "BlueMarker")!)
var graphic = AGSGraphic(geometry: geometry, symbol: symbol, attributes: nil)
graphics.append(graphic)
// red marker
geometry = AGSPoint(x: x + delta, y: y, spatialReference: .webMercator())
symbol = AGSPictureMarkerSymbol(image: UIImage(named: "RedMarker2")!)
graphic = AGSGraphic(geometry: geometry, symbol: symbol, attributes: nil)
graphics.append(graphic)
// green marker
geometry = AGSPoint(x: x, y: y + delta, spatialReference: .webMercator())
symbol = AGSPictureMarkerSymbol(image: UIImage(named: "GreenMarker")!)
graphic = AGSGraphic(geometry: geometry, symbol: symbol, attributes: nil)
graphics.append(graphic)
// Violet marker
geometry = AGSPoint(x: x + delta, y: y + delta, spatialReference: .webMercator())
symbol = AGSPictureMarkerSymbol(image: UIImage(named: "VioletMarker")!)
graphic = AGSGraphic(geometry: geometry, symbol: symbol, attributes: nil)
graphics.append(graphic)
// add the graphics to the overlay
self.graphicsOverlay.graphics.addObjects(from: graphics)
}
// MARK: - Actions
@IBAction func buttonAction(_ sender: UIButton) {
// increment draw index by 1 and assign as the zIndex for the respective graphic
self.drawIndex += 1
// the button's tag value specifies which graphic to re-index
// for example, a button tag value of 1 will move self.graphics[1] - the red marker
graphics[sender.tag].zIndex = self.drawIndex
}
}
| apache-2.0 | bd2f8c71d9b80923c6a81b5e9a49084b | 37.805825 | 126 | 0.649987 | 4.647674 | false | false | false | false |
yuhaifei123/WeiBo_Swift | WeiBo_Swift/WeiBo_Swift/class/tool(工具)/loading(下拉刷新)/Home_RefreshControl.swift | 1 | 4091 | //
// Home_RefreshControl.swift
// WeiBo_Swift
//
// Created by 虞海飞 on 2017/1/18.
// Copyright © 2017年 虞海飞. All rights reserved.
//
import UIKit
class Home_RefreshControl: UIRefreshControl {
override init() {
super.init();
setupUI();
}
/// 页面设置
private func setupUI(){
self.addSubview(homeRefreshView);
homeRefreshView.snp.makeConstraints { (make) in
make.size.equalTo(CGSize(width: 170, height:70.0 ));
make.center.equalTo(self);
};
//kvc 添加观察者
self.addObserver(self, forKeyPath: "frame", options: NSKeyValueObservingOptions.new, context: nil);
}
/// 结束刷新
override func endRefreshing() {
super.endRefreshing();
homeRefreshView.stopLoadingAnimation();
loadingfloat = false;
}
//判断值,判断箭头方向
private var arrow : Bool = false;
//判断是不是转转圈圈
private var loadingfloat : Bool = false;
///
/// kvc 监听方法
/// - Parameters:
/// - keyPath: <#keyPath description#>
/// - object: <#object description#>
/// - change: <#change description#>
/// - context: <#context description#>
override func observeValue(forKeyPath keyPath: String?, of object: Any?, change: [NSKeyValueChangeKey : Any]?, context: UnsafeMutableRawPointer?) {
//控件的 Y
let viewY = self.frame.origin.y;
if viewY >= 0 {
return;
}
// 下啦到一定程度,程序自己刷新是
if isRefreshing == true && loadingfloat == false{
homeRefreshView.startLoadingAnimation();
loadingfloat = true;
}
if viewY >= -50 && arrow == false {
homeRefreshView.rotaionArrowItem();
print("翻转");
arrow = true;
}
else if viewY < -50 && arrow == true {
homeRefreshView.rotaionArrowItem();
print("开始翻转");
arrow = false;
}
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
//对象销毁,会调用这个方法。防止循环引用
deinit {
removeObserver(self, forKeyPath: "frame");
}
private lazy var homeRefreshView : HomeRefreshView = HomeRefreshView.refreshView();
}
/// 子类,与 HomeRefreshView.xib 相同
class HomeRefreshView : UIView {
/// 箭头
@IBOutlet weak var imageView_ArrowItem: UIImageView!
/// 圆圆圈
@IBOutlet weak var imageView_Loading: UIImageView!
/// 圆圆圈view
@IBOutlet weak var view_LoadView: UIView!
///选择箭头
func rotaionArrowItem(){
UIView.animate(withDuration: 0.2) {
//动画效果
//transform 形变后的 frame
self.imageView_ArrowItem.transform = self.imageView_ArrowItem.transform.rotated(by: CGFloat(M_PI));
}
}
/// 开始转圈圈动画
func startLoadingAnimation() {
//把前面的view 隐藏了
self.view_LoadView.isHidden = true;
let rotateAni = CABasicAnimation(keyPath: "transform.rotation")
rotateAni.fromValue = 0.0
rotateAni.toValue = M_PI * 2.0
rotateAni.duration = 10
rotateAni.repeatCount = MAXFLOAT
//不停的转动
rotateAni.isRemovedOnCompletion = false;
imageView_Loading.layer.add(rotateAni, forKey: nil);
}
/// 停止转圈圈动画
func stopLoadingAnimation(){
self.view_LoadView.isHidden = false;
//停止动画
imageView_Loading.stopAnimating();
}
class func refreshView() -> HomeRefreshView{
//得到最后一个
return Bundle.main.loadNibNamed("HomeRefreshView", owner: nil, options: nil)?.last as! HomeRefreshView;
}
}
| apache-2.0 | f7c413ba7adff73d71b381d87f50900f | 24.809524 | 151 | 0.560358 | 4.52205 | false | false | false | false |
exponent/exponent | ios/versioned/sdk43/ExpoModulesCore/Swift/Methods/AnyArgumentType.swift | 2 | 1177 |
struct AnyArgumentType: CustomDebugStringConvertible {
let baseType: Any.Type
let typeName: String
private let castHelper: (Any) -> AnyMethodArgument?
private let canCastHelper: (Any) -> Bool
init<T: AnyMethodArgument>(_ baseType: T.Type) {
self.baseType = baseType
self.typeName = String(describing: baseType)
self.castHelper = { $0 as? T }
// handle class metatypes separately in order to allow T.self != base.
if baseType is AnyClass {
self.canCastHelper = { x in
sequence(
first: Mirror(reflecting: x), next: { $0.superclassMirror }
)
.contains { $0.subjectType == baseType }
}
} else {
self.canCastHelper = { $0 is T }
}
}
func cast<T>(_ object: T) -> AnyMethodArgument? {
return castHelper(object)
}
func canCast<T>(_ object: T) -> Bool {
return canCastHelper(object)
}
func canCastToType<T>(_ type: T.Type) -> Bool {
return baseType is T.Type
}
func castWrappedType<T>(_ type: T.Type) -> T? {
return baseType as? T
}
// MARK: CustomDebugStringConvertible
var debugDescription: String {
return String(describing: baseType)
}
}
| bsd-3-clause | 9c51ef991a3c998388eab556fe51cc0a | 23.520833 | 74 | 0.636364 | 3.884488 | false | false | false | false |
DarielChen/DemoCode | iOS动画指南/iOS动画指南 - 5.下雪的粒子效果、帧动画/2.penguinRun/penguinRun/ViewController.swift | 1 | 4647 | //
// ViewController.swift
// penguinRun
//
// Created by Dariel on 16/7/23.
// Copyright © 2016年 Dariel. All rights reserved.
//
import UIKit
class ViewController: UIViewController {
// 添加走路动画的图片
var walkFrames = [
UIImage(named: "walk01.png")!,
UIImage(named: "walk02.png")!,
UIImage(named: "walk03.png")!,
UIImage(named: "walk04.png")!
]
// 添加滑行的图片
var slideFrames = [
UIImage(named: "slide01.png")!,
UIImage(named: "slide02.png")!,
UIImage(named: "slide01.png")!
]
let animationDuration = 1.0
let penguinWidth: CGFloat = 108.0
let penguinHeight: CGFloat = 96.0
override func viewDidLoad() {
super.viewDidLoad()
view.addSubview(bgView)
view.addSubview(leftButton)
view.addSubview(rightButton)
view.addSubview(slideButton)
view.addSubview(penguinView)
// 设置好需要走动动画
loadWalkAnimation()
}
// 走路的动画
func loadWalkAnimation() {
// 将需要添加帧动画的图片添加进去
penguinView.animationImages = walkFrames
// 设置播放时间
penguinView.animationDuration = animationDuration / 3
// 设置重复次数
penguinView.animationRepeatCount = 3
}
// 滑行的动画
func loadSlideAnimation() {
penguinView.animationImages = slideFrames
penguinView.animationDuration = animationDuration
penguinView.animationRepeatCount = 1
}
// 判断左右 如果不是右边翻转图片
var isLookingRight: Bool = true {
didSet {
let xScale: CGFloat = isLookingRight ? 1 : -1
penguinView.transform = CGAffineTransformMakeScale(xScale, 1)
slideButton.transform = penguinView.transform
}
}
func leftBtnClick() {
isLookingRight = false
penguinView.startAnimating()
UIView.animateWithDuration(animationDuration, delay: 0.0, options: .CurveEaseOut, animations: {
self.penguinView.center.x -= self.penguinWidth
}, completion: nil)
}
func rightBtnClick() {
isLookingRight = true
penguinView.startAnimating()
UIView.animateWithDuration(animationDuration, delay: 0.0, options: .CurveEaseOut, animations: {
self.penguinView.center.x += self.penguinWidth
}, completion: nil)
}
func slideBtnClick() {
// 设置滑行动画
loadSlideAnimation()
penguinView.startAnimating()
UIView.animateWithDuration(animationDuration - 0.02, delay: 0.0, options: .CurveEaseOut, animations: {
self.penguinView.center.x += self.isLookingRight ?
self.penguinWidth : -self.penguinWidth
}, completion: {_ in
self.loadWalkAnimation()
})
}
// MARK: - 设置UI
lazy var bgView : UIImageView = {
let bgView = UIImageView(image:UIImage(named: "bg"))
bgView.frame = self.view.bounds
return bgView
}()
lazy var leftButton : UIButton = {
let btn = UIButton()
btn.setImage(UIImage(named: "btn-left"), forState: .Normal)
btn.frame = CGRect(x: 0, y: UIScreen.mainScreen().bounds.height-100, width: 100, height: 100)
btn.addTarget(self, action: Selector("leftBtnClick"), forControlEvents: .TouchUpInside)
return btn
}()
lazy var rightButton : UIButton = {
let btn = UIButton()
btn.setImage(UIImage(named: "btn-right"), forState: .Normal)
btn.frame = CGRect(x: 100, y: UIScreen.mainScreen().bounds.height-100, width: 100, height: 100)
btn.addTarget(self, action: Selector("rightBtnClick"), forControlEvents: .TouchUpInside)
return btn
}()
lazy var slideButton : UIButton = {
let btn = UIButton()
btn.setImage(UIImage(named: "btn-slide"), forState: .Normal)
btn.frame = CGRect(x: UIScreen.mainScreen().bounds.width-100, y: UIScreen.mainScreen().bounds.height-100, width: 100, height: 100)
btn.addTarget(self, action: Selector("slideBtnClick"), forControlEvents: .TouchUpInside)
return btn
}()
lazy var penguinView : UIImageView = {
let penguin = UIImageView()
penguin.image = UIImage(named: "walk01")
penguin.frame = CGRect(x: 100, y: UIScreen.mainScreen().bounds.height-175, width: self.penguinWidth , height: 96)
return penguin
}()
}
| mit | 7bdeb0cb14a741a9adb8438b50a5213d | 29.44898 | 138 | 0.605004 | 4.316297 | false | false | false | false |
mchaffee1/SwiftUtils | Controls/PopupMenu/PopupMenuTableViewController.swift | 1 | 2997 | //
// PopupMenuTableViewController.swift
// SwiftUtils
//
// Created by Michael Chaffee on 10/18/15.
// Copyright © 2015 Michael Chaffee. All rights reserved.
//
/*
View controller for PopupMenu class.
*/
import UIKit
// TODO: Clean up all the code
protocol PopupMenuTableViewControllerDelegate: class {
func popupMenuVCDismissed(selection: String)
}
class PopupMenuTableViewController: UITableViewController {
// MARK: - Internal Properties
var font = UIFont.preferredFontForTextStyle(UIFontTextStyleBody)
var delegate: PopupMenuTableViewControllerDelegate?
var values = [String]() // these are populated with the button texts in order
var suppressDidDisappear = false // Used to suppress a spurious viewDidDisappear call on selection-made
// MARK: - Private Properties
private let bundleIdentifier = "com.chaf.SwiftUtils"
private let cellIdentifier = "PopupMenuTableViewCell"
// MARK: - Initializers
convenience init() {
self.init(nibName: "PopupMenuTableViewController", bundle: NSBundle(identifier: "com.chaf.SwiftUtils"))
tableView.registerNib(UINib(nibName: cellIdentifier, bundle: NSBundle(identifier: bundleIdentifier)), forCellReuseIdentifier: cellIdentifier)
}
// MARK: - Table view data source
override func numberOfSectionsInTableView(tableView: UITableView) -> Int {
// #warning Incomplete implementation, return the number of sections
return 1
}
override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
// #warning Incomplete implementation, return the number of rows
return values.count
}
override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
let value = values[indexPath.row]
let cell: PopupMenuTableViewCell! = tableView.dequeueReusableCellWithIdentifier(cellIdentifier, forIndexPath: indexPath) as? PopupMenuTableViewCell
cell.value = value
cell.viewController = self
return cell
}
// Send an empty string back to the delegate to indicate cancel-with-no-selection
override func viewDidDisappear(animated: Bool) {
if !suppressDidDisappear {
self.delegate?.popupMenuVCDismissed("")
}
}
// Send back the selected value after the user touched it
internal func cellButtonPressed(value: String) {
// Stick our delegate in a holding tank while the dismissViewController operation takes place.
// To avoid spurious empty callbacks.
suppressDidDisappear = true
dismissViewControllerAnimated(true) {
self.delegate?.popupMenuVCDismissed(value)
}
}
/*
// MARK: - Navigation
// In a storyboard-based application, you will often want to do a little preparation before navigation
override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) {
// Get the new view controller using segue.destinationViewController.
// Pass the selected object to the new view controller.
}
*/
}
| mit | ea3d3bed35cf2cf94a462af0798b8385 | 33.436782 | 151 | 0.746662 | 4.993333 | false | false | false | false |
mirego/PinLayout | Example/PinLayoutSample/UI/Common/BaseFormView.swift | 1 | 3001 | // Copyright (c) 2017 Luc Dion
// 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 PinLayout
class BaseFormView: UIView {
let formScrollView = UIScrollView()
init() {
super.init(frame: .zero)
formScrollView.showsVerticalScrollIndicator = false
formScrollView.keyboardDismissMode = .onDrag
formScrollView.addGestureRecognizer(UITapGestureRecognizer(target: self, action: #selector(didTapScrollView)))
addSubview(formScrollView)
NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
}
required init(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
deinit {
}
override func layoutSubviews() {
super.layoutSubviews()
formScrollView.pin.all()
}
@objc
internal func keyboardWillShow(notification: Notification) {
guard let sizeValue = notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue else { return }
setFormScrollView(bottomInset: sizeValue.cgRectValue.height)
}
@objc
internal func keyboardWillHide(notification: Notification) {
resetScrollOffset()
}
@objc
internal func didTapScrollView() {
endEditing(true)
resetScrollOffset()
}
private func resetScrollOffset() {
guard formScrollView.contentInset != .zero else { return }
setFormScrollView(bottomInset: 0)
}
private func setFormScrollView(bottomInset: CGFloat) {
formScrollView.contentInset = UIEdgeInsets(top: formScrollView.contentInset.top, left: 0,
bottom: bottomInset, right: 0)
}
}
| mit | 8aa869f4c953d5f6a43233990b125ed7 | 37.474359 | 152 | 0.709763 | 4.976783 | false | false | false | false |
ProfileCreator/ProfileCreator | ProfileCreator/ProfileCreator/Value Info Processors/ValueInfoProcessorFont.swift | 1 | 2791 | //
// ValueInfoProcessorFont.swift
// ProfileCreator
//
// Created by Erik Berglund.
// Copyright © 2018 Erik Berglund. All rights reserved.
//
import Foundation
import ProfilePayloads
class ValueInfoProcessorFont: ValueInfoProcessor {
// MARK: -
// MARK: Intialization
override init() {
super.init(withIdentifier: "font")
}
override func valueInfo(forData data: Data) -> ValueInfo? {
var valueInfo = ValueInfo()
var fontInformation: FontInformation
// Get FontInfo
do {
guard let fontInfo = try FontInformation(data: data) else {
Log.shared.error(message: "Failed to create font information from passed data", category: String(describing: self))
return nil
}
fontInformation = fontInfo
} catch {
Log.shared.error(message: "Failed to create font information from passed data with error: \(error)", category: String(describing: self))
return nil
}
let fontDescriptions = fontInformation.descriptions(forLanguage: .english)
let fontDescription: FontDescription
if let unicode = fontDescriptions.first(where: { $0.platformIdentifier == .unicode }) {
fontDescription = unicode
} else if let macintosh = fontDescriptions.first(where: { $0.platformIdentifier == .macintosh }) {
fontDescription = macintosh
} else {
return nil
}
// Title
if let fontName = fontDescription.fullName ?? fontDescription.postScriptName {
valueInfo.title = fontName
} else {
valueInfo.title = NSLocalizedString("Unknown Font", comment: "")
}
// Top
valueInfo.topLabel = NSLocalizedString("Format", comment: "")
valueInfo.topContent = fontInformation.formatString
// Center
valueInfo.centerLabel = NSLocalizedString("Version", comment: "")
valueInfo.centerContent = fontDescription.version ?? "Unknown"
// Bottom
if let manufacturer = fontDescription.manufacturer {
valueInfo.bottomLabel = NSLocalizedString("Manufacturer", comment: "")
valueInfo.bottomContent = manufacturer
} else if let designer = fontDescription.designer {
valueInfo.bottomLabel = NSLocalizedString("Designer", comment: "")
valueInfo.bottomContent = designer
} else if let copyright = fontDescription.copyright {
valueInfo.bottomLabel = NSLocalizedString("Copyright", comment: "")
valueInfo.bottomContent = copyright
}
// Icon
valueInfo.icon = NSWorkspace.shared.icon(forFileType: fontInformation.uti as String)
return valueInfo
}
}
| mit | 79ee2b3cf236de92dec2a153951815a7 | 33.02439 | 148 | 0.633333 | 4.946809 | false | false | false | false |
Bersaelor/SwiftyHYGDB | Sources/SwiftyHYGDB/Star3D+CVS.swift | 1 | 4025 | //
// Star3D+CSV.swift
// Pods-SwiftyHYGDB_Example
//
// Created by Konrad Feiler on 10.09.17.
//
import Foundation
extension Star3D: CSVWritable {
public static let headerLine = "id,hip,hd,hr,gl,bf,proper,ra,dec,dist,rv,mag,absmag,spect,ci,x,y,z"
public var csvLine: String? {
guard let starData = self.starData?.value else { return nil }
var result = starData.csvLine
result.append((x.compressedString).appending(","))
result.append((y.compressedString).appending(","))
result.append((z.compressedString).appending(","))
return result
}
}
/// High performance initializer
extension Star3D {
init? (rowPtr: UnsafeMutablePointer<CChar>, advanceByYears: Double? = nil, indexers: inout SwiftyDBValueIndexers) {
var index = 0
guard let dbID: Int32 = readNumber(at: &index, stringPtr: rowPtr) else { return nil }
let hip_id: Int32? = readNumber(at: &index, stringPtr: rowPtr)
let hd_id: Int32? = readNumber(at: &index, stringPtr: rowPtr)
let hr_id: Int32? = readNumber(at: &index, stringPtr: rowPtr)
let gl_id = readString(at: &index, stringPtr: rowPtr)
let bayerFlamstedt = readString(at: &index, stringPtr: rowPtr)
let properName = readString(at: &index, stringPtr: rowPtr)
guard var right_ascension: Float = readNumber(at: &index, stringPtr: rowPtr),
var declination: Float = readNumber(at: &index, stringPtr: rowPtr),
let dist: Double = readNumber(at: &index, stringPtr: rowPtr) else { return nil }
let pmra: Double? = advanceByYears != nil ? readNumber(at: &index, stringPtr: rowPtr) : nil
let pmdec: Double? = advanceByYears != nil ? readNumber(at: &index, stringPtr: rowPtr) : nil
let rv: Float? = readNumber(at: &index, stringPtr: rowPtr)
guard let mag: Float = readNumber(at: &index, stringPtr: rowPtr),
let absmag: Float = readNumber(at: &index, stringPtr: rowPtr) else { return nil }
let spectralType = readString(at: &index, stringPtr: rowPtr)
let colorIndex: Float? = readNumber(at: &index, stringPtr: rowPtr)
guard var x: Float = readNumber(at: &index, stringPtr: rowPtr),
var y: Float = readNumber(at: &index, stringPtr: rowPtr),
var z: Float = readNumber(at: &index, stringPtr: rowPtr) else { return nil }
if let pmra = pmra, let pmdec = pmdec, let advanceByYears = advanceByYears,
let vx: Double = readNumber(at: &index, stringPtr: rowPtr),
let vy: Double = readNumber(at: &index, stringPtr: rowPtr),
let vz: Double = readNumber(at: &index, stringPtr: rowPtr) {
RadialStar.precess(right_ascension: &right_ascension, declination: &declination,
pmra: pmra, pmdec: pmdec, advanceByYears: Float(advanceByYears))
x += Float(advanceByYears * vx)
y += Float(advanceByYears * vy)
z += Float(advanceByYears * vz)
}
self.dbID = dbID
self.x = x
self.y = y
self.z = z
let starData = StarData(right_ascension: right_ascension,
declination: declination,
db_id: dbID,
hip_id: hip_id,
hd_id: hd_id,
hr_id: hr_id,
gl_id: indexers.glIds.index(for: gl_id),
bayer_flamstedt: indexers.bayerFlamstedts.index(for: bayerFlamstedt),
properName: indexers.properNames.index(for: properName),
distance: dist, rv: rv,
mag: mag, absmag: absmag,
spectralType: indexers.spectralTypes.index(for: spectralType),
colorIndex: colorIndex)
self.starData = Box(starData)
}
}
| mit | 71fbfc8ccfdadc08e900459e6525ed09 | 48.085366 | 119 | 0.577143 | 3.896418 | false | false | false | false |
Themaister/RetroArch | pkg/apple/MouseEmulation/EmulatorTouchMouse.swift | 5 | 5838 | //
// EmulatorTouchMouse.swift
// RetroArchiOS
//
// Created by Yoshi Sugawara on 12/27/21.
// Copyright © 2021 RetroArch. All rights reserved.
//
/**
Touch mouse behavior:
- Mouse movement: Pan finger around screen
- Left click: Tap with one finger
- Right click: Tap with two fingers (or hold with one finger and tap with another)
- Click-and-drag: Double tap and hold for 1 second, then pan finger around screen to drag mouse
Code adapted from iDOS/dospad: https://github.com/litchie/dospad
*/
import Combine
import UIKit
@objc public protocol EmulatorTouchMouseHandlerDelegate: AnyObject {
func handleMouseClick(isLeftClick: Bool, isPressed: Bool)
func handleMouseMove(x: CGFloat, y: CGFloat)
}
@objcMembers public class EmulatorTouchMouseHandler: NSObject {
enum MouseHoldState {
case notHeld, wait, held
}
struct MouseClick {
var isRightClick = false
var isPressed = false
}
struct TouchInfo {
let touch: UITouch
let origin: CGPoint
let holdState: MouseHoldState
}
var enabled = false
let view: UIView
weak var delegate: EmulatorTouchMouseHandlerDelegate?
private let positionChangeThreshold: CGFloat = 20.0
private let mouseHoldInterval: TimeInterval = 1.0
private var pendingMouseEvents = [MouseClick]()
private var mouseEventPublisher: AnyPublisher<MouseClick, Never> {
mouseEventSubject.eraseToAnyPublisher()
}
private let mouseEventSubject = PassthroughSubject<MouseClick, Never>()
private var subscription: AnyCancellable?
private var primaryTouch: TouchInfo?
private var secondaryTouch: TouchInfo?
private let mediumHaptic = UIImpactFeedbackGenerator(style: .medium)
public init(view: UIView, delegate: EmulatorTouchMouseHandlerDelegate? = nil) {
self.view = view
self.delegate = delegate
super.init()
setup()
}
private func setup() {
subscription = mouseEventPublisher
.sink(receiveValue: {[weak self] value in
self?.pendingMouseEvents.append(value)
self?.processMouseEvents()
})
}
private func processMouseEvents() {
guard let event = pendingMouseEvents.first else {
return
}
delegate?.handleMouseClick(isLeftClick: !event.isRightClick, isPressed: event.isPressed)
if event.isPressed {
DispatchQueue.main.asyncAfter(deadline: .now() + 0.1) { [weak self] in
self?.mouseEventSubject.send(MouseClick(isRightClick: event.isRightClick, isPressed: false))
}
}
pendingMouseEvents.removeFirst()
processMouseEvents()
}
@objc private func beginHold() {
guard let primaryTouch = primaryTouch, primaryTouch.holdState == .wait else {
return
}
self.primaryTouch = TouchInfo(touch: primaryTouch.touch, origin: primaryTouch.origin, holdState: .held)
mediumHaptic.impactOccurred()
delegate?.handleMouseClick(isLeftClick: true, isPressed: true)
}
private func endHold() {
guard let primaryTouch = primaryTouch else { return }
if primaryTouch.holdState == .notHeld {
return
}
if primaryTouch.holdState == .wait {
Thread.cancelPreviousPerformRequests(withTarget: self, selector: #selector(beginHold), object: self)
} else {
delegate?.handleMouseClick(isLeftClick: true, isPressed: false)
}
self.primaryTouch = TouchInfo(touch: primaryTouch.touch, origin: primaryTouch.origin, holdState: .notHeld)
}
public func touchesBegan(touches: Set<UITouch>) {
guard enabled, let touch = touches.first else {
return
}
if primaryTouch == nil {
primaryTouch = TouchInfo(touch: touch, origin: touch.location(in: view), holdState: .wait)
if touch.tapCount == 2 {
self.perform(#selector(beginHold), with: nil, afterDelay: mouseHoldInterval)
}
} else if secondaryTouch == nil {
secondaryTouch = TouchInfo(touch: touch, origin: touch.location(in: view), holdState: .notHeld)
}
}
public func touchesEnded(touches: Set<UITouch>) {
guard enabled else { return }
for touch in touches {
if touch == primaryTouch?.touch {
if touch.tapCount > 0 {
for _ in 1...touch.tapCount {
mouseEventSubject.send(MouseClick(isRightClick: false, isPressed: true))
}
}
endHold()
primaryTouch = nil
secondaryTouch = nil
} else if touch == secondaryTouch?.touch {
if touch.tapCount > 0 {
mouseEventSubject.send(MouseClick(isRightClick: true, isPressed: true))
endHold()
}
secondaryTouch = nil
}
}
delegate?.handleMouseMove(x: 0, y: 0)
}
public func touchesMoved(touches: Set<UITouch>) {
guard enabled else { return }
for touch in touches {
if touch == primaryTouch?.touch {
let a = touch.previousLocation(in: view)
let b = touch.location(in: view)
if primaryTouch?.holdState == .wait && (distanceBetween(pointA: a, pointB: b) > positionChangeThreshold) {
endHold()
}
delegate?.handleMouseMove(x: b.x-a.x, y: b.y-a.y)
}
}
}
public func touchesCancelled(touches: Set<UITouch>) {
guard enabled else { return }
for touch in touches {
if touch == primaryTouch?.touch {
endHold()
}
}
primaryTouch = nil
secondaryTouch = nil
}
func distanceBetween(pointA: CGPoint, pointB: CGPoint) -> CGFloat {
let dx = pointA.x - pointB.x
let dy = pointA.y - pointB.y
return sqrt(dx*dx*dy*dy)
}
}
| gpl-3.0 | 52266f56799b5ea16e946e2d1fb952c1 | 31.248619 | 118 | 0.636286 | 4.42197 | false | false | false | false |
lorentey/swift | test/Sema/substring_to_string_conversion_swift4.swift | 20 | 3095 | // RUN: %target-swift-frontend -typecheck -verify -swift-version 4 %s
let s = "Hello"
let ss = s[s.startIndex..<s.endIndex]
// CTP_Initialization
do {
let s1: String = { return ss }() // expected-error {{cannot convert value of type 'Substring' to closure result type 'String'}} {{29-29=String(}} {{31-31=)}}
_ = s1
}
// CTP_ReturnStmt
do {
func returnsAString() -> String {
return ss // expected-error {{cannot convert return expression of type 'Substring' to return type 'String'}} {{12-12=String(}} {{14-14=)}}
}
}
// CTP_ThrowStmt
// Doesn't really make sense for this fix-it - see case in diagnoseContextualConversionError:
// The conversion destination of throw is always ErrorType (at the moment)
// if this ever expands, this should be a specific form like () is for
// return.
// CTP_EnumCaseRawValue
// Substrings can't be raw values because they aren't literals.
// CTP_DefaultParameter
do {
func foo(x: String = ss) {} // expected-error {{default argument value of type 'Substring' cannot be converted to type 'String'}} {{24-24=String(}} {{26-26=)}}
}
// CTP_CalleeResult
do {
func getSubstring() -> Substring { return ss }
let gottenString : String = getSubstring() // expected-error {{cannot convert value of type 'Substring' to specified type 'String'}} {{31-31=String(}} {{45-45=)}}
_ = gottenString
}
// CTP_CallArgument
do {
func takesAString(_ s: String) {}
takesAString(ss) // expected-error {{cannot convert value of type 'Substring' to expected argument type 'String'}} {{16-16=String(}} {{18-18=)}}
}
// CTP_ClosureResult
do {
[ss].map { (x: Substring) -> String in x } // expected-error {{declared closure result 'Substring' is incompatible with contextual type 'String'}}
}
// CTP_ArrayElement
do {
let a: [String] = [ ss ] // expected-error {{cannot convert value of type 'Substring' to expected element type 'String'}} {{23-23=String(}} {{25-25=)}}
_ = a
}
// CTP_DictionaryKey
do {
let d: [ String : String ] = [ ss : s ] // expected-error {{cannot convert value of type 'Substring' to expected dictionary key type 'String'}} {{34-34=String(}} {{36-36=)}}
_ = d
}
// CTP_DictionaryValue
do {
let d: [ String : String ] = [ s : ss ] // expected-error {{cannot convert value of type 'Substring' to expected dictionary value type 'String'}} {{38-38=String(}} {{40-40=)}}
_ = d
}
// CTP_CoerceOperand
do {
let s1: String = ss as String // expected-error {{cannot convert value of type 'Substring' to type 'String' in coercion}} {{20-20=String(}} {{22-22=)}}
_ = s1
}
// CTP_AssignSource
do {
let s1: String = ss // expected-error {{cannot convert value of type 'Substring' to specified type 'String'}} {{20-20=String(}} {{22-22=)}}
_ = s1
}
// Substring-to-String via subscripting in a context expecting String
func takesString(_ s: String) {}
// rdar://33474838
protocol Derivable {
func derive() -> Substring
}
func foo<T: Derivable>(t: T) -> String {
return t.derive() // expected-error {{cannot convert return expression of type 'Substring' to return type 'String'}} {{10-10=String(}} {{20-20=)}}
}
| apache-2.0 | 8841667b9b26d401f6c00112a454fe2b | 33.388889 | 177 | 0.66559 | 3.525057 | false | false | false | false |
toygar/VideoThumbView | VideoThumbnailViewKit/VideoThumbnailView/VideoThumbnailView.swift | 2 | 4213 | //
// VideoThumbnailView.swift
// VideoThumbnailView
//
// Created by Toygar Dundaralp on 9/29/15.
// Copyright (c) 2015 Toygar Dundaralp. All rights reserved.
//
import UIKit
import AVFoundation
public class VideoThumbnailView: UIView {
private var videoScroll = UIScrollView()
private var thumImageView = UIImageView()
private var arrThumbViews = NSMutableArray()
private var scrollContentWidth = 0.0
private var videoURL = NSURL()
private var videoDuration = 0.0
private var activityIndicator = UIActivityIndicatorView()
init(frame: CGRect, videoURL url: NSURL, thumbImageWidth thumbWidth: Double) {
super.init(frame: frame)
self.videoURL = url
self.videoDuration = self.getVideoTime(url)
activityIndicator = UIActivityIndicatorView(
frame: CGRect(
x: self.center.x - 15,
y: self.frame.size.height / 2 - 15,
width: 30.0,
height: 30.0))
activityIndicator.hidesWhenStopped = true
activityIndicator.activityIndicatorViewStyle = .White
activityIndicator.startAnimating()
addSubview(self.activityIndicator)
videoScroll = UIScrollView(
frame: CGRect(
x: 0.0,
y: 0.0,
width: self.frame.size.width,
height: self.frame.size.height))
videoScroll.showsHorizontalScrollIndicator = false
videoScroll.showsVerticalScrollIndicator = false
videoScroll.bouncesZoom = false
videoScroll.bounces = false
self.addSubview(videoScroll)
self.thumbImageProcessing(
videoUrl: videoURL,
thumbWidth: thumbWidth) { (thumbImages, error) -> Void in
// println(thumbImages)
}
self.layer.masksToBounds = true
}
private func thumbImageProcessing(
videoUrl url: NSURL,
thumbWidth: Double,
completion: ((thumbImages: NSMutableArray?, error: NSError?) -> Void)?) {
let priority = DISPATCH_QUEUE_PRIORITY_HIGH
dispatch_async(dispatch_get_global_queue(priority, 0)) {
for index in 0...Int(self.videoDuration) {
let thumbXCoords = Double(index) * thumbWidth
self.thumImageView = UIImageView(
frame: CGRect(
x: thumbXCoords,
y: 0.0,
width: thumbWidth,
height: Double(self.frame.size.height)))
self.thumImageView.contentMode = .ScaleAspectFit
self.thumImageView.backgroundColor = UIColor.clearColor()
self.thumImageView.layer.borderColor = UIColor.grayColor().CGColor
self.thumImageView.layer.borderWidth = 0.25
self.thumImageView.tag = index
self.thumImageView.image = self.generateVideoThumbs(
self.videoURL,
second: Double(index),
thumbWidth: thumbWidth)
self.scrollContentWidth = self.scrollContentWidth + thumbWidth
self.videoScroll.addSubview(self.thumImageView)
self.videoScroll.sendSubviewToBack(self.thumImageView)
if let imageView = self.thumImageView as UIImageView? {
self.arrThumbViews.addObject(imageView)
}
}
self.videoScroll.contentSize = CGSize(
width: Double(self.scrollContentWidth),
height: Double(self.frame.size.height))
self.activityIndicator.stopAnimating()
completion?(thumbImages: self.arrThumbViews, error: nil)
self.videoScroll.setContentOffset(CGPoint(x: 0.0, y: 0.0), animated: true)
}
}
private func getVideoTime(url: NSURL) -> Float64 {
let videoTime = AVURLAsset(URL: url, options: nil)
return CMTimeGetSeconds(videoTime.duration)
}
private func generateVideoThumbs(url: NSURL, second: Float64, thumbWidth: Double) -> UIImage {
let asset = AVURLAsset(URL: url, options: nil)
let generator = AVAssetImageGenerator(asset: asset)
generator.maximumSize = CGSize(width: thumbWidth, height: Double(self.frame.size.height))
generator.appliesPreferredTrackTransform = false
let thumbTime = CMTimeMakeWithSeconds(second, 1)
do {
let ref = try generator.copyCGImageAtTime(thumbTime, actualTime: nil)
return UIImage(CGImage: ref)
}catch {
print(error)
}
return UIImage()
}
required public init(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
}
| mit | a424134c4a68e73cf101f3ba6353d94a | 34.108333 | 96 | 0.690007 | 4.37487 | false | false | false | false |
Raizlabs/ios-template | {{ cookiecutter.project_name | replace(' ', '') }}/app/{{ cookiecutter.project_name | replace(' ', '') }}/Components/Representable/SimpleTableCellItem.swift | 1 | 1186 | //
// SimpleTableCellItem.swift
// {{ cookiecutter.project_name | replace(' ', '') }}
//
// Created by {{ cookiecutter.lead_dev }} on {% now 'utc', '%D' %}.
// Copyright © {% now 'utc', '%Y' %} {{ cookiecutter.company_name }}. All rights reserved.
//
import Foundation
public struct SimpleTableCellItem {
public typealias VoidBlock = () -> Void
let text: String
let selectCell: VoidBlock
public init(text: String, selectCell: @escaping VoidBlock) {
self.text = text
self.selectCell = selectCell
}
}
extension SimpleTableCellItem: TableViewCellRepresentable, CellIdentifiable {
public static func register(_ tableView: UITableView) {
tableView.register(UITableViewCell.self, forCellReuseIdentifier: reuseIdentifier)
}
public func cell(for tableView: UITableView, at indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: type(of: self).reuseIdentifier, for: indexPath)
cell.textLabel?.text = text
return cell
}
public func performSelection() {
self.selectCell()
}
public func canSelect() -> Bool {
return true
}
}
| mit | f2ccd7524e8c1bdf38fda20d2bf090ab | 28.625 | 112 | 0.665823 | 4.54023 | false | false | false | false |
langyanduan/SegueKit | Example/Example/ViewController.swift | 2 | 4496 | //
// ViewController.swift
// Example
//
// Created by langyanduan on 16/5/24.
// Copyright © 2016年 langyanduan. All rights reserved.
//
import UIKit
import RxSwift
import RxCocoa
import SegueKit
class ViewController: UIViewController {
let disposeBag = DisposeBag()
override func viewDidLoad() {
super.viewDidLoad()
}
@IBAction func onBtnA(_ sender: AnyObject) {
performSegue(with: "A") { (segue) in
segue.destination.view.backgroundColor = UIColor.yellow
}
}
@IBAction func onBtnB(_ sender: AnyObject) {
performSegue(with: R.segue.viewController.b) { (segue) in
segue.destination.view.backgroundColor = UIColor.green
}
}
@IBAction func onBtnC(_ sender: AnyObject) {
rx.performSegue("C")
.subscribeNext { (segue) in
segue.destination.view.backgroundColor = UIColor.red
}
.addDisposableTo(disposeBag)
}
@IBAction func onBtnD(_ sender: AnyObject) {
rx.performSegue(R.segue.viewController.d)
.subscribeNext { (segue) in
segue.destination.view.backgroundColor = UIColor.blue
}
.addDisposableTo(disposeBag)
}
@IBAction func onBtnVC(_ sender: AnyObject) {
rx.performSegue(R.segue.viewController.viewController)
.subscribeNext { [unowned self] (segue) in
for view in segue.destination.view.subviews {
if let button = view as? UIButton {
button.rx.tap
.bindTo(segue.destination.rx.segue(R.segue.uIViewController.viewController)) { (segue, _) in
segue.destination.view.backgroundColor = UIColor.red
}
.addDisposableTo(self.disposeBag)
break
}
}
}
.addDisposableTo(disposeBag)
}
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
super.prepare(for: segue, sender: sender)
}
deinit {
print("deinit ViewController")
}
}
class BaseViewController: UIViewController {
let baseDisposeBag = DisposeBag()
override func viewDidLoad() {
super.viewDidLoad()
rx.segue(R.segue.baseViewController.base)
.subscribeNext { (segue, sender) in
segue.destination.view.backgroundColor = UIColor.cyan
}
.addDisposableTo(baseDisposeBag)
}
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
super.prepare(for: segue, sender: sender)
}
deinit {
print("deinit BaseViewController")
}
}
class A: BaseViewController {
let disposeBag = DisposeBag()
@IBOutlet weak var button: UIButton!
override func viewDidLoad() {
super.viewDidLoad()
button.rx.tap.bindTo(rx.segue("A")) { (segue, _) in
segue.destination.view.backgroundColor = UIColor.black
}.addDisposableTo(disposeBag)
}
deinit {
print("deinit A")
}
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
super.prepare(for: segue, sender: sender)
}
}
class B: BaseViewController {
let disposeBag = DisposeBag()
@IBOutlet weak var button: UIButton!
override func viewDidLoad() {
super.viewDidLoad()
button.rx.tap.bindTo(rx.segue(R.segue.b.b)) { (segue, _) in
segue.destination.view.backgroundColor = UIColor.brown
}.addDisposableTo(disposeBag)
}
deinit {
print("deinit B")
}
}
class C: BaseViewController {
var disposeBag = DisposeBag()
override func viewDidLoad() {
super.viewDidLoad()
rx.segue("C").subscribeNext { (segue, sender) in
segue.destination.view.backgroundColor = UIColor.purple
}.addDisposableTo(disposeBag)
}
deinit {
print("deinit C")
}
}
class D: BaseViewController {
let disposeBag = DisposeBag()
override func viewDidLoad() {
super.viewDidLoad()
rx.segue(R.segue.d.d).subscribeNext { (segue, sender) in
segue.destination.view.backgroundColor = UIColor.orange
}.addDisposableTo(disposeBag)
}
deinit {
print("deinit D")
}
}
| mit | fa25aeb64fd877112ffadd46d2917dab | 26.066265 | 120 | 0.579346 | 4.805348 | false | false | false | false |
gcharita/XMLMapper | XMLMapper/Classes/XMLDateFormatterTransform.swift | 1 | 790 | //
// XMLDateFormatterTransform.swift
// XMLMapper
//
// Created by Giorgos Charitakis on 15/09/2017.
//
//
import Foundation
open class XMLDateFormatterTransform: XMLTransformType {
public typealias Object = Date
public typealias XML = String
public let dateFormatter: DateFormatter
public init(dateFormatter: DateFormatter) {
self.dateFormatter = dateFormatter
}
open func transformFromXML(_ value: Any?) -> Date? {
if let dateString = value as? String {
return dateFormatter.date(from: dateString)
}
return nil
}
open func transformToXML(_ value: Date?) -> String? {
if let date = value {
return dateFormatter.string(from: date)
}
return nil
}
}
| mit | 1e4901df08a22a36ff16832f1177dbb2 | 22.235294 | 57 | 0.625316 | 4.619883 | false | true | false | false |
parkera/swift-corelibs-foundation | Foundation/URLSession/libcurl/EasyHandle.swift | 1 | 30463 | // Foundation/URLSession/EasyHandle.swift - URLSession & libcurl
//
// 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
//
// -----------------------------------------------------------------------------
///
/// libcurl *easy handle* wrapper.
/// These are libcurl helpers for the URLSession API code.
/// - SeeAlso: https://curl.haxx.se/libcurl/c/
/// - SeeAlso: URLSession.swift
///
// -----------------------------------------------------------------------------
import CoreFoundation
import Dispatch
/// Minimal wrapper around the [curl easy interface](https://curl.haxx.se/libcurl/c/)
///
/// An *easy handle* manages the state of a transfer inside libcurl.
///
/// As such the easy handle's responsibility is implementing the HTTP
/// protocol while the *multi handle* is in charge of managing sockets and
/// reading from / writing to these sockets.
///
/// An easy handle is added to a multi handle in order to associate it with
/// an actual socket. The multi handle will then feed bytes into the easy
/// handle and read bytes from the easy handle. But this process is opaque
/// to use. It is further worth noting, that with HTTP/1.1 persistent
/// connections and with HTTP/2 there's a 1-to-many relationship between
/// TCP streams and HTTP transfers / easy handles. A single TCP stream and
/// its socket may be shared by multiple easy handles.
///
/// A single HTTP request-response exchange (refered to here as a
/// *transfer*) corresponds directly to an easy handle. Hence anything that
/// needs to be configured for a specific transfer (e.g. the URL) will be
/// configured on an easy handle.
///
/// A single `URLSessionTask` may do multiple, consecutive transfers, and
/// as a result it will have to reconfigure its easy handle between
/// transfers. An easy handle can be re-used once its transfer has
/// completed.
///
/// - Note: All code assumes that it is being called on a single thread /
/// `Dispatch` only -- it is intentionally **not** thread safe.
internal final class _EasyHandle {
let rawHandle = CFURLSessionEasyHandleInit()
weak var delegate: _EasyHandleDelegate?
fileprivate var headerList: _CurlStringList?
fileprivate var pauseState: _PauseState = []
internal var timeoutTimer: _TimeoutSource!
internal lazy var errorBuffer = [UInt8](repeating: 0, count: Int(CFURLSessionEasyErrorSize))
internal var _config: URLSession._Configuration? = nil
internal var _url: URL? = nil
init(delegate: _EasyHandleDelegate) {
self.delegate = delegate
setupCallbacks()
}
deinit {
CFURLSessionEasyHandleDeinit(rawHandle)
}
}
extension _EasyHandle: Equatable {}
internal func ==(lhs: _EasyHandle, rhs: _EasyHandle) -> Bool {
return lhs.rawHandle == rhs.rawHandle
}
extension _EasyHandle {
enum _Action {
case abort
case proceed
case pause
}
enum _WriteBufferResult {
case abort
case pause
/// Write the given number of bytes into the buffer
case bytes(Int)
}
}
internal extension _EasyHandle {
func completedTransfer(withError error: NSError?) {
delegate?.transferCompleted(withError: error)
}
}
internal protocol _EasyHandleDelegate: class {
/// Handle data read from the network.
/// - returns: the action to be taken: abort, proceed, or pause.
func didReceive(data: Data) -> _EasyHandle._Action
/// Handle header data read from the network.
/// - returns: the action to be taken: abort, proceed, or pause.
func didReceive(headerData data: Data, contentLength: Int64) -> _EasyHandle._Action
/// Fill a buffer with data to be sent.
///
/// - parameter data: The buffer to fill
/// - returns: the number of bytes written to the `data` buffer, or `nil` to stop the current transfer immediately.
func fill(writeBuffer buffer: UnsafeMutableBufferPointer<Int8>) -> _EasyHandle._WriteBufferResult
/// The transfer for this handle completed.
/// - parameter errorCode: An NSURLError code, or `nil` if no error occurred.
func transferCompleted(withError error: NSError?)
/// Seek the input stream to the given position
func seekInputStream(to position: UInt64) throws
/// Gets called during the transfer to update progress.
func updateProgressMeter(with propgress: _EasyHandle._Progress)
}
extension _EasyHandle {
func set(verboseModeOn flag: Bool) {
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionVERBOSE, flag ? 1 : 0).asError()
}
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CFURLSessionOptionDEBUGFUNCTION.html
func set(debugOutputOn flag: Bool, task: URLSessionTask) {
if flag {
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionDEBUGDATA, UnsafeMutableRawPointer(Unmanaged.passUnretained(task).toOpaque())).asError()
try! CFURLSession_easy_setopt_dc(rawHandle, CFURLSessionOptionDEBUGFUNCTION, printLibcurlDebug(handle:type:data:size:userInfo:)).asError()
} else {
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionDEBUGDATA, nil).asError()
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionDEBUGFUNCTION, nil).asError()
}
}
func set(passHeadersToDataStream flag: Bool) {
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionHEADER, flag ? 1 : 0).asError()
}
/// Follow any Location: header that the server sends as part of a HTTP header in a 3xx response
func set(followLocation flag: Bool) {
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionFOLLOWLOCATION, flag ? 1 : 0).asError()
}
/// Switch off the progress meter. It will also prevent the CFURLSessionOptionPROGRESSFUNCTION from getting called.
func set(progressMeterOff flag: Bool) {
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionNOPROGRESS, flag ? 1 : 0).asError()
}
/// Skip all signal handling
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_NOSIGNAL.html
func set(skipAllSignalHandling flag: Bool) {
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionNOSIGNAL, flag ? 1 : 0).asError()
}
/// Set error buffer for error messages
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_ERRORBUFFER.html
func set(errorBuffer buffer: UnsafeMutableBufferPointer<UInt8>?) {
let buffer = buffer ?? errorBuffer.withUnsafeMutableBufferPointer { $0 }
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionERRORBUFFER, buffer.baseAddress).asError()
}
/// Request failure on HTTP response >= 400
func set(failOnHTTPErrorCode flag: Bool) {
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionFAILONERROR, flag ? 1 : 0).asError()
}
/// URL to use in the request
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_URL.html
func set(url: URL) {
_url = url
url.absoluteString.withCString {
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionURL, UnsafeMutablePointer(mutating: $0)).asError()
}
}
func set(sessionConfig config: URLSession._Configuration) {
_config = config
}
/// Set allowed protocols
///
/// - Note: This has security implications. Not limiting this, someone could
/// redirect a HTTP request into one of the many other protocols that libcurl
/// supports.
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_PROTOCOLS.html
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_REDIR_PROTOCOLS.html
func setAllowedProtocolsToHTTPAndHTTPS() {
let protocols = (CFURLSessionProtocolHTTP | CFURLSessionProtocolHTTPS)
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionPROTOCOLS, protocols).asError()
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionREDIR_PROTOCOLS, protocols).asError()
#if os(Android)
// See https://curl.haxx.se/docs/sslcerts.html
// For SSL on Android you need a "cacert.pem" to be
// accessible at the path pointed to by this env var.
// Downloadable here: https://curl.haxx.se/ca/cacert.pem
if let caInfo = getenv("URLSessionCertificateAuthorityInfoFile") {
if String(cString: caInfo) == "INSECURE_SSL_NO_VERIFY" {
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionSSL_VERIFYPEER, 0).asError()
}
else {
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionCAINFO, caInfo).asError()
}
}
#endif
//TODO: Added in libcurl 7.45.0
//TODO: Set default protocol for schemeless URLs
//CURLOPT_DEFAULT_PROTOCOL available only in libcurl 7.45.0
}
//TODO: Proxy setting, namely CFURLSessionOptionPROXY, CFURLSessionOptionPROXYPORT,
// CFURLSessionOptionPROXYTYPE, CFURLSessionOptionNOPROXY, CFURLSessionOptionHTTPPROXYTUNNEL, CFURLSessionOptionPROXYHEADER,
// CFURLSessionOptionHEADEROPT, etc.
/// set preferred receive buffer size
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_BUFFERSIZE.html
func set(preferredReceiveBufferSize size: Int) {
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionBUFFERSIZE, numericCast(min(size, Int(CFURLSessionMaxWriteSize)))).asError()
}
/// Set custom HTTP headers
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_HTTPHEADER.html
func set(customHeaders headers: [String]) {
let list = _CurlStringList(headers)
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionHTTPHEADER, list.asUnsafeMutablePointer).asError()
// We need to retain the list for as long as the rawHandle is in use.
headerList = list
}
///TODO: Wait for pipelining/multiplexing. Unavailable on Ubuntu 14.0
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_PIPEWAIT.html
//TODO: The public API does not allow us to use CFURLSessionOptionSTREAM_DEPENDS / CFURLSessionOptionSTREAM_DEPENDS_E
// Might be good to add support for it, though.
///TODO: Set numerical stream weight when CURLOPT_PIPEWAIT is enabled
/// - Parameter weight: values are clamped to lie between 0 and 1
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_STREAM_WEIGHT.html
/// - SeeAlso: http://httpwg.org/specs/rfc7540.html#StreamPriority
/// Enable automatic decompression of HTTP downloads
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_ACCEPT_ENCODING.html
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_HTTP_CONTENT_DECODING.html
func set(automaticBodyDecompression flag: Bool) {
if flag {
"".withCString {
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionACCEPT_ENCODING, UnsafeMutableRawPointer(mutating: $0)).asError()
}
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionHTTP_CONTENT_DECODING, 1).asError()
} else {
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionACCEPT_ENCODING, nil).asError()
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionHTTP_CONTENT_DECODING, 0).asError()
}
}
/// Set request method
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_CUSTOMREQUEST.html
func set(requestMethod method: String) {
method.withCString {
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionCUSTOMREQUEST, UnsafeMutableRawPointer(mutating: $0)).asError()
}
}
/// Download request without body
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_NOBODY.html
func set(noBody flag: Bool) {
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionNOBODY, flag ? 1 : 0).asError()
}
/// Enable data upload
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_UPLOAD.html
func set(upload flag: Bool) {
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionUPLOAD, flag ? 1 : 0).asError()
}
/// Set size of the request body to send
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLOPT_INFILESIZE_LARGE.html
func set(requestBodyLength length: Int64) {
try! CFURLSession_easy_setopt_int64(rawHandle, CFURLSessionOptionINFILESIZE_LARGE, length).asError()
}
func set(timeout value: Int) {
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionTIMEOUT, numericCast(value)).asError()
}
func getTimeoutIntervalSpent() -> Double {
var timeSpent = Double()
CFURLSession_easy_getinfo_double(rawHandle, CFURLSessionInfoTOTAL_TIME, &timeSpent)
return timeSpent / 1000
}
}
fileprivate func printLibcurlDebug(handle: CFURLSessionEasyHandle, type: CInt, data: UnsafeMutablePointer<Int8>, size: Int, userInfo: UnsafeMutableRawPointer?) -> CInt {
// C.f. <https://curl.haxx.se/libcurl/c/CURLOPT_DEBUGFUNCTION.html>
let info = CFURLSessionInfo(value: type)
let text = data.withMemoryRebound(to: UInt8.self, capacity: size, {
let buffer = UnsafeBufferPointer<UInt8>(start: $0, count: size)
return String(utf8Buffer: buffer)
}) ?? "";
guard let userInfo = userInfo else { return 0 }
let task = Unmanaged<URLSessionTask>.fromOpaque(userInfo).takeUnretainedValue()
printLibcurlDebug(type: info, data: text, task: task)
return 0
}
fileprivate func printLibcurlDebug(type: CFURLSessionInfo, data: String, task: URLSessionTask) {
// libcurl sends is data with trailing CRLF which inserts lots of newlines into our output.
NSLog("[\(task.taskIdentifier)] \(type.debugHeader) \(data.mapControlToPictures)")
}
fileprivate extension String {
/// Replace control characters U+0000 - U+0019 to Control Pictures U+2400 - U+2419
var mapControlToPictures: String {
let d = self.unicodeScalars.map { (u: UnicodeScalar) -> UnicodeScalar in
switch u.value {
case 0..<0x20: return UnicodeScalar(u.value + 0x2400)!
default: return u
}
}
return String(String.UnicodeScalarView(d))
}
}
extension _EasyHandle {
/// Send and/or receive pause state for an `EasyHandle`
struct _PauseState : OptionSet {
let rawValue: Int8
init(rawValue: Int8) { self.rawValue = rawValue }
static let receivePaused = _PauseState(rawValue: 1 << 0)
static let sendPaused = _PauseState(rawValue: 1 << 1)
}
}
extension _EasyHandle._PauseState {
func setState(on handle: _EasyHandle) {
try! CFURLSessionEasyHandleSetPauseState(handle.rawHandle, contains(.sendPaused) ? 1 : 0, contains(.receivePaused) ? 1 : 0).asError()
}
}
extension _EasyHandle._PauseState : TextOutputStreamable {
func write<Target : TextOutputStream>(to target: inout Target) {
switch (self.contains(.receivePaused), self.contains(.sendPaused)) {
case (false, false): target.write("unpaused")
case (true, false): target.write("receive paused")
case (false, true): target.write("send paused")
case (true, true): target.write("send & receive paused")
}
}
}
extension _EasyHandle {
/// Pause receiving data.
///
/// - SeeAlso: https://curl.haxx.se/libcurl/c/curl_easy_pause.html
func pauseReceive() {
guard !pauseState.contains(.receivePaused) else { return }
pauseState.insert(.receivePaused)
pauseState.setState(on: self)
}
/// Pause receiving data.
///
/// - Note: Chances are high that delegate callbacks (with pending data)
/// will be called before this method returns.
/// - SeeAlso: https://curl.haxx.se/libcurl/c/curl_easy_pause.html
func unpauseReceive() {
guard pauseState.contains(.receivePaused) else { return }
pauseState.remove(.receivePaused)
pauseState.setState(on: self)
}
/// Pause sending data.
///
/// - SeeAlso: https://curl.haxx.se/libcurl/c/curl_easy_pause.html
func pauseSend() {
guard !pauseState.contains(.sendPaused) else { return }
pauseState.insert(.sendPaused)
pauseState.setState(on: self)
}
/// Pause sending data.
///
/// - Note: Chances are high that delegate callbacks (with pending data)
/// will be called before this method returns.
/// - SeeAlso: https://curl.haxx.se/libcurl/c/curl_easy_pause.html
func unpauseSend() {
guard pauseState.contains(.sendPaused) else { return }
pauseState.remove(.sendPaused)
pauseState.setState(on: self)
}
}
internal extension _EasyHandle {
/// errno number from last connect failure
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLINFO_OS_ERRNO.html
var connectFailureErrno: Int {
#if os(Windows) && (arch(arm64) || arch(x86_64))
var errno = Int32()
#else
var errno = Int()
#endif
try! CFURLSession_easy_getinfo_long(rawHandle, CFURLSessionInfoOS_ERRNO, &errno).asError()
return numericCast(errno)
}
}
extension CFURLSessionInfo : Equatable {
public static func ==(lhs: CFURLSessionInfo, rhs: CFURLSessionInfo) -> Bool {
return lhs.value == rhs.value
}
}
extension CFURLSessionInfo {
public var debugHeader: String {
switch self {
case CFURLSessionInfoTEXT: return " "
case CFURLSessionInfoHEADER_OUT: return "=> Send header ";
case CFURLSessionInfoDATA_OUT: return "=> Send data ";
case CFURLSessionInfoSSL_DATA_OUT: return "=> Send SSL data ";
case CFURLSessionInfoHEADER_IN: return "<= Recv header ";
case CFURLSessionInfoDATA_IN: return "<= Recv data ";
case CFURLSessionInfoSSL_DATA_IN: return "<= Recv SSL data ";
default: return " "
}
}
}
extension _EasyHandle {
/// the URL a redirect would go to
/// - SeeAlso: https://curl.haxx.se/libcurl/c/CURLINFO_REDIRECT_URL.html
var redirectURL: URL? {
var p: UnsafeMutablePointer<Int8>? = nil
try! CFURLSession_easy_getinfo_charp(rawHandle, CFURLSessionInfoREDIRECT_URL, &p).asError()
guard let cstring = p else { return nil }
guard let s = String(cString: cstring, encoding: .utf8) else { return nil }
return URL(string: s)
}
}
fileprivate extension _EasyHandle {
static func from(callbackUserData userdata: UnsafeMutableRawPointer?) -> _EasyHandle? {
guard let userdata = userdata else { return nil }
return Unmanaged<_EasyHandle>.fromOpaque(userdata).takeUnretainedValue()
}
}
fileprivate extension _EasyHandle {
func resetTimer() {
//simply create a new timer with the same queue, timeout and handler
//this must cancel the old handler and reset the timer
timeoutTimer = _TimeoutSource(queue: timeoutTimer.queue, milliseconds: timeoutTimer.milliseconds, handler: timeoutTimer.handler)
}
/// Forward the libcurl callbacks into Swift methods
func setupCallbacks() {
// write
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionWRITEDATA, UnsafeMutableRawPointer(Unmanaged.passUnretained(self).toOpaque())).asError()
try! CFURLSession_easy_setopt_wc(rawHandle, CFURLSessionOptionWRITEFUNCTION) { (data: UnsafeMutablePointer<Int8>, size: Int, nmemb: Int, userdata: UnsafeMutableRawPointer?) -> Int in
guard let handle = _EasyHandle.from(callbackUserData: userdata) else { return 0 }
defer {
handle.resetTimer()
}
return handle.didReceive(data: data, size: size, nmemb: nmemb)
}.asError()
// read
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionREADDATA, UnsafeMutableRawPointer(Unmanaged.passUnretained(self).toOpaque())).asError()
try! CFURLSession_easy_setopt_wc(rawHandle, CFURLSessionOptionREADFUNCTION) { (data: UnsafeMutablePointer<Int8>, size: Int, nmemb: Int, userdata: UnsafeMutableRawPointer?) -> Int in
guard let handle = _EasyHandle.from(callbackUserData: userdata) else { return 0 }
defer {
handle.resetTimer()
}
return handle.fill(writeBuffer: data, size: size, nmemb: nmemb)
}.asError()
// header
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionHEADERDATA, UnsafeMutableRawPointer(Unmanaged.passUnretained(self).toOpaque())).asError()
try! CFURLSession_easy_setopt_wc(rawHandle, CFURLSessionOptionHEADERFUNCTION) { (data: UnsafeMutablePointer<Int8>, size: Int, nmemb: Int, userdata: UnsafeMutableRawPointer?) -> Int in
guard let handle = _EasyHandle.from(callbackUserData: userdata) else { return 0 }
defer {
handle.resetTimer()
}
var length = Double()
try! CFURLSession_easy_getinfo_double(handle.rawHandle, CFURLSessionInfoCONTENT_LENGTH_DOWNLOAD, &length).asError()
return handle.didReceive(headerData: data, size: size, nmemb: nmemb, contentLength: length)
}.asError()
// socket options
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionSOCKOPTDATA, UnsafeMutableRawPointer(Unmanaged.passUnretained(self).toOpaque())).asError()
try! CFURLSession_easy_setopt_sc(rawHandle, CFURLSessionOptionSOCKOPTFUNCTION) { (userdata: UnsafeMutableRawPointer?, fd: CInt, type: CFURLSessionSocketType) -> CInt in
guard let handle = _EasyHandle.from(callbackUserData: userdata) else { return 0 }
guard type == CFURLSessionSocketTypeIPCXN else { return 0 }
do {
try handle.setSocketOptions(for: fd)
return 0
} catch {
return 1
}
}.asError()
// seeking in input stream
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionSEEKDATA, UnsafeMutableRawPointer(Unmanaged.passUnretained(self).toOpaque())).asError()
try! CFURLSession_easy_setopt_seek(rawHandle, CFURLSessionOptionSEEKFUNCTION, { (userdata, offset, origin) -> Int32 in
guard let handle = _EasyHandle.from(callbackUserData: userdata) else { return CFURLSessionSeekFail }
return handle.seekInputStream(offset: offset, origin: origin)
}).asError()
// progress
try! CFURLSession_easy_setopt_long(rawHandle, CFURLSessionOptionNOPROGRESS, 0).asError()
try! CFURLSession_easy_setopt_ptr(rawHandle, CFURLSessionOptionPROGRESSDATA, UnsafeMutableRawPointer(Unmanaged.passUnretained(self).toOpaque())).asError()
try! CFURLSession_easy_setopt_tc(rawHandle, CFURLSessionOptionXFERINFOFUNCTION, { (userdata: UnsafeMutableRawPointer?, dltotal :Int64, dlnow: Int64, ultotal: Int64, ulnow: Int64) -> Int32 in
guard let handle = _EasyHandle.from(callbackUserData: userdata) else { return -1 }
handle.updateProgressMeter(with: _Progress(totalBytesSent: ulnow, totalBytesExpectedToSend: ultotal, totalBytesReceived: dlnow, totalBytesExpectedToReceive: dltotal))
return 0
}).asError()
}
/// This callback function gets called by libcurl when it receives body
/// data.
///
/// - SeeAlso: <https://curl.haxx.se/libcurl/c/CURLOPT_WRITEFUNCTION.html>
func didReceive(data: UnsafeMutablePointer<Int8>, size: Int, nmemb: Int) -> Int {
let d: Int = {
let buffer = Data(bytes: data, count: size*nmemb)
switch delegate?.didReceive(data: buffer) {
case .proceed?: return size * nmemb
case .abort?: return 0
case .pause?:
pauseState.insert(.receivePaused)
return Int(CFURLSessionWriteFuncPause)
case nil:
/* the delegate disappeared */
return 0
}
}()
return d
}
/// This callback function gets called by libcurl when it receives header
/// data.
///
/// - SeeAlso: <https://curl.haxx.se/libcurl/c/CURLOPT_HEADERFUNCTION.html>
func didReceive(headerData data: UnsafeMutablePointer<Int8>, size: Int, nmemb: Int, contentLength: Double) -> Int {
let buffer = Data(bytes: data, count: size*nmemb)
let d: Int = {
switch delegate?.didReceive(headerData: buffer, contentLength: Int64(contentLength)) {
case .proceed?: return size * nmemb
case .abort?: return 0
case .pause?:
pauseState.insert(.receivePaused)
return Int(CFURLSessionWriteFuncPause)
case nil:
/* the delegate disappeared */
return 0
}
}()
setCookies(headerData: buffer)
return d
}
func setCookies(headerData data: Data) {
guard let config = _config, config.httpCookieAcceptPolicy != HTTPCookie.AcceptPolicy.never else { return }
guard let headerData = String(data: data, encoding: String.Encoding.utf8) else { return }
// Convert headerData from a string to a dictionary.
// Ignore headers like 'HTTP/1.1 200 OK\r\n' which do not have a key value pair.
// Value can have colons (ie, date), so only split at the first one, ie header:value
let headerComponents = headerData.split(separator: ":", maxSplits: 1)
var headers: [String: String] = [:]
//Trim the leading and trailing whitespaces (if any) before adding the header information to the dictionary.
if headerComponents.count > 1 {
headers[String(headerComponents[0].trimmingCharacters(in: .whitespacesAndNewlines))] = headerComponents[1].trimmingCharacters(in: .whitespacesAndNewlines)
}
let cookies = HTTPCookie.cookies(withResponseHeaderFields: headers, for: _url!)
guard cookies.count > 0 else { return }
if let cookieStorage = config.httpCookieStorage {
cookieStorage.setCookies(cookies, for: _url, mainDocumentURL: nil)
}
}
/// This callback function gets called by libcurl when it wants to send data
/// it to the network.
///
/// - SeeAlso: <https://curl.haxx.se/libcurl/c/CURLOPT_READFUNCTION.html>
func fill(writeBuffer data: UnsafeMutablePointer<Int8>, size: Int, nmemb: Int) -> Int {
let d: Int = {
let buffer = UnsafeMutableBufferPointer(start: data, count: size * nmemb)
switch delegate?.fill(writeBuffer: buffer) {
case .pause?:
pauseState.insert(.sendPaused)
return Int(CFURLSessionReadFuncPause)
case .abort?:
return Int(CFURLSessionReadFuncAbort)
case .bytes(let length)?:
return length
case nil:
/* the delegate disappeared */
return Int(CFURLSessionReadFuncAbort)
}
}()
return d
}
func setSocketOptions(for fd: CInt) throws {
//TODO: At this point we should call setsockopt(2) to set the QoS on
// the socket based on the QoS of the request.
//
// On Linux this can be done with IP_TOS. But there's both IntServ and
// DiffServ.
//
// Not sure what Darwin uses.
//
// C.f.:
// <https://en.wikipedia.org/wiki/Type_of_service>
// <https://en.wikipedia.org/wiki/Quality_of_service>
}
func updateProgressMeter(with propgress: _Progress) {
delegate?.updateProgressMeter(with: propgress)
}
func seekInputStream(offset: Int64, origin: CInt) -> CInt {
let d: Int32 = {
/// libcurl should only use SEEK_SET
guard origin == SEEK_SET else { fatalError("Unexpected 'origin' in seek.") }
do {
if let delegate = delegate {
try delegate.seekInputStream(to: UInt64(offset))
return CFURLSessionSeekOk
} else {
return CFURLSessionSeekCantSeek
}
} catch {
return CFURLSessionSeekCantSeek
}
}()
return d
}
}
extension _EasyHandle {
/// The progress of a transfer.
///
/// The number of bytes that we expect to download and upload, and the
/// number of bytes downloaded and uploaded so far.
///
/// Unknown values will be set to zero. E.g. if the number of bytes
/// expected to be downloaded is unknown, `totalBytesExpectedToReceive`
/// will be zero.
struct _Progress {
let totalBytesSent: Int64
let totalBytesExpectedToSend: Int64
let totalBytesReceived: Int64
let totalBytesExpectedToReceive: Int64
}
}
extension _EasyHandle {
/// A simple wrapper / helper for libcurl’s `slist`.
///
/// It's libcurl's way to represent an array of strings.
internal class _CurlStringList {
fileprivate var rawList: OpaquePointer? = nil
init() {}
init(_ strings: [String]) {
strings.forEach { append($0) }
}
deinit {
CFURLSessionSListFreeAll(rawList)
}
}
}
extension _EasyHandle._CurlStringList {
func append(_ string: String) {
string.withCString {
rawList = CFURLSessionSListAppend(rawList, $0)
}
}
var asUnsafeMutablePointer: UnsafeMutableRawPointer? {
return rawList.map{ UnsafeMutableRawPointer($0) }
}
}
extension CFURLSessionEasyCode : Equatable {
public static func ==(lhs: CFURLSessionEasyCode, rhs: CFURLSessionEasyCode) -> Bool {
return lhs.value == rhs.value
}
}
extension CFURLSessionEasyCode : Error {
public var _domain: String { return "libcurl.Easy" }
public var _code: Int { return Int(self.value) }
}
internal extension CFURLSessionEasyCode {
func asError() throws {
if self == CFURLSessionEasyCodeOK { return }
throw self
}
}
| apache-2.0 | 5b055d55353b6484bd3c9075c36f9085 | 43.861561 | 198 | 0.658645 | 4.238937 | false | false | false | false |
SuPair/iContactU | iContactU/AppDelegate.swift | 2 | 4357 | //
// AppDelegate.swift
// Test
//
// Created by Riccardo Sallusti on 06/09/14.
// Copyright (c) 2014 Riccardo Sallusti. All rights reserved.
//
import UIKit
import CoreData
@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate {
var window: UIWindow?
func application(application: UIApplication, didFinishLaunchingWithOptions launchOptions: [NSObject: AnyObject]?) -> Bool {
// Override point for customization after application launch.
UINavigationBar.appearance().barTintColor = UIColor(hexString: "ef3c39")
UINavigationBar.appearance().tintColor = UIColor.whiteColor()
UINavigationBar.appearance().titleTextAttributes = [NSForegroundColorAttributeName: UIColor.whiteColor()]
if BreezeStore.iCloudAvailable() {
BreezeStore.setupiCloudStoreWithContentNameKey("iCloud\(BreezeStore.appName)", localStoreName: "\(BreezeStore.appName)", transactionLogs: "iCloud_transactions_logs")
println("iCloud store created.")
} else {
BreezeStore.setupStoreWithName("\(BreezeStore.appName)", storeType: NSSQLiteStoreType, options: [NSMigratePersistentStoresAutomaticallyOption: true, NSInferMappingModelAutomaticallyOption: true])
println("local store created.")
}
var version:NSString = UIDevice.currentDevice().systemVersion as NSString;
if version.doubleValue >= 8 {
// ios 8 code
let notificationTypes:UIUserNotificationType = UIUserNotificationType.Alert | UIUserNotificationType.Badge | UIUserNotificationType.Sound
let notificationSettings:UIUserNotificationSettings = UIUserNotificationSettings(forTypes: notificationTypes, categories: nil)
UIApplication.sharedApplication().registerUserNotificationSettings(notificationSettings)
}
else{
// FOR IOS7 IT IS NOT NECESSARY
/*
UIApplication.sharedApplication().registerForRemoteNotificationTypes(UIRemoteNotificationType.Badge | UIRemoteNotificationType.Sound | UIRemoteNotificationType.Alert)*/
}
//UIApplication.sharedApplication().cancelAllLocalNotifications()
let notificationsCount = UIApplication.sharedApplication().scheduledLocalNotifications.count
println("ALL SCHEDULED NOTIFICATIONS: \(notificationsCount)")
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.
UIApplication.sharedApplication().applicationIconBadgeNumber = 0
}
func applicationWillTerminate(application: UIApplication) {
// Called when the application is about to terminate. Save data if appropriate. See also applicationDidEnterBackground:.
// Saves changes in the application's managed object context before the application terminates.
//self.saveContext()
}
}
| mit | 2f7b6679ba2fedcd109787127f627e48 | 52.134146 | 285 | 0.724352 | 6.001377 | false | false | false | false |
Roommate-App/roomy | roomy/Pods/IBAnimatable/Sources/Controllers/AnimatableTableViewController.swift | 5 | 3528 | //
// Created by phimage on 26/03/2017.
// Copyright © 2017 IBAnimatable. All rights reserved.
//
import UIKit
@IBDesignable
open class AnimatableTableViewController: UITableViewController, ViewControllerDesignable, StatusBarDesignable,
RootWindowDesignable, TransitionAnimatable, RefreshControlDesignable {
// MARK: - ViewControllerDesignable
@IBInspectable open var hideNavigationBar: Bool = false
// MARK: - StatusBarDesignable
@IBInspectable open var lightStatusBar: Bool = false
// MARK: - RootWindowDesignable
@IBInspectable open var rootWindowBackgroundColor: UIColor?
// MARK: - TransitionAnimatable
@IBInspectable var _transitionAnimationType: String? {
didSet {
if let _transitionAnimationType = _transitionAnimationType {
transitionAnimationType = TransitionAnimationType(string: _transitionAnimationType)
}
}
}
open var transitionAnimationType: TransitionAnimationType = .none
@IBInspectable open var transitionDuration: Double = .nan
open var interactiveGestureType: InteractiveGestureType = .none
@IBInspectable var _interactiveGestureType: String? {
didSet {
if let _interactiveGestureType = _interactiveGestureType {
interactiveGestureType = InteractiveGestureType(string: _interactiveGestureType)
}
}
}
// MARK: - RefreshControlDesignable
@IBInspectable open var hasRefreshControl: Bool = false {
didSet {
configureRefreshController()
}
}
@IBInspectable open var refreshControlTintColor: UIColor? {
didSet {
configureRefreshController()
}
}
@IBInspectable open var refreshControlBackgroundColor: UIColor? {
didSet {
configureRefreshController()
}
}
// MARK: - Lifecylce
open override func viewDidLoad() {
super.viewDidLoad()
configureRefreshController()
}
open override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
configureHideNavigationBar()
configureRootWindowBackgroundColor()
}
open override func viewWillDisappear(_ animated: Bool) {
super.viewWillDisappear(animated)
resetHideNavigationBar()
}
open override var preferredStatusBarStyle: UIStatusBarStyle {
if lightStatusBar {
return .lightContent
}
return .default
}
open override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
super.prepare(for: segue, sender: sender)
// Configure custom transition animation
guard (segue.destination is PresentationDesignable) == false else {
return
}
if case .none = transitionAnimationType {
return
}
let toViewController = segue.destination
// If interactiveGestureType hasn't been set
let transitionManager = TransitionPresenterManager.shared
if case .none = interactiveGestureType {
toViewController.transitioningDelegate = transitionManager.retrievePresenter(transitionAnimationType: transitionAnimationType,
transitionDuration: transitionDuration)
} else {
toViewController.transitioningDelegate = transitionManager.retrievePresenter(transitionAnimationType: transitionAnimationType,
transitionDuration: transitionDuration,
interactiveGestureType: interactiveGestureType)
}
}
}
| mit | a6b04a95443a512416c060474909aa78 | 31.657407 | 132 | 0.686136 | 6.049743 | false | true | false | false |
ray3132138/TestKitchen_1606 | TestKitchen/TestKitchen/classes/cookbook/recommend/view/CBSearchHeaderView.swift | 1 | 1560 | //
// CBSearchHeaderView.swift
// TestKitchen
//
// Created by qianfeng on 16/8/18.
// Copyright © 2016年 ray. All rights reserved.
//
import UIKit
class CBSearchHeaderView: UIView {
override init(frame: CGRect) {
super.init(frame: frame)
/*
//创建一个搜索框
let searchBar = UISearchBar(frame: CGRectMake(0,0,bounds.size.width,bounds.size.height))
searchBar.placeholder = "输入菜名或食材搜索"
//searchBar的背景颜色修改
//searchBar.barTintColor = UIColor.whiteColor()
addSubview(searchBar)
*/
let textField = UITextField(frame: CGRectMake(40,4,bounds.size.width-40*2,bounds.size.height-4*2))
textField.borderStyle = .RoundedRect
textField.placeholder = "输入菜名或食材搜索"
addSubview(textField)
//左边搜索图片
let imageView = UIImageView.createImageView("search1")
imageView.frame = CGRectMake(0, 0, 25, 25)
textField.leftView = imageView
textField.leftViewMode = .Always
backgroundColor = UIColor(white: 0.8, alpha: 1.0)
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
/*
// Only override drawRect: if you perform custom drawing.
// An empty implementation adversely affects performance during animation.
override func drawRect(rect: CGRect) {
// Drawing code
}
*/
}
| mit | 284f5764d4e7bb3bd00839da1a184324 | 24.101695 | 106 | 0.608373 | 4.407738 | false | false | false | false |
bunnyblue/actor-platform | actor-apps/app-ios/Actor/Resources/AppTheme.swift | 18 | 13941 | //
// Copyright (c) 2015 Actor LLC. <https://actor.im>
//
import Foundation
var MainAppTheme = AppTheme()
class AppTheme {
var navigation: AppNavigationBar { get { return AppNavigationBar() } }
var tab: AppTabBar { get { return AppTabBar() } }
var search: AppSearchBar { get { return AppSearchBar() } }
var list: AppList { get { return AppList() } }
var bubbles: ChatBubbles { get { return ChatBubbles() } }
var text: AppText { get { return AppText() } }
var chat: AppChat { get { return AppChat() } }
var common: AppCommon { get { return AppCommon() } }
func applyAppearance(application: UIApplication) {
navigation.applyAppearance(application)
tab.applyAppearance(application)
search.applyAppearance(application)
list.applyAppearance(application)
}
}
class AppText {
var textPrimary: UIColor { get { return UIColor(red: 0, green: 0, blue: 0, alpha: 0xDE/255.0) } }
}
class AppChat {
var chatField: UIColor { get { return UIColor.whiteColor() } }
var attachColor: UIColor { get { return UIColor.RGB(0x5085CB) } }
var sendEnabled: UIColor { get { return UIColor.RGB(0x50A1D6) } }
var sendDisabled: UIColor { get { return UIColor.alphaBlack(0.56) } }
var profileBgTint: UIColor { get { return UIColor.RGB(0x5085CB) } }
}
class AppCommon {
var isDarkKeyboard: Bool { get { return false } }
var tokenFieldText: UIColor { get { return UIColor.alphaBlack(0xDE/255.0) } }
var tokenFieldTextSelected: UIColor { get { return UIColor.alphaBlack(0xDE/255.0) } }
var tokenFieldBg: UIColor { get { return UIColor.RGB(0x5085CB) } }
}
class ChatBubbles {
// Basic colors
var text : UIColor { get { return UIColor.RGB(0x141617) } }
var textUnsupported : UIColor { get { return UIColor.RGB(0x50b1ae) } }
var bgOut: UIColor { get { return UIColor.RGB(0xD2FEFD) } }
var bgOutBorder: UIColor { get { return UIColor.RGB(0x99E4E3) } }
var bgIn : UIColor { get { return UIColor.whiteColor() } }
var bgInBorder:UIColor { get { return UIColor.RGB(0xCCCCCC) } }
var statusActive : UIColor { get { return UIColor.RGB(0x3397f9) } }
var statusPassive : UIColor { get { return UIColor.alphaBlack(0.27) } }
// TODO: Fix
var statusDanger : UIColor { get { return UIColor.redColor() } }
var statusMediaActive : UIColor { get { return UIColor.RGB(0x1ed2f9) } }
var statusMediaPassive : UIColor { get { return UIColor.whiteColor() } }
// TODO: Fix
var statusMediaDanger : UIColor { get { return UIColor.redColor() } }
var statusDialogActive : UIColor { get { return UIColor.RGB(0x3397f9) } }
var statusDialogPassive : UIColor { get { return UIColor.alphaBlack(0.27) } }
// TODO: Fix
var statusDialogDanger : UIColor { get { return UIColor.redColor() } }
// Dialog-based colors
var statusDialogSending : UIColor { get { return statusDialogPassive } }
var statusDialogSent : UIColor { get { return statusDialogPassive } }
var statusDialogReceived : UIColor { get { return statusDialogPassive } }
var statusDialogRead : UIColor { get { return statusDialogActive } }
var statusDialogError : UIColor { get { return statusDialogDanger } }
// Text-based bubble colors
var statusSending : UIColor { get { return statusPassive } }
var statusSent : UIColor { get { return statusPassive } }
var statusReceived : UIColor { get { return statusPassive } }
var statusRead : UIColor { get { return statusActive } }
var statusError : UIColor { get { return statusDanger } }
var textBgOut: UIColor { get { return bgOut } }
var textBgOutBorder : UIColor { get { return bgOutBorder } }
var textBgIn : UIColor { get { return bgIn } }
var textBgInBorder : UIColor { get { return bgInBorder } }
var textDateOut : UIColor { get { return UIColor.alphaBlack(0.27) } }
var textDateIn : UIColor { get { return UIColor.RGB(0x979797) } }
var textOut : UIColor { get { return text } }
var textIn : UIColor { get { return text } }
var textUnsupportedOut : UIColor { get { return textUnsupported } }
var textUnsupportedIn : UIColor { get { return textUnsupported } }
// Media-based bubble colors
var statusMediaSending : UIColor { get { return statusMediaPassive } }
var statusMediaSent : UIColor { get { return statusMediaPassive } }
var statusMediaReceived : UIColor { get { return statusMediaPassive } }
var statusMediaRead : UIColor { get { return statusMediaActive } }
var statusMediaError : UIColor { get { return statusMediaDanger } }
var mediaBgOut: UIColor { get { return UIColor.whiteColor() } }
var mediaBgOutBorder: UIColor { get { return UIColor.RGB(0xCCCCCC) } }
var mediaBgIn: UIColor { get { return mediaBgOut } }
var mediaBgInBorder: UIColor { get { return mediaBgOutBorder } }
var mediaDateBg: UIColor { get { return UIColor.RGB(0x2D394A, alpha: 0.54) } }
var mediaDate: UIColor { get { return UIColor.whiteColor() } }
// Service-based bubble colors
var serviceBg: UIColor { get { return UIColor.RGB(0x2D394A, alpha: 0.56) } }
var chatBgTint: UIColor { get { return UIColor.RGB(0xe7e0c4) } }
}
class AppList {
var actionColor : UIColor { get { return UIColor.RGB(0x5085CB) } }
var bgColor: UIColor { get { return UIColor.whiteColor() } }
var bgSelectedColor : UIColor { get { return UIColor.RGB(0xd9d9d9) } }
var backyardColor : UIColor { get { return UIColor(red: 238/255.0, green: 238/255.0, blue: 238/255.0, alpha: 1) } }
var separatorColor : UIColor { get { return UIColor(red: 0, green: 0, blue: 0, alpha: 0x1e/255.0) } }
var textColor : UIColor { get { return UIColor(red: 0, green: 0, blue: 0, alpha: 0xDE/255.0) } }
var hintColor : UIColor { get { return UIColor(red: 164/255.0, green: 164/255.0, blue: 164/255.0, alpha: 1) } }
var sectionColor : UIColor { get { return UIColor(red: 164/255.0, green: 164/255.0, blue: 164/255.0, alpha: 1) } }
// var arrowColor : UIColor { get { return UIColor(red: 0, green: 0, blue: 0, alpha: 0xDE/255.0) } }
var dialogTitle: UIColor { get { return UIColor(red: 0, green: 0, blue: 0, alpha: 0xDE/255.0) } }
var dialogText: UIColor { get { return UIColor(red: 0, green: 0, blue: 0, alpha: 0x8A/255.0) } }
var dialogDate: UIColor { get { return UIColor(red: 0, green: 0, blue: 0, alpha: 0x8A/255.0) } }
var unreadText: UIColor { get { return UIColor.whiteColor() } }
var unreadBg: UIColor { get { return UIColor.RGB(0x50A1D6) } }
var contactsTitle: UIColor { get { return UIColor(red: 0, green: 0, blue: 0, alpha: 0xDE/255.0) } }
var contactsShortTitle: UIColor { get { return UIColor(red: 0, green: 0, blue: 0, alpha: 0xDE/255.0) } }
func applyAppearance(application: UIApplication) {
UITableViewHeaderFooterView.appearance().tintColor = sectionColor
}
}
class AppSearchBar {
var statusBarLightContent : Bool { get { return false } }
var backgroundColor : UIColor { get { return UIColor.RGB(0xf1f1f1) } }
var cancelColor : UIColor { get { return UIColor.RGB(0x8E8E93) } }
var fieldBackgroundColor: UIColor { get { return UIColor.whiteColor() } }
var fieldTextColor: UIColor { get { return UIColor.blackColor().alpha(0.56) } }
func applyAppearance(application: UIApplication) {
// SearchBar Text Color
var textField = UITextField.my_appearanceWhenContainedIn(UISearchBar.self)
// textField.tintColor = UIColor.redColor()
var font = UIFont(name: "HelveticaNeue", size: 14.0)
textField.defaultTextAttributes = [NSFontAttributeName: font!,
NSForegroundColorAttributeName : fieldTextColor]
}
func applyStatusBar() {
if (statusBarLightContent) {
UIApplication.sharedApplication().setStatusBarStyle(UIStatusBarStyle.LightContent, animated: true)
} else {
UIApplication.sharedApplication().setStatusBarStyle(UIStatusBarStyle.Default, animated: true)
}
}
func styleSearchBar(searchBar: UISearchBar) {
// SearchBar Minimal Style
searchBar.searchBarStyle = UISearchBarStyle.Default
// SearchBar Transculent
searchBar.translucent = false
// SearchBar placeholder animation fix
searchBar.placeholder = "";
// SearchBar background color
searchBar.barTintColor = backgroundColor.forTransparentBar()
searchBar.setBackgroundImage(Imaging.imageWithColor(backgroundColor, size: CGSize(width: 1, height: 1)), forBarPosition: UIBarPosition.Any, barMetrics: UIBarMetrics.Default)
searchBar.backgroundColor = backgroundColor
// SearchBar field color
var fieldBg = Imaging.imageWithColor(fieldBackgroundColor, size: CGSize(width: 14,height: 28))
.roundCorners(14, h: 28, roundSize: 4)
searchBar.setSearchFieldBackgroundImage(fieldBg.stretchableImageWithLeftCapWidth(7, topCapHeight: 0), forState: UIControlState.Normal)
// SearchBar cancel color
searchBar.tintColor = cancelColor
}
}
class AppTabBar {
private let mainColor = UIColor.RGB(0x5085CB)
var backgroundColor : UIColor { get { return UIColor.whiteColor() } }
var showText : Bool { get { return true } }
var selectedIconColor: UIColor { get { return mainColor } }
var selectedTextColor : UIColor { get { return mainColor } }
var unselectedIconColor:UIColor { get { return mainColor.alpha(0.56) } }
var unselectedTextColor : UIColor { get { return mainColor.alpha(0.56) } }
var barShadow : String? { get { return "CardTop2" } }
func createSelectedIcon(name: String) -> UIImage {
return UIImage(named: name)!.tintImage(selectedIconColor)
.imageWithRenderingMode(UIImageRenderingMode.AlwaysOriginal)
}
func createUnselectedIcon(name: String) -> UIImage {
return UIImage(named: name)!.tintImage(unselectedIconColor)
.imageWithRenderingMode(UIImageRenderingMode.AlwaysOriginal)
}
func applyAppearance(application: UIApplication) {
var tabBar = UITabBar.appearance()
// TabBar Background color
tabBar.barTintColor = backgroundColor;
// TabBar Shadow
if (barShadow != nil) {
tabBar.shadowImage = UIImage(named: barShadow!);
} else {
tabBar.shadowImage = nil
}
var tabBarItem = UITabBarItem.appearance()
// TabBar Unselected Text
tabBarItem.setTitleTextAttributes([NSForegroundColorAttributeName: unselectedTextColor], forState: UIControlState.Normal)
// TabBar Selected Text
tabBarItem.setTitleTextAttributes([NSForegroundColorAttributeName: selectedTextColor], forState: UIControlState.Selected)
}
}
class AppNavigationBar {
var statusBarLightContent : Bool { get { return true } }
var barColor:UIColor { get { return /*UIColor.RGB(0x5085CB)*/ UIColor.RGB(0x3576cc) } }
var barSolidColor:UIColor { get { return UIColor.RGB(0x5085CB) } }
var titleColor: UIColor { get { return UIColor.whiteColor() } }
var subtitleColor: UIColor { get { return UIColor.whiteColor() } }
var subtitleActiveColor: UIColor { get { return UIColor.whiteColor() } }
var shadowImage : String? { get { return nil } }
var progressPrimary: UIColor { get { return UIColor.RGB(0x1484ee) } }
var progressSecondary: UIColor { get { return UIColor.RGB(0xaccceb) } }
func applyAppearance(application: UIApplication) {
// StatusBar style
if (statusBarLightContent) {
application.statusBarStyle = UIStatusBarStyle.LightContent
} else {
application.statusBarStyle = UIStatusBarStyle.Default
}
var navAppearance = UINavigationBar.appearance();
// NavigationBar Icon
navAppearance.tintColor = titleColor;
// NavigationBar Text
navAppearance.titleTextAttributes = [NSForegroundColorAttributeName: titleColor];
// NavigationBar Background
navAppearance.barTintColor = barColor;
// navAppearance.setBackgroundImage(Imaging.imageWithColor(barColor, size: CGSize(width: 1, height: 1)), forBarMetrics: UIBarMetrics.Default)
// navAppearance.shadowImage = Imaging.imageWithColor(barColor, size: CGSize(width: 1, height: 2))
// Small hack for correct background color
UISearchBar.appearance().backgroundColor = barColor
// NavigationBar Shadow
// navAppearance.shadowImage = nil
// if (shadowImage == nil) {
// navAppearance.shadowImage = UIImage()
// navAppearance.setBackgroundImage(UIImage(), forBarMetrics: UIBarMetrics.Default)
// } else {
// navAppearance.shadowImage = UIImage(named: shadowImage!)
// }
}
func applyAuthStatusBar() {
UIApplication.sharedApplication().setStatusBarStyle(UIStatusBarStyle.Default, animated: true)
}
func applyStatusBar() {
if (statusBarLightContent) {
UIApplication.sharedApplication().setStatusBarStyle(UIStatusBarStyle.LightContent, animated: true)
} else {
UIApplication.sharedApplication().setStatusBarStyle(UIStatusBarStyle.Default, animated: true)
}
}
func applyStatusBarFast() {
if (statusBarLightContent) {
UIApplication.sharedApplication().setStatusBarStyle(UIStatusBarStyle.LightContent, animated: false)
} else {
UIApplication.sharedApplication().setStatusBarStyle(UIStatusBarStyle.Default, animated: false)
}
}
} | mit | 3523882e60123e4f29c29bd5ae3539d2 | 41.898462 | 181 | 0.662363 | 4.465407 | false | false | false | false |
alejandrogarin/ADGCloudKit | Example/ADGCloudKit/ChildViewController.swift | 1 | 3102 | //
// CloudContext.swift
// ADGCloudKit
//
// Created by Alejandro Diego Garin
// The MIT License (MIT)
//
// Copyright (c) 2015 Alejandro Garin @alejandrogarin
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in all
// copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
// SOFTWARE.
import Foundation
import UIKit
import CoreLocation
import ADGCloudKit
class ChildViewController: BaseViewController {
var parent: Parent?
var dao = ChildDAO()
override func onFindAllRecords() {
var predicate: NSPredicate?
if let parent = self.parent, record = parent.asCKRecord() {
predicate = NSPredicate(format: "refToParent == %@", record)
}
self.dao.findObjectsWithPredicate(predicate, sortDescriptors: [NSSortDescriptor(key: "stringAttribute", ascending: true)], resultsLimit: nil) { [unowned self] (records, error) -> Void in
print(error)
if let records = records {
self.datasource = records
self.tableView.reloadData()
}
}
}
override func onDelete(object: CloudRecord, indexPath: NSIndexPath) {
try! self.dao.deleteObject(object as! Child, completionHandler: { [unowned self] (error) -> Void in
self.tableView.beginUpdates()
self.tableView.deleteRowsAtIndexPaths([indexPath], withRowAnimation: UITableViewRowAnimation.Fade)
self.datasource.removeAtIndex(indexPath.row)
self.tableView.endUpdates()
})
}
override func onCellIdentifier() -> String {
return "ChildCell"
}
@IBAction func onAddTouched(sender: AnyObject) {
let object = Child()
object.stringAttribute = self.adg_randomStringWithLength(4)
if let parent = self.parent {
object.refToParent = parent.asCKReferenceWithDeleteAction()
}
self.dao.insertObject(object) { (object, error) -> Void in
print(error)
if let object = object {
self.datasource.append(object)
self.tableView.reloadData()
}
}
}
}
| mit | 72286f9146a1e1b576703a69668076cf | 36.829268 | 194 | 0.66989 | 4.714286 | false | false | false | false |
flomerz/iOS-IUToDo | IUToDo/DataManager.swift | 1 | 4043 | //
// DataManager.swift
// IUToDo
//
// Created by Flo on 28/12/14.
// Copyright (c) 2014 Flo. All rights reserved.
//
import Foundation
import CoreData
import Alamofire
import SwiftyJSON
import AlamofireSwiftyJSON
class DataManager {
class var SERVER: String { return "http://192.168.0.138:9000/" }
// Local
class func loadToDos(context: NSManagedObjectContext) -> [ToDo]? {
var fetchRequest = NSFetchRequest(entityName: ToDo.ENTITY_NAME)
fetchRequest.returnsObjectsAsFaults = false
return context.executeFetchRequest(fetchRequest, error: nil) as [ToDo]?
}
class func addToDo(title:String, subject:String, context: NSManagedObjectContext, callback: () -> Void) {
let todo = (NSEntityDescription.insertNewObjectForEntityForName(ToDo.ENTITY_NAME, inManagedObjectContext: context) as ToDo)
todo.title = title
todo.subject = subject
context.save(nil)
syncToDoFromLocalToRemote(todo, context: context, callback: callback)
}
class func updateToDo(todo:ToDo, context: NSManagedObjectContext, callback: () -> Void) {
context.save(nil)
syncToDoFromLocalToRemote(todo, context: context, callback: callback)
}
class func doneToDo(todo:ToDo, context: NSManagedObjectContext, callback: () -> Void) {
todo.doneDate = NSDate()
context.save(nil)
syncToDoFromLocalToRemote(todo, context: context, callback: callback)
}
// Sync
class func syncToDos(context: NSManagedObjectContext, callback: () -> Void) {
syncToDosFromLocalToRemote(context, callback: { () -> Void in
self.syncToDosFromRemoteToLocal(context, callback: callback)
})
}
class func syncToDoFromLocalToRemote(todo:ToDo, context: NSManagedObjectContext, callback: () -> Void) {
Alamofire.request(.POST, SERVER,
parameters: ["id": todo.externalID, "title": todo.title, "subject": todo.subject, "doneDate": todo.doneDateString()]
).responseSwiftyJSON { (request, response, json, error) in
todo.update(json)
context.save(nil)
//NSLog("synced todo from local to remote: %@", todo)
callback()
}
}
class func syncToDosFromLocalToRemote(context: NSManagedObjectContext, callback: () -> Void) {
if let todos = loadToDos(context)? {
var todosCount = todos.count
if todosCount > 0 {
for(todo:ToDo) in todos {
syncToDoFromLocalToRemote(todo, context: context, callback: { () -> Void in
if --todosCount == 0 {
callback()
}
})
}
} else {
callback()
}
}
}
class func syncToDosFromRemoteToLocal(context: NSManagedObjectContext, callback: () -> Void) {
Alamofire.request(.GET, SERVER).responseSwiftyJSON { (request, response, json, error) in
for (key: String, todoJson: JSON) in json {
var todo:ToDo?
var fetchRequest = NSFetchRequest(entityName: ToDo.ENTITY_NAME)
fetchRequest.predicate = NSPredicate(format: "externalID = %i", todoJson["id"].int64Value)
if let fetchResults = context.executeFetchRequest(fetchRequest, error: nil) as? [ToDo] {
if fetchResults.count == 1 {
todo = fetchResults[0]
}
}
if todo == nil {
todo = (NSEntityDescription.insertNewObjectForEntityForName(ToDo.ENTITY_NAME, inManagedObjectContext: context) as ToDo)
}
todo!.update(todoJson)
context.save(nil)
//NSLog("synced todo from remote to local: %@", todo!)
}
callback()
}
}
} | gpl-2.0 | d18118ad086001c1ac5ba333500f1187 | 36.444444 | 139 | 0.578283 | 4.912515 | false | false | false | false |
TrinadhKandula/MonkeyTestingiOS | samplePrj/PBDataTableView/PBDataTable/Classes/PBDataTableView.swift | 1 | 16536 | //
// PBDataTableView.swift
// PBDataTable
//
// Created by praveen b on 6/10/16.
// Copyright © 2016 Praveen. All rights reserved.
//
import UIKit
protocol PBDataTableViewDelegate: class {
func tableViewDidSelectedRow(indexPath: NSIndexPath)
func tableViewCellEditButtonTapped(indexPath: NSIndexPath)
}
class PBDataTableView: UIView, UITableViewDelegate, UITableViewDataSource, UISearchBarDelegate , UISearchControllerDelegate{
@IBOutlet var searchBarHeightConstraint: NSLayoutConstraint!
@IBOutlet var searchBarTrailingConstraint: NSLayoutConstraint!
@IBOutlet var headerVwTrailingConstraint: NSLayoutConstraint!
@IBOutlet var tableVwTrailingConstraint: NSLayoutConstraint!
@IBOutlet var scrollSuperViewTrailingConstraint: NSLayoutConstraint!
@IBOutlet var bgScrollView: UIScrollView!
@IBOutlet var searchBar: UISearchBar!
@IBOutlet var tableHeaderView: UIView!
@IBOutlet var dataTableView: UITableView!
@IBOutlet var noRecordLbl: UILabel!
var filteredDataTableArray: NSMutableArray = NSMutableArray()
var dataTableArray: NSMutableArray = NSMutableArray()
var columnDataArray: NSMutableArray = NSMutableArray()
var columnWidth: CGFloat = 80
var totalColumnWidth: CGFloat = 0
var enableSorting: Bool = true
var enableCellOuterBorder: Bool = true
var enableCellInnerBorder: Bool = true
var enableSearchBar: Bool = true
var shouldShowSearchResults = false
var searchBarBackgroundColor: UIColor = UIColor(red: 246/255, green: 139/255, blue: 31/255, alpha: 1)
var searchBarTxtFldFont: UIFont = UIFont(name: "Helvetica", size: 15)!
var searchBarTxtFldTxtColor: UIColor = UIColor(red: 64/255, green: 64/255, blue: 64/255, alpha: 1)
var searchBarTxtFldBackgroundColor: UIColor = UIColor.clearColor()
var searchBarTxtFldPlaceholderColor: UIColor = UIColor(red: 225/255, green: 225/255, blue: 225/255, alpha: 1)
var searchBarTxtFldPlaceholder: String = "Search with First and Last name"
var searchBarGlassIconTintColor: UIColor = UIColor.whiteColor()
var searchBarCancelBtnFont: UIFont = UIFont(name: "Helvetica", size: 15)!
var searchBarCancelBtnColor: UIColor = UIColor(red: 64/255, green: 64/255, blue: 64/255, alpha: 1)
var lastColumnButtonHeaderName = "Edit"
var delegate: PBDataTableViewDelegate!
//Setup the tableview with number of Columns and Rows
func setupView() {
//To Calculate total width of the header view
for eachHeader in columnDataArray {
let eachLblWidth = CGFloat(eachHeader.objectForKey("widthSize") as! NSNumber)
totalColumnWidth = eachLblWidth + totalColumnWidth
}
if ApplicationDelegate.cellLastColumnButtonEnable == true {
totalColumnWidth = totalColumnWidth + 80
ApplicationDelegate.numberOfColumns = columnDataArray.count + 1
}else {
ApplicationDelegate.numberOfColumns = columnDataArray.count
}
if enableSearchBar {
searchBarCustomizeView()
searchBar.hidden = false
searchBarHeightConstraint.constant = 44
}else {
searchBar.hidden = true
searchBarHeightConstraint.constant = 0
}
//Create Header View for Tableview
self.createTableHeaderView()
let nib = UINib(nibName: "PBDataTableViewCell", bundle: nil)
dataTableView.registerNib(nib, forCellReuseIdentifier: "Cell")
}
//Customize the Search bar
func searchBarCustomizeView() {
// To get a pure color
searchBar.backgroundImage = UIImage()
searchBar.backgroundColor = searchBarBackgroundColor
let textFieldInsideSearchBar = searchBar.valueForKey("searchField") as? UITextField
textFieldInsideSearchBar?.textColor = searchBarTxtFldTxtColor
textFieldInsideSearchBar?.font = searchBarTxtFldFont
textFieldInsideSearchBar?.backgroundColor = searchBarTxtFldBackgroundColor
textFieldInsideSearchBar?.tintColor = UIColor.blackColor()
textFieldInsideSearchBar?.placeholder = searchBarTxtFldPlaceholder
let textFieldInsideSearchBarLabel = textFieldInsideSearchBar!.valueForKey("placeholderLabel") as? UILabel
textFieldInsideSearchBarLabel?.textColor = searchBarTxtFldPlaceholderColor
if let glassIconView = textFieldInsideSearchBar!.leftView as? UIImageView {
//Magnifying glass
glassIconView.image = glassIconView.image?.imageWithRenderingMode(UIImageRenderingMode.AlwaysTemplate)
glassIconView.tintColor = searchBarGlassIconTintColor
}
UIBarButtonItem.appearanceWhenContainedInInstancesOfClasses([UISearchBar.classForCoder()])
.setTitleTextAttributes([
NSFontAttributeName: searchBarCancelBtnFont,
NSForegroundColorAttributeName: searchBarCancelBtnColor
],forState: UIControlState.Normal)
}
//Check the total width and re-size the scrollview.superview width by changing the Trailing Constraint
func configureView() {
if totalColumnWidth > CGRectGetWidth(self.frame) {
scrollSuperViewTrailingConstraint.constant = (CGRectGetWidth(bgScrollView.frame)-totalColumnWidth)
searchBarTrailingConstraint.constant = 0
self.updateConstraints()
self.layoutIfNeeded()
bgScrollView.contentSize = CGSizeMake(CGRectGetWidth(bgScrollView.frame)-scrollSuperViewTrailingConstraint.constant, CGRectGetHeight(self.frame)-searchBarHeightConstraint.constant)
dataTableView.reloadData()
}else {
tableVwTrailingConstraint.constant = (CGRectGetWidth(bgScrollView.frame) - totalColumnWidth)
headerVwTrailingConstraint.constant = tableVwTrailingConstraint.constant
searchBarTrailingConstraint.constant = tableVwTrailingConstraint.constant
self.updateConstraints()
self.layoutIfNeeded()
}
}
func createTableHeaderView() {
var headerCount = 0
var headerLblXaxis: CGFloat = 0
for eachHeader in columnDataArray {
let eachLblWidth = CGFloat(eachHeader.objectForKey("widthSize") as! NSNumber)
//Header Label
let columnHeaderLbl = UILabel()
columnHeaderLbl.text = eachHeader.objectForKey("name") as? String
columnHeaderLbl.textAlignment = .Center
columnHeaderLbl.font = UIFont(name: "Arial", size: 14)
columnHeaderLbl.tag = 1000+headerCount
columnHeaderLbl.textColor = UIColor.whiteColor()
columnHeaderLbl.adjustsFontSizeToFitWidth = true
tableHeaderView.addSubview(columnHeaderLbl)
if enableSorting {
columnHeaderLbl.frame = CGRectMake(headerLblXaxis, 0, eachLblWidth-25, CGRectGetHeight(tableHeaderView.frame))
//Header Sort ImageView
let sortImg = UIImageView(image: UIImage(named: "none"))
sortImg.accessibilityIdentifier = "0"
sortImg.frame = CGRectMake(CGRectGetMaxX(columnHeaderLbl.frame)+5, (CGRectGetHeight(tableHeaderView.frame)-sortImg.image!.size.height)/2, sortImg.image!.size.width, sortImg.image!.size.height)
sortImg.tag = 2000+headerCount
tableHeaderView.addSubview(sortImg)
//Header Button to Sort the rows on tap
let headerBtn = UIButton(type: .Custom)
headerBtn.frame = CGRectMake(CGRectGetMinX(columnHeaderLbl.frame), 0, eachLblWidth, CGRectGetHeight(columnHeaderLbl.frame))
headerBtn.backgroundColor = UIColor.clearColor()
headerBtn.addTarget(self, action: #selector(headerColumnBtnTapped), forControlEvents: .TouchUpInside)
headerBtn.tag = 3000+headerCount
tableHeaderView.addSubview(headerBtn)
}else {
columnHeaderLbl.frame = CGRectMake(headerLblXaxis, 0, eachLblWidth, CGRectGetHeight(tableHeaderView.frame))
}
headerLblXaxis = eachLblWidth + headerLblXaxis
headerCount += 1
}
//Add Edit Button On Header
if ApplicationDelegate.cellLastColumnButtonEnable == true {
let editButton = UILabel()
editButton.text = lastColumnButtonHeaderName
editButton.textAlignment = .Center
editButton.font = UIFont(name: "Arial", size: 14)
editButton.textColor = UIColor.whiteColor()
editButton.adjustsFontSizeToFitWidth = true
tableHeaderView.addSubview(editButton)
editButton.frame = CGRectMake(headerLblXaxis, 0, 70, CGRectGetHeight(tableHeaderView.frame))
}
}
//MARK: - TableView DataSource
func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
if shouldShowSearchResults {
if filteredDataTableArray.count > 0 {
noRecordLbl.hidden = true
dataTableView.hidden = false
}else {
noRecordLbl.hidden = false
dataTableView.hidden = true
}
return filteredDataTableArray.count
}else {
if dataTableArray.count > 0 {
noRecordLbl.hidden = true
dataTableView.hidden = false
}else {
noRecordLbl.hidden = false
dataTableView.hidden = true
}
return dataTableArray.count
}
}
func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCellWithIdentifier("Cell", forIndexPath: indexPath) as! PBDataTableViewCell
cell.backgroundColor = UIColor.whiteColor()
configureCell(cell, indexPath: indexPath)
if enableCellOuterBorder {
cell.leftBorderView.hidden = false
cell.rightBorderView.hidden = false
cell.bottomBorderView.hidden = false
}else {
cell.leftBorderView.hidden = true
cell.rightBorderView.hidden = true
cell.bottomBorderView.hidden = true
}
return cell
}
func tableView(tableView: UITableView, heightForRowAtIndexPath indexPath: NSIndexPath) -> CGFloat {
return 44
}
func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath) {
delegate.tableViewDidSelectedRow(indexPath)
}
//Configure Tableview Cells with Defined Label
func configureCell(cell: PBDataTableViewCell, indexPath: NSIndexPath) {
let columnDict: NSDictionary!
if shouldShowSearchResults {
columnDict = filteredDataTableArray.objectAtIndex(indexPath.row) as! NSDictionary
}else {
columnDict = dataTableArray.objectAtIndex(indexPath.row) as! NSDictionary
}
var labelXaxis: CGFloat = 0
for i in 0..<ApplicationDelegate.numberOfColumns {
var columnLbl: UILabel!
var columnBtn: UIButton!
if i == ApplicationDelegate.numberOfColumns-1 && ApplicationDelegate.cellLastColumnButtonEnable == true {
columnBtn = cell.contentView.viewWithTag(100+i) as? UIButton
columnBtn.addTarget(self, action: #selector(editBtnTapped(_:)), forControlEvents: .TouchUpInside)
var rect = columnBtn!.frame
rect.origin.x = labelXaxis+5
rect.size.width = CGRectGetWidth(columnBtn.frame)
columnBtn!.frame = rect
}else {
columnLbl = cell.contentView.viewWithTag(100+i) as? UILabel
var rect = columnLbl!.frame
rect.origin.x = labelXaxis
rect.size.width = CGFloat(columnDataArray.objectAtIndex(i).objectForKey("widthSize") as! NSNumber)
columnLbl!.frame = rect
columnLbl!.text = String(columnDict.objectForKey("rowColumn\(i+1)")!)
labelXaxis = labelXaxis + CGRectGetWidth((columnLbl?.frame)!)
}
let innerLine = cell.contentView.viewWithTag(200+i)
if enableCellInnerBorder {
innerLine?.frame = CGRectMake(CGRectGetMaxX(columnLbl!.frame)-1, 0, 1, CGRectGetHeight(cell.frame))
innerLine?.hidden = false
}else {
innerLine?.hidden = true
}
}
}
func editBtnTapped(sender: UIButton) {
let btnPosition = sender.convertPoint(CGPointZero, toView: dataTableView)
let selectedIndex = dataTableView.indexPathForRowAtPoint(btnPosition)
delegate.tableViewCellEditButtonTapped(selectedIndex!)
}
func headerColumnBtnTapped(sender: UIButton) {
for i in 0..<ApplicationDelegate.numberOfColumns {
if sender.tag == i+3000 {
let headerSortImg = sender.superview!.viewWithTag(2000+i) as? UIImageView
if ((headerSortImg!.accessibilityIdentifier == "0") || (headerSortImg!.accessibilityIdentifier == "2")) {
headerSortImg?.image = UIImage(named: "ascending")
headerSortImg?.accessibilityIdentifier = "1"
//To Sort the table data Array in Ascending Order, respect to the Column header Tapped
sortingDataTableArray(headerSortImg!.tag-2000, boolValue: true)
}else {
headerSortImg?.image = UIImage(named: "descending")
headerSortImg?.accessibilityIdentifier = "2"
//To Sort the table data Array in Decending Order, respect to the Column header Tapped
sortingDataTableArray(headerSortImg!.tag-2000, boolValue: false)
}
}else {
let headerSortImg = sender.superview!.viewWithTag(2000+i) as? UIImageView
headerSortImg?.image = UIImage(named: "none")
headerSortImg?.accessibilityIdentifier = "0"
}
}
}
//MARK: - Sorting Method
func sortingDataTableArray(intValue: Int, boolValue: Bool) {
let sort = NSSortDescriptor(key: "rowColumn\(intValue+1)", ascending:boolValue)
if shouldShowSearchResults {
filteredDataTableArray.sortUsingDescriptors([sort])
}else {
dataTableArray.sortUsingDescriptors([sort])
}
dataTableView.reloadData()
}
//MARK: - Search Bar Delegate Methods
func searchBarTextDidBeginEditing(searchBar: UISearchBar) {
shouldShowSearchResults = true
searchBar.showsCancelButton = true
}
func searchBarCancelButtonClicked(searchBar: UISearchBar) {
searchBar.showsCancelButton = false
shouldShowSearchResults = false
searchBar.text = ""
searchBar.resignFirstResponder()
dataTableView.reloadData()
}
func searchBarSearchButtonClicked(searchBar: UISearchBar) {
if !shouldShowSearchResults {
shouldShowSearchResults = true
dataTableView.reloadData()
}
searchBar.resignFirstResponder()
}
func searchBar(searchBar: UISearchBar, textDidChange searchText: String) {
if searchText == "" {
shouldShowSearchResults = false
}else {
shouldShowSearchResults = true
//filtered with firstname and last name. Give the column names respectively to be sorted
let results = dataTableArray.filter({ person in
if let firstname = person["rowColumn1"] as? String, let lastname = person["rowColumn2"] as? String, query = searchBar.text {
return firstname.rangeOfString(query, options: [.CaseInsensitiveSearch, .DiacriticInsensitiveSearch]) != nil || lastname.rangeOfString(query, options: [.CaseInsensitiveSearch, .DiacriticInsensitiveSearch]) != nil
}
return false
})
filteredDataTableArray = NSMutableArray(array: results)
}
dataTableView.reloadData()
}
}
| mit | c29e6eee02d7d69cafd955d9f4d95416 | 42.627968 | 232 | 0.64814 | 5.5301 | false | false | false | false |
richardpiazza/SOSwift | Sources/SOSwift/CreativeWorkOrProductOrURL.swift | 1 | 2546 | import Foundation
import CodablePlus
public enum CreativeWorkOrProductOrURL: Codable {
case creativeWork(value: CreativeWork)
case product(value: Product)
case url(value: URL)
public init(_ value: CreativeWork) {
self = .creativeWork(value: value)
}
public init(_ value: Product) {
self = .product(value: value)
}
public init(_ value: URL) {
self = .url(value: value)
}
public init(from decoder: Decoder) throws {
var dictionary: [String : Any]?
do {
let jsonContainer = try decoder.container(keyedBy: DictionaryKeys.self)
dictionary = try jsonContainer.decode(Dictionary<String, Any>.self)
} catch {
}
guard let jsonDictionary = dictionary else {
let container = try decoder.singleValueContainer()
let value = try container.decode(URL.self)
self = .url(value: value)
return
}
guard let type = jsonDictionary[SchemaKeys.type.rawValue] as? String else {
throw SchemaError.typeDecodingError
}
let container = try decoder.singleValueContainer()
switch type {
case CreativeWork.schemaName:
let value = try container.decode(CreativeWork.self)
self = .creativeWork(value: value)
case Product.schemaName:
let value = try container.decode(Product.self)
self = .product(value: value)
default:
throw SchemaError.typeDecodingError
}
}
public func encode(to encoder: Encoder) throws {
var container = encoder.singleValueContainer()
switch self {
case .creativeWork(let value):
try container.encode(value)
case .product(let value):
try container.encode(value)
case .url(let value):
try container.encode(value)
}
}
public var creativeWork: CreativeWork? {
switch self {
case .creativeWork(let value):
return value
default:
return nil
}
}
public var product: Product? {
switch self {
case .product(let value):
return value
default:
return nil
}
}
public var url: URL? {
switch self {
case .url(let value):
return value
default:
return nil
}
}
}
| mit | 3aa30de274e28e4d8253d83b2b7a1d38 | 25.8 | 83 | 0.550668 | 4.924565 | false | false | false | false |
huangboju/Moots | UICollectionViewLayout/preview-transition-master/PreviewTransition/TableViewController/Halpers/ConstraintsHalper.swift | 1 | 2843 | //
// ConstraintsHelper.swift
// AnimatedPageView
//
// Created by Alex K. on 13/04/16.
// Copyright © 2016 Alex K. All rights reserved.
//
import UIKit
struct ConstraintInfo {
var attribute: NSLayoutAttribute = .left
var secondAttribute: NSLayoutAttribute = .notAnAttribute
var constant: CGFloat = 0
var identifier: String?
var relation: NSLayoutRelation = .equal
}
precedencegroup constOp {
associativity: left
higherThan: AssignmentPrecedence
}
infix operator >>>-: constOp
@discardableResult
func >>>- <T: UIView>(left: (T, T), block: (inout ConstraintInfo) -> Void) -> NSLayoutConstraint {
var info = ConstraintInfo()
block(&info)
info.secondAttribute = info.secondAttribute == .notAnAttribute ? info.attribute : info.secondAttribute
let constraint = NSLayoutConstraint(item: left.1,
attribute: info.attribute,
relatedBy: info.relation,
toItem: left.0,
attribute: info.secondAttribute,
multiplier: 1,
constant: info.constant)
constraint.identifier = info.identifier
left.0.addConstraint(constraint)
return constraint
}
@discardableResult
func >>>- <T: UIView>(left: T, block: (inout ConstraintInfo) -> Void) -> NSLayoutConstraint {
var info = ConstraintInfo()
block(&info)
let constraint = NSLayoutConstraint(item: left,
attribute: info.attribute,
relatedBy: info.relation,
toItem: nil,
attribute: info.attribute,
multiplier: 1,
constant: info.constant)
constraint.identifier = info.identifier
left.addConstraint(constraint)
return constraint
}
@discardableResult
func >>>- <T: UIView>(left: (T, T, T), block: (inout ConstraintInfo) -> Void) -> NSLayoutConstraint {
var info = ConstraintInfo()
block(&info)
info.secondAttribute = info.secondAttribute == .notAnAttribute ? info.attribute : info.secondAttribute
let constraint = NSLayoutConstraint(item: left.1,
attribute: info.attribute,
relatedBy: info.relation,
toItem: left.2,
attribute: info.secondAttribute,
multiplier: 1,
constant: info.constant)
constraint.identifier = info.identifier
left.0.addConstraint(constraint)
return constraint
}
| mit | 719c439324d5540c2b361d858494c4df | 35.909091 | 106 | 0.544687 | 5.638889 | false | false | false | false |
damicreabox/Git2Swift | Sources/Git2Swift/remote/Remotes.swift | 1 | 3431 | //
// Remotes.swift
// Git2Swift
//
// Created by Damien Giron on 17/08/2016.
// Copyright © 2016 Creabox. All rights reserved.
//
import Foundation
import CLibgit2
/// Manage remote repository
public class Remotes {
/// Repository
private let repository : Repository
/// Constructor with repository manager
///
/// - parameter repository: Repository
///
/// - returns: Remotes
init(repository: Repository) {
self.repository = repository
}
/// Find remote names
///
/// - throws: GitError
///
/// - returns: String array
public func remoteNames() throws -> [String] {
// Store remote names
var remotes = git_strarray()
// List remotes
let error = git_remote_list(&remotes, repository.pointer.pointee)
if (error != 0) {
throw gitUnknownError("Unable to list remotes", code: error)
}
return git_strarray_to_strings(&remotes)
}
/// Find remote by name.
///
/// - parameter name: Remote name
///
/// - throws: GitError
///
/// - returns: Remote
public func get(name: String) throws -> Remote {
// Remote pointer
let remote = UnsafeMutablePointer<OpaquePointer?>.allocate(capacity: 1)
// Lookup remote
let error = git_remote_lookup(remote, repository.pointer.pointee, name)
if (error != 0) {
remote.deinitialize()
remote.deallocate(capacity: 1)
switch(error) {
case GIT_ENOTFOUND.rawValue:
throw GitError.notFound(ref: name)
case GIT_EINVALIDSPEC.rawValue:
throw GitError.invalidSpec(spec: name)
default:
throw gitUnknownError("Unable to lookup remote \(name)", code: error)
}
}
return Remote(repository: repository, pointer: remote, name: name)
}
/// Create remote
///
/// - parameter name: Remote name
/// - parameter url: URL
///
/// - throws: GitError
///
/// - returns: Remote
public func create(name: String, url: URL) throws -> Remote {
// Remote pointer
let remote = UnsafeMutablePointer<OpaquePointer?>.allocate(capacity: 1)
// Create remote
let error = git_remote_create(remote, repository.pointer.pointee,
name, url.path)
if (error != 0) {
switch(error) {
case GIT_EINVALIDSPEC.rawValue:
throw GitError.invalidSpec(spec: name)
case GIT_EEXISTS.rawValue:
throw GitError.alreadyExists(ref: name)
default:
throw gitUnknownError("Unable to create remote \(name)",
code: error)
}
}
return Remote(repository: repository, pointer: remote, name: name)
}
/// Remove remote
///
/// - parameter name: Remote name
///
/// - throws: GitError
public func remove(name: String) throws {
// remove remote
let error = git_remote_delete(repository.pointer.pointee, name)
if (error != 0) {
throw gitUnknownError("Unable to remove remote \(name)",
code: error)
}
}
}
| apache-2.0 | 8a7744451d14df219483de722f32e28e | 26.222222 | 85 | 0.53586 | 4.777159 | false | false | false | false |
lsn-sokna/TextFieldEffects | TextFieldEffects/TextFieldEffects/MadokaTextField.swift | 1 | 5438 | //
// MadokaTextField.swift
// TextFieldEffects
//
// Created by Raúl Riera on 05/02/2015.
// Copyright (c) 2015 Raul Riera. All rights reserved.
//
import UIKit
@IBDesignable public class MadokaTextField: TextFieldEffects {
@IBInspectable public var placeholderColor: UIColor? {
didSet {
updatePlaceholder()
}
}
@IBInspectable public var borderColor: UIColor? {
didSet {
updateBorder()
}
}
override public var placeholder: String? {
didSet {
updatePlaceholder()
}
}
override public var bounds: CGRect {
didSet {
updateBorder()
updatePlaceholder()
}
}
private let borderThickness: CGFloat = 1
private let placeholderInsets = CGPoint(x: 6, y: 6)
private let textFieldInsets = CGPoint(x: 6, y: 6)
private let borderLayer = CAShapeLayer()
private var backgroundLayerColor: UIColor?
// MARK: - TextFieldsEffectsProtocol
override public func drawViewsForRect(rect: CGRect) {
let frame = CGRect(origin: CGPointZero, size: CGSize(width: rect.size.width, height: rect.size.height))
placeholderLabel.frame = CGRectInset(frame, placeholderInsets.x, placeholderInsets.y)
placeholderLabel.font = placeholderFontFromFont(font!)
updateBorder()
updatePlaceholder()
layer.addSublayer(borderLayer)
addSubview(placeholderLabel)
}
private func updateBorder() {
let rect = rectForBorder(bounds)
let path = UIBezierPath()
path.moveToPoint(CGPoint(x: rect.origin.x + borderThickness, y: rect.height - borderThickness))
path.addLineToPoint(CGPoint(x: rect.width - borderThickness, y: rect.height - borderThickness))
path.addLineToPoint(CGPoint(x: rect.width - borderThickness, y: rect.origin.y + borderThickness))
path.addLineToPoint(CGPoint(x: rect.origin.x + borderThickness, y: rect.origin.y + borderThickness))
path.closePath()
borderLayer.path = path.CGPath
borderLayer.lineCap = kCALineCapSquare
borderLayer.lineWidth = borderThickness
borderLayer.fillColor = nil
borderLayer.strokeColor = borderColor?.CGColor
borderLayer.strokeEnd = percentageForBottomBorder()
}
private func percentageForBottomBorder() -> CGFloat {
let borderRect = rectForBorder(bounds)
let sumOfSides = (borderRect.width * 2) + (borderRect.height * 2)
return (borderRect.width * 100 / sumOfSides) / 100
}
private func updatePlaceholder() {
placeholderLabel.text = placeholder
placeholderLabel.textColor = placeholderColor
placeholderLabel.sizeToFit()
layoutPlaceholderInTextRect()
if isFirstResponder() || text!.isNotEmpty {
animateViewsForTextEntry()
}
}
private func placeholderFontFromFont(font: UIFont) -> UIFont! {
let smallerFont = UIFont(name: font.fontName, size: font.pointSize * 0.65)
return smallerFont
}
private func rectForBorder(bounds: CGRect) -> CGRect {
let newRect = CGRect(x: 0, y: 0, width: bounds.size.width, height: bounds.size.height - font!.lineHeight + textFieldInsets.y)
return newRect
}
private func layoutPlaceholderInTextRect() {
if text!.isNotEmpty {
return
}
placeholderLabel.transform = CGAffineTransformIdentity
let textRect = textRectForBounds(bounds)
var originX = textRect.origin.x
switch textAlignment {
case .Center:
originX += textRect.size.width/2 - placeholderLabel.bounds.width/2
case .Right:
originX += textRect.size.width - placeholderLabel.bounds.width
default:
break
}
placeholderLabel.frame = CGRect(x: originX, y: textRect.height - placeholderLabel.bounds.height - placeholderInsets.y,
width: placeholderLabel.bounds.width, height: placeholderLabel.bounds.height)
}
override public func animateViewsForTextEntry() {
borderLayer.strokeEnd = 1
UIView.animateWithDuration(0.3, animations: {
let translate = CGAffineTransformMakeTranslation(-self.placeholderInsets.x, self.placeholderLabel.bounds.height + (self.placeholderInsets.y * 2))
let scale = CGAffineTransformMakeScale(0.9, 0.9)
self.placeholderLabel.transform = CGAffineTransformConcat(translate, scale)
})
}
override public func animateViewsForTextDisplay() {
if text!.isEmpty {
borderLayer.strokeEnd = percentageForBottomBorder()
UIView.animateWithDuration(0.3, animations: {
self.placeholderLabel.transform = CGAffineTransformIdentity
})
}
}
// MARK: - Overrides
override public func editingRectForBounds(bounds: CGRect) -> CGRect {
let newBounds = rectForBorder(bounds)
return CGRectInset(newBounds, textFieldInsets.x, 0)
}
override public func textRectForBounds(bounds: CGRect) -> CGRect {
let newBounds = rectForBorder(bounds)
return CGRectInset(newBounds, textFieldInsets.x, 0)
}
}
| mit | 3963c66f0787d09d588ccc83bda40712 | 32.98125 | 157 | 0.633805 | 5.404573 | false | false | false | false |
mcgarrett007/AES | AES/StundenplanViewController.swift | 1 | 11092 | //
// StundenplanViewController.swift
// AES Maintal
//
// Created by Tim Mischok on 21.03.17.
// Copyright © 2017 Ferida Mischok. All rights reserved.
//
import UIKit
import ActionSheetPicker_3_0
import WebKit
import Alamofire
import Kanna
class StundenplanViewController: UIViewController{
var header: String = ""
var StrNumStr = String()
var defaults = UserDefaults(suiteName: "group.com.mischok.AES-Maintal")
var Klassen: [String] = []
@IBOutlet weak var organizeButton: UIBarButtonItem!
var webView: WKWebView!
override func viewDidLoad() {
super.viewDidLoad()
if defaults!.value(forKey: "Klasse") == nil{
defaults!.set("Alle", forKey: "Klasse")
}
self.title = header.localized
webView = WKWebView()
self.view = webView
self.getClass()
// Do any additional setup after loading the view.
}
override func viewWillDisappear(_ animated: Bool) {
super.viewWillDisappear(true)
self.Klassen.removeAll()
}
func getClass(){
if self.defaults!.stringArray(forKey: "KlasssenArray") != nil{
self.Klassen = self.defaults!.stringArray(forKey: "KlassenArray")!
}else{
URLCache.shared.removeAllCachedResponses()
Alamofire.request("http://infoline:[email protected]/DATA/_SCH/_SCH_STD-PLAN/frames/navbar.htm", method: .post).authenticate(user: "infoline", password: "14031879").responseString{ response in
switch response.result {
case .failure(let Error):
print(Error)
case .success:
if let html = response.result.value {
if html == ""{
self.Klassen.append("Alle")
}else{
let str = html.components(separatedBy: "var")
let str1 = str[3].replacingOccurrences(of: ";", with: "")
let str2 = str1.replacingOccurrences(of: " classes =", with: "")
let str3 = str2.replacingOccurrences(of: "[", with: "")
let str4 = str3.replacingOccurrences(of: "]", with: "")
let str5 = str4.components(separatedBy: ",")
for (index, value) in str5.enumerated(){
let st = value.replacingOccurrences(of: "\"", with: "")
if index == 0{
self.Klassen.append("05A")
continue
}else if index == str5.count - 1{
self.Klassen.append("EW O")
self.Klassen.insert("Alle", at: 0)
if self.defaults!.stringArray(forKey: "KlassenArray") == nil && self.Klassen.count > 10{
self.defaults!.set(self.Klassen, forKey: "KlassenArray")
}
self.getContent()
}else{
self.Klassen.append(st)
continue
}
}
}
}
}
}
}
}
@IBAction func changeClass(_ sender: Any) {
if self.defaults!.stringArray(forKey: "KlassenArray") != nil{
self.Klassen = self.defaults!.stringArray(forKey: "KlassenArray")!
}else{
self.getClass()
}
ActionSheetMultipleStringPicker.show(withTitle: "Klassenauswahl".localized, rows: [Klassen], initialSelection: [0], doneBlock: {
picker, indexes, values in
let text1 = "\(values!)"
let text2 = text1.replacingOccurrences(of: " ", with: "")
let text3 = text2.replacingOccurrences(of: "(", with: "")
let text4 = text3.replacingOccurrences(of: ")", with: "")
let text5 = text4.replacingOccurrences(of: "\n", with: "")
self.defaults!.set(text5, forKey: "Klasse")
self.getContent()
return
}, cancel: { ActionMultipleStringCancelBlock in return }, origin: sender)
}
@objc func getContent(){
let KlasseStr = "\(defaults!.value(forKey: "Klasse")!)"
if KlasseStr == "Alle"{
let alert = UIAlertController(title: "Warnung", message: "Zum Benutzen des Stundenplans bitte eine Klasse auswählen.", preferredStyle: UIAlertController.Style.alert)
alert.addAction(UIAlertAction(title: "OK", style: UIAlertAction.Style.default, handler: nil))
self.present(alert, animated: true, completion: nil)
URLCache.shared.removeAllCachedResponses()
let url = URL(string: "http://infoline:[email protected]/DATA/_SCH/_SCH_STD-PLAN/welcome.htm")
let request = URLRequest(url: url!)
self.webView.load(request)
}else{
if Klassen.count == 1{
Klassen.removeAll()
self.getClass()
}
if Klassen.isEmpty{
self.getClass()
}
for (index,value) in Klassen.enumerated(){
let Str = "\(value)"
if Str.contains(KlasseStr){
StrNumStr = "\(index)"
if index == 1{
StrNumStr = "01"
}else if index == 2{
StrNumStr = "02"
}else if index == 3{
StrNumStr = "03"
}else if index == 4{
StrNumStr = "04"
}else if index == 5{
StrNumStr = "05"
}else if index == 6{
StrNumStr = "06"
}else if index == 7{
StrNumStr = "07"
}else if index == 8{
StrNumStr = "08"
}else if index == 9{
StrNumStr = "09"
}else if index == 10{
StrNumStr = "10"
}
URLCache.shared.removeAllCachedResponses()
Alamofire.request("http://infoline:[email protected]/DATA/_SCH/_SCH_STD-PLAN/32/c/c000\(StrNumStr).htm").authenticate(user: "infoline", password: "14031879").responseString(){ response in
switch response.result {
case .success:
if let html = response.result.value{
usleep(1000)
self.webView.loadHTMLString(html, baseURL: URL(string: "http://infoline:[email protected]/DATA/_SCH/_SCH_STD-PLAN/32/c/c000\(self.StrNumStr).htm"))
}
var Klasse1 = [String]()
URLCache.shared.removeAllCachedResponses()
Alamofire.request("http://infoline:[email protected]/DATA/_SCH/_SCH_STD-PLAN/frames/navbar.htm", method: .post).authenticate(user: "infoline", password: "14031879").responseString { response in
switch response.result {
case .failure(let Error):
print(Error)
case .success:
if let html = response.result.value {
if html == ""{
Klasse1.append("Alle")
}else{
let str = html.components(separatedBy: "var")
let str1 = str[3].replacingOccurrences(of: ";", with: "")
let str2 = str1.replacingOccurrences(of: " classes =", with: "")
let str3 = str2.replacingOccurrences(of: "[", with: "")
let str4 = str3.replacingOccurrences(of: "]", with: "")
let str5 = str4.components(separatedBy: ",")
for (index, value) in str5.enumerated(){
let st = value.replacingOccurrences(of: "\"", with: "")
if index == 0{
Klasse1.append("05A")
continue
}else if index == str5.count - 1{
Klasse1.append("ENS")
Klasse1.insert("Alle", at: 0)
if Klasse1 != self.Klassen{
if Klasse1.isEmpty{
}else{
if Klasse1.count > 10{
self.defaults!.removeObject(forKey: "KlasseArray")
self.defaults!.set(Klasse1, forKey: "KlasseArray")
}
}
}
}else{
Klasse1.append(st)
continue
}
}
}
}
}
}
case .failure(let error):
print(error)
}
}
}else{
continue
}
}
}
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
/*
// MARK: - Navigation
// In a storyboard-based application, you will often want to do a little preparation before navigation
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
// Get the new view controller using segue.destinationViewController.
// Pass the selected object to the new view controller.
}
*/
}
| mit | 434f4d0e9d37253c7ec129c4b46b3d63 | 47.640351 | 236 | 0.425518 | 5.388727 | false | false | false | false |
uxmstudio/UXMPDFKit | Pod/Classes/Model/PDFAction.swift | 1 | 8202 | //
// PDFAction.swift
// Pods
//
// Created by Chris Anderson on 9/12/16.
//
//
import Foundation
open class PDFAction {
public static func fromPDFDictionary(_ sourceDictionary: CGPDFDictionaryRef, documentReference: CGPDFDocument) -> PDFAction? {
var action: PDFAction?
var destinationName: CGPDFStringRef? = nil
var destinationString: UnsafePointer<Int8>? = nil
var actionDictionary: CGPDFDictionaryRef? = nil
var destinationArray: CGPDFArrayRef? = nil
if CGPDFDictionaryGetDictionary(sourceDictionary, "A", &actionDictionary) {
var actionType: UnsafePointer<Int8>? = nil
if CGPDFDictionaryGetName(actionDictionary!, "S", &actionType) {
/// Handle GoTo action types
if strcmp(actionType, "GoTo") == 0 {
if !CGPDFDictionaryGetArray(actionDictionary!, "D", &destinationArray) {
CGPDFDictionaryGetString(actionDictionary!, "D", &destinationName)
}
}
else { /// Handle other link action type possibility
/// URI action type
if strcmp(actionType, "URI") == 0 {
var uriString: CGPDFStringRef? = nil
if CGPDFDictionaryGetString(actionDictionary!, "URI", &uriString) {
let uri = UnsafeRawPointer(CGPDFStringGetBytePtr(uriString!)!).assumingMemoryBound(to: Int8.self)
if let target = String(validatingUTF8: uri) {
action = PDFActionURL(stringUrl: target)
}
}
}
}
}
}
else {
/// Handle other link target possibilities
if !CGPDFDictionaryGetArray(sourceDictionary, "Dest", &destinationArray) {
if !CGPDFDictionaryGetString(sourceDictionary, "Dest", &destinationName) {
CGPDFDictionaryGetName(sourceDictionary, "Dest", &destinationString)
}
}
}
/// Handle a destination name
if destinationName != nil {
let catalogDictionary: CGPDFDictionaryRef = documentReference.catalog!
var namesDictionary: CGPDFDictionaryRef? = nil
if CGPDFDictionaryGetDictionary(catalogDictionary, "Names", &namesDictionary) {
var destsDictionary: CGPDFDictionaryRef? = nil
if CGPDFDictionaryGetDictionary(namesDictionary!, "Dests", &destsDictionary) {
let localDestinationName = UnsafeRawPointer(CGPDFStringGetBytePtr(destinationName!)!).assumingMemoryBound(to: Int8.self)
destinationArray = self.destinationWithName(localDestinationName, node: destsDictionary!)
}
}
}
/// Handle a destination string
if destinationString != nil {
let catalogDictionary: CGPDFDictionaryRef = documentReference.catalog!
var destsDictionary: CGPDFDictionaryRef? = nil
if CGPDFDictionaryGetDictionary(catalogDictionary, "Dests", &destsDictionary) {
var targetDictionary: CGPDFDictionaryRef? = nil
if CGPDFDictionaryGetDictionary(destsDictionary!, destinationString!, &targetDictionary) {
CGPDFDictionaryGetArray(targetDictionary!, "D", &destinationArray)
}
}
}
/// Handle a destination array
if (destinationArray != nil) {
var targetPageNumber = 0
var pageDictionaryFromDestArray: CGPDFDictionaryRef? = nil
if CGPDFArrayGetDictionary(destinationArray!, 0, &pageDictionaryFromDestArray) {
let pageCount = documentReference.numberOfPages
for pageNumber in 1...pageCount {
let pageRef: CGPDFPage = documentReference.page(at: pageNumber)!
let pageDictionaryFromPage: CGPDFDictionaryRef = pageRef.dictionary!
if pageDictionaryFromPage == pageDictionaryFromDestArray {
targetPageNumber = pageNumber
break
}
}
}
else {
var pageNumber: CGPDFInteger = 0
if CGPDFArrayGetInteger(destinationArray!, 0, &pageNumber) {
targetPageNumber = (pageNumber + 1)
}
}
/// We have a target page number, make GoTo link
if targetPageNumber > 0 {
action = PDFActionGoTo(pageIndex: targetPageNumber)
}
}
return action
}
fileprivate static func destinationWithName(_ destinationName: UnsafePointer<Int8>, node: CGPDFDictionaryRef) -> CGPDFArrayRef? {
var destinationArray: CGPDFArrayRef? = nil
var limitsArray: CGPDFArrayRef? = nil
if CGPDFDictionaryGetArray(node, "Limits", &limitsArray) {
var lowerLimit: CGPDFStringRef? = nil
var upperLimit: CGPDFStringRef? = nil
if CGPDFArrayGetString(limitsArray!, 0, &lowerLimit)
&& CGPDFArrayGetString(limitsArray!, 1, &upperLimit) {
let llu = CGPDFStringGetBytePtr(lowerLimit!)!
let ulu = CGPDFStringGetBytePtr(upperLimit!)!
let ll:UnsafePointer<Int8> = UnsafeRawPointer(llu).assumingMemoryBound(to: Int8.self)
let ul:UnsafePointer<Int8> = UnsafeRawPointer(ulu).assumingMemoryBound(to: Int8.self)
if (strcmp(destinationName, ll) < 0) || (strcmp(destinationName, ul) > 0) {
return nil
}
}
}
var namesArray: CGPDFArrayRef? = nil
if CGPDFDictionaryGetArray(node, "Names", &namesArray) {
let namesCount = CGPDFArrayGetCount(namesArray!)
for i in stride(from: 0, to: namesCount, by: 2) {
var destName: CGPDFStringRef? = nil
if CGPDFArrayGetString(namesArray!, i, &destName) {
let dnu = CGPDFStringGetBytePtr(destName!)!
let dn: UnsafePointer<Int8> = UnsafeRawPointer(dnu).assumingMemoryBound(to: Int8.self)
if strcmp(dn, destinationName) == 0 {
if !CGPDFArrayGetArray(namesArray!, (i + 1), &destinationArray) {
var destinationDictionary: CGPDFDictionaryRef? = nil
if CGPDFArrayGetDictionary(namesArray!, (i + 1), &destinationDictionary) {
CGPDFDictionaryGetArray(destinationDictionary!, "D", &destinationArray)
}
}
return destinationArray!
}
}
}
}
var kidsArray: CGPDFArrayRef? = nil
if CGPDFDictionaryGetArray(node, "Kids", &kidsArray) {
let kidsCount = CGPDFArrayGetCount(kidsArray!)
for i in 0..<kidsCount {
var kidNode: CGPDFDictionaryRef? = nil
if CGPDFArrayGetDictionary(kidsArray!, i, &kidNode) {
destinationArray = self.destinationWithName(destinationName, node: kidNode!)
if destinationArray != nil {
return destinationArray!
}
}
}
}
return nil
}
}
| mit | 3e6afb39025124f0c6d14c2e763273b1 | 40.634518 | 140 | 0.519264 | 5.594816 | false | false | false | false |
s1Moinuddin/TextFieldWrapper | Example/TextFieldWrapper/SimpleViewController.swift | 1 | 4008 | //
// TestOneViewController.swift
// UltimateTextFieldExample
//
// Created by Shuvo on 7/28/17.
// Copyright © 2017 Shuvo. All rights reserved.
//
import UIKit
import TextFieldWrapper
class SimpleViewController: UIViewController {
//MARK:- Private Outlets
@IBOutlet weak private var countLabel: UILabel!
@IBOutlet weak private var customTxtFld: SMTextField!
@IBOutlet weak private var phoneNumTxtFld: SMHoshiTextField!
@IBOutlet weak private var phoneNumLabel: UILabel!
@IBOutlet weak private var shakeBttn: UIButton!
@IBOutlet weak private var nextBttn: UIButton!
@IBOutlet weak private var dummyBttn: UIButton!
//MARK:- Private Constant
private let cornerRadius:CGFloat = 4
private let borderWidth:CGFloat = 2
private let borderColor:CGColor = UIColor.black.cgColor
//MARK:- View Lifecycle
override func viewDidLoad() {
super.viewDidLoad()
setupButtons()
customTxtFld.characterChangedEvent = { [weak self] (str, num) in
self?.countLabel.text = "NameFld No. of characters = \(num)/15"
}
customTxtFld.zoomScale = 1.4
customTxtFld.addBlurToView = self.view
customTxtFld.maxCharacter = 15
customTxtFld.placeholderFont = UIFont.systemFont(ofSize: 13.0, weight: UIFontWeightLight)
phoneNumTxtFld.zoomScale = 1.8
phoneNumTxtFld.maxCharacter = 12
phoneNumTxtFld.shouldTrim = false
phoneNumTxtFld.addBlurToView = self.view
phoneNumTxtFld.characterChangedEvent = { [weak self] (str, num) in
self?.phoneNumLabel.text = "\(num) / 12"
print("phoneNumTxtFld: \(str)--Num: \(num)")
}
}
override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
self.view.endEditing(true)
}
//MARK:- Private Methods
private func setupButtons() {
shakeBttn.layer.cornerRadius = cornerRadius
shakeBttn.layer.borderWidth = borderWidth
shakeBttn.layer.borderColor = borderColor
nextBttn.layer.cornerRadius = cornerRadius
nextBttn.layer.borderWidth = borderWidth
nextBttn.layer.borderColor = borderColor
dummyBttn.layer.cornerRadius = cornerRadius
dummyBttn.layer.borderWidth = borderWidth
dummyBttn.layer.borderColor = borderColor
}
//MARK:- Button Action
@IBAction private func shakeBtnAction(_ sender: UIButton) {
if sender.isSelected {
phoneNumTxtFld.shake()
customTxtFld.placeholderColor = .red
customTxtFld.shake(completion: { [weak self] in
self?.customTxtFld.placeholderColor = .blue
})
} else {
phoneNumTxtFld.shake(borderColor: .red, borderWidth: 2.0)
customTxtFld.placeholderColor = .green
customTxtFld.shake(borderColor: .red, borderWidth: 4, completion: {
[weak self] in
self?.customTxtFld.placeholderColor = .brown
})
}
sender.isSelected = !sender.isSelected
print("is Text withing limit = \(customTxtFld.isValid)")
}
@IBAction private func dummyAction(_ sender: UIButton) {
self.view.endEditing(true)
phoneNumLabel.text = phoneNumTxtFld.isValid ? phoneNumLabel.text : "Not Valid"
}
@IBAction private func goNextAction(_ sender: UIButton) {
self.view.endEditing(true)
let storyBoard = UIStoryboard(name: "Main", bundle: Bundle.main)
let vc = storyBoard.instantiateViewController(withIdentifier: "ListViewController")
navigationController?.pushViewController(vc, animated: true)
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
}
| mit | 9a5e1c61e0d2d0891292402f7b76b448 | 32.672269 | 97 | 0.632892 | 4.703052 | false | false | false | false |
kaltura/playkit-ios | Classes/Player/Decorators/PlayerDecoratorBase.swift | 1 | 5551 | // ===================================================================================================
// Copyright (C) 2017 Kaltura Inc.
//
// Licensed under the AGPLv3 license, unless a different license for a
// particular library is specified in the applicable library path.
//
// You may obtain a copy of the License at
// https://www.gnu.org/licenses/agpl-3.0.html
// ===================================================================================================
import Foundation
import AVFoundation
import AVKit
@objc open class PlayerDecoratorBase: NSObject, Player {
fileprivate var player: Player!
public func setPlayer(_ player: Player!) {
self.player = player
}
public func getPlayer() -> Player {
return self.player
}
// ***************************** //
// MARK: - Player
// ***************************** //
weak public var mediaEntry: PKMediaEntry? {
return self.player.mediaEntry
}
public var settings: PKPlayerSettings {
return self.player.settings
}
public var mediaFormat: PKMediaSource.MediaFormat {
return self.player.mediaFormat
}
public var sessionId: String {
return self.player.sessionId
}
public func addObserver(_ observer: AnyObject, event: PKEvent.Type, block: @escaping (PKEvent) -> Void) {
//Assert.shouldNeverHappen();
}
public func addObserver(_ observer: AnyObject, events: [PKEvent.Type], block: @escaping (PKEvent) -> Void) {
//Assert.shouldNeverHappen();
}
public func removeObserver(_ observer: AnyObject, event: PKEvent.Type) {
//Assert.shouldNeverHappen();
}
public func removeObserver(_ observer: AnyObject, events: [PKEvent.Type]) {
//Assert.shouldNeverHappen();
}
public func updatePluginConfig(pluginName: String, config: Any) {
self.player.updatePluginConfig(pluginName: pluginName, config: config)
}
public func updateTextTrackStyling() {
self.player.updateTextTrackStyling()
}
public func isLive() -> Bool {
return self.player.isLive()
}
public func getController(type: PKController.Type) -> PKController? {
return self.player.getController(type: type)
}
public func addPeriodicObserver(interval: TimeInterval, observeOn dispatchQueue: DispatchQueue? = nil, using block: @escaping (TimeInterval) -> Void) -> UUID {
return self.player.addPeriodicObserver(interval: interval, observeOn: dispatchQueue, using: block)
}
public func addBoundaryObserver(boundaries: [PKBoundary], observeOn dispatchQueue: DispatchQueue? = nil, using block: @escaping (TimeInterval, Double) -> Void) -> UUID {
return self.player.addBoundaryObserver(boundaries: boundaries, observeOn: dispatchQueue, using: block)
}
public func removePeriodicObserver(_ token: UUID) {
self.player.removePeriodicObserver(token)
}
public func removeBoundaryObserver(_ token: UUID) {
self.player.removeBoundaryObserver(token)
}
// ***************************** //
// MARK: - BasicPlayer
// ***************************** //
public var duration: Double {
return self.player.duration
}
open var currentState: PlayerState {
return self.player.currentState
}
open var isPlaying: Bool {
return self.player.isPlaying
}
public weak var view: PlayerView? {
get {
return self.player.view
}
set {
self.player.view = newValue
}
}
public var currentTime: TimeInterval {
get {
return self.player.currentTime
}
set {
self.player.currentTime = newValue
}
}
public var currentProgramTime: Date? {
return self.player.currentProgramTime
}
public var currentAudioTrack: String? {
return self.player.currentAudioTrack
}
public var currentTextTrack: String? {
return self.player.currentTextTrack
}
public var rate: Float {
get {
return self.player.rate
}
set {
self.player.rate = newValue
}
}
public var volume: Float {
get {
return self.player.volume
}
set {
self.player.volume = newValue
}
}
@objc public var loadedTimeRanges: [PKTimeRange]? {
return self.player.loadedTimeRanges
}
@objc public var bufferedTime: TimeInterval {
return self.player.bufferedTime
}
open func play() {
self.player.play()
}
open func pause() {
self.player.pause()
}
open func resume() {
self.player.resume()
}
open func stop() {
self.player.stop()
}
public func replay() {
self.player.replay()
}
open func seek(to time: TimeInterval) {
self.player.seek(to: time)
}
open func seekToLiveEdge() {
self.player.seekToLiveEdge()
}
public func selectTrack(trackId: String) {
self.player.selectTrack(trackId: trackId)
}
open func destroy() {
self.player.destroy()
}
open func prepare(_ config: MediaConfig) {
self.player.prepare(config)
}
public func startBuffering() {
self.player.startBuffering()
}
}
| agpl-3.0 | 7098d753d4f4ec8c1da20594ab7fc467 | 25.433333 | 173 | 0.567645 | 4.818576 | false | false | false | false |
codepgq/AnimateDemo | Animate/Animate/controller/BaseAnimation/Scale/ScaleController.swift | 1 | 1396 | //
// ScaleController.swift
// Animate
//
// Created by Mac on 17/2/7.
// Copyright © 2017年 Mac. All rights reserved.
//
import UIKit
class ScaleController: UIViewController {
@IBOutlet weak var imgView1: UIImageView!
@IBOutlet weak var imgView2: UIImageView!
@IBOutlet weak var imgView3: UIImageView!
override func viewDidLoad() {
super.viewDidLoad()
startAnimation()
}
func startAnimation(){
//Scale
let scaleAnimate = Animate.baseAnimationWithKeyPath("transform.scale", fromValue: nil, toValue: 1.2, duration: 1.5, repeatCount: Float.infinity, timingFunction: nil)
scaleAnimate.autoreverses = true
imgView1.layer.add(scaleAnimate, forKey: "transform.scale")
//Scale
let scaleXAnimate = Animate.baseAnimationWithKeyPath("transform.scale.x", fromValue: nil, toValue: 2.0, duration: 1.5, repeatCount: Float.infinity, timingFunction: nil)
scaleXAnimate.autoreverses = true
imgView2.layer.add(scaleXAnimate, forKey: "transform.scale.x")
//Scale
let scaleYAnimate = Animate.baseAnimationWithKeyPath("transform.scale.y", fromValue: nil, toValue: 1.5, duration: 1.5, repeatCount: Float.infinity, timingFunction: nil)
scaleYAnimate.autoreverses = true
imgView3.layer.add(scaleYAnimate, forKey: "transform.scale.y")
}
}
| apache-2.0 | 31fa355b5018594e3fb9d4852d78892e | 34.717949 | 176 | 0.680546 | 4.286154 | false | false | false | false |
blockchain/My-Wallet-V3-iOS | Modules/FeatureTransaction/Sources/FeatureTransactionDomain/Send/BlockchainNameResolution/BlockchainNameResolutionService.swift | 1 | 3034 | // Copyright © Blockchain Luxembourg S.A. All rights reserved.
import Combine
import DIKit
import MoneyKit
import PlatformKit
public protocol BlockchainNameResolutionServiceAPI {
func validate(
domainName: String,
currency: CryptoCurrency
) -> AnyPublisher<ReceiveAddress?, Never>
func reverseResolve(
address: String
) -> AnyPublisher<[String], Never>
}
final class BlockchainNameResolutionService: BlockchainNameResolutionServiceAPI {
private let repository: BlockchainNameResolutionRepositoryAPI
private let factory: ExternalAssetAddressServiceAPI
init(
repository: BlockchainNameResolutionRepositoryAPI = resolve(),
factory: ExternalAssetAddressServiceAPI = resolve()
) {
self.repository = repository
self.factory = factory
}
func validate(
domainName: String,
currency: CryptoCurrency
) -> AnyPublisher<ReceiveAddress?, Never> {
guard preValidate(domainName: domainName) else {
return .just(nil)
}
return repository
.resolve(domainName: domainName, currency: currency.code)
.eraseError()
.flatMap { [factory] response -> AnyPublisher<ReceiveAddress?, Error> in
factory
.makeExternalAssetAddress(
asset: currency,
address: response.address,
label: Self.label(address: response.address, domain: domainName),
onTxCompleted: { _ in .empty() }
)
.map { $0 as ReceiveAddress }
.publisher
.eraseToAnyPublisher()
.eraseError()
}
.replaceError(with: nil)
.eraseToAnyPublisher()
}
func reverseResolve(
address: String
) -> AnyPublisher<[String], Never> {
repository
.reverseResolve(address: address)
.replaceError(with: [])
.map { $0.map(\.domainName) }
.eraseToAnyPublisher()
}
private static func label(address: String, domain: String) -> String {
"\(domain) (\(address.prefix(4))...\(address.suffix(4)))"
}
private func preValidate(domainName: String) -> Bool {
preValidateEmojiDomain(domainName)
|| preValidateRegularDomain(domainName)
}
private func preValidateEmojiDomain(_ domainName: String) -> Bool {
domainName.containsEmoji
}
private func preValidateRegularDomain(_ domainName: String) -> Bool {
// Separated by '.' (period)
let components = domainName.components(separatedBy: ".")
// Must have more than one component
guard components.count > 1 else {
return false
}
// No component may be empty
guard !components.contains(where: \.isEmpty) else {
return false
}
// Pre validation passes
return true
}
}
| lgpl-3.0 | 058a71704c4c7d4ea2743dc001ad6705 | 30.268041 | 89 | 0.593472 | 5.455036 | false | false | false | false |
pepaslabs/TODOApp | TODOApp/ListsTableViewController.swift | 1 | 3291 | //
// ListsTableViewController.swift
// TODOApp
//
// Created by Pepas Personal on 8/2/15.
// Copyright (c) 2015 Pepas Personal. All rights reserved.
//
import UIKit
class ListsTableViewController: UITableViewController
{
private var dataSource: ListsTableViewDataSource = ListsTableViewDataSource()
override func viewDidLoad()
{
super.viewDidLoad()
title = "Lists"
_setupTableView()
}
}
// MARK: Factory methods
extension ListsTableViewController
{
class func storyboard() -> UIStoryboard
{
let storyboard = UIStoryboard(name: "ListsTableViewController", bundle: nil)
return storyboard
}
class func instantiateFromStoryboard() -> ListsTableViewController
{
let storyboard = self.storyboard()
let vc = storyboard.instantiateViewControllerWithIdentifier("ListsTableViewController") as! ListsTableViewController
return vc
}
}
extension ListsTableViewController: UITableViewDelegate
{
override func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath)
{
if let title = dataSource.titleAtIndex(indexPath.row)
{
switch title {
case "Tasks":
_presentTasksTableViewController()
case "Done":
_presentDoneTableViewController()
default:
return
}
}
}
}
// MARK: private helpers
extension ListsTableViewController
{
private func _setupTableView()
{
tableView.registerClass(UITableViewCell.self, forCellReuseIdentifier: "UITableViewCell")
tableView.dataSource = dataSource
}
private func _presentTasksTableViewController()
{
// let vc = TasksTableViewController.instantiateFromStoryboard()
let vc = TasksTableViewController2Factory.createDefaultController()
navigationController?.showViewController(vc, sender: self)
}
private func _presentDoneTableViewController()
{
// let vc = DoneTableViewController.instantiateFromStoryboard()
let vc = TasksTableViewController2Factory.createDoneController()
navigationController?.showViewController(vc, sender: self)
}
}
class ListsTableViewDataSource: NSObject
{
func titleAtIndex(index: Int) -> String?
{
switch index {
case 0:
return "Tasks"
case 1:
return "Done"
default:
return nil
}
}
}
extension ListsTableViewDataSource: UITableViewDataSource
{
@objc func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int
{
return 2
}
@objc func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell
{
let cell = tableView.dequeueReusableCellWithIdentifier("UITableViewCell", forIndexPath: indexPath) as! UITableViewCell
_configureCell(cell, atIndex: indexPath.row)
return cell
}
}
// MARK: private helpers
extension ListsTableViewDataSource
{
private func _configureCell(cell: UITableViewCell, atIndex index: Int)
{
cell.textLabel?.text = titleAtIndex(index)
}
}
| mit | da11a118b70105642d7109eada55695d | 25.540323 | 126 | 0.659374 | 5.568528 | false | false | false | false |
CUITCHE/code-obfuscation | obfuse-code/obfuse-code/flag.swift | 1 | 13161 | //
// flag.swift
// CodeObfuscation
//
// Created by hejunqiu on 2017/7/10.
// Copyright © 2017年 CHE. All rights reserved.
//
import Foundation
fileprivate protocol Value {
/// 返回值的string形式,要求返回的string能转换成值
var string: String { get }
/// 用string设置值
///
/// - Parameter str: 值的string形式
/// - Returns: optional类型,如果改string不能匹配到值,则返回一个字符串表示出错。
func set(str: String) -> String?
func set(str: Substring) -> String?
}
extension Value {
func set(str: Substring) -> String? {
return set(str: String(str))
}
}
public struct Flag {
fileprivate static var identifier = 0
fileprivate let id: Int = {
defer {
Flag.identifier += 1
}
return Flag.identifier
}()
let name: String
let usage: String
fileprivate var value: Value
fileprivate let defValue: String
var isBoolFlag: Bool {
return value is _Bool
}
static func unquoteUsage(flag: Flag) -> (name: String, usage: String) {
let usage = flag.usage as NSString
let first = usage.range(of: "`")
let second = usage.range(of: "`", options: .backwards, range: NSRange.init(location: 0, length: usage.length), locale: nil)
if first.location != second.location {
let name = usage.substring(with: NSRange.init(location: first.location + 1, length: second.location - first.location - 1))
let usageNew = usage.substring(to: first.location) + name + usage.substring(from: second.location + 1)
return (name: name, usage: usageNew)
}
var name = "value"
if flag.value is _Bool {
name = ""
} else if flag.value is _Integer {
name = "int"
} else if flag.value is _Float {
name = "float"
} else if flag.value is _String {
name = "string"
}
return (name: name, usage: usage as String)
}
}
public typealias __bool = Bool
fileprivate class _Bool: Value {
var val: UnsafeMutablePointer<__bool>
init(booleanLiteral value: Bool) {
self.val = UnsafeMutablePointer<__bool>.allocate(capacity: MemoryLayout<__bool>.size)
self.val.initialize(to: value)
}
deinit {
val.deinitialize()
val.deallocate(capacity: MemoryLayout<__bool>.size)
}
fileprivate func set(str: String) -> String? {
if let b = Bool(str) {
val.pointee = b
} else {
return "invalid syntax"
}
return nil
}
var string: String {
return val.pointee ? "true" : "false"
}
}
fileprivate class _Integer: Value {
var val: UnsafeMutablePointer<sint64>
init(value: sint64) {
self.val = UnsafeMutablePointer<sint64>.allocate(capacity: MemoryLayout<sint64>.size)
self.val.initialize(to: value)
}
deinit {
val.deinitialize()
val.deallocate(capacity: MemoryLayout<sint64>.size)
}
func set(str: String) -> String? {
if let val = sint64(str) {
self.val.pointee = val
} else {
return "invalid syntax"
}
return nil
}
var string: String {
return String(self.val.pointee)
}
}
fileprivate class _Float: Value {
var val: UnsafeMutablePointer<Double>
init(value: Double) {
self.val = UnsafeMutablePointer<Double>.allocate(capacity: MemoryLayout<Double>.size)
self.val.initialize(to: value)
}
deinit {
val.deinitialize()
val.deallocate(capacity: MemoryLayout<Double>.size)
}
func set(str: String) -> String? {
if let val = Double(str) {
self.val.pointee = val
} else {
return "invalid syntax"
}
return nil
}
var string: String {
return String(self.val.pointee)
}
}
fileprivate class _String: Value {
var val: UnsafeMutablePointer<NSString>
init(value: String) {
self.val = UnsafeMutablePointer<NSString>.allocate(capacity: MemoryLayout<NSString>.size)
self.val.initialize(to: value as NSString)
}
deinit {
val.deinitialize()
val.deallocate(capacity: MemoryLayout<NSString>.size)
}
func set(str: String) -> String? {
self.val.pointee = str as NSString
return nil
}
var string: String {
return self.val.pointee as String
}
}
public struct FlagSet {
let name: String
fileprivate var parsed = false
fileprivate var formal = [String: Flag]()
fileprivate var actual = [String: Flag]()
var args: [String]
var output: UnsafeMutablePointer<FILE>? = nil
init() {
var argv = CommandLine.arguments
let name = argv.removeFirst()
self.name = (name as NSString).lastPathComponent
self.args = argv
}
}
fileprivate extension FlagSet {
func out() -> UnsafeMutablePointer<FILE> {
if self.output == nil {
return stderr
}
return self.output!
}
mutating func bindVariable(value: Value, name: String, usage: String) {
if formal.index(forKey: name) != nil {
var msg: String
if self.name.characters.count == 0 {
msg = "flag redefined: \(name)"
} else {
msg = "\(self.name) flag redefined: \(name)"
}
putln(text: msg)
}
let flag = Flag.init(name: name, usage: usage, value: value, defValue: value.string)
formal[name] = flag
}
mutating func Bool(value: Bool, name: String, usage: String) -> UnsafePointer<__bool> {
let bool = _Bool.init(booleanLiteral: value)
self.bindVariable(value: bool, name: name, usage: usage)
return UnsafePointer<__bool>(bool.val)
}
mutating func Integer(value: sint64, name: String, usage: String) -> UnsafePointer<sint64> {
let integer = _Integer.init(value: value)
self.bindVariable(value: integer, name: name, usage: usage)
return UnsafePointer<sint64>(integer.val)
}
mutating func Float(value: Double, name: String, usage: String) -> UnsafePointer<Double> {
let float = _Float.init(value: value)
self.bindVariable(value: float, name: name, usage: usage)
return UnsafePointer<Double>(float.val)
}
mutating func string(value: String, name: String, usage: String) -> UnsafePointer<NSString> {
let string = _String.init(value: value)
self.bindVariable(value: string, name: name, usage: usage)
return UnsafePointer<NSString>(string.val)
}
mutating func parse() {
self.parsed = true
while true {
let (seen, error) = self.parseOne()
if seen {
continue
}
if error == nil {
break
}
putln(text: error!)
exit(2)
}
}
mutating func parseOne() -> (Bool, String?) {
if args.isEmpty {
return (false, nil)
}
let s = args[0]
if s.count == 0 || s[s.startIndex] != "-" || s.count == 1 {
return (false, "Unknown identifier: \(s)")
}
var numMinuses = 1
if s[s.index(after: s.startIndex)] == "-" {
if s.characters.count == 2 {
args.removeFirst()
return (false, nil)
}
numMinuses += 1
}
var name = s[s.index(s.startIndex, offsetBy: numMinuses)...]
if name.isEmpty || name[name.startIndex] == "-" || name[name.startIndex] == "=" {
return (false, "bad flag syntax: \(s)")
}
args.removeFirst()
var hasValue = false
var value: Substring = ""
for (i, ch) in name.characters.dropFirst().enumerated() {
if ch == "=" {
hasValue = true
value = name[name.index(name.startIndex, offsetBy: i + 1 + 1)...]
name = name[...name.index(name.startIndex, offsetBy: i)]
break
}
}
let flag = formal[String(name)]
if let flag = flag {
if flag.isBoolFlag { // special case: doesn't need an arg
if hasValue {
if let err = flag.value.set(str: value) {
return (false, "invalid boolean value \(value) for -\(name): \(err)")
}
} else {
if let err = flag.value.set(str: "true") {
return (false, "invalid boolean value for -\(name): \(err)")
}
}
} else {
// It must have a value, which might be the next argument.
if hasValue == false && args.count > 0 {
hasValue = true
value = args.first![...]
args.removeFirst()
}
if hasValue == false {
return (false, "flag needs an argument: -\(name)")
}
if let err = flag.value.set(str: value) {
return (false, "invalid value \(value) for flag -\(name): \(err)");
}
}
} else {
if name == "help" || name == "h" { // special case for nice help message.
self.usage()
exit(0)
}
return (false, "flag provided but not defined: -\(name)")
}
actual[String(name)] = flag
return (true, nil)
}
}
public extension FlagSet {
fileprivate func usage() {
defaultUsage()
}
public func defaultUsage() {
if name.characters.count == 0 {
putln(text: "Usage:")
} else {
putln(text: "Usage of \(name):")
}
printDefault()
}
public func printDefault() {
self.visitAll { (flag) in
let name = " -\(flag.name)" // Two spaces before -; see next two comments.
var s = ""
let info = Flag.unquoteUsage(flag: flag)
if info.name.characters.count > 0 {
s += " " + info.name
}
// Boolean flags of one ASCII letter are so common we
// treat them specially, putting their usage on the same line.
if s.characters.count + name.characters.count <= 4 {
s += "\t"
} else {
// Four spaces before the tab triggers good alignment
// for both 4- and 8-space tab stops.
s += "\n \t"
}
s += info.usage
if isZeroValue(flag: flag, value: flag.defValue) == false {
if flag.value is _String {
s += " (default \"\(flag.defValue)\")"
} else {
s += " (default \(flag.defValue))"
}
}
s += "\n"
print(colorText: name, otherText: s)
}
}
public func visitAll(fn: (_ flag: Flag) -> Void) {
let values = formal.values.sorted { $0.id < $1.id }
for flag in values {
fn(flag)
}
}
fileprivate func putln(text: String) {
fputs("\(text)\n", stderr)
}
fileprivate func print(colorText: String, otherText: String) {
fputs("\u{001b}[0;1m\(colorText)\u{001b}[0m\(otherText)\n", stderr)
}
fileprivate func isZeroValue(flag: Flag, value: String) -> Bool {
// Build a zero value of the flag's Value type, and see if the
// result of calling its String method equals the value passed in.
// This works unless the Value type is itself an interface type.
switch value {
case "false":
return true
case "":
return true
case "0":
return true
default:
return false
}
}
}
fileprivate var FlagCommandLine = FlagSet.init()
@objc
public class flag: NSObject {
static func Bool(name: String, defValue: Bool, usage: String) -> UnsafePointer<__bool> {
return FlagCommandLine.Bool(value: defValue, name: name, usage: usage)
}
static func Integer(name: String, defValue: sint64, usage: String) -> UnsafePointer<sint64> {
return FlagCommandLine.Integer(value: defValue, name: name, usage: usage)
}
static func Float(name: String, defValue: Double, usage: String) -> UnsafePointer<Double> {
return FlagCommandLine.Float(value: defValue, name: name, usage: usage)
}
static func String(name: String, defValue: String, usage: String) -> UnsafePointer<NSString> {
let str = FlagCommandLine.string(value: defValue, name: name, usage: usage)
return str
}
static func parse() {
FlagCommandLine.parse()
}
static func parsed() -> Bool {
return FlagCommandLine.parsed
}
static public var executedPath: String {
get {
return CommandLine.arguments.first ?? ""
}
}
}
| mit | 4f05976e01f8cf77b78c1a4fc89e684e | 28.538462 | 134 | 0.541513 | 4.241715 | false | false | false | false |
Kawoou/FlexibleImage | Sources/Device/ImageNoneDevice.swift | 1 | 6507 | //
// ImageNoneDevice.swift
// FlexibleImage
//
// Created by Kawoou on 2017. 5. 10..
// Copyright © 2017년 test. All rights reserved.
//
#if !os(OSX)
import UIKit
#else
import AppKit
#endif
internal class ImageNoneDevice: ImageDevice {
// MARK: - Property
internal var context: CGContext?
internal var drawRect: CGRect?
internal var memorySize: Int?
internal var memoryPool: UnsafeMutablePointer<UInt8>?
// MARK: - ImageDevice
internal override func beginGenerate(_ isAlphaProcess: Bool) {
/// Space Size
let scale = self.imageScale
guard let imageRef = self.cgImage else { return }
defer { self.image = nil }
/// Calc size
let tempW = self.spaceSize.width + self.margin.horizontal + self.padding.horizontal
let tempH = self.spaceSize.height + self.margin.vertical + self.padding.vertical
let width = Int(tempW * scale)
let height = Int(tempH * scale)
let spaceRect = CGRect(
x: 0,
y: 0,
width: width,
height: height
)
self.drawRect = spaceRect
/// Alloc Memory
self.memorySize = width * height * 4
self.memoryPool = UnsafeMutablePointer<UInt8>.allocate(capacity: self.memorySize!)
memset(self.memoryPool!, 0, self.memorySize!)
/// Create Context
self.context = CGContext(
data: self.memoryPool,
width: width,
height: height,
bitsPerComponent: 8,
bytesPerRow: width * 4,
space: CGColorSpaceCreateDeviceRGB(),
bitmapInfo: (CGBitmapInfo.byteOrder32Big.rawValue | CGImageAlphaInfo.premultipliedLast.rawValue)
)
/// Push Context
guard let context = self.context else {
self.drawRect = nil
#if swift(>=4.1)
self.memoryPool!.deallocate()
#else
self.memoryPool!.deallocate(capacity: self.memorySize!)
#endif
self.memorySize = nil
self.memoryPool = nil
return
}
/// Corner Radius
if self.corner.isZero() == false {
let cornerPath = self.corner.clipPath(spaceRect)
context.addPath(cornerPath.cgPath)
context.clip()
}
/// Draw Background
if let background = self.background {
context.saveGState()
context.setBlendMode(.normal)
context.setFillColor(background.cgColor)
context.fill(spaceRect)
context.restoreGState()
}
/// Draw
let size = self.scale ?? self.spaceSize
let tempX = self.offset.x + self.margin.left + self.padding.left
let tempY = self.offset.y + self.margin.top + self.padding.top
context.saveGState()
context.setBlendMode(.normal)
context.setAlpha(self.opacity)
if let rotateRadius = self.rotate {
context.translateBy(
x: self.spaceSize.width * 0.5,
y: self.spaceSize.height * 0.5
)
context.rotate(by: rotateRadius)
let calcX = -size.width * 0.5 + tempX
let calcY = -size.height * 0.5 + tempY
let rect = CGRect(
x: calcX * scale,
y: calcY * scale,
width: size.width * scale,
height: size.height * scale
)
self.draw(imageRef, in: rect, on: context)
} else {
let rect = CGRect(
x: tempX * scale,
y: tempY * scale,
width: size.width * scale,
height: size.height * scale
)
self.draw(imageRef, in: rect, on: context)
}
context.restoreGState()
/// Push clip
context.saveGState()
if !isAlphaProcess {
context.clip(to: spaceRect, mask: context.makeImage()!)
}
}
internal override func endGenerate() -> CGImage? {
guard let context = self.context else { return nil }
defer {
self.drawRect = nil
#if swift(>=4.1)
self.memoryPool!.deallocate()
#else
self.memoryPool!.deallocate(capacity: self.memorySize!)
#endif
self.memorySize = nil
self.memoryPool = nil
}
let scale = self.imageScale
/// Pop clip
context.restoreGState()
/// Draw border
if let border = self.border {
let borderPath: FIBezierPath
let borderSize = self.scale ?? self.spaceSize
let borderRect = CGRect(
x: (self.offset.x + self.margin.left) * scale,
y: (self.offset.y + self.margin.top) * scale,
width: (borderSize.width + self.padding.left + self.padding.right) * scale,
height: (borderSize.height + self.padding.top + self.padding.bottom) * scale
)
if border.radius > 0 {
#if !os(OSX)
borderPath = UIBezierPath(roundedRect: borderRect, cornerRadius: border.radius * 2)
#else
borderPath = NSBezierPath(roundedRect: borderRect, xRadius: border.radius * 2, yRadius: border.radius * 2)
#endif
} else {
borderPath = FIBezierPath(rect: borderRect)
}
context.saveGState()
context.setStrokeColor(border.color.cgColor)
context.addPath(borderPath.cgPath)
context.setLineWidth(border.lineWidth)
context.replacePathWithStrokedPath()
context.drawPath(using: .stroke)
context.restoreGState()
}
/// Post-processing
let width = Int(self.drawRect!.width)
let height = Int(self.drawRect!.height)
self.postProcessList.forEach { closure in
closure(context, width, height, memoryPool!)
}
/// Convert Image
return context.makeImage()
}
// MARK: - Lifecycle
internal override init() {
super.init()
self.type = .None
}
}
| mit | 77101addc98e443a0671a8ade26434d5 | 30.42029 | 126 | 0.524293 | 4.868263 | false | false | false | false |
cwwise/CWWeChat | CWWeChat/ChatModule/CWChatKit/Message/View/CWMessageCell.swift | 2 | 8697 | //
// CWMessageCell.swift
// CWWeChat
//
// Created by wei chen on 2017/7/14.
// Copyright © 2017年 cwcoder. All rights reserved.
//
import UIKit
protocol CWMessageCellDelegate: NSObjectProtocol {
/// 点击cell文字中的URL
///
/// - Parameters:
/// - cell: cell
/// - link: link
func messageCellDidTap(_ cell: CWMessageCell, link: URL)
/// 点击cell文字中的电话
///
/// - Parameters:
/// - cell: cell
/// - phone: phone
func messageCellDidTap(_ cell: CWMessageCell, phone: String)
/// cell被点击
///
/// - Parameter cell: cell
func messageCellDidTap(_ cell: CWMessageCell)
/// cell 重发按钮点击
///
/// - Parameter cell: cell
func messageCellResendButtonClick(_ cell: CWMessageCell)
/// 头像点击的回调方法
///
/// - Parameter userId: 用户id
func messageCellUserAvatarDidClick(_ userId: String)
}
/*
cell 每一种cell 对应左右布局 两种不同的reuseIdentifier
TextContentView
ImageContentView
**/
class CWMessageCell: UICollectionViewCell {
weak var delegate: CWMessageCellDelegate?
var message: CWMessageModel?
// MARK: 属性
/// 用户名称
var usernameLabel:UILabel = {
let usernameLabel = UILabel()
usernameLabel.backgroundColor = UIColor.clear
usernameLabel.font = UIFont.systemFont(ofSize: 12)
usernameLabel.text = "nickname"
return usernameLabel
}()
/// 头像
lazy var avatarImageView:UIImageView = {
let avatarImageView = UIImageView()
avatarImageView.contentMode = .scaleAspectFit
avatarImageView.backgroundColor = UIColor.gray
avatarImageView.isUserInteractionEnabled = true
let tap = UITapGestureRecognizer(target: self, action: #selector(avatarViewDidTapDown(_:)))
avatarImageView.addGestureRecognizer(tap)
return avatarImageView
}()
/// 消息的内容部分
lazy var messageContentView: MessageContentView = {
let messageContentView: MessageContentView
let messageType = CWMessageType(identifier: self.reuseIdentifier!)
switch messageType {
case .text:
messageContentView = TextMessageContentView()
case .image:
messageContentView = ImageMessageContentView()
case .voice:
messageContentView = VoiceMessageContentView()
// case .video:
// <#code#>
// case .file:
// <#code#>
case .location:
messageContentView = LocationMessageContentView()
case .emoticon:
messageContentView = EmoticonMessageContentView()
case .notification:
messageContentView = NotificationMessageContentView()
default:
messageContentView = MessageContentView()
}
messageContentView.addGestureRecognizer(self.longPressGestureRecognizer)
messageContentView.addGestureRecognizer(self.doubletapGesture)
messageContentView.addGestureRecognizer(self.tapGestureRecognizer)
self.tapGestureRecognizer.require(toFail: self.doubletapGesture)
self.tapGestureRecognizer.require(toFail: self.longPressGestureRecognizer)
self.contentView.addSubview(messageContentView)
return messageContentView
}()
/// 指示
var activityView = UIActivityIndicatorView(activityIndicatorStyle: .gray)
/// 发送失败按钮
lazy var errorButton:UIButton = {
let errorButton = UIButton(type: .custom)
errorButton.setImage(CWAsset.MessageSendFail.image, for: UIControlState())
errorButton.sizeToFit()
errorButton.addTarget(self, action: #selector(errorButtonClick(_:)), for: .touchUpInside)
errorButton.isHidden = true
return errorButton
}()
///手势操作
fileprivate(set) lazy var tapGestureRecognizer: UITapGestureRecognizer = {
let tapGestureRecognizer = UITapGestureRecognizer(target: self, action: #selector(bubbleTapped(_:)))
return tapGestureRecognizer
}()
fileprivate(set) lazy var doubletapGesture: UITapGestureRecognizer = {
let doubletapGesture = UITapGestureRecognizer(target: self, action: #selector(bubbleDoubleTapped(_:)))
doubletapGesture.numberOfTapsRequired = 2
return doubletapGesture
}()
fileprivate(set) lazy var longPressGestureRecognizer: UILongPressGestureRecognizer = {
let longpressGestureRecognizer = UILongPressGestureRecognizer(target: self, action: #selector(bubbleLongPressed(_:)))
longpressGestureRecognizer.delegate = self
return longpressGestureRecognizer
}()
override init(frame: CGRect) {
super.init(frame: frame)
self.contentView.addSubview(avatarImageView)
self.contentView.addSubview(usernameLabel)
self.contentView.addSubview(activityView)
self.contentView.addSubview(errorButton)
}
// 设置
func refresh(message: CWMessageModel) {
self.message = message
updateState()
// 赋值
let userId = message.targetId
let avatarURL = "\(kImageBaseURLString)\(userId).jpg"
avatarImageView.kf.setImage(with: URL(string: avatarURL), placeholder: defaultHeadeImage)
self.messageContentView.refresh(message: message)
}
func updateState() {
guard let message = message else {
return
}
// 如果是收到消息 则隐藏
if message.isSend == false {
activityView.stopAnimating()
errorButton.isHidden = true
return
}
// 发送中展示
if message.sendStatus == .successed {
activityView.stopAnimating()
errorButton.isHidden = true
}
// 如果失败就显示重发按钮
else if message.sendStatus == .failed {
activityView.stopAnimating()
errorButton.isHidden = false
} else {
activityView.startAnimating()
errorButton.isHidden = true
}
}
func updateProgress() {
self.messageContentView.updateProgress()
}
// MARK: cell中的事件处理
///头像点击
@objc func avatarViewDidTapDown(_ tap: UITapGestureRecognizer) {
guard let delegate = self.delegate, let message = message, tap.state == .ended else {
return
}
let targetId = message.isSend ? message.targetId : message.senderId
delegate.messageCellUserAvatarDidClick(targetId)
}
// MARK: 手势事件
@objc func bubbleTapped(_ tapGestureRecognizer: UITapGestureRecognizer) {
guard tapGestureRecognizer.state == .ended else {
return
}
self.delegate?.messageCellDidTap(self)
}
@objc func bubbleDoubleTapped(_ tapGestureRecognizer: UITapGestureRecognizer) {
}
@objc func bubbleLongPressed(_ longPressGestureRecognizer: UILongPressGestureRecognizer) {
if longPressGestureRecognizer.state == .began {
}
}
@objc func errorButtonClick(_ button: UIButton) {
self.delegate?.messageCellResendButtonClick(self)
}
override var isSelected: Bool {
didSet {
}
}
// MARK: UIMenuController
@objc func copyContentMessage() {
}
override func becomeFirstResponder() -> Bool {
return true
}
override func canPerformAction(_ action: Selector, withSender sender: Any?) -> Bool {
return true
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
}
// MARK: - UIGestureRecognizerDelegate
extension CWMessageCell: UIGestureRecognizerDelegate {
}
// MARK: - 布局
extension CWMessageCell {
override func apply(_ layoutAttributes: UICollectionViewLayoutAttributes) {
super.apply(layoutAttributes)
guard let layoutAttributes = layoutAttributes as? CWMessageLayoutAttributes else {
return
}
avatarImageView.frame = layoutAttributes.avaterFrame
usernameLabel.frame = layoutAttributes.usernameFrame
messageContentView.frame = layoutAttributes.messageContainerFrame
//
activityView.frame = layoutAttributes.activityFrame
errorButton.frame = layoutAttributes.errorFrame
}
}
| mit | a541fc807bb5127c8b6ed99ee4d6c113 | 28.144828 | 125 | 0.633933 | 5.477641 | false | false | false | false |
tectijuana/patrones | Bloque1SwiftArchivado/PracticasSwift/SalcedoJose/39_C5Perinola.swift | 1 | 2892 | /*
Nombre del programa: Capitulo 5. Problema 39. Perinola.
Autor: Salcedo Morales Jose Manuel
Fecha de inicio: 2017-02-13
-Descripcion-
Suponer que giramos una perinola dividida equitativamente en tres regiones
numeradas 1, 2 y 3. En este experimento hay solo tres posibles resultados: 1,
2 y 3. La probabilidad teorica de obtener una cualquiera de ellas es 1/3.
Simular el giro de la perinola 1,000 veces. ¿El resultado calculado se
aproxima a la probabilidad teorica?
*/
// LIBRERIAS.
import Foundation
// CONSTANTES.
let REGIONES_PERINOLA: Int = 3
let PRUEBAS: Int = 1000
// FUNCIONES.
// Funcion para cambiar los numeros aleatorios a generar para una corrida.
func DeterminarNumerosAleatorios() {
// Alimentar numeros aleatorios distintos.
srand(UInt32(time(nil)))
}
// Funcion para generar un numero aleatorio.
func GenerarNumeroAleatorio(minimo: Int, maximo: Int) -> Int {
// Definir numero a regresar.
var numeroAleatorio = 0
// Generar numero aleatorio de acuerdo al numero minimo y maximo.
numeroAleatorio = (Int(rand()) % maximo) + minimo
// Retornar numero aleatorio.
return numeroAleatorio
}
// PRINCIPAL.
// Generar numeros aleatorios distintos para esta corrida.
DeterminarNumerosAleatorios()
// Coleccion para guardar las veces que se repitio una region de la perinola.
var repeticionesRegion = [Int: Int]()
for region in 1...REGIONES_PERINOLA {
repeticionesRegion[region] = 0
}
// Realizar y desplegar las pruebas realizadas.
let pruebaNuevaLinea: Int = 100
var prueba: Int = 1
while (prueba <= PRUEBAS) {
// Obtener una region de la perinola aleatoriamente.
let regionPerinola: Int = GenerarNumeroAleatorio(minimo: 1, maximo: REGIONES_PERINOLA)
repeticionesRegion[regionPerinola] = repeticionesRegion[regionPerinola]! + 1
// Determinar el fin de sentencia a utilizar.
var finDeSentencia: String = ""
// Si la prueba es una determinada, utilizar un terminador de sentencia distinto.
if ((prueba % pruebaNuevaLinea) == 0) {
finDeSentencia = "\n"
} else {
finDeSentencia = ", "
}
// Desplegar datos de la prueba.
print("P" + String(prueba) + ": " + String(regionPerinola), terminator: finDeSentencia)
prueba = prueba + 1
}
// Desplegar repeticiones de las regiones.
print("\nRepeticiones de las regiones:")
let probabilidadRegion: Double = (1.0 / Double(REGIONES_PERINOLA)) * 100.0
for region in 1...REGIONES_PERINOLA {
let probabilidadRegionCorrida: Double = (Double(repeticionesRegion[region]!) / Double(PRUEBAS)) * 100.0
let acercamientoProbabilidad: Double = (probabilidadRegionCorrida / probabilidadRegion) * 100.0
print("Region " + String(region) + ": " + String(repeticionesRegion[region]!))
print("Probabilidad de obtener region: " + String(probabilidadRegion) + "%.")
print("Probabilidad con respecto a corrida: " + String(acercamientoProbabilidad) + "%.")
}
// Indicar fin de ejecucion.
print("\nFIN DE EJECUCION.\n")
| gpl-3.0 | e5e39854c22efa5159fb6b07a8b5719d | 31.483146 | 104 | 0.746109 | 2.826002 | false | false | false | false |
powerytg/Accented | Accented/Core/API/Requests/GetUserPhotosRequest.swift | 1 | 2484 | //
// GetUserPhotosRequest.swift
// Accented
//
// Get user photos request
//
// Created by Tiangong You on 5/31/17.
// Copyright © 2017 Tiangong You. All rights reserved.
//
import UIKit
class GetUserPhotosRequest: APIRequest {
private var page : Int
private var userId : String
init(userId : String, page : Int = 1, params : [String : String], success : SuccessAction?, failure : FailureAction?) {
self.userId = userId
self.page = page
super.init(success: success, failure: failure)
cacheKey = "photos/\(userId)/\(page)"
url = "\(APIRequest.baseUrl)photos"
parameters = params
parameters[RequestParameters.feature] = "user"
parameters[RequestParameters.userId] = userId
parameters[RequestParameters.page] = String(page)
parameters[RequestParameters.includeStates] = "1"
if params[RequestParameters.imageSize] == nil {
parameters[RequestParameters.imageSize] = APIRequest.defaultImageSizesForStream.map({ (size) -> String in
return size.rawValue
}).joined(separator: ",")
}
if params[RequestParameters.exclude] == nil {
// Apply default filters
parameters[RequestParameters.exclude] = APIRequest.defaultExcludedCategories.joined(separator: ",")
}
}
override func handleSuccess(data: Data, response: HTTPURLResponse?) {
super.handleSuccess(data: data, response: response)
let userInfo : [String : Any] = [RequestParameters.feature : StreamType.User.rawValue,
RequestParameters.userId : userId,
RequestParameters.page : page,
RequestParameters.response : data]
NotificationCenter.default.post(name: APIEvents.streamPhotosDidReturn, object: nil, userInfo: userInfo)
if let success = successAction {
success()
}
}
override func handleFailure(_ error: Error) {
super.handleFailure(error)
let userInfo : [String : String] = [RequestParameters.errorMessage : error.localizedDescription]
NotificationCenter.default.post(name: APIEvents.streamPhotosFailedReturn, object: nil, userInfo: userInfo)
if let failure = failureAction {
failure(error.localizedDescription)
}
}
}
| mit | d39e1447a372ec0988bf48a8e27cef48 | 36.621212 | 123 | 0.613371 | 5.140787 | false | false | false | false |
ckhsponge/iairportsdb | iAirportsDB/Classes/IADBRunway.swift | 1 | 3969 | //
// IADBRunway.swift
// iAirportsDB
//
// Created by Christopher Hobbs on 8/21/16.
// Copyright © 2016 Toonsy Net. All rights reserved.
//
import Foundation
import CoreData
import CoreLocation
@objc(IADBRunway)
open class IADBRunway: IADBModel {
@NSManaged var airportId: Int32
@NSManaged open var closed: Bool
@NSManaged open var lighted: Bool
@NSManaged open var headingTrue: Float // runway 12 will have a magnetic heading of ~120
@NSManaged open var identifierA: String // e.g. 12
@NSManaged open var identifierB: String // e.g. 30
@NSManaged open var lengthFeet: Int32
@NSManaged open var surface: String
@NSManaged open var widthFeet: Int32
open weak var airport:IADBAirport? // weak to prevent strong reference cycle
static let HARD_SURFACES = ["ASP", "CON", "PEM", "ASF", "PAV", "BIT", "TAR"]
static let SOFT_SURFACES = ["UNPAVED"]
// if headingDegrees is valid add the deviation, otherwise return -1
// CoreLocation doesn't provide deviation :(
// use identifier to guess heading if there is no true heading
open func headingMagnetic(_ deviation: CLLocationDirection) -> CLLocationDirection {
return self.headingTrue >= 0.0 ? IADBConstants.withinZeroTo360(Double(self.headingTrue) - deviation) : self.headingMagneticFromIdentifier()
}
open func headingMagneticFromIdentifier() -> CLLocationDirection {
return IADBRunway.identifierDegrees(self.identifierA)
}
//guess the runway heading from the identifier e.g. 01R heads 10° and 04 or 4 heads 40°
//returns -1 if guessing fails
static func identifierDegrees(_ identifier:String) -> CLLocationDirection {
let digits = CharacterSet.decimalDigits
let unicodes = identifier.unicodeScalars
if !unicodes.isEmpty && digits.contains(UnicodeScalar(unicodes[unicodes.startIndex].value)!) {
if unicodes.count >= 2 && digits.contains(UnicodeScalar(unicodes[unicodes.index(unicodes.startIndex, offsetBy: 1)].value)!) {
return CDouble(identifier.substring(to: identifier.index(identifier.startIndex, offsetBy: 2)))! * 10.0
}
else {
return CDouble(identifier.substring(to: identifier.index(identifier.startIndex, offsetBy: 1)))! * 10.0
}
}
return -1.0
}
open func isHard() -> Bool {
return IADBRunway.isHard(surface: self.surface)
}
static func isHard(surface:String) -> Bool {
let surface = surface.uppercased()
return string(surface, containsAny: IADBRunway.HARD_SURFACES) && !string(surface, containsAny: IADBRunway.SOFT_SURFACES)
}
static func string(_ s:String, containsAny matches:[String]) -> Bool {
return matches.reduce(false) { (b, match) in b || s.contains(match)}
}
override open var description: String {
return "\(self.identifierA)/\(self.identifierB) \(self.lengthFeet)\(self.widthFeet) \(self.surface) \(self.headingTrue)"
}
override open func setCsvValues( _ values: [String: String] ) {
//"id","airport_ref","airport_ident","length_ft","width_ft","surface","lighted","closed","le_ident","le_latitude_deg","le_longitude_deg","le_elevation_ft","le_heading_degT","le_displaced_threshold_ft","he_ident","he_latitude_deg","he_longitude_deg","he_elevation_ft","he_heading_degT","he_displaced_threshold_ft",
//print(values)
self.airportId = Int32(values["airport_ref"]!)!
self.closed = "1" == values["closed"]
self.lighted = "1" == values["lighted"]
self.headingTrue = Float(values["le_heading_degT"]!) ?? -1
self.identifierA = values["le_ident"] ?? ""
self.identifierB = values["he_ident"] ?? ""
self.lengthFeet = Int32(values["length_ft"]!) ?? -1
self.surface = values["surface"] ?? ""
self.widthFeet = Int32(values["width_ft"]!) ?? -1
}
}
| mit | 2f49e702e8d81940cc570eaa07be27a9 | 43.066667 | 321 | 0.656329 | 3.857977 | false | false | false | false |
soapyigu/LeetCode_Swift | DFS/ExpressionAddOperators.swift | 1 | 1978 | /**
* Question Link: https://leetcode.com/problems/expression-add-operators/
* Primary idea: Classic Depth-first Search, terminates at when position encounters the
* length of the string num, add to result when eval is equal to target
*
* Note:
* 1. String cast to Integer will make character loss, e.g. "05" -> 5
* 2. Multiplication's priority is higher than addiction
*
* Time Complexity: O(n^n), Space Complexity: O(n)
*
*/
class ExpressionAddOperators {
func addOperators(_ num: String, _ target: Int) -> [String] {
var res = [String]()
guard num.count > 0 else {
return res
}
dfs(&res, "", num, target, 0, 0, 0)
return res
}
private func dfs(_ res: inout [String], _ temp: String, _ num: String, _ target: Int, _ pos: Int, _ eval: Int, _ mul: Int) {
if pos == num.count {
if eval == target {
res.append(temp)
}
return
}
for i in pos..<num.count {
if i != pos && num[pos] == "0" {
break
}
let curt = Int(num[pos..<i + 1])!
if pos == 0 {
dfs(&res, temp + String(curt), num, target, i + 1, curt, curt)
} else {
dfs(&res, temp + "+" + String(curt), num, target, i + 1, eval + curt, curt)
dfs(&res, temp + "-" + String(curt), num, target, i + 1, eval - curt, -curt)
dfs(&res, temp + "*" + String(curt), num, target, i + 1, eval - mul + mul * curt, mul * curt)
}
}
}
}
extension String {
subscript(index: Int) -> String {
get {
assert(index < self.count)
return String(Array(self.characters)[index])
}
}
subscript(range: CountableRange<Int>) -> String {
get {
var result = ""
for i in range {
assert(i < self.count)
result.append(self[i])
}
return result
}
}
}
| mit | 25b2b2cef093f2990863b6781089cf34 | 27.666667 | 128 | 0.508595 | 3.662963 | false | false | false | false |
castillejoale/Bluefruit_LE_Connect_v2_Minimized_UART | bluefruitconnect/Platform/watchOS Extension/ConnectedInterfaceController.swift | 1 | 1766 | //
// ConnectedInterfaceController.swift
// Bluefruit Connect
//
// Created by Antonio García on 01/05/16.
// Copyright © 2016 Adafruit. All rights reserved.
//
import WatchKit
import Foundation
class ConnectedInterfaceController: WKInterfaceController {
@IBOutlet var peripheralNameLabel: WKInterfaceLabel!
@IBOutlet var uartAvailableLabel: WKInterfaceLabel!
@IBOutlet var uartUnavailableLabel: WKInterfaceLabel!
override func awakeWithContext(context: AnyObject?) {
super.awakeWithContext(context)
// Configure interface objects here.
}
override func willActivate() {
// This method is called when watch view controller is about to be visible to user
super.willActivate()
// Update values
if let appContext = WatchSessionManager.sharedInstance.session?.receivedApplicationContext {
didReceiveApplicationContext(appContext)
}
}
override func didDeactivate() {
// This method is called when watch view controller is no longer visible
super.didDeactivate()
}
// MARK: - Session
func didReceiveApplicationContext(applicationContext: [String : AnyObject]) {
DLog("ConnectedInterfaceController didReceiveApplicationContext: \(applicationContext)")
// Name
var peripheralName = "{No Name}"
if let name = applicationContext["bleConnectedPeripheralName"] as? String {
peripheralName = name
}
peripheralNameLabel.setText( peripheralName )
// Uart
let hasUart = applicationContext["bleHasUart"]?.boolValue == true
uartAvailableLabel.setHidden(!hasUart)
uartUnavailableLabel.setHidden(hasUart)
}
}
| mit | 02016ea04c074136475acd08ef9470fb | 30.5 | 100 | 0.681973 | 5.564669 | false | false | false | false |
Harry-L/5-3-1 | 531old/531/FirstViewController.swift | 1 | 7127 | //
// FirstViewController.swift
// 531
//
// Created by Harry Liu on 2016-01-21.
// Copyright © 2016 HarryLiu. All rights reserved.
//
import UIKit
class FirstViewController: UITableViewController {
var workouts = [Workout]()
var schedule = [[[Int]]]()
var nextWorkout = [Int]()
var names = ["Overhead Press", "Squat", "Bench Press", "Deadlift"]
var maximums = [Int]()
@IBAction func unwindToFirstViewController(segue: UIStoryboardSegue) {
nextWorkout = [(nextWorkout[0] + nextWorkout[1] / names.count) % 4, (nextWorkout[1] % names.count) + 1]
if nextWorkout[0] == 0 {
nextWorkout[0] = 4
}
print(nextWorkout)
}
@IBAction func unwindFromSettings(segue: UIStoryboardSegue) {
let three = parentViewController
let two = three?.parentViewController
let one = two?.parentViewController
if let pvc = one as? ContainerViewController{
pvc.closeMenu()
}
let vc = segue.sourceViewController as! Settings
maximums = vc.maximums
}
@IBAction func toggleMenu(sender: AnyObject) {
NSNotificationCenter.defaultCenter().postNotificationName("toggleMenu", object: nil)
}
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()
//basic settings
tableView.allowsSelection = false
//Pulls workouts for NSUserDefaults
let defaults = NSUserDefaults.standardUserDefaults()
workouts = defaults.arrayForKey("history") as? [Workout] ?? [Workout]()
maximums = defaults.arrayForKey("maximums") as? [Int] ?? [0, 0, 0, 0]
nextWorkout = defaults.arrayForKey("nextWorkout") as? [Int] ?? [1, 1]
schedule = [[[65, 5], [75, 5], [85, 5]], [[70, 3], [80, 3], [90, 3]], [[75, 5], [85, 3], [95, 1]], [[40, 5], [50, 5], [60, 5]]]
//Sets title
title = "5/3/1"
//Sets UI Colors
navigationController!.navigationBar.barTintColor = UIColor.blackColor()
navigationController!.navigationBar.tintColor = UIColor.whiteColor()
navigationController!.navigationBar.titleTextAttributes = [NSForegroundColorAttributeName: UIColor.whiteColor()]
tableView.backgroundColor = UIColor.lightGrayColor()
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
// MARK: - Table view data source
override func numberOfSectionsInTableView(tableView: UITableView) -> Int {
// #warning Incomplete implementation, return the number of sections
return 1
}
override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
// #warning Incomplete implementation, return the number of rows
return workouts.count
}
override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCellWithIdentifier("history", forIndexPath: indexPath) as! HistoryViewCell
let date = workouts[indexPath.row].date
let name = workouts[indexPath.row].exercises[0].movement
let week = workouts[indexPath.row].week
let formatter = NSDateFormatter()
formatter.dateStyle = NSDateFormatterStyle.LongStyle
let dateString = formatter.stringFromDate(date)
cell.dateLabel.text! = dateString
cell.nameLabel.text! = "\(name): Week \(week)"
return cell
}
override func tableView(tableView: UITableView, heightForRowAtIndexPath indexPath: NSIndexPath) -> CGFloat {
return 100.0
}
override func tableView(tableView: UITableView, willDisplayCell cell: UITableViewCell, forRowAtIndexPath indexPath: NSIndexPath) {
cell.backgroundColor = UIColor.lightGrayColor()
let subview : UIView = UIView(frame: CGRectMake(0, 0, self.view.frame.size.width, 90))
subview.backgroundColor = UIColor.whiteColor()
cell.contentView.addSubview(subview)
cell.contentView.sendSubviewToBack(subview)
}
func addWorkout(workout: Workout) {
workouts.insert(workout, atIndex: 0)
tableView.reloadData()
}
/*
// Override to support conditional editing of the table view.
override func tableView(tableView: UITableView, canEditRowAtIndexPath indexPath: NSIndexPath) -> 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, commitEditingStyle editingStyle: UITableViewCellEditingStyle, forRowAtIndexPath indexPath: NSIndexPath) {
if editingStyle == .Delete {
// Delete the row from the data source
tableView.deleteRowsAtIndexPaths([indexPath], withRowAnimation: .Fade)
} else if editingStyle == .Insert {
// Create a new instance of the appropriate class, insert it into the array, and add a new row to the table view
}
}
*/
/*
// Override to support rearranging the table view.
override func tableView(tableView: UITableView, moveRowAtIndexPath fromIndexPath: NSIndexPath, toIndexPath: NSIndexPath) {
}
*/
/*
// Override to support conditional rearranging of the table view.
override func tableView(tableView: UITableView, canMoveRowAtIndexPath indexPath: NSIndexPath) -> Bool {
// Return 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 prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) {
// Get the new view controller using segue.destinationViewController.
// Pass the selected object to the new view controller.
let back = UIBarButtonItem()
back.title = "Cancel"
navigationItem.backBarButtonItem = back
print(maximums)
if (segue.identifier == "Add") {
let vc = segue.destinationViewController as! AddWorkoutViewController
vc.week = nextWorkout[0]
let day = nextWorkout[1]
vc.movement = names[day-1]
for array in schedule[nextWorkout[0]-1] {
let current = exercise.init(movement: vc.movement, weight: maximums[day-1] * array[0] / 100, reps: array[1])
vc.exercises.append(current)
}
}
}
}
| mit | a69641a7173cae56573c6e61cab0c0fd | 35.54359 | 157 | 0.643138 | 5.137707 | false | false | false | false |
HTWDD/HTWDresden-iOS | HTWDD/Core/Extensions/MoyaProvider+Rx.swift | 1 | 2584 | //
// MoyaProvider+Rx.swift
// HTWDD
//
// Created by Mustafa Karademir on 30.06.19.
// Copyright © 2019 HTW Dresden. All rights reserved.
//
import Foundation
import RxSwift
import Moya
extension MoyaProvider: ReactiveCompatible {}
public extension Reactive where Base: MoyaProviderType {
/// Designated request-making method.
///
/// - Parameters:
/// - token: Entity, which provides specifications necessary for a `MoyaProvider`.
/// - callbackQueue: Callback queue. If nil - queue from provider initializer will be used.
/// - Returns: Single response object.
func request(_ token: Base.Target, callbackQueue: DispatchQueue? = nil) -> Single<Response> {
return Single.create { [weak base] single in
let cancellableToken = base?.request(token, callbackQueue: callbackQueue, progress: nil) { result in
switch result {
case let .success(response):
single(.success(response))
case let .failure(error):
single(.error(error))
}
}
return Disposables.create {
cancellableToken?.cancel()
}
}
}
/// Designated request-making method with progress.
func requestWithProgress(_ token: Base.Target, callbackQueue: DispatchQueue? = nil) -> Observable<ProgressResponse> {
let progressBlock: (AnyObserver) -> (ProgressResponse) -> Void = { observer in
return { progress in
observer.onNext(progress)
}
}
let response: Observable<ProgressResponse> = Observable.create { [weak base] observer in
let cancellableToken = base?.request(token, callbackQueue: callbackQueue, progress: progressBlock(observer)) { result in
switch result {
case .success:
observer.onCompleted()
case let .failure(error):
observer.onError(error)
}
}
return Disposables.create {
cancellableToken?.cancel()
}
}
// Accumulate all progress and combine them when the result comes
return response.scan(ProgressResponse()) { last, progress in
let progressObject = progress.progressObject ?? last.progressObject
let response = progress.response ?? last.response
return ProgressResponse(progress: progressObject, response: response)
}
}
}
| gpl-2.0 | 6af70a5469a7195ce2a780af0c1e6371 | 35.9 | 132 | 0.588463 | 5.484076 | false | false | false | false |
iOSDevLog/iOSDevLog | 201. UI Test/Swift/Common/ListPresenterUtilities.swift | 1 | 3721 | /*
Copyright (C) 2015 Apple Inc. All Rights Reserved.
See LICENSE.txt for this sample’s licensing information
Abstract:
Helper functions to perform common operations in `IncompleteListItemsPresenter` and `AllListItemsPresenter`.
*/
import Foundation
/**
Removes each list item found in `listItemsToRemove` from the `initialListItems` array. For each removal,
the function notifies the `listPresenter`'s delegate of the change.
*/
func removeListItemsFromListItemsWithListPresenter(listPresenter: ListPresenterType, inout initialListItems: [ListItem], listItemsToRemove: [ListItem]) {
let sortedListItemsToRemove = listItemsToRemove.sort { initialListItems.indexOf($0)! > initialListItems.indexOf($1)! }
for listItemToRemove in sortedListItemsToRemove {
// Use the index of the list item to remove in the current list's list items.
let indexOfListItemToRemoveInOldList = initialListItems.indexOf(listItemToRemove)!
initialListItems.removeAtIndex(indexOfListItemToRemoveInOldList)
listPresenter.delegate?.listPresenter(listPresenter, didRemoveListItem: listItemToRemove, atIndex: indexOfListItemToRemoveInOldList)
}
}
/**
Inserts each list item in `listItemsToInsert` into `initialListItems`. For each insertion, the function
notifies the `listPresenter`'s delegate of the change.
*/
func insertListItemsIntoListItemsWithListPresenter(listPresenter: ListPresenterType, inout initialListItems: [ListItem], listItemsToInsert: [ListItem]) {
for (idx, insertedIncompleteListItem) in listItemsToInsert.enumerate() {
initialListItems.insert(insertedIncompleteListItem, atIndex: idx)
listPresenter.delegate?.listPresenter(listPresenter, didInsertListItem: insertedIncompleteListItem, atIndex: idx)
}
}
/**
Replaces the stale list items in `presentedListItems` with the new ones found in `newUpdatedListItems`. For
each update, the function notifies the `listPresenter`'s delegate of the update.
*/
func updateListItemsWithListItemsForListPresenter(listPresenter: ListPresenterType, inout presentedListItems: [ListItem], newUpdatedListItems: [ListItem]) {
for newlyUpdatedListItem in newUpdatedListItems {
let indexOfListItem = presentedListItems.indexOf(newlyUpdatedListItem)!
presentedListItems[indexOfListItem] = newlyUpdatedListItem
listPresenter.delegate?.listPresenter(listPresenter, didUpdateListItem: newlyUpdatedListItem, atIndex: indexOfListItem)
}
}
/**
Replaces `color` with `newColor` if the colors are different. If the colors are different, the function
notifies the delegate of the updated color change. If `isForInitialLayout` is not `nil`, the function wraps
the changes in a call to `listPresenterWillChangeListLayout(_:isInitialLayout:)`
and a call to `listPresenterDidChangeListLayout(_:isInitialLayout:)` with the value `isForInitialLayout!`.
*/
func updateListColorForListPresenterIfDifferent(listPresenter: ListPresenterType, inout color: List.Color, newColor: List.Color, isForInitialLayout: Bool? = nil) {
// Don't trigger any updates if the new color is the same as the current color.
if color == newColor { return }
if isForInitialLayout != nil {
listPresenter.delegate?.listPresenterWillChangeListLayout(listPresenter, isInitialLayout: isForInitialLayout!)
}
color = newColor
listPresenter.delegate?.listPresenter(listPresenter, didUpdateListColorWithColor: newColor)
if isForInitialLayout != nil {
listPresenter.delegate?.listPresenterDidChangeListLayout(listPresenter, isInitialLayout: isForInitialLayout!)
}
} | mit | 3a9057e0bc5903beb230849c2e594b3d | 48.6 | 167 | 0.764453 | 5.172462 | false | false | false | false |
kopto/KRActivityIndicatorView | KRActivityIndicatorView/KRActivityIndicatorAnimationBallGridPulse.swift | 1 | 3679 | //
// KRActivityIndicatorAnimationBallGridPulse.swift
// KRActivityIndicatorViewDemo
//
// The MIT License (MIT)
// Originally written to work in iOS by Vinh Nguyen in 2016
// Adapted to OSX by Henry Serrano in 2017
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
// The above copyright notice and this permission notice shall be included in all
// copies or substantial portions of the Software.
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
// SOFTWARE.
//
import Cocoa
class KRActivityIndicatorAnimationBallGridPulse: KRActivityIndicatorAnimationDelegate {
func setUpAnimation(in layer: CALayer, size: CGSize, color: NSColor) {
let circleSpacing: CGFloat = 2
let circleSize = (size.width - circleSpacing * 2) / 3
let x = (layer.bounds.size.width - size.width) / 2
let y = (layer.bounds.size.height - size.height) / 2
let durations: [CFTimeInterval] = [0.72, 1.02, 1.28, 1.42, 1.45, 1.18, 0.87, 1.45, 1.06]
let beginTime = CACurrentMediaTime()
let beginTimes: [CFTimeInterval] = [-0.06, 0.25, -0.17, 0.48, 0.31, 0.03, 0.46, 0.78, 0.45]
let timingFunction = CAMediaTimingFunction(name: kCAMediaTimingFunctionDefault)
// Scale animation
let scaleAnimation = CAKeyframeAnimation(keyPath: "transform.scale")
scaleAnimation.keyTimes = [0, 0.5, 1]
scaleAnimation.timingFunctions = [timingFunction, timingFunction]
scaleAnimation.values = [1, 0.5, 1]
// Opacity animation
let opacityAnimation = CAKeyframeAnimation(keyPath: "opacity")
opacityAnimation.keyTimes = [0, 0.5, 1]
opacityAnimation.timingFunctions = [timingFunction, timingFunction]
opacityAnimation.values = [1, 0.7, 1]
// Animation
let animation = CAAnimationGroup()
animation.animations = [scaleAnimation, opacityAnimation]
animation.repeatCount = HUGE
animation.isRemovedOnCompletion = false
// Draw circles
for i in 0 ..< 3 {
for j in 0 ..< 3 {
let circle = KRActivityIndicatorShape.circle.layerWith(size: CGSize(width: circleSize, height: circleSize), color: color)
let frame = CGRect(x: x + circleSize * CGFloat(j) + circleSpacing * CGFloat(j),
y: y + circleSize * CGFloat(i) + circleSpacing * CGFloat(i),
width: circleSize,
height: circleSize)
animation.duration = durations[3 * i + j]
animation.beginTime = beginTime + beginTimes[3 * i + j]
circle.frame = frame
circle.add(animation, forKey: "animation")
layer.addSublayer(circle)
}
}
}
}
| mit | 810c7a5d69269df7701bb7242d50eb6d | 44.419753 | 137 | 0.645828 | 4.747097 | false | false | false | false |
airfight/GYProgressLineAndCircleView | GYProgressLineAndCircleView/GYProgressLineAndCircleView/ViewController.swift | 1 | 2879 | //
// ViewController.swift
// GYProgressLineAndCircleView
//
// Created by zhuguangyang on 2017/1/13.
// Copyright © 2017年 GYJade. All rights reserved.
//
import UIKit
class ViewController: UIViewController {
var arrTitls:Array<String>! = nil
var subView:GYLineView!
override func viewDidLoad() {
super.viewDidLoad()
let fps = YYFPSLabel(frame: CGRect(x: self.view.frame.maxX - 60, y: self.view.frame.maxY - 30, width: 60, height: 30))
self.navigationController?.view.addSubview(fps)
// view.backgroundColor = UIColor.init(hex: "0xFFEC8B")
//此View未完善
// arrTitls = ["你好","2","3","4"]
//
//
// let progressView = GYLineProgressView()
// progressView.frame = CGRect(x: 0, y: 100, width: self.view.frame.width, height: 170)
// progressView.delegate = self
// progressView.dataSource = self
//// progressView.backgroundColor = UIColor.red
// //
// view.addSubview(progressView)
//
// progressView.reloadData()
//
// progressView.currentProgress = 0
// 带进度标题的直线
subView = GYLineView()
subView.frame = CGRect(x: 10, y: 50, width: 300, height: 100)
subView.progressLevelArray = ["1","2","3","4","5","6"];
subView.lineMaxHeight = 4
subView.pointMaxRadius = 6
subView.textPosition = ProgressLevelTextPosition.Top
view.addSubview(subView)
// subView.currentLevel = 2
// subView.startAnimation()
//渐变进度条
// let progrssView = GYLineColorGradientView(frame: CGRect(x: 20.0, y: 100, width: 320 - 40, height: 45))
//
// progrssView.percent = 100
//
// self.view.addSubview(progrssView)
}
@IBAction func chageValue(_ sender: Any) {
subView.currentLevel = 4
// subView.layoutSubviews()
subView.startAnimation()
}
override func viewDidAppear(_ animated: Bool) {
super.viewDidAppear(animated)
subView.startAnimation()
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
}
extension ViewController: GYLineProgressViewDelegate,GYLineProgressViewDataSource {
func numberOfProgressInProgressView() -> NSInteger? {
return 4
}
func progressView(progressView: GYLineProgressView, titleAtIndex: NSInteger) -> String? {
return arrTitls[titleAtIndex]
}
func highlightColorForCircleViewInProgressView(progressView: GYLineProgressView) -> UIColor? {
return UIColor.blue
}
}
| mit | 6d626893203f034c3221393f208eee0c | 25.277778 | 127 | 0.587385 | 4.33945 | false | false | false | false |
mleiv/MEGameTracker | MEGameTracker/Views/Missions Tab/Missions Split View/MissionsSplitViewController.swift | 1 | 1329 | //
// MissionsSplitViewController.swift
// MEGameTracker
//
// Created by Emily Ivie on 2/24/16.
// Copyright © 2016 Emily Ivie. All rights reserved.
//
import UIKit
final class MissionsSplitViewController: UIViewController, MESplitViewController {
@IBOutlet weak var mainPlaceholder: IBIncludedSubThing?
@IBOutlet weak var detailBorderLeftView: UIView?
@IBOutlet weak var detailPlaceholder: IBIncludedSubThing?
var ferriedSegue: FerriedPrepareForSegueClosure?
// set by parent, shared with child:
var missionsType: MissionType = .mission
var missionsCount: Int = 0
var missions: [Mission] = []
var deepLinkedMission: Mission?
var isLoadedSignal: Signal<(type: MissionType, values: [Mission])>?
var isPageLoaded = false
var dontSplitViewInPage = false
@IBAction func closeDetailStoryboard(_ sender: AnyObject?) {
closeDetailStoryboard()
}
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
ferriedSegue?(segue.destination)
}
}
extension MissionsSplitViewController: DeepLinkable {
// MARK: DeepLinkable protocol
func deepLink(_ object: DeepLinkType?, type: String? = nil) {
DispatchQueue.global(qos: .background).async { [weak self] in
if let mission = object as? Mission {
self?.deepLinkedMission = mission // passthrough
// reload missions page?
}
}
}
}
| mit | cedf9171cffca615e7e436dbf0e24105 | 26.102041 | 82 | 0.749247 | 3.83815 | false | false | false | false |
younata/SyntaxKit | SyntaxKit/Language.swift | 3 | 1347 | //
// Language.swift
// SyntaxKit
//
// Created by Sam Soffes on 9/18/14.
// Copyright © 2014-2015 Sam Soffes. All rights reserved.
//
import Foundation
public struct Language {
// MARK: - Properties
public let UUID: String
public let name: String
public let scopeName: String
let patterns: [Pattern]
// MARK: - Initializers
public init?(dictionary: [NSObject: AnyObject]) {
guard let UUID = dictionary["uuid"] as? String,
name = dictionary["name"] as? String,
scopeName = dictionary["scopeName"] as? String
else { return nil }
self.UUID = UUID
self.name = name
self.scopeName = scopeName
var repository = [String: Pattern]()
if let repo = dictionary["repository"] as? [String: [NSObject: AnyObject]] {
for (key, value) in repo {
if let pattern = Pattern(dictionary: value) {
repository[key] = pattern
}
}
}
var patterns = [Pattern]()
if let array = dictionary["patterns"] as? [[NSObject: AnyObject]] {
for value in array {
if let include = value["include"] as? String {
let key = include.substringFromIndex(include.startIndex.successor())
if let pattern = repository[key] {
patterns.append(pattern)
continue
}
}
if let pattern = Pattern(dictionary: value) {
patterns.append(pattern)
}
}
}
self.patterns = patterns
}
}
| mit | 619709bd735b42ba774948c74f9d03b3 | 21.433333 | 78 | 0.65156 | 3.51436 | false | false | false | false |
bazelbuild/tulsi | src/TulsiGenerator/BazelLocator.swift | 1 | 2415 | // Copyright 2016 The Tulsi Authors. All rights reserved.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
import Foundation
/// Provides methods to locate the default Bazel instance.
public struct BazelLocator {
/// NSUserDefaults key for the default Bazel path if one is not found in the opened project's
/// workspace.
public static let DefaultBazelURLKey = "defaultBazelURL"
public static var bazelURL: URL? {
if let bazelURL = UserDefaults.standard.url(forKey: BazelLocator.DefaultBazelURLKey),
FileManager.default.fileExists(atPath: bazelURL.path) {
return bazelURL
}
// If no default set, check for bazel on the user's PATH.
let semaphore = DispatchSemaphore(value: 0)
var completionInfo: ProcessRunner.CompletionInfo?
let task = TulsiProcessRunner.createProcess("/bin/bash",
arguments: ["-l", "-c", "which bazel"]) {
processCompletionInfo in
defer { semaphore.signal() }
completionInfo = processCompletionInfo
}
task.launch()
_ = semaphore.wait(timeout: DispatchTime.distantFuture)
guard let info = completionInfo else {
return nil
}
guard info.terminationStatus == 0 else {
return nil
}
guard let stdout = String(data: info.stdout, encoding: String.Encoding.utf8) else {
return nil
}
let bazelURL = URL(fileURLWithPath: stdout.trimmingCharacters(in: CharacterSet.whitespacesAndNewlines),
isDirectory: false)
guard FileManager.default.fileExists(atPath: bazelURL.path) else {
return nil
}
UserDefaults.standard.set(bazelURL, forKey: BazelLocator.DefaultBazelURLKey)
return bazelURL
}
// MARK: - Private methods
private init() {
}
}
| apache-2.0 | 42bfca013896249930e0fa5655cefd30 | 34.514706 | 107 | 0.656315 | 4.89858 | false | false | false | false |
claudioredi/aerogear-ios-oauth2 | AeroGearOAuth2Tests/KeycloakOAuth2ModuleTest.swift | 1 | 4889 | /*
* JBoss, Home of Professional Open Source.
* Copyright Red Hat, Inc., and individual contributors
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import UIKit
import XCTest
import AeroGearOAuth2
import AeroGearHttp
import OHHTTPStubs
let KEYCLOAK_TOKEN = "eyJhbGciOiJSUzI1NiJ9.eyJuYW1lIjoiU2FtcGxlIFVzZXIiLCJlbWFpbCI6InNhbXBsZS11c2VyQGV4YW1wbGUiLCJqdGkiOiI5MTEwNjAwZS1mYTdiLTRmOWItOWEwOC0xZGJlMGY1YTY5YzEiLCJleHAiOjE0MTc2ODg1OTgsIm5iZiI6MCwiaWF0IjoxNDE3Njg4Mjk4LCJpc3MiOiJzaG9vdC1yZWFsbSIsImF1ZCI6InNob290LXJlYWxtIiwic3ViIjoiNzJhN2Q0NGYtZDcxNy00MDk3LWExMWYtN2FhOWIyMmM5ZmU3IiwiYXpwIjoic2hhcmVkc2hvb3QtdGhpcmQtcGFydHkiLCJnaXZlbl9uYW1lIjoiU2FtcGxlIiwiZmFtaWx5X25hbWUiOiJVc2VyIiwicHJlZmVycmVkX3VzZXJuYW1lIjoidXNlciIsImVtYWlsX3ZlcmlmaWVkIjpmYWxzZSwic2Vzc2lvbl9zdGF0ZSI6Ijg4MTJlN2U2LWQ1ZGYtNDc4Yi1iNDcyLTNlYWU5YTI2ZDdhYSIsImFsbG93ZWQtb3JpZ2lucyI6W10sInJlYWxtX2FjY2VzcyI6eyJyb2xlcyI6WyJ1c2VyIl19LCJyZXNvdXJjZV9hY2Nlc3MiOnt9fQ.ZcNu8C4yeo1ALqnLvEOK3NxnaKm2BR818B4FfqN3WQd3sc6jvtGmTPB1C0MxF6ku_ELVs2l_HJMjNdPT9daUoau5LkdCjSiTwS5KA-18M5AUjzZnVo044-jHr_JsjNrYEfKmJXX0A_Zdly7el2tC1uPjGoeBqLgW9GowRl3i4wE"
func setupStubKeycloakWithNSURLSessionDefaultConfiguration() {
// set up http stub
OHHTTPStubs.stubRequestsPassingTest({ (request: NSURLRequest!) -> Bool in
return true
}, withStubResponse:( { (request: NSURLRequest!) -> OHHTTPStubsResponse in
var stubJsonResponse = ["name": "John", "family_name": "Smith"]
switch request.URL!.path! {
case "/auth/realms/shoot-realm/tokens/refresh":
var string = "{\"access_token\":\"NEWLY_REFRESHED_ACCESS_TOKEN\", \"refresh_token\":\"\(KEYCLOAK_TOKEN)\",\"expires_in\":23}"
var data = string.dataUsingEncoding(NSUTF8StringEncoding)
return OHHTTPStubsResponse(data:data!, statusCode: 200, headers: ["Content-Type" : "text/json"])
case "/auth/realms/shoot-realm/tokens/logout":
var string = "{\"access_token\":\"NEWLY_REFRESHED_ACCESS_TOKEN\", \"refresh_token\":\"nnn\",\"expires_in\":23}"
var data = string.dataUsingEncoding(NSUTF8StringEncoding)
return OHHTTPStubsResponse(data:data!, statusCode: 200, headers: ["Content-Type" : "text/json"])
default: return OHHTTPStubsResponse(data:NSData(), statusCode: 404, headers: ["Content-Type" : "text/json"])
}
}))
}
class KeycloakOAuth2ModuleTests: XCTestCase {
override func setUp() {
super.setUp()
}
override func tearDown() {
super.tearDown()
OHHTTPStubs.removeAllStubs()
}
func testRefreshAccessWithKeycloak() {
setupStubKeycloakWithNSURLSessionDefaultConfiguration()
let expectation = expectationWithDescription("KeycloakRefresh");
let keycloakConfig = KeycloakConfig(
clientId: "shoot-third-party",
host: "http://localhost:8080",
realm: "shoot-realm")
var mockedSession = MockOAuth2SessionWithRefreshToken()
var oauth2Module = KeycloakOAuth2Module(config: keycloakConfig, session: mockedSession)
oauth2Module.refreshAccessToken { (response: AnyObject?, error:NSError?) -> Void in
XCTAssertTrue("NEWLY_REFRESHED_ACCESS_TOKEN" == response as! String, "If access token not valid but refresh token present and still valid")
XCTAssertTrue(KEYCLOAK_TOKEN == mockedSession.savedRefreshedToken, "Saved newly issued refresh token")
expectation.fulfill()
}
waitForExpectationsWithTimeout(10, handler: nil)
}
func testRevokeAccess() {
setupStubKeycloakWithNSURLSessionDefaultConfiguration()
let expectation = expectationWithDescription("KeycloakRevoke");
let keycloakConfig = KeycloakConfig(
clientId: "shoot-third-party",
host: "http://localhost:8080",
realm: "shoot-realm")
var mockedSession = MockOAuth2SessionWithRefreshToken()
var oauth2Module = KeycloakOAuth2Module(config: keycloakConfig, session: mockedSession)
oauth2Module.revokeAccess({(response: AnyObject?, error:NSError?) -> Void in
XCTAssertTrue(mockedSession.initCalled == 1, "revoke token reset session")
expectation.fulfill()
})
waitForExpectationsWithTimeout(10, handler: nil)
}
} | apache-2.0 | fc7f5cdc619be44bead19ff1356bf716 | 51.580645 | 858 | 0.724279 | 3.457567 | false | true | false | false |
kosiara/swift-basic-example | FireLampades/FireLampades/View/LoginPanel/LoginPanelViewController.swift | 1 | 1778 | //
// LoginPanelViewController.swift
// FireLampades
//
// Created by Patryk Domagala on 16/01/2017.
// Copyright © 2017 Bartosz Kosarzycki. All rights reserved.
//
import UIKit
private let loggedInPageSegue = "LoggedInPageSegue"
class LoginPanelViewController: UIViewController, LoginPanelViewType {
var loginPanelPresenter: LoginPanelPresenterType!
@IBOutlet var username: LoginTextField!
@IBOutlet var password: LoginTextField!
@IBOutlet var mainView: UIView!
@IBOutlet var innerUserPassView: UIView!
override func viewDidLoad() {
super.viewDidLoad()
loginPanelPresenter.view = self
mainView.backgroundColor = ColorUtil.colorWithHexString(hexString: "21314a")
innerUserPassView.backgroundColor = ColorUtil.colorWithHexString(hexString: "21314a")
username.backgroundColor = ColorUtil.colorWithHexString(hexString: "21314a")
password.backgroundColor = ColorUtil.colorWithHexString(hexString: "21314a")
username.textColor = UIColor.white
password.textColor = UIColor.white
username.attributedPlaceholder = NSAttributedString(string:"Email address:", attributes: [NSForegroundColorAttributeName: UIColor.white])
password.attributedPlaceholder = NSAttributedString(string:"Password:", attributes: [NSForegroundColorAttributeName: UIColor.white])
}
@IBAction func submitButtonTapped(sender: UIButton) {
loginPanelPresenter?.loginUser(username: username.text, password: password.text)
}
// MARK: LoginPanelViewType
func openUserDetailsPage() {
performSegue(withIdentifier: loggedInPageSegue, sender: nil)
}
func showUnauthorizedMessage() {
//TODO implement
}
}
| mit | 9d93234ac6d11111a344ba7477d9695f | 34.54 | 145 | 0.720878 | 5.077143 | false | false | false | false |
bencochran/LLVM.swift | LLVM/Builder.swift | 1 | 16430 | //
// Created by Ben Cochran on 11/12/15.
// Copyright © 2015 Ben Cochran. All rights reserved.
//
public class Builder {
internal let ref: LLVMBuilderRef
public init(inContext context: Context) {
ref = LLVMCreateBuilderInContext(context.ref)
}
deinit {
LLVMDisposeBuilder(ref)
}
public func position(block block: BasicBlock, instruction: InstructionType) {
LLVMPositionBuilder(ref, block.ref, instruction.ref)
}
public func positionBefore(instruction instruction: InstructionType) {
LLVMPositionBuilderBefore(ref, instruction.ref)
}
public func positionAtEnd(block block: BasicBlock) {
LLVMPositionBuilderAtEnd(ref, block.ref)
}
public var insertBlock: BasicBlock {
return BasicBlock(ref: LLVMGetInsertBlock(ref))
}
public func clearInsertionPosition() {
LLVMClearInsertionPosition(ref)
}
public func insert(instruction instruction: InstructionType, name: String? = nil) {
if let name = name {
LLVMInsertIntoBuilderWithName(ref, instruction.ref, name)
} else {
LLVMInsertIntoBuilder(ref, instruction.ref)
}
}
public func buildReturnVoid() -> ReturnInstruction {
return ReturnInstruction(ref: LLVMBuildRetVoid(ref))
}
public func buildReturn(value value: ValueType) -> ReturnInstruction {
return ReturnInstruction(ref: LLVMBuildRet(ref, value.ref))
}
public func buildBranch(destination destination: BasicBlock) -> BranchInstruction {
return BranchInstruction(ref: LLVMBuildBr(ref, destination.ref))
}
public func buildConditionalBranch(condition condition: ValueType, thenBlock: BasicBlock, elseBlock: BasicBlock) -> BranchInstruction {
return BranchInstruction(ref: LLVMBuildCondBr(ref, condition.ref, thenBlock.ref, elseBlock.ref))
}
public func buildSwitch(value value: ValueType, elseBlock: BasicBlock, numCases: UInt32) -> SwitchInstruction {
return SwitchInstruction(ref: LLVMBuildSwitch(ref, value.ref, elseBlock.ref, numCases))
}
public func buildIndirectBranch(address address: ValueType, destinationHint: UInt32) -> IndirectBranchInstruction {
return IndirectBranchInstruction(ref: LLVMBuildIndirectBr(ref, address.ref, destinationHint))
}
public func buildInvoke(function: Function, args: [Argument], thenBlock: BasicBlock, catchBlock: BasicBlock, name: String) -> InvokeInstruction {
var argValues = args.map { $0.ref }
return InvokeInstruction(ref: LLVMBuildInvoke(ref, function.ref, &argValues, UInt32(argValues.count), thenBlock.ref, catchBlock.ref, name))
}
// TODO: buildLandingPad
// TODO: buildResume
// TODO: addClause
// TODO: setCleanup
public func buildUnreachable() -> UnreachableInstruction {
return UnreachableInstruction(ref: LLVMBuildUnreachable(ref))
}
// MARK: Arithmetic
public func buildAdd(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildAdd(ref, left.ref, right.ref, name))
}
public func buildNSWAdd(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildNSWAdd(ref, left.ref, right.ref, name))
}
public func buildNUWAdd(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildNUWAdd(ref, left.ref, right.ref, name))
}
public func buildFAdd(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildFAdd(ref, left.ref, right.ref, name))
}
public func buildSub(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildSub(ref, left.ref, right.ref, name))
}
public func buildNSWSub(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildNSWSub(ref, left.ref, right.ref, name))
}
public func buildNUWSub(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildNUWSub(ref, left.ref, right.ref, name))
}
public func buildFSub(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildFSub(ref, left.ref, right.ref, name))
}
public func buildMul(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildMul(ref, left.ref, right.ref, name))
}
public func buildNSWMul(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildNSWMul(ref, left.ref, right.ref, name))
}
public func buildNUWMul(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildNUWMul(ref, left.ref, right.ref, name))
}
public func buildFMul(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildFMul(ref, left.ref, right.ref, name))
}
public func buildUDiv(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildUDiv(ref, left.ref, right.ref, name))
}
public func buildSDiv(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildSDiv(ref, left.ref, right.ref, name))
}
public func buildExactSDiv(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildExactSDiv(ref, left.ref, right.ref, name))
}
public func buildFDiv(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildFDiv(ref, left.ref, right.ref, name))
}
public func buildURem(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildURem(ref, left.ref, right.ref, name))
}
public func buildSRem(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildSRem(ref, left.ref, right.ref, name))
}
public func buildFRem(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildFRem(ref, left.ref, right.ref, name))
}
public func buildShl(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildShl(ref, left.ref, right.ref, name))
}
public func buildLShr(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildLShr(ref, left.ref, right.ref, name))
}
public func buildAShr(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildAShr(ref, left.ref, right.ref, name))
}
public func buildAnd(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildAnd(ref, left.ref, right.ref, name))
}
public func buildOr(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildOr(ref, left.ref, right.ref, name))
}
public func buildXor(left left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildXor(ref, left.ref, right.ref, name))
}
public func buildBinOp(op: LLVMOpcode, left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildBinOp(ref, op, left.ref, right.ref, name))
}
public func buildNeg(value: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildNeg(ref, value.ref, name))
}
public func buildNSWNeg(value: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildNSWNeg(ref, value.ref, name))
}
public func buildNUWNeg(value: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildNUWNeg(ref, value.ref, name))
}
public func buildFNeg(value: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildFNeg(ref, value.ref, name))
}
public func buildNot(value: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildNot(ref, value.ref, name))
}
// MARK: Memory
public func buildMalloc(type type: TypeType, name: String) -> InstructionType {
return AnyInstruction(ref: LLVMBuildMalloc(ref, type.ref, name))
}
public func buildArrayMalloc(type type: TypeType, value: ValueType, name: String) -> InstructionType {
return AnyInstruction(ref: LLVMBuildArrayMalloc(ref, type.ref, value.ref, name))
}
public func buildAlloca(type type: TypeType, name: String) -> AllocaInstruction {
return AllocaInstruction(ref: LLVMBuildAlloca(ref, type.ref, name))
}
public func buildArrayAlloca(type type: TypeType, value: ValueType, name: String) -> AllocaInstruction {
return AllocaInstruction(ref: LLVMBuildArrayAlloca(ref, type.ref, value.ref, name))
}
public func buildFree(pointer: ValueType) -> CallInstruction {
return CallInstruction(ref: LLVMBuildFree(ref, pointer.ref))
}
public func buildLoad(pointer: ValueType, name: String) -> LoadInstruction {
return LoadInstruction(ref: LLVMBuildLoad(ref, pointer.ref, name))
}
public func buildGEP(pointer: ValueType, indices: [ValueType], name: String) -> ValueType {
var indexRefs = indices.map { $0.ref }
return AnyValue(ref: LLVMBuildGEP(ref, pointer.ref, &indexRefs, UInt32(indexRefs.count), name))
}
public func buildInBoundsGEP(pointer: ValueType, indices: [ValueType], name: String) -> ValueType {
var indexRefs = indices.map { $0.ref }
return AnyValue(ref: LLVMBuildInBoundsGEP(ref, pointer.ref, &indexRefs, UInt32(indexRefs.count), name))
}
public func buildStructGEP(pointer: ValueType, index: UInt32, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildStructGEP(ref, pointer.ref, index, name))
}
public func buildGlobalString(string: String, name: String) -> GlobalVariableType {
return AnyGlobalVariable(ref: LLVMBuildGlobalString(ref, string, name))
}
public func buildGlobalStringPointer(string: String, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildGlobalStringPtr(ref, string, name))
}
// TODO: volatile get/set
public func buildTrunc(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildTrunc(ref, value.ref, type.ref, name))
}
public func buildZExt(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildZExt(ref, value.ref, type.ref, name))
}
public func buildSExt(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildSExt(ref, value.ref, type.ref, name))
}
public func buildFPToUI(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildFPToUI(ref, value.ref, type.ref, name))
}
public func buildFPToSI(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildFPToSI(ref, value.ref, type.ref, name))
}
public func buildUIToFP(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildUIToFP(ref, value.ref, type.ref, name))
}
public func buildSIToFP(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildSIToFP(ref, value.ref, type.ref, name))
}
public func buildFPTrunc(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildFPTrunc(ref, value.ref, type.ref, name))
}
public func buildFPExt(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildFPExt(ref, value.ref, type.ref, name))
}
public func buildIntToPointer(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildIntToPtr(ref, value.ref, type.ref, name))
}
public func buildBitCast(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildBitCast(ref, value.ref, type.ref, name))
}
public func buildAddressSpaceCast(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildAddrSpaceCast(ref, value.ref, type.ref, name))
}
public func buildZExtOrBitCast(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildZExtOrBitCast(ref, value.ref, type.ref, name))
}
public func buildSExtOrBitCast(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildSExtOrBitCast(ref, value.ref, type.ref, name))
}
public func buildTrucOrBitCast(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildTruncOrBitCast(ref, value.ref, type.ref, name))
}
public func buildCast(op: LLVMOpcode, value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildCast(ref, op, value.ref, type.ref, name))
}
public func buildPointerCast(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildPointerCast(ref, value.ref, type.ref, name))
}
public func buildIntCast(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildIntCast(ref, value.ref, type.ref, name))
}
public func buildFPCast(value: ValueType, destinationType type: TypeType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildFPCast(ref, value.ref, type.ref, name))
}
public func buildICmp(op: LLVMIntPredicate, left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildICmp(ref, op, left.ref, right.ref, name))
}
public func buildFCmp(op: LLVMRealPredicate, left: ValueType, right: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildFCmp(ref, op, left.ref, right.ref, name))
}
public func buildPhi(type: TypeType, name: String) -> PHINode {
return PHINode(ref: LLVMBuildPhi(ref, type.ref, name))
}
public func buildCall(function: Function, args: [ValueType], name: String) -> CallInstruction {
var argRefs = args.map { $0.ref }
return CallInstruction(ref: LLVMBuildCall(ref, function.ref, &argRefs, UInt32(argRefs.count), name))
}
public func buildSelect(condition: ValueType, trueValue: ValueType, falseValue: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildSelect(ref, condition.ref, trueValue.ref, falseValue.ref, name))
}
public func buildVAArg(list: ValueType, type: TypeType, name: String) -> VAArgInstruction {
return VAArgInstruction(ref: LLVMBuildVAArg(ref, list.ref, type.ref, name))
}
public func buildExtractElement(vec: ValueType, index: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildExtractElement(ref, vec.ref, index.ref, name))
}
public func buildInsertElement(vec: ValueType, value: ValueType, index: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildInsertElement(ref, value.ref, vec.ref, index.ref, name))
}
public func buildShuffleVector(vec1: ValueType, vec2: ValueType, mask: ValueType, name: String) -> ValueType {
return AnyValue(ref: LLVMBuildShuffleVector(ref, vec1.ref, vec2.ref, mask.ref, name))
}
} | mit | 84a1efe6480e789411bc5a9919cf4ef7 | 43.285714 | 149 | 0.680443 | 3.925687 | false | false | false | false |
usbong/UsbongKit | UsbongKit/Usbong/XML/XMLIdentifier.swift | 2 | 685 | //
// XMLIdentifier.swift
// UsbongKit
//
// Created by Chris Amanse on 26/05/2016.
// Copyright © 2016 Usbong Social Systems, Inc. All rights reserved.
//
import Foundation
/// XML identifiers for tags
internal struct XMLIdentifier {
static let processDefinition = "process-definition"
static let startState = "start-state"
static let endState = "end-state"
static let taskNode = "task-node"
static let decision = "decision"
static let transition = "transition"
static let task = "task"
static let to = "to"
static let name = "name"
static let resources = "resources"
static let string = "string"
static let lang = "lang"
}
| apache-2.0 | 35270a5414672a6b5cc4539c45fcfebd | 25.307692 | 69 | 0.673977 | 3.908571 | false | false | false | false |
red-spotted-newts-2014/rest-less-ios | Rest Less/Rest Less/HttpPost.swift | 1 | 1264 | //
// HttpPost.swift
// Rest Less
//
// Created by Dylan Krause on 8/16/14.
// Copyright (c) 2014 newts. All rights reserved.
//
import Foundation
func HTTPostJSON(url: String,
jsonObj: AnyObject)
{
var request = NSMutableURLRequest(URL: NSURL(string: url))
var session = NSURLSession.sharedSession()
var jsonError:NSError?
request.HTTPMethod = "POST"
request.HTTPBody = NSJSONSerialization.dataWithJSONObject( jsonObj, options: nil, error: &jsonError)
request.addValue("application/json", forHTTPHeaderField: "Content-Type")
request.addValue("application/json", forHTTPHeaderField: "Accept")
var subTask = session.dataTaskWithRequest(request, completionHandler: {data, response, error -> Void in
var strData = NSString(data: data, encoding: NSUTF8StringEncoding)
var jsonRError: NSError?
var json_response = NSJSONSerialization.JSONObjectWithData(data, options: .MutableLeaves, error: &jsonRError) as? NSDictionary
println(jsonRError)
jsonRError?
if jsonRError? != nil {
println(jsonRError!.localizedDescription)
}
else {
println(json_response)
}
})
subTask.resume()
println("hello")
}
| mit | c4cff349ddb6a8a5c1ea0868014cbc68 | 31.410256 | 134 | 0.669304 | 4.498221 | false | false | false | false |
wordpress-mobile/WordPress-Aztec-iOS | WordPressEditor/WordPressEditor/Classes/ViewControllers/OptionsTableViewController/OptionsTableViewController.swift | 2 | 5590 | import UIKit
/// Encapsulates data for a row in an `OptionsTableView`.
///
public struct OptionsTableViewOption: Equatable {
let image: UIImage?
let title: NSAttributedString
let accessibilityLabel: String?
// MARK: - Initializer
public init(image: UIImage?, title: NSAttributedString, accessibilityLabel: String? = nil) {
self.image = image
self.title = title
self.accessibilityLabel = accessibilityLabel
}
// MARK: - Equatable
public static func ==(lhs: OptionsTableViewOption, rhs: OptionsTableViewOption) -> Bool {
return lhs.title == rhs.title
}
}
public class OptionsTableViewController: UITableViewController {
enum Constants {
static var cellBackgroundColor: UIColor = {
if #available(iOS 13.0, *) {
return .systemBackground
} else {
return .white
}
}()
static var cellSelectedBackgroundColor: UIColor = {
if #available(iOS 13.0, *) {
return .secondarySystemBackground
} else {
return .lightGray
}
}()
}
private static let rowHeight: CGFloat = 44.0
public typealias OnSelectHandler = (_ selected: Int) -> Void
public var options = [OptionsTableViewOption]()
public var onSelect: OnSelectHandler?
public var cellBackgroundColor: UIColor = Constants.cellBackgroundColor {
didSet {
tableView.backgroundColor = cellBackgroundColor
tableView?.reloadData()
}
}
public var cellSelectedBackgroundColor: UIColor = Constants.cellSelectedBackgroundColor
public var cellDeselectedTintColor: UIColor? {
didSet {
tableView?.reloadData()
}
}
public init(options: [OptionsTableViewOption]) {
self.options = options
super.init(style: .plain)
}
public override func viewDidLoad() {
super.viewDidLoad()
tableView.backgroundColor = cellBackgroundColor
view.autoresizingMask = [.flexibleWidth, .flexibleHeight]
tableView.register(OptionsTableViewCell.self, forCellReuseIdentifier: OptionsTableViewCell.reuseIdentifier)
preferredContentSize = CGSize(width: 0, height: min(CGFloat(options.count), 7.5) * OptionsTableViewController.rowHeight)
}
required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
}
public func selectRow(at index: Int) {
let indexPath = IndexPath(row: index, section: 0)
tableView.selectRow(at: indexPath, animated: false, scrollPosition: .middle)
}
}
extension OptionsTableViewController {
public override func tableView(_ tableView: UITableView, didDeselectRowAt indexPath: IndexPath) {
guard let cell = tableView.cellForRow(at: indexPath) else {
return
}
cell.accessoryType = .none
}
public override func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
guard let cell = tableView.cellForRow(at: indexPath) else {
return
}
cell.accessoryType = .checkmark
onSelect?(indexPath.row)
}
public override func tableView(_ tableView: UITableView, willDisplay cell: UITableViewCell, forRowAt indexPath: IndexPath) {
cell.backgroundColor = cellBackgroundColor
let selectedView = UIView()
selectedView.backgroundColor = cellSelectedBackgroundColor
cell.selectedBackgroundView = selectedView
}
}
extension OptionsTableViewController {
public override func numberOfSections(in tableView: UITableView) -> Int {
return 1
}
public override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return options.count
}
public override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let reuseCell = tableView.dequeueReusableCell(withIdentifier: OptionsTableViewCell.reuseIdentifier, for: indexPath) as! OptionsTableViewCell
let option = options[indexPath.row]
reuseCell.textLabel?.attributedText = option.title
reuseCell.imageView?.image = option.image
reuseCell.deselectedTintColor = cellDeselectedTintColor
reuseCell.accessibilityLabel = option.accessibilityLabel
let isSelected = indexPath.row == tableView.indexPathForSelectedRow?.row
reuseCell.isSelected = isSelected
return reuseCell
}
}
class OptionsTableViewCell: UITableViewCell {
static let reuseIdentifier = "OptionCell"
var deselectedTintColor: UIColor?
override init(style: UITableViewCell.CellStyle, reuseIdentifier: String?) {
super.init(style: .subtitle, reuseIdentifier: reuseIdentifier)
}
required init?(coder aDecoder: NSCoder) {
fatalError("Not implemented")
}
override func layoutSubviews() {
super.layoutSubviews()
// Our Gridicons look slightly better if shifted down one px
imageView?.frame.origin.y += 1
}
override func setSelected(_ selected: Bool, animated: Bool) {
super.setSelected(selected, animated: animated)
// Icons should always appear deselected
imageView?.tintColor = deselectedTintColor
accessoryType = selected ? .checkmark : .none
}
}
| gpl-2.0 | e8584d751531bf3170bd6616bdc8a108 | 30.581921 | 148 | 0.649732 | 5.733333 | false | false | false | false |
anilkumarbp/ringcentral-swift-NEW | src/SDK.swift | 1 | 2618 | //
// SDK.swift
// src
//
// Created by Anil Kumar BP on 11/1/15.
// Copyright (c) 2015 Anil Kumar BP. All rights reserved.
//
import Foundation
// Object representation of a Standard Development Kit for RingCentral
class SDK {
// Set constants for SANDBOX and PRODUCTION servers.
static var VERSION: String = ""
static var RC_SERVER_PRODUCTION: String = "https://platform.ringcentral.com"
static var RC_SERVER_SANDBOX: String = "https://platform.devtest.ringcentral.com"
// Platform variable, version, and current Subscriptions
var platform: Platform
// var subscription: Subscription?
let server: String
var client: Client
var serverVersion: String!
var versionString: String!
var logger: Bool = false
init(appKey: String, appSecret: String, server: String) {
self.client = Client()
platform = Platform(appKey: appKey, appSecret: appSecret, server: server)
self.server = server
// setVersion()
}
/// Sets version to the version of the current SDK
private func setVersion() {
let url = NSURL(string: server + "/restapi/")
// Sets up the request
let request = NSMutableURLRequest(URL: url!)
request.HTTPMethod = "GET"
request.setValue("application/json", forHTTPHeaderField: "Accept")
var response: NSURLResponse?
var error: NSError?
let data = NSURLConnection.sendSynchronousRequest(request, returningResponse: &response, error: &error)
let readdata = NSJSONSerialization.JSONObjectWithData(data!, options: nil, error: nil) as! NSDictionary
let dict = NSJSONSerialization.JSONObjectWithData(data!, options: nil, error: nil) as! NSDictionary
self.serverVersion = dict["serverVersion"] as! String
self.versionString = (dict["apiVersions"] as! NSArray)[0]["versionString"] as! String
}
/// Returns the server version.
///
/// :returns: String of current version
func getServerVersion() -> String {
return serverVersion
}
/// Returns the Platform with the specified appKey and appSecret.
///
/// :returns: A Platform to access the methods of the SDK
func getPlatform() -> Platform {
return self.platform
}
/// Returns the current Subscription.
///
/// :returns: A Subscription that the user is currently following
// func getSubscription() -> Subscription? {
// return self.subscription
// }
} | mit | 740bfe4087c5936675ff5c82497ff344 | 29.811765 | 111 | 0.630634 | 4.875233 | false | false | false | false |
Intercambio/CloudService | CloudService/CloudService/Resource.swift | 1 | 1019 | //
// Resource.swift
// CloudService
//
// Created by Tobias Kraentzer on 21.02.17.
// Copyright © 2017 Tobias Kräntzer. All rights reserved.
//
import Foundation
public struct Resource: Hashable, Equatable {
public let resourceID: ResourceID
public let dirty: Bool
public let updated: Date?
public let properties: Properties
public let fileURL: URL?
let fileVersion: String?
public static func ==(lhs: Resource, rhs: Resource) -> Bool {
return lhs.resourceID == rhs.resourceID
}
public var hashValue: Int {
return resourceID.hashValue
}
}
extension Resource {
public enum FileState {
case none
case outdated
case valid
}
public var fileState: FileState {
switch (properties.version, fileVersion) {
case (_, nil): return .none
case (let version, let fileVersion) where version == fileVersion: return .valid
default: return .outdated
}
}
}
| gpl-3.0 | ad491d7af88007d0a38783e3d2c0bec6 | 21.108696 | 87 | 0.624385 | 4.460526 | false | false | false | false |
react-native-kit/react-native-track-player | ios/RNTrackPlayer/RNTrackPlayer.swift | 1 | 21168 | //
// RNTrackPlayer.swift
// RNTrackPlayer
//
// Created by David Chavez on 13.08.17.
// Copyright © 2017 David Chavez. All rights reserved.
//
import Foundation
import MediaPlayer
@objc(RNTrackPlayer)
public class RNTrackPlayer: RCTEventEmitter {
// MARK: - Attributes
private var hasInitialized = false
private lazy var player: RNTrackPlayerAudioPlayer = {
let player = RNTrackPlayerAudioPlayer(reactEventEmitter: self)
player.bufferDuration = 1
return player
}()
// MARK: - Lifecycle Methods
deinit {
reset(resolve: { _ in }, reject: { _, _, _ in })
}
// MARK: - RCTEventEmitter
override public static func requiresMainQueueSetup() -> Bool {
return true;
}
@objc(constantsToExport)
override public func constantsToExport() -> [AnyHashable: Any] {
return [
"STATE_NONE": AVPlayerWrapperState.idle.rawValue,
"STATE_READY": AVPlayerWrapperState.ready.rawValue,
"STATE_PLAYING": AVPlayerWrapperState.playing.rawValue,
"STATE_PAUSED": AVPlayerWrapperState.paused.rawValue,
"STATE_STOPPED": AVPlayerWrapperState.idle.rawValue,
"STATE_BUFFERING": AVPlayerWrapperState.loading.rawValue,
"TRACK_PLAYBACK_ENDED_REASON_END": PlaybackEndedReason.playedUntilEnd.rawValue,
"TRACK_PLAYBACK_ENDED_REASON_JUMPED": PlaybackEndedReason.jumpedToIndex.rawValue,
"TRACK_PLAYBACK_ENDED_REASON_NEXT": PlaybackEndedReason.skippedToNext.rawValue,
"TRACK_PLAYBACK_ENDED_REASON_PREVIOUS": PlaybackEndedReason.skippedToPrevious.rawValue,
"TRACK_PLAYBACK_ENDED_REASON_STOPPED": PlaybackEndedReason.playerStopped.rawValue,
"PITCH_ALGORITHM_LINEAR": PitchAlgorithm.linear.rawValue,
"PITCH_ALGORITHM_MUSIC": PitchAlgorithm.music.rawValue,
"PITCH_ALGORITHM_VOICE": PitchAlgorithm.voice.rawValue,
"CAPABILITY_PLAY": Capability.play.rawValue,
"CAPABILITY_PLAY_FROM_ID": "NOOP",
"CAPABILITY_PLAY_FROM_SEARCH": "NOOP",
"CAPABILITY_PAUSE": Capability.pause.rawValue,
"CAPABILITY_STOP": Capability.stop.rawValue,
"CAPABILITY_SEEK_TO": Capability.seek.rawValue,
"CAPABILITY_SKIP": "NOOP",
"CAPABILITY_SKIP_TO_NEXT": Capability.next.rawValue,
"CAPABILITY_SKIP_TO_PREVIOUS": Capability.previous.rawValue,
"CAPABILITY_SET_RATING": "NOOP",
"CAPABILITY_JUMP_FORWARD": Capability.jumpForward.rawValue,
"CAPABILITY_JUMP_BACKWARD": Capability.jumpBackward.rawValue,
"CAPABILITY_LIKE": Capability.like.rawValue,
"CAPABILITY_DISLIKE": Capability.dislike.rawValue,
"CAPABILITY_BOOKMARK": Capability.bookmark.rawValue,
]
}
@objc(supportedEvents)
override public func supportedEvents() -> [String] {
return [
"playback-queue-ended",
"playback-state",
"playback-error",
"playback-track-changed",
"remote-stop",
"remote-pause",
"remote-play",
"remote-duck",
"remote-next",
"remote-seek",
"remote-previous",
"remote-jump-forward",
"remote-jump-backward",
"remote-like",
"remote-dislike",
"remote-bookmark",
]
}
func setupInterruptionHandling() {
let notificationCenter = NotificationCenter.default
notificationCenter.removeObserver(self)
notificationCenter.addObserver(self,
selector: #selector(handleInterruption),
name: AVAudioSession.interruptionNotification,
object: nil)
}
@objc func handleInterruption(notification: Notification) {
guard let userInfo = notification.userInfo,
let typeValue = userInfo[AVAudioSessionInterruptionTypeKey] as? UInt,
let type = AVAudioSession.InterruptionType(rawValue: typeValue) else {
return
}
if type == .began {
// Interruption began, take appropriate actions (save state, update user interface)
self.sendEvent(withName: "remote-duck", body: [
"paused": true
])
}
else if type == .ended {
guard let optionsValue =
userInfo[AVAudioSessionInterruptionOptionKey] as? UInt else {
return
}
let options = AVAudioSession.InterruptionOptions(rawValue: optionsValue)
if options.contains(.shouldResume) {
// Interruption Ended - playback should resume
self.sendEvent(withName: "remote-duck", body: [
"paused": false
])
} else {
// Interruption Ended - playback should NOT resume
self.sendEvent(withName: "remote-duck", body: [
"paused": true,
"permanent": true
])
}
}
}
// MARK: - Bridged Methods
@objc(setupPlayer:resolver:rejecter:)
public func setupPlayer(config: [String: Any], resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
if hasInitialized {
resolve(NSNull())
return
}
setupInterruptionHandling();
// configure if player waits to play
let autoWait: Bool = config["waitForBuffer"] as? Bool ?? false
player.automaticallyWaitsToMinimizeStalling = autoWait
// configure audio session - category, options & mode
var sessionCategory: AVAudioSession.Category = .playback
var sessionCategoryOptions: AVAudioSession.CategoryOptions = []
var sessionCategoryMode: AVAudioSession.Mode = .default
if
let sessionCategoryStr = config["iosCategory"] as? String,
let mappedCategory = SessionCategory(rawValue: sessionCategoryStr) {
sessionCategory = mappedCategory.mapConfigToAVAudioSessionCategory()
}
let sessionCategoryOptsStr = config["iosCategoryOptions"] as? [String]
let mappedCategoryOpts = sessionCategoryOptsStr?.compactMap { SessionCategoryOptions(rawValue: $0)?.mapConfigToAVAudioSessionCategoryOptions() } ?? []
sessionCategoryOptions = AVAudioSession.CategoryOptions(mappedCategoryOpts)
if
let sessionCategoryModeStr = config["iosCategoryMode"] as? String,
let mappedCategoryMode = SessionCategoryMode(rawValue: sessionCategoryModeStr) {
sessionCategoryMode = mappedCategoryMode.mapConfigToAVAudioSessionCategoryMode()
}
// Progressively opt into AVAudioSession policies for background audio
// and AirPlay 2.
if #available(iOS 13.0, *) {
try? AVAudioSession.sharedInstance().setCategory(sessionCategory, mode: sessionCategoryMode, policy: .longFormAudio, options: sessionCategoryOptions)
} else if #available(iOS 11.0, *) {
try? AVAudioSession.sharedInstance().setCategory(sessionCategory, mode: sessionCategoryMode, policy: .longForm, options: sessionCategoryOptions)
} else {
try? AVAudioSession.sharedInstance().setCategory(sessionCategory, mode: sessionCategoryMode, options: sessionCategoryOptions)
}
// setup event listeners
player.remoteCommandController.handleChangePlaybackPositionCommand = { [weak self] event in
if let event = event as? MPChangePlaybackPositionCommandEvent {
self?.sendEvent(withName: "remote-seek", body: ["position": event.positionTime])
return MPRemoteCommandHandlerStatus.success
}
return MPRemoteCommandHandlerStatus.commandFailed
}
player.remoteCommandController.handleNextTrackCommand = { [weak self] _ in
self?.sendEvent(withName: "remote-next", body: nil)
return MPRemoteCommandHandlerStatus.success
}
player.remoteCommandController.handlePauseCommand = { [weak self] _ in
self?.sendEvent(withName: "remote-pause", body: nil)
return MPRemoteCommandHandlerStatus.success
}
player.remoteCommandController.handlePlayCommand = { [weak self] _ in
self?.sendEvent(withName: "remote-play", body: nil)
return MPRemoteCommandHandlerStatus.success
}
player.remoteCommandController.handlePreviousTrackCommand = { [weak self] _ in
self?.sendEvent(withName: "remote-previous", body: nil)
return MPRemoteCommandHandlerStatus.success
}
player.remoteCommandController.handleSkipBackwardCommand = { [weak self] event in
if let command = event.command as? MPSkipIntervalCommand,
let interval = command.preferredIntervals.first {
self?.sendEvent(withName: "remote-jump-backward", body: ["interval": interval])
return MPRemoteCommandHandlerStatus.success
}
return MPRemoteCommandHandlerStatus.commandFailed
}
player.remoteCommandController.handleSkipForwardCommand = { [weak self] event in
if let command = event.command as? MPSkipIntervalCommand,
let interval = command.preferredIntervals.first {
self?.sendEvent(withName: "remote-jump-forward", body: ["interval": interval])
return MPRemoteCommandHandlerStatus.success
}
return MPRemoteCommandHandlerStatus.commandFailed
}
player.remoteCommandController.handleStopCommand = { [weak self] _ in
self?.sendEvent(withName: "remote-stop", body: nil)
return MPRemoteCommandHandlerStatus.success
}
player.remoteCommandController.handleTogglePlayPauseCommand = { [weak self] _ in
if self?.player.playerState == .paused {
self?.sendEvent(withName: "remote-play", body: nil)
return MPRemoteCommandHandlerStatus.success
}
self?.sendEvent(withName: "remote-pause", body: nil)
return MPRemoteCommandHandlerStatus.success
}
player.remoteCommandController.handleLikeCommand = { [weak self] _ in
self?.sendEvent(withName: "remote-like", body: nil)
return MPRemoteCommandHandlerStatus.success
}
player.remoteCommandController.handleDislikeCommand = { [weak self] _ in
self?.sendEvent(withName: "remote-dislike", body: nil)
return MPRemoteCommandHandlerStatus.success
}
player.remoteCommandController.handleBookmarkCommand = { [weak self] _ in
self?.sendEvent(withName: "remote-bookmark", body: nil)
return MPRemoteCommandHandlerStatus.success
}
hasInitialized = true
resolve(NSNull())
}
@objc(destroy)
public func destroy() {
print("Destroying player")
}
@objc(updateOptions:resolver:rejecter:)
public func update(options: [String: Any], resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
var capabilitiesStr = options["capabilities"] as? [String] ?? []
if (capabilitiesStr.contains("play") && capabilitiesStr.contains("pause")) {
capabilitiesStr.append("togglePlayPause");
}
let capabilities = capabilitiesStr.compactMap { Capability(rawValue: $0) }
let remoteCommands = capabilities.map { capability in
capability.mapToPlayerCommand(jumpInterval: options["jumpInterval"] as? NSNumber,
likeOptions: options["likeOptions"] as? [String: Any],
dislikeOptions: options["dislikeOptions"] as? [String: Any],
bookmarkOptions: options["bookmarkOptions"] as? [String: Any])
}
player.enableRemoteCommands(remoteCommands)
resolve(NSNull())
}
@objc(add:before:resolver:rejecter:)
public func add(trackDicts: [[String: Any]], before trackId: String?, resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
DispatchQueue.main.asyncAfter(deadline: .now() + 0.5) {
UIApplication.shared.beginReceivingRemoteControlEvents();
}
var tracks = [Track]()
for trackDict in trackDicts {
guard let track = Track(dictionary: trackDict) else {
reject("invalid_track_object", "Track is missing a required key", nil)
return
}
tracks.append(track)
}
print("Adding tracks:", tracks)
if let trackId = trackId {
guard let insertIndex = player.items.firstIndex(where: { ($0 as! Track).id == trackId })
else {
reject("track_not_in_queue", "Given track ID was not found in queue", nil)
return
}
try? player.add(items: tracks, at: insertIndex)
} else {
try? player.add(items: tracks, playWhenReady: false)
}
resolve(NSNull())
}
@objc(remove:resolver:rejecter:)
public func remove(tracks ids: [String], resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
print("Removing tracks:", ids)
// Look through queue for tracks that match one of the provided ids.
// Do this in reverse order so that as they are removed,
// it will not affect other indices that will be removed.
for (index, element) in player.items.enumerated().reversed() {
// skip the current index
if index == player.currentIndex { continue }
let track = element as! Track
if ids.contains(track.id) {
try? player.removeItem(at: index)
}
}
resolve(NSNull())
}
@objc(removeUpcomingTracks:rejecter:)
public func removeUpcomingTracks(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
print("Removing upcoming tracks")
player.removeUpcomingItems()
resolve(NSNull())
}
@objc(skip:resolver:rejecter:)
public func skip(to trackId: String, resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
guard let trackIndex = player.items.firstIndex(where: { ($0 as! Track).id == trackId })
else {
reject("track_not_in_queue", "Given track ID was not found in queue", nil)
return
}
print("Skipping to track:", trackId)
try? player.jumpToItem(atIndex: trackIndex, playWhenReady: player.playerState == .playing)
resolve(NSNull())
}
@objc(skipToNext:rejecter:)
public func skipToNext(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
print("Skipping to next track")
do {
try player.next()
resolve(NSNull())
} catch (_) {
reject("queue_exhausted", "There is no tracks left to play", nil)
}
}
@objc(skipToPrevious:rejecter:)
public func skipToPrevious(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
print("Skipping to next track")
do {
try player.previous()
resolve(NSNull())
} catch (_) {
reject("no_previous_track", "There is no previous track", nil)
}
}
@objc(reset:rejecter:)
public func reset(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
print("Resetting player.")
player.stop()
resolve(NSNull())
DispatchQueue.main.async {
UIApplication.shared.endReceivingRemoteControlEvents();
}
}
@objc(play:rejecter:)
public func play(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
print("Starting/Resuming playback")
try? AVAudioSession.sharedInstance().setActive(true)
player.play()
resolve(NSNull())
}
@objc(pause:rejecter:)
public func pause(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
print("Pausing playback")
player.pause()
resolve(NSNull())
}
@objc(stop:rejecter:)
public func stop(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
print("Stopping playback")
player.stop()
resolve(NSNull())
}
@objc(seekTo:resolver:rejecter:)
public func seek(to time: Double, resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
print("Seeking to \(time) seconds")
player.seek(to: time)
resolve(NSNull())
}
@objc(setVolume:resolver:rejecter:)
public func setVolume(level: Float, resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
print("Setting volume to \(level)")
player.volume = level
resolve(NSNull())
}
@objc(getVolume:rejecter:)
public func getVolume(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
print("Getting current volume")
resolve(player.volume)
}
@objc(setRate:resolver:rejecter:)
public func setRate(rate: Float, resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
print("Setting rate to \(rate)")
player.rate = rate
resolve(NSNull())
}
@objc(getRate:rejecter:)
public func getRate(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
print("Getting current rate")
resolve(player.rate)
}
@objc(getTrack:resolver:rejecter:)
public func getTrack(id: String, resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
guard let track = player.items.first(where: { ($0 as! Track).id == id })
else {
reject("track_not_in_queue", "Given track ID was not found in queue", nil)
return
}
resolve((track as? Track)?.toObject())
}
@objc(getQueue:rejecter:)
public func getQueue(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
let serializedQueue = player.items.map { ($0 as! Track).toObject() }
resolve(serializedQueue)
}
@objc(getCurrentTrack:rejecter:)
public func getCurrentTrack(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
resolve((player.currentItem as? Track)?.id)
}
@objc(getDuration:rejecter:)
public func getDuration(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
resolve(player.duration)
}
@objc(getBufferedPosition:rejecter:)
public func getBufferedPosition(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
resolve(player.bufferedPosition)
}
@objc(getPosition:rejecter:)
public func getPosition(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
resolve(player.currentTime)
}
@objc(getState:rejecter:)
public func getState(resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
resolve(player.playerState.rawValue)
}
@objc(updateMetadataForTrack:properties:resolver:rejecter:)
public func updateMetadata(for trackId: String, properties: [String: Any], resolve: RCTPromiseResolveBlock, reject: RCTPromiseRejectBlock) {
guard let track = player.items.first(where: { ($0 as! Track).id == trackId }) as? Track
else {
reject("track_not_in_queue", "Given track ID was not found in queue", nil)
return
}
track.updateMetadata(dictionary: properties)
if (player.currentItem as! Track).id == track.id {
player.nowPlayingInfoController.set(keyValues: [
MediaItemProperty.artist(track.artist),
MediaItemProperty.title(track.title),
MediaItemProperty.albumTitle(track.album),
])
player.updateNowPlayingPlaybackValues();
track.getArtwork { [weak self] image in
if let image = image {
let artwork = MPMediaItemArtwork(boundsSize: image.size, requestHandler: { (size) -> UIImage in
return image
})
self?.player.nowPlayingInfoController.set(keyValue: MediaItemProperty.artwork(artwork))
self?.player.updateNowPlayingPlaybackValues();
}
}
}
resolve(NSNull())
}
}
| apache-2.0 | e3ba1001e75adc7e6eb8c03e611dd4f0 | 39.241445 | 161 | 0.613738 | 5.063876 | false | false | false | false |
AnarchyTools/atpm | atpm/src/dependency.swift | 1 | 3132 | // Copyright (c) 2016 Anarchy Tools Contributors.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
import atpkg
import atfoundation
import atpm_tools
///Choose a version
///- parameter versions: The set of legal versions we could choose
///- parameter versionRange: Version specifiers such as are provided in a build.atpkg
///- parameter lockedPayload: Use this payload to choose a version if possible
///- parameter update: Whether to update the package, or only fetch
func chooseVersion(versions: [Version], versionRange: VersionRange, lockedPayload: LockedPayload?, update: Bool) throws -> Version? {
if lockedPayload?.pinned == true || !update {
if let v = lockedPayload?.usedVersion {
guard let lockedVersion = try versions.filter({ version throws -> Bool in
return version.description == v
}).first else {
fatalError("Can't find version \(v) to fetch. Use update and/or unpin to resolve.")
}
return lockedVersion
}
}
var versions = versions
versions = try versions.filter { version throws -> Bool in
return versionRange.versionInRange(version)
}
versions.sort(by: { (v1, v2) -> Bool in
return v1 < v2
})
if versions.count > 0 {
print("Valid versions: \(versions), using \(versions.last!)")
return versions.last!
} else {
print("No valid versions!")
return nil
}
}
func updateDependency(_ pkg: ExternalDependency, lock: LockedPackage?, firstTime: Bool = false) throws {
switch(pkg.dependencyType) {
case .Git:
try updateGitDependency(pkg, lock: lock, firstTime: firstTime)
case .Manifest:
try fetchHTTPDependency(pkg, lock: lock, update: true)
break
}
}
//- returns: The name of the depency we downloaded
func fetchDependency(_ pkg: ExternalDependency, lock: LockedPackage?) throws {
//note that this check only works for git dependencies –
//binary dependencies names are defined in the manifest
//additionally, this does not segregate by "channels" as would be needed for that case
if let name = pkg.name {
if FS.fileExists(path: Path("external/\(name)")) {
print("Already downloaded")
return
}
}
let ext = Path("external")
if !FS.fileExists(path: ext) {
try FS.createDirectory(path: ext)
}
switch(pkg.dependencyType) {
case .Git:
try fetchGitDependency(pkg, lock: lock)
case .Manifest:
try fetchHTTPDependency(pkg, lock: lock, update: false)
}
}
| apache-2.0 | 67f6f1fcac6778b94f2f40bfd1ba07a9 | 34.168539 | 133 | 0.661661 | 4.371508 | false | false | false | false |
PSPDFKit-labs/ReactiveCocoa | ReactiveCocoa/Swift/SignalProducer.swift | 1 | 53792 | import Result
/// A SignalProducer creates Signals that can produce values of type `T` and/or
/// error out with errors of type `E`. If no errors should be possible, NoError
/// can be specified for `E`.
///
/// SignalProducers can be used to represent operations or tasks, like network
/// requests, where each invocation of start() will create a new underlying
/// operation. This ensures that consumers will receive the results, versus a
/// plain Signal, where the results might be sent before any observers are
/// attached.
///
/// Because of the behavior of start(), different Signals created from the
/// producer may see a different version of Events. The Events may arrive in a
/// different order between Signals, or the stream might be completely
/// different!
public struct SignalProducer<T, E: ErrorType> {
public typealias ProducedSignal = Signal<T, E>
private let startHandler: (Signal<T, E>.Observer, CompositeDisposable) -> ()
/// Initializes a SignalProducer that will invoke the given closure once
/// for each invocation of start().
///
/// The events that the closure puts into the given sink will become the
/// events sent by the started Signal to its observers.
///
/// If the Disposable returned from start() is disposed or a terminating
/// event is sent to the observer, the given CompositeDisposable will be
/// disposed, at which point work should be interrupted and any temporary
/// resources cleaned up.
public init(_ startHandler: (Signal<T, E>.Observer, CompositeDisposable) -> ()) {
self.startHandler = startHandler
}
/// Creates a producer for a Signal that will immediately send one value
/// then complete.
public init(value: T) {
self.init({ observer, disposable in
sendNext(observer, value)
sendCompleted(observer)
})
}
/// Creates a producer for a Signal that will immediately send an error.
public init(error: E) {
self.init({ observer, disposable in
sendError(observer, error)
})
}
/// Creates a producer for a Signal that will immediately send one value
/// then complete, or immediately send an error, depending on the given
/// Result.
public init(result: Result<T, E>) {
switch result {
case let .Success(value):
self.init(value: value)
case let .Failure(error):
self.init(error: error)
}
}
/// Creates a producer for a Signal that will immediately send the values
/// from the given sequence, then complete.
public init<S: SequenceType where S.Generator.Element == T>(values: S) {
self.init({ observer, disposable in
for value in values {
sendNext(observer, value)
if disposable.disposed {
break
}
}
sendCompleted(observer)
})
}
/// A producer for a Signal that will immediately complete without sending
/// any values.
public static var empty: SignalProducer {
return self.init { observer, disposable in
sendCompleted(observer)
}
}
/// A producer for a Signal that never sends any events to its observers.
public static var never: SignalProducer {
return self.init { _ in () }
}
/// Creates a queue for events that replays them when new signals are
/// created from the returned producer.
///
/// When values are put into the returned observer (sink), they will be
/// added to an internal buffer. If the buffer is already at capacity,
/// the earliest (oldest) value will be dropped to make room for the new
/// value.
///
/// Signals created from the returned producer will stay alive until a
/// terminating event is added to the queue. If the queue does not contain
/// such an event when the Signal is started, all values sent to the
/// returned observer will be automatically forwarded to the Signal’s
/// observers until a terminating event is received.
///
/// After a terminating event has been added to the queue, the observer
/// will not add any further events. This _does not_ count against the
/// value capacity so no buffered values will be dropped on termination.
public static func buffer(capacity: Int = Int.max) -> (SignalProducer, Signal<T, E>.Observer) {
precondition(capacity >= 0)
// This is effectively used as a synchronous mutex, but permitting
// limited recursive locking (see below).
//
// The queue is a "variable" just so we can use its address as the key
// and the value for dispatch_queue_set_specific().
var queue = dispatch_queue_create("org.reactivecocoa.ReactiveCocoa.SignalProducer.buffer", DISPATCH_QUEUE_SERIAL)
dispatch_queue_set_specific(queue, &queue, &queue, nil)
// Used as an atomic variable so we can remove observers without needing
// to run on the queue.
let state: Atomic<BufferState<T, E>> = Atomic(BufferState())
let producer = self.init { observer, disposable in
// Assigned to when replay() is invoked synchronously below.
var token: RemovalToken?
let replay: () -> () = {
let originalState = state.modify { (var state) in
token = state.observers?.insert(observer)
return state
}
for value in originalState.values {
sendNext(observer, value)
}
if let terminationEvent = originalState.terminationEvent {
observer(terminationEvent)
}
}
// Prevent other threads from sending events while we're replaying,
// but don't deadlock if we're replaying in response to a buffer
// event observed elsewhere.
//
// In other words, this permits limited signal recursion for the
// specific case of replaying past events.
if dispatch_get_specific(&queue) != nil {
replay()
} else {
dispatch_sync(queue, replay)
}
if let token = token {
disposable.addDisposable {
state.modify { (var state) in
state.observers?.removeValueForToken(token)
return state
}
}
}
}
let bufferingObserver: Signal<T, E>.Observer = { event in
// Send serially with respect to other senders, and never while
// another thread is in the process of replaying.
dispatch_sync(queue) {
let originalState = state.modify { (var state) in
if let value = event.value {
state.addValue(value, upToCapacity: capacity)
} else {
// Disconnect all observers and prevent future
// attachments.
state.terminationEvent = event
state.observers = nil
}
return state
}
if let observers = originalState.observers {
for observer in observers {
observer(event)
}
}
}
}
return (producer, bufferingObserver)
}
/// Creates a SignalProducer that will attempt the given operation once for
/// each invocation of start().
///
/// Upon success, the started signal will send the resulting value then
/// complete. Upon failure, the started signal will send the error that
/// occurred.
public static func attempt(operation: () -> Result<T, E>) -> SignalProducer {
return self.init { observer, disposable in
operation().analysis(ifSuccess: { value in
sendNext(observer, value)
sendCompleted(observer)
}, ifFailure: { error in
sendError(observer, error)
})
}
}
/// Creates a Signal from the producer, passes it into the given closure,
/// then starts sending events on the Signal when the closure has returned.
///
/// The closure will also receive a disposable which can be used to
/// interrupt the work associated with the signal and immediately send an
/// `Interrupted` event.
public func startWithSignal(@noescape setUp: (Signal<T, E>, Disposable) -> ()) {
let (signal, sink) = Signal<T, E>.pipe()
// Disposes of the work associated with the SignalProducer and any
// upstream producers.
let producerDisposable = CompositeDisposable()
// Directly disposed of when start() or startWithSignal() is disposed.
let cancelDisposable = ActionDisposable {
sendInterrupted(sink)
producerDisposable.dispose()
}
setUp(signal, cancelDisposable)
if cancelDisposable.disposed {
return
}
let wrapperObserver: Signal<T, E>.Observer = { event in
sink(event)
if event.isTerminating {
// Dispose only after notifying the Signal, so disposal
// logic is consistently the last thing to run.
producerDisposable.dispose()
}
}
startHandler(wrapperObserver, producerDisposable)
}
}
private struct BufferState<T, Error: ErrorType> {
// All values in the buffer.
var values: [T] = []
// Any terminating event sent to the buffer.
//
// This will be nil if termination has not occurred.
var terminationEvent: Event<T, Error>?
// The observers currently attached to the buffered producer, or nil if the
// producer was terminated.
var observers: Bag<Signal<T, Error>.Observer>? = Bag()
// Appends a new value to the buffer, trimming it down to the given capacity
// if necessary.
mutating func addValue(value: T, upToCapacity capacity: Int) {
values.append(value)
while values.count > capacity {
values.removeAtIndex(0)
}
}
}
public protocol SignalProducerType {
/// The type of values being sent on the producer
typealias T
/// The type of error that can occur on the producer. If errors aren't possible
/// then `NoError` can be used.
typealias E: ErrorType
/// Extracts a signal producer from the receiver.
var producer: SignalProducer<T, E> { get }
/// Creates a Signal from the producer, passes it into the given closure,
/// then starts sending events on the Signal when the closure has returned.
func startWithSignal(@noescape setUp: (Signal<T, E>, Disposable) -> ())
}
extension SignalProducer: SignalProducerType {
public var producer: SignalProducer {
return self
}
}
extension SignalProducerType {
/// Creates a Signal from the producer, then attaches the given sink to the
/// Signal as an observer.
///
/// Returns a Disposable which can be used to interrupt the work associated
/// with the signal and immediately send an `Interrupted` event.
public func start(sink: Event<T, E>.Sink) -> Disposable {
var disposable: Disposable!
startWithSignal { signal, innerDisposable in
signal.observe(sink)
disposable = innerDisposable
}
return disposable
}
/// Creates a Signal from the producer, then adds exactly one observer to
/// the Signal, which will invoke the given callbacks when events are
/// received.
///
/// Returns a Disposable which can be used to interrupt the work associated
/// with the Signal, and prevent any future callbacks from being invoked.
public func start(error error: (E -> ())? = nil, completed: (() -> ())? = nil, interrupted: (() -> ())? = nil, next: (T -> ())? = nil) -> Disposable {
return start(Event.sink(next: next, error: error, completed: completed, interrupted: interrupted))
}
/// Lifts an unary Signal operator to operate upon SignalProducers instead.
///
/// In other words, this will create a new SignalProducer which will apply
/// the given Signal operator to _every_ created Signal, just as if the
/// operator had been applied to each Signal yielded from start().
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func lift<U, F>(transform: Signal<T, E> -> Signal<U, F>) -> SignalProducer<U, F> {
return SignalProducer { observer, outerDisposable in
self.startWithSignal { signal, innerDisposable in
outerDisposable.addDisposable(innerDisposable)
transform(signal).observe(observer)
}
}
}
/// Lifts a binary Signal operator to operate upon SignalProducers instead.
///
/// In other words, this will create a new SignalProducer which will apply
/// the given Signal operator to _every_ Signal created from the two
/// producers, just as if the operator had been applied to each Signal
/// yielded from start().
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func lift<U, F, V, G>(transform: Signal<U, F> -> Signal<T, E> -> Signal<V, G>) -> SignalProducer<U, F> -> SignalProducer<V, G> {
return { otherProducer in
return SignalProducer { observer, outerDisposable in
self.startWithSignal { signal, disposable in
outerDisposable.addDisposable(disposable)
otherProducer.startWithSignal { otherSignal, otherDisposable in
outerDisposable.addDisposable(otherDisposable)
transform(otherSignal)(signal).observe(observer)
}
}
}
}
}
/// Maps each value in the producer to a new value.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func map<U>(transform: T -> U) -> SignalProducer<U, E> {
return lift { $0.map(transform) }
}
/// Maps errors in the producer to a new error.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func mapError<F>(transform: E -> F) -> SignalProducer<T, F> {
return lift { $0.mapError(transform) }
}
/// Preserves only the values of the producer that pass the given predicate.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func filter(predicate: T -> Bool) -> SignalProducer<T, E> {
return lift { $0.filter(predicate) }
}
/// Returns a producer that will yield the first `count` values from the
/// input producer.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func take(count: Int) -> SignalProducer<T, E> {
return lift { $0.take(count) }
}
/// Returns a signal that will yield an array of values when `signal` completes.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func collect() -> SignalProducer<[T], E> {
return lift { $0.collect() }
}
/// Forwards all events onto the given scheduler, instead of whichever
/// scheduler they originally arrived upon.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func observeOn(scheduler: SchedulerType) -> SignalProducer<T, E> {
return lift { $0.observeOn(scheduler) }
}
/// Combines the latest value of the receiver with the latest value from
/// the given producer.
///
/// The returned producer will not send a value until both inputs have sent at
/// least one value each. If either producer is interrupted, the returned producer
/// will also be interrupted.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func combineLatestWith<U>(otherProducer: SignalProducer<U, E>) -> SignalProducer<(T, U), E> {
return lift(ReactiveCocoa.combineLatestWith)(otherProducer)
}
/// Delays `Next` and `Completed` events by the given interval, forwarding
/// them on the given scheduler.
///
/// `Error` and `Interrupted` events are always scheduled immediately.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func delay(interval: NSTimeInterval, onScheduler scheduler: DateSchedulerType) -> SignalProducer<T, E> {
return lift { $0.delay(interval, onScheduler: scheduler) }
}
/// Returns a producer that will skip the first `count` values, then forward
/// everything afterward.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func skip(count: Int) -> SignalProducer<T, E> {
return lift { $0.skip(count) }
}
/// Treats all Events from the input producer as plain values, allowing them to be
/// manipulated just like any other value.
///
/// In other words, this brings Events “into the monad.”
///
/// When a Completed or Error event is received, the resulting producer will send
/// the Event itself and then complete. When an Interrupted event is received,
/// the resulting producer will send the Event itself and then interrupt.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func materialize() -> SignalProducer<Event<T, E>, NoError> {
return lift { $0.materialize() }
}
/// Forwards the latest value from `self` whenever `sampler` sends a Next
/// event.
///
/// If `sampler` fires before a value has been observed on `self`, nothing
/// happens.
///
/// Returns a producer that will send values from `self`, sampled (possibly
/// multiple times) by `sampler`, then complete once both input producers have
/// completed, or interrupt if either input producer is interrupted.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func sampleOn(sampler: SignalProducer<(), NoError>) -> SignalProducer<T, E> {
return lift(ReactiveCocoa.sampleOn)(sampler)
}
/// Forwards events from `self` until `trigger` sends a Next or Completed
/// event, at which point the returned producer will complete.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func takeUntil(trigger: SignalProducer<(), NoError>) -> SignalProducer<T, E> {
return lift(ReactiveCocoa.takeUntil)(trigger)
}
/// Forwards events from `self` with history: values of the returned producer
/// are a tuple whose first member is the previous value and whose second member
/// is the current value. `initial` is supplied as the first member when `self`
/// sends its first value.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func combinePrevious(initial: T) -> SignalProducer<(T, T), E> {
return lift { $0.combinePrevious(initial) }
}
/// Like `scan`, but sends only the final value and then immediately completes.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func reduce<U>(initial: U, _ combine: (U, T) -> U) -> SignalProducer<U, E> {
return lift { $0.reduce(initial, combine) }
}
/// Aggregates `self`'s values into a single combined value. When `self` emits
/// its first value, `combine` is invoked with `initial` as the first argument and
/// that emitted value as the second argument. The result is emitted from the
/// producer returned from `scan`. That result is then passed to `combine` as the
/// first argument when the next value is emitted, and so on.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func scan<U>(initial: U, _ combine: (U, T) -> U) -> SignalProducer<U, E> {
return lift { $0.scan(initial, combine) }
}
/// Forwards only those values from `self` which do not pass `isRepeat` with
/// respect to the previous value. The first value is always forwarded.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func skipRepeats(isRepeat: (T, T) -> Bool) -> SignalProducer<T, E> {
return lift { $0.skipRepeats(isRepeat) }
}
/// Does not forward any values from `self` until `predicate` returns false,
/// at which point the returned signal behaves exactly like `self`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func skipWhile(predicate: T -> Bool) -> SignalProducer<T, E> {
return lift { $0.skipWhile(predicate) }
}
/// Forwards events from `self` until `replacement` begins sending events.
///
/// Returns a producer which passes through `Next`, `Error`, and `Interrupted`
/// events from `self` until `replacement` sends an event, at which point the
/// returned producer will send that event and switch to passing through events
/// from `replacement` instead, regardless of whether `self` has sent events
/// already.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func takeUntilReplacement(replacement: SignalProducer<T, E>) -> SignalProducer<T, E> {
return lift(ReactiveCocoa.takeUntilReplacement)(replacement)
}
/// Waits until `self` completes and then forwards the final `count` values
/// on the returned producer.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func takeLast(count: Int) -> SignalProducer<T, E> {
return lift { $0.takeLast(count) }
}
/// Forwards any values from `self` until `predicate` returns false,
/// at which point the returned producer will complete.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func takeWhile(predicate: T -> Bool) -> SignalProducer<T, E> {
return lift { $0.takeWhile(predicate) }
}
/// Zips elements of two producers into pairs. The elements of any Nth pair
/// are the Nth elements of the two input producers.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func zipWith<U>(otherProducer: SignalProducer<U, E>) -> SignalProducer<(T, U), E> {
return lift(ReactiveCocoa.zipWith)(otherProducer)
}
/// Applies `operation` to values from `self` with `Success`ful results
/// forwarded on the returned producer and `Failure`s sent as `Error` events.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func attempt(operation: T -> Result<(), E>) -> SignalProducer<T, E> {
return lift { $0.attempt(operation) }
}
/// Applies `operation` to values from `self` with `Success`ful results mapped
/// on the returned producer and `Failure`s sent as `Error` events.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func attemptMap<U>(operation: T -> Result<U, E>) -> SignalProducer<U, E> {
return lift { $0.attemptMap(operation) }
}
/// Throttle values sent by the receiver, so that at least `interval`
/// seconds pass between each, then forwards them on the given scheduler.
///
/// If multiple values are received before the interval has elapsed, the
/// latest value is the one that will be passed on.
///
/// If `self` terminates while a value is being throttled, that value
/// will be discarded and the returned producer will terminate immediately.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func throttle(interval: NSTimeInterval, onScheduler scheduler: DateSchedulerType) -> SignalProducer<T, E> {
return lift { $0.throttle(interval, onScheduler: scheduler) }
}
/// Forwards events from `self` until `interval`. Then if producer isn't completed yet,
/// errors with `error` on `scheduler`.
///
/// If the interval is 0, the timeout will be scheduled immediately. The producer
/// must complete synchronously (or on a faster scheduler) to avoid the timeout.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func timeoutWithError(error: E, afterInterval interval: NSTimeInterval, onScheduler scheduler: DateSchedulerType) -> SignalProducer<T, E> {
return lift { $0.timeoutWithError(error, afterInterval: interval, onScheduler: scheduler) }
}
}
extension SignalProducer where T: OptionalType {
/// Unwraps non-`nil` values and forwards them on the returned signal, `nil`
/// values are dropped.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func ignoreNil() -> SignalProducer<T.T, E> {
return lift { $0.ignoreNil() }
}
}
extension SignalProducer where T: EventType, E: NoError {
/// The inverse of materialize(), this will translate a signal of `Event`
/// _values_ into a signal of those events themselves.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func dematerialize() -> SignalProducer<T.T, T.E> {
return lift { $0.dematerialize() }
}
}
extension SignalProducerType where E: NoError {
/// Promotes a producer that does not generate errors into one that can.
///
/// This does not actually cause errors to be generated for the given producer,
/// but makes it easier to combine with other producers that may error; for
/// example, with operators like `combineLatestWith`, `zipWith`, `flatten`, etc.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func promoteErrors<F: ErrorType>(_: F.Type) -> SignalProducer<T, F> {
return lift { $0.promoteErrors(F) }
}
}
extension SignalProducerType where T: Equatable {
/// Forwards only those values from `self` which are not duplicates of the
/// immedately preceding value. The first value is always forwarded.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func skipRepeats() -> SignalProducer<T, E> {
return lift { $0.skipRepeats() }
}
}
/// Creates a repeating timer of the given interval, with a reasonable
/// default leeway, sending updates on the given scheduler.
///
/// This timer will never complete naturally, so all invocations of start() must
/// be disposed to avoid leaks.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func timer(interval: NSTimeInterval, onScheduler scheduler: DateSchedulerType) -> SignalProducer<NSDate, NoError> {
// Apple's "Power Efficiency Guide for Mac Apps" recommends a leeway of
// at least 10% of the timer interval.
return timer(interval, onScheduler: scheduler, withLeeway: interval * 0.1)
}
/// Creates a repeating timer of the given interval, sending updates on the
/// given scheduler.
///
/// This timer will never complete naturally, so all invocations of start() must
/// be disposed to avoid leaks.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func timer(interval: NSTimeInterval, onScheduler scheduler: DateSchedulerType, withLeeway leeway: NSTimeInterval) -> SignalProducer<NSDate, NoError> {
precondition(interval >= 0)
precondition(leeway >= 0)
return SignalProducer { observer, compositeDisposable in
compositeDisposable += scheduler.scheduleAfter(scheduler.currentDate.dateByAddingTimeInterval(interval), repeatingEvery: interval, withLeeway: leeway) {
sendNext(observer, scheduler.currentDate)
}
}
}
extension SignalProducerType {
/// Injects side effects to be performed upon the specified signal events.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func on(started started: (() -> ())? = nil, event: (Event<T, E> -> ())? = nil, error: (E -> ())? = nil, completed: (() -> ())? = nil, interrupted: (() -> ())? = nil, terminated: (() -> ())? = nil, disposed: (() -> ())? = nil, next: (T -> ())? = nil) -> SignalProducer<T, E> {
return SignalProducer { observer, compositeDisposable in
started?()
disposed.map(compositeDisposable.addDisposable)
self.startWithSignal { signal, disposable in
compositeDisposable.addDisposable(disposable)
signal.observe { receivedEvent in
event?(receivedEvent)
switch receivedEvent {
case let .Next(value):
next?(value)
case let .Error(err):
error?(err)
case .Completed:
completed?()
case .Interrupted:
interrupted?()
}
if receivedEvent.isTerminating {
terminated?()
}
observer(receivedEvent)
}
}
}
}
/// Starts the returned signal on the given Scheduler.
///
/// This implies that any side effects embedded in the producer will be
/// performed on the given scheduler as well.
///
/// Events may still be sent upon other schedulers—this merely affects where
/// the `start()` method is run.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func startOn(scheduler: SchedulerType) -> SignalProducer<T, E> {
return SignalProducer { observer, compositeDisposable in
compositeDisposable += scheduler.schedule {
self.startWithSignal { signal, signalDisposable in
compositeDisposable.addDisposable(signalDisposable)
signal.observe(observer)
}
}
}
}
}
/// Combines the values of all the given producers, in the manner described by
/// `combineLatestWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func combineLatest<A, B, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>) -> SignalProducer<(A, B), Error> {
return a.combineLatestWith(b)
}
/// Combines the values of all the given producers, in the manner described by
/// `combineLatestWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func combineLatest<A, B, C, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>) -> SignalProducer<(A, B, C), Error> {
return combineLatest(a, b)
.combineLatestWith(c)
.map(repack)
}
/// Combines the values of all the given producers, in the manner described by
/// `combineLatestWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func combineLatest<A, B, C, D, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>) -> SignalProducer<(A, B, C, D), Error> {
return combineLatest(a, b, c)
.combineLatestWith(d)
.map(repack)
}
/// Combines the values of all the given producers, in the manner described by
/// `combineLatestWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func combineLatest<A, B, C, D, E, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>, _ e: SignalProducer<E, Error>) -> SignalProducer<(A, B, C, D, E), Error> {
return combineLatest(a, b, c, d)
.combineLatestWith(e)
.map(repack)
}
/// Combines the values of all the given producers, in the manner described by
/// `combineLatestWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func combineLatest<A, B, C, D, E, F, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>, _ e: SignalProducer<E, Error>, _ f: SignalProducer<F, Error>) -> SignalProducer<(A, B, C, D, E, F), Error> {
return combineLatest(a, b, c, d, e)
.combineLatestWith(f)
.map(repack)
}
/// Combines the values of all the given producers, in the manner described by
/// `combineLatestWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func combineLatest<A, B, C, D, E, F, G, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>, _ e: SignalProducer<E, Error>, _ f: SignalProducer<F, Error>, _ g: SignalProducer<G, Error>) -> SignalProducer<(A, B, C, D, E, F, G), Error> {
return combineLatest(a, b, c, d, e, f)
.combineLatestWith(g)
.map(repack)
}
/// Combines the values of all the given producers, in the manner described by
/// `combineLatestWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func combineLatest<A, B, C, D, E, F, G, H, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>, _ e: SignalProducer<E, Error>, _ f: SignalProducer<F, Error>, _ g: SignalProducer<G, Error>, _ h: SignalProducer<H, Error>) -> SignalProducer<(A, B, C, D, E, F, G, H), Error> {
return combineLatest(a, b, c, d, e, f, g)
.combineLatestWith(h)
.map(repack)
}
/// Combines the values of all the given producers, in the manner described by
/// `combineLatestWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func combineLatest<A, B, C, D, E, F, G, H, I, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>, _ e: SignalProducer<E, Error>, _ f: SignalProducer<F, Error>, _ g: SignalProducer<G, Error>, _ h: SignalProducer<H, Error>, _ i: SignalProducer<I, Error>) -> SignalProducer<(A, B, C, D, E, F, G, H, I), Error> {
return combineLatest(a, b, c, d, e, f, g, h)
.combineLatestWith(i)
.map(repack)
}
/// Combines the values of all the given producers, in the manner described by
/// `combineLatestWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func combineLatest<A, B, C, D, E, F, G, H, I, J, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>, _ e: SignalProducer<E, Error>, _ f: SignalProducer<F, Error>, _ g: SignalProducer<G, Error>, _ h: SignalProducer<H, Error>, _ i: SignalProducer<I, Error>, _ j: SignalProducer<J, Error>) -> SignalProducer<(A, B, C, D, E, F, G, H, I, J), Error> {
return combineLatest(a, b, c, d, e, f, g, h, i)
.combineLatestWith(j)
.map(repack)
}
/// Combines the values of all the given producers, in the manner described by
/// `combineLatestWith`. Will return an empty `SignalProducer` if the sequence is empty.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func combineLatest<S: SequenceType, T, Error where S.Generator.Element == SignalProducer<T, Error>>(producers: S) -> SignalProducer<[T], Error> {
var generator = producers.generate()
if let first = generator.next() {
let initial = first.map { [$0] }
return GeneratorSequence(generator).reduce(initial) { producer, next in
producer.combineLatestWith(next).map { $0.0 + [$0.1] }
}
}
return .empty
}
/// Zips the values of all the given producers, in the manner described by
/// `zipWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func zip<A, B, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>) -> SignalProducer<(A, B), Error> {
return a.zipWith(b)
}
/// Zips the values of all the given producers, in the manner described by
/// `zipWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func zip<A, B, C, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>) -> SignalProducer<(A, B, C), Error> {
return zip(a, b)
.zipWith(c)
.map(repack)
}
/// Zips the values of all the given producers, in the manner described by
/// `zipWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func zip<A, B, C, D, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>) -> SignalProducer<(A, B, C, D), Error> {
return zip(a, b, c)
.zipWith(d)
.map(repack)
}
/// Zips the values of all the given producers, in the manner described by
/// `zipWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func zip<A, B, C, D, E, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>, _ e: SignalProducer<E, Error>) -> SignalProducer<(A, B, C, D, E), Error> {
return zip(a, b, c, d)
.zipWith(e)
.map(repack)
}
/// Zips the values of all the given producers, in the manner described by
/// `zipWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func zip<A, B, C, D, E, F, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>, _ e: SignalProducer<E, Error>, _ f: SignalProducer<F, Error>) -> SignalProducer<(A, B, C, D, E, F), Error> {
return zip(a, b, c, d, e)
.zipWith(f)
.map(repack)
}
/// Zips the values of all the given producers, in the manner described by
/// `zipWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func zip<A, B, C, D, E, F, G, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>, _ e: SignalProducer<E, Error>, _ f: SignalProducer<F, Error>, _ g: SignalProducer<G, Error>) -> SignalProducer<(A, B, C, D, E, F, G), Error> {
return zip(a, b, c, d, e, f)
.zipWith(g)
.map(repack)
}
/// Zips the values of all the given producers, in the manner described by
/// `zipWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func zip<A, B, C, D, E, F, G, H, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>, _ e: SignalProducer<E, Error>, _ f: SignalProducer<F, Error>, _ g: SignalProducer<G, Error>, _ h: SignalProducer<H, Error>) -> SignalProducer<(A, B, C, D, E, F, G, H), Error> {
return zip(a, b, c, d, e, f, g)
.zipWith(h)
.map(repack)
}
/// Zips the values of all the given producers, in the manner described by
/// `zipWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func zip<A, B, C, D, E, F, G, H, I, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>, _ e: SignalProducer<E, Error>, _ f: SignalProducer<F, Error>, _ g: SignalProducer<G, Error>, _ h: SignalProducer<H, Error>, _ i: SignalProducer<I, Error>) -> SignalProducer<(A, B, C, D, E, F, G, H, I), Error> {
return zip(a, b, c, d, e, f, g, h)
.zipWith(i)
.map(repack)
}
/// Zips the values of all the given producers, in the manner described by
/// `zipWith`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func zip<A, B, C, D, E, F, G, H, I, J, Error>(a: SignalProducer<A, Error>, _ b: SignalProducer<B, Error>, _ c: SignalProducer<C, Error>, _ d: SignalProducer<D, Error>, _ e: SignalProducer<E, Error>, _ f: SignalProducer<F, Error>, _ g: SignalProducer<G, Error>, _ h: SignalProducer<H, Error>, _ i: SignalProducer<I, Error>, _ j: SignalProducer<J, Error>) -> SignalProducer<(A, B, C, D, E, F, G, H, I, J), Error> {
return zip(a, b, c, d, e, f, g, h, i)
.zipWith(j)
.map(repack)
}
/// Zips the values of all the given producers, in the manner described by
/// `zipWith`. Will return an empty `SignalProducer` if the sequence is empty.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func zip<S: SequenceType, T, Error where S.Generator.Element == SignalProducer<T, Error>>(producers: S) -> SignalProducer<[T], Error> {
var generator = producers.generate()
if let first = generator.next() {
let initial = first.map { [$0] }
return GeneratorSequence(generator).reduce(initial) { producer, next in
producer.zipWith(next).map { $0.0 + [$0.1] }
}
}
return .empty
}
extension SignalProducerType {
/// Catches any error that may occur on the input producer, mapping to a new producer
/// that starts in its place.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func flatMapError<F>(handler: E -> SignalProducer<T, F>) -> SignalProducer<T, F> {
return SignalProducer { observer, disposable in
let serialDisposable = SerialDisposable()
disposable.addDisposable(serialDisposable)
self.startWithSignal { signal, signalDisposable in
serialDisposable.innerDisposable = signalDisposable
signal.observe(next: { value in
sendNext(observer, value)
}, error: { error in
handler(error).startWithSignal { signal, signalDisposable in
serialDisposable.innerDisposable = signalDisposable
signal.observe(observer)
}
}, completed: {
sendCompleted(observer)
}, interrupted: {
sendInterrupted(observer)
})
}
}
}
}
extension SignalProducer {
/// `concat`s `next` onto `self`.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func concat(next: SignalProducer) -> SignalProducer {
return SignalProducer<SignalProducer, E>(values: [self, next]).concat()
}
}
extension SignalProducerType {
/// Repeats `self` a total of `count` times. Repeating `1` times results in
/// an equivalent signal producer.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func times(count: Int) -> SignalProducer<T, E> {
precondition(count >= 0)
if count == 0 {
return .empty
} else if count == 1 {
return producer
}
return SignalProducer { observer, disposable in
let serialDisposable = SerialDisposable()
disposable.addDisposable(serialDisposable)
func iterate(current: Int) {
self.startWithSignal { signal, signalDisposable in
serialDisposable.innerDisposable = signalDisposable
signal.observe { event in
switch event {
case .Completed:
let remainingTimes = current - 1
if remainingTimes > 0 {
iterate(remainingTimes)
} else {
sendCompleted(observer)
}
default:
observer(event)
}
}
}
}
iterate(count)
}
}
/// Ignores errors up to `count` times.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func retry(count: Int) -> SignalProducer<T, E> {
precondition(count >= 0)
if count == 0 {
return producer
} else {
return flatMapError { _ in
self.retry(count - 1)
}
}
}
/// Waits for completion of `producer`, *then* forwards all events from
/// `replacement`. Any error sent from `producer` is forwarded immediately, in
/// which case `replacement` will not be started, and none of its events will be
/// be forwarded. All values sent from `producer` are ignored.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func then<U>(replacement: SignalProducer<U, E>) -> SignalProducer<U, E> {
let relay = SignalProducer<U, E> { observer, observerDisposable in
self.startWithSignal { signal, signalDisposable in
observerDisposable.addDisposable(signalDisposable)
signal.observe(error: { error in
sendError(observer, error)
}, completed: {
sendCompleted(observer)
}, interrupted: {
sendInterrupted(observer)
})
}
}
return relay.concat(replacement)
}
/// Starts the producer, then blocks, waiting for the first value.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func first() -> Result<T, E>? {
return take(1).single()
}
/// Starts the producer, then blocks, waiting for events: Next and Completed.
/// When a single value or error is sent, the returned `Result` will represent
/// those cases. However, when no values are sent, or when more than one value
/// is sent, `nil` will be returned.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func single() -> Result<T, E>? {
let semaphore = dispatch_semaphore_create(0)
var result: Result<T, E>?
take(2).start(next: { value in
if result != nil {
// Move into failure state after recieving another value.
result = nil
return
}
result = .success(value)
}, error: { error in
result = .failure(error)
dispatch_semaphore_signal(semaphore)
}, completed: {
dispatch_semaphore_signal(semaphore)
}, interrupted: {
dispatch_semaphore_signal(semaphore)
})
dispatch_semaphore_wait(semaphore, DISPATCH_TIME_FOREVER)
return result
}
/// Starts the producer, then blocks, waiting for the last value.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func last() -> Result<T, E>? {
return takeLast(1).single()
}
/// Starts the producer, then blocks, waiting for completion.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func wait() -> Result<(), E> {
return then(SignalProducer<(), E>(value: ())).last() ?? .success(())
}
}
/// Describes how multiple producers should be joined together.
public enum FlattenStrategy: Equatable {
/// The producers should be merged, so that any value received on any of the
/// input producers will be forwarded immediately to the output producer.
///
/// The resulting producer will complete only when all inputs have completed.
case Merge
/// The producers should be concatenated, so that their values are sent in the
/// order of the producers themselves.
///
/// The resulting producer will complete only when all inputs have completed.
case Concat
/// Only the events from the latest input producer should be considered for
/// the output. Any producers received before that point will be disposed of.
///
/// The resulting producer will complete only when the producer-of-producers and
/// the latest producer has completed.
case Latest
}
extension FlattenStrategy: CustomStringConvertible {
public var description: String {
switch self {
case .Merge:
return "merge"
case .Concat:
return "concatenate"
case .Latest:
return "latest"
}
}
}
extension SignalProducer where T: SignalProducerType, E == T.E {
/// Flattens the inner producers sent upon `producer` (into a single producer of
/// values), according to the semantics of the given strategy.
///
/// If `producer` or an active inner producer emits an error, the returned
/// producer will forward that error immediately.
///
/// `Interrupted` events on inner producers will be treated like `Completed`
/// events on inner producers.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func flatten(strategy: FlattenStrategy) -> SignalProducer<T.T, E> {
switch strategy {
case .Merge:
return producer.merge()
case .Concat:
return producer.concat()
case .Latest:
return producer.switchToLatest()
}
}
}
extension SignalProducer {
/// Maps each event from `producer` to a new producer, then flattens the
/// resulting producers (into a single producer of values), according to the
/// semantics of the given strategy.
///
/// If `producer` or any of the created producers emit an error, the returned
/// producer will forward that error immediately.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
public func flatMap<U>(strategy: FlattenStrategy, transform: T -> SignalProducer<U, E>) -> SignalProducer<U, E> {
return map(transform).flatten(strategy)
}
}
extension SignalProducer where T: SignalProducerType, E == T.E {
/// Returns a producer which sends all the values from each producer emitted from
/// `producer`, waiting until each inner producer completes before beginning to
/// send the values from the next inner producer.
///
/// If any of the inner producers emit an error, the returned producer will emit
/// that error.
///
/// The returned producer completes only when `producer` and all producers
/// emitted from `producer` complete.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
private func concat() -> SignalProducer<T.T, E> {
return SignalProducer<T.T, E> { observer, disposable in
let state = ConcatState(observer: observer, disposable: disposable)
self.startWithSignal { signal, signalDisposable in
disposable.addDisposable(signalDisposable)
signal.observe(next: {
state.enqueueSignalProducer($0.producer)
}, error: { error in
sendError(observer, error)
}, completed: {
// Add one last producer to the queue, whose sole job is to
// "turn out the lights" by completing `observer`.
let completion = SignalProducer<T.T, E> { innerObserver, _ in
sendCompleted(innerObserver)
sendCompleted(observer)
}
state.enqueueSignalProducer(completion)
}, interrupted: {
sendInterrupted(observer)
})
}
}
}
}
private final class ConcatState<T, E: ErrorType> {
/// The observer of a started `concat` producer.
let observer: Signal<T, E>.Observer
/// The top level disposable of a started `concat` producer.
let disposable: CompositeDisposable
/// The active producer, if any, and the producers waiting to be started.
let queuedSignalProducers: Atomic<[SignalProducer<T, E>]> = Atomic([])
init(observer: Signal<T, E>.Observer, disposable: CompositeDisposable) {
self.observer = observer
self.disposable = disposable
}
func enqueueSignalProducer(producer: SignalProducer<T, E>) {
if disposable.disposed {
return
}
var shouldStart = true
queuedSignalProducers.modify { (var queue) in
// An empty queue means the concat is idle, ready & waiting to start
// the next producer.
shouldStart = queue.isEmpty
queue.append(producer)
return queue
}
if shouldStart {
startNextSignalProducer(producer)
}
}
func dequeueSignalProducer() -> SignalProducer<T, E>? {
if disposable.disposed {
return nil
}
var nextSignalProducer: SignalProducer<T, E>?
queuedSignalProducers.modify { (var queue) in
// Active producers remain in the queue until completed. Since
// dequeueing happens at completion of the active producer, the
// first producer in the queue can be removed.
if !queue.isEmpty { queue.removeAtIndex(0) }
nextSignalProducer = queue.first
return queue
}
return nextSignalProducer
}
/// Subscribes to the given signal producer.
func startNextSignalProducer(signalProducer: SignalProducer<T, E>) {
signalProducer.startWithSignal { signal, disposable in
let handle = self.disposable.addDisposable(disposable)
signal.observe { event in
switch event {
case .Completed, .Interrupted:
handle.remove()
if let nextSignalProducer = self.dequeueSignalProducer() {
self.startNextSignalProducer(nextSignalProducer)
}
default:
self.observer(event)
}
}
}
}
}
extension SignalProducer where T: SignalProducerType, E == T.E {
/// Merges a `producer` of SignalProducers down into a single producer, biased toward the producers
/// added earlier. Returns a SignalProducer that will forward events from the inner producers as they arrive.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
private func merge() -> SignalProducer<T.T, E> {
return SignalProducer<T.T, E> { relayObserver, disposable in
let inFlight = Atomic(1)
let decrementInFlight: () -> () = {
let orig = inFlight.modify { $0 - 1 }
if orig == 1 {
sendCompleted(relayObserver)
}
}
self.startWithSignal { signal, signalDisposable in
disposable.addDisposable(signalDisposable)
signal.observe(next: { producer in
producer.startWithSignal { innerSignal, innerDisposable in
inFlight.modify { $0 + 1 }
let handle = disposable.addDisposable(innerDisposable)
innerSignal.observe { event in
switch event {
case .Completed, .Interrupted:
if event.isTerminating {
handle.remove()
}
decrementInFlight()
default:
relayObserver(event)
}
}
}
}, error: { error in
sendError(relayObserver, error)
}, completed: {
decrementInFlight()
}, interrupted: {
sendInterrupted(relayObserver)
})
}
}
}
/// Returns a producer that forwards values from the latest producer sent on
/// `producer`, ignoring values sent on previous inner producers.
///
/// An error sent on `producer` or the latest inner producer will be sent on the
/// returned producer.
///
/// The returned producer completes when `producer` and the latest inner
/// producer have both completed.
@warn_unused_result(message="Did you forget to call `start` on the producer?")
private func switchToLatest() -> SignalProducer<T.T, E> {
return SignalProducer<T.T, E> { sink, disposable in
let latestInnerDisposable = SerialDisposable()
disposable.addDisposable(latestInnerDisposable)
let state = Atomic(LatestState<T, E>())
self.startWithSignal { signal, signalDisposable in
disposable.addDisposable(signalDisposable)
signal.observe(next: { innerProducer in
innerProducer.startWithSignal { innerSignal, innerDisposable in
state.modify { (var state) in
// When we replace the disposable below, this prevents the
// generated Interrupted event from doing any work.
state.replacingInnerSignal = true
return state
}
latestInnerDisposable.innerDisposable = innerDisposable
state.modify { (var state) in
state.replacingInnerSignal = false
state.innerSignalComplete = false
return state
}
innerSignal.observe { event in
switch event {
case .Interrupted:
// If interruption occurred as a result of a new signal
// arriving, we don't want to notify our observer.
let original = state.modify { (var state) in
if !state.replacingInnerSignal {
state.innerSignalComplete = true
}
return state
}
if !original.replacingInnerSignal && original.outerSignalComplete {
sendCompleted(sink)
}
case .Completed:
let original = state.modify { (var state) in
state.innerSignalComplete = true
return state
}
if original.outerSignalComplete {
sendCompleted(sink)
}
default:
sink(event)
}
}
}
}, error: { error in
sendError(sink, error)
}, completed: {
let original = state.modify { (var state) in
state.outerSignalComplete = true
return state
}
if original.innerSignalComplete {
sendCompleted(sink)
}
}, interrupted: {
sendInterrupted(sink)
})
}
}
}
}
private struct LatestState<T, E: ErrorType> {
var outerSignalComplete: Bool = false
var innerSignalComplete: Bool = true
var replacingInnerSignal: Bool = false
}
// These free functions are to workaround compiler crashes when attempting
// to lift binary signal operators directly with closures.
private func combineLatestWith<T, U, E>(otherSignal: Signal<U, E>) -> Signal<T, E> -> Signal<(T, U), E> {
return { $0.combineLatestWith(otherSignal) }
}
private func zipWith<T, U, E>(otherSignal: Signal<U, E>) -> Signal<T, E> -> Signal<(T, U), E> {
return { $0.zipWith(otherSignal) }
}
private func sampleOn<T, E>(sampler: Signal<(), NoError>) -> Signal<T, E> -> Signal<T, E> {
return { $0.sampleOn(sampler) }
}
private func takeUntil<T, E>(trigger: Signal<(), NoError>) -> Signal<T, E> -> Signal<T, E> {
return { $0.takeUntil(trigger) }
}
private func takeUntilReplacement<T, E>(replacement: Signal<T, E>) -> Signal<T, E> -> Signal<T, E> {
return { $0.takeUntilReplacement(replacement) }
}
| mit | ea96dedf0f67b1a5c3721d43f62d080e | 37.334284 | 429 | 0.698325 | 3.778223 | false | false | false | false |
noppoMan/SwiftJNChatApp | Sources/SwiftJNChatApp/Middlewares/JWTAuthenticatableMiddleware.swift | 1 | 1477 | import Foundation
import WebAppKit
import JWT
enum JWTAuthenticatableMiddlewareError: Error {
case invalidClaims
case resourceNotFound
case authorizationRequired
}
struct JWTAuthenticatableMiddleware: Middleware {
public func respond(to request: Request, response: Response) throws -> Chainer {
guard let authrozation = request.headers["Authorization"] else {
throw JWTAuthenticatableMiddlewareError.authorizationRequired
}
let separated = authrozation.components(separatedBy: " ")
guard separated.count >= 2 else {
throw JWTAuthenticatableMiddlewareError.authorizationRequired
}
guard separated[0] == "JWT" else {
throw JWTAuthenticatableMiddlewareError.authorizationRequired
}
let token = separated[1]
let claims: ClaimSet = try JWT.decode(token, algorithm: .hs256(Config.default.jwtSecret.data(using: .utf8)!))
guard let userId = claims["user_id"] as? Int else {
throw JWTAuthenticatableMiddlewareError.invalidClaims
}
guard let user: User = try knex().table("users").where("id" == userId).fetch().first else {
throw JWTAuthenticatableMiddlewareError.resourceNotFound
}
var request = request
request.currentUser = user
return .next(request, response)
}
}
| mit | de904aefa1201ef45a52b1b663f9bd20 | 29.770833 | 117 | 0.632363 | 5.390511 | false | false | false | false |
nguyenantinhbk77/practice-swift | Apps/YikYak Clone/YikYak Clone/AppDelegate.swift | 2 | 2593 | //
// AppDelegate.swift
// YikYak Clone
//
// Created by Domenico on 07/06/15.
// Copyright (c) 2015 Domenico. All rights reserved.
//
import UIKit
@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate {
var window: UIWindow?
func application(application: UIApplication, didFinishLaunchingWithOptions launchOptions: [NSObject: AnyObject]?) -> Bool {
let navbar = UINavigationBar.appearance()
navbar.barTintColor = UIColor(red: 168.0/255, green: 215.0/255, blue: 111.0/255, alpha: 1)
let tabbar = UITabBar.appearance()
tabbar.barTintColor = UIColor(red: 168.0/255, green: 215.0/255, blue: 111.0/255, alpha: 1)
tabbar.tintColor = UIColor.whiteColor()
// Parse authentication
var applicationId = "xxx"
var clientKey = "xx"
Parse.setApplicationId(applicationId, clientKey: clientKey)
return true
}
func applicationWillResignActive(application: UIApplication) {
// Sent when the application is about to move from active to inactive state. This can occur for certain types of temporary interruptions (such as an incoming phone call or SMS message) or when the user quits the application and it begins the transition to the background state.
// Use this method to pause ongoing tasks, disable timers, and throttle down OpenGL ES frame rates. Games should use this method to pause the game.
}
func applicationDidEnterBackground(application: UIApplication) {
// Use this method to release shared resources, save user data, invalidate timers, and store enough application state information to restore your application to its current state in case it is terminated later.
// If your application supports background execution, this method is called instead of applicationWillTerminate: when the user quits.
}
func applicationWillEnterForeground(application: UIApplication) {
// Called as part of the transition from the background to the inactive state; here you can undo many of the changes made on entering the background.
}
func applicationDidBecomeActive(application: UIApplication) {
// Restart any tasks that were paused (or not yet started) while the application was inactive. If the application was previously in the background, optionally refresh the user interface.
}
func applicationWillTerminate(application: UIApplication) {
// Called when the application is about to terminate. Save data if appropriate. See also applicationDidEnterBackground:.
}
}
| mit | 75cae88aeacf1ccabbaa074dadce8297 | 45.303571 | 285 | 0.7285 | 5.134653 | false | false | false | false |
Ashok28/Kingfisher | Sources/General/Kingfisher.swift | 1 | 3407 | //
// Kingfisher.swift
// Kingfisher
//
// Created by Wei Wang on 16/9/14.
//
// Copyright (c) 2019 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 Foundation
import ImageIO
#if os(macOS)
import AppKit
public typealias KFCrossPlatformImage = NSImage
public typealias KFCrossPlatformView = NSView
public typealias KFCrossPlatformColor = NSColor
public typealias KFCrossPlatformImageView = NSImageView
public typealias KFCrossPlatformButton = NSButton
#else
import UIKit
public typealias KFCrossPlatformImage = UIImage
public typealias KFCrossPlatformColor = UIColor
#if !os(watchOS)
public typealias KFCrossPlatformImageView = UIImageView
public typealias KFCrossPlatformView = UIView
public typealias KFCrossPlatformButton = UIButton
#if canImport(TVUIKit)
import TVUIKit
#endif
#else
import WatchKit
#endif
#endif
/// Wrapper for Kingfisher compatible types. This type provides an extension point for
/// convenience methods in Kingfisher.
public struct KingfisherWrapper<Base> {
public let base: Base
public init(_ base: Base) {
self.base = base
}
}
/// Represents an object type that is compatible with Kingfisher. You can use `kf` property to get a
/// value in the namespace of Kingfisher.
public protocol KingfisherCompatible: AnyObject { }
/// Represents a value type that is compatible with Kingfisher. You can use `kf` property to get a
/// value in the namespace of Kingfisher.
public protocol KingfisherCompatibleValue {}
extension KingfisherCompatible {
/// Gets a namespace holder for Kingfisher compatible types.
public var kf: KingfisherWrapper<Self> {
get { return KingfisherWrapper(self) }
set { }
}
}
extension KingfisherCompatibleValue {
/// Gets a namespace holder for Kingfisher compatible types.
public var kf: KingfisherWrapper<Self> {
get { return KingfisherWrapper(self) }
set { }
}
}
extension KFCrossPlatformImage: KingfisherCompatible { }
#if !os(watchOS)
extension KFCrossPlatformImageView: KingfisherCompatible { }
extension KFCrossPlatformButton: KingfisherCompatible { }
extension NSTextAttachment: KingfisherCompatible { }
#else
extension WKInterfaceImage: KingfisherCompatible { }
#endif
#if os(tvOS) && canImport(TVUIKit)
@available(tvOS 12.0, *)
extension TVMonogramView: KingfisherCompatible { }
#endif
| mit | 21644442ddf1cf553ea38b0bbbd929c7 | 33.765306 | 100 | 0.763428 | 4.692837 | false | false | false | false |
fortmarek/Supl | SuplUITests/SuplUITests.swift | 1 | 2133 | //
// SuplUITests.swift
// SuplUITests
//
// Created by Marek Fořt on 11.08.15.
// Copyright © 2015 Marek Fořt. All rights reserved.
//
import XCTest
class SuplUITests: XCTestCase {
override func setUp() {
super.setUp()
// Put setup code here. This method is called before the invocation of each test method in the class.
// In UI tests it is usually best to stop immediately when a failure occurs.
continueAfterFailure = false
// UI tests must launch the application that they test. Doing this in setup will make sure it happens for each test method.
XCUIApplication().launch()
}
override func tearDown() {
// Put teardown code here. This method is called after the invocation of each test method in the class.
super.tearDown()
}
func testExample() {
// Use recording to get started writing UI tests.
// Use XCTAssert and related functions to verify your tests produce the correct results.
setupSnapshot(XCUIApplication())
_ = self.expectation(
for: NSPredicate(format: "self.count = 1"),
evaluatedWith: XCUIApplication().tables,
handler: nil)
self.waitForExpectations(timeout: 5.0, handler: nil)
snapshot("main")
XCUIApplication().navigationBars["Supl"].buttons["Settings"].tap()
snapshot("settings")
_ = self.expectation(
for: NSPredicate(format: "self.count = 1"),
evaluatedWith: XCUIApplication().tables,
handler: nil)
self.waitForExpectations(timeout: 5.0, handler: nil)
let cells = XCUIApplication().tables.cells
XCTAssertEqual(cells.count, 6)
cells.element(boundBy: 4).tap()
XCUIApplication().buttons["DALŠÍ"].tap()
XCUIApplication().buttons["DALŠÍ"].tap()
XCUIApplication().buttons["DALŠÍ"].tap()
snapshot("walkthrough_login")
}
}
| mit | f3f7cbaf3b65206222c712ac01beaa13 | 28.915493 | 131 | 0.584746 | 4.962617 | false | true | false | false |
mercadopago/px-ios | MercadoPagoSDK/MercadoPagoSDK/Services/PXServicesURLConfigs.swift | 1 | 2893 | import Foundation
enum PX_ENVIRONMENTS: CaseIterable {
case alpha
case beta
case gamma
case prod
}
class PXServicesURLConfigs {
static let MP_ALPHA_ENV = "/alpha"
static let MP_BETA_ENV = "/beta"
static let MP_GAMMA_ENV = "/gamma"
static let MP_PROD_ENV = "/v1"
static let NEW_API_ALPHA_ENV = "/alpha"
static let NEW_API_BETA_ENV = "/beta"
static let NEW_API_GAMMA_ENV = "/gamma"
static let NEW_API_PROD_ENV = "/production"
static let API_VERSION = "2.0"
static let MP_API_BASE_URL: String = "https://api.mercadopago.com"
static let MP_DEFAULT_PROCESSING_MODE = "aggregator"
static let MP_DEFAULT_PROCESSING_MODES = [MP_DEFAULT_PROCESSING_MODE]
static let MP_CREATE_TOKEN_URI = "/v1/card_tokens"
var MP_REMEDY_URI: String
var MP_PAYMENTS_URI: String
var MP_INIT_URI: String
var MP_RESET_ESC_CAP: String
var MP_POINTS_URI: String
private static var sharedPXServicesURLConfigs: PXServicesURLConfigs = {
let pxServicesURLConfigs = PXServicesURLConfigs()
return pxServicesURLConfigs
}()
private init() {
var MP_SELECTED_ENV = PXServicesURLConfigs.MP_PROD_ENV
var NEW_API_SELECTED_ENV = PXServicesURLConfigs.NEW_API_PROD_ENV
if let path = Bundle.main.path(forResource: "Info", ofType: "plist"),
let infoPlist = NSDictionary(contentsOfFile: path),
let pxEnvironment = infoPlist["PX_ENVIRONMENT"] as? String,
let environment = PX_ENVIRONMENTS.allCases.first(where: { "\($0)" == pxEnvironment }) {
// Initialize values from config
switch environment {
case .alpha:
MP_SELECTED_ENV = PXServicesURLConfigs.MP_ALPHA_ENV
NEW_API_SELECTED_ENV = PXServicesURLConfigs.NEW_API_ALPHA_ENV
case .beta:
MP_SELECTED_ENV = PXServicesURLConfigs.MP_BETA_ENV
NEW_API_SELECTED_ENV = PXServicesURLConfigs.NEW_API_BETA_ENV
case .gamma:
MP_SELECTED_ENV = PXServicesURLConfigs.MP_GAMMA_ENV
NEW_API_SELECTED_ENV = PXServicesURLConfigs.NEW_API_GAMMA_ENV
case .prod:
MP_SELECTED_ENV = PXServicesURLConfigs.MP_PROD_ENV
NEW_API_SELECTED_ENV = PXServicesURLConfigs.NEW_API_PROD_ENV
}
}
self.MP_REMEDY_URI = NEW_API_SELECTED_ENV + "/px_mobile/v1/remedies/${payment_id}"
self.MP_PAYMENTS_URI = MP_SELECTED_ENV + "/px_mobile/payments"
self.MP_INIT_URI = NEW_API_SELECTED_ENV + "/px_mobile/v2/checkout"
self.MP_RESET_ESC_CAP = NEW_API_SELECTED_ENV + "/px_mobile/v1/esc_cap"
self.MP_POINTS_URI = MP_SELECTED_ENV + "/px_mobile/congrats"
}
class func shared() -> PXServicesURLConfigs {
return sharedPXServicesURLConfigs
}
}
| mit | fb7539fc8593fa1f1465d07aef27e1f4 | 38.094595 | 98 | 0.627722 | 3.58933 | false | true | false | false |
intelygenz/App2WebHandoff | App2WebHandoff/UIHandoffWebViewDelegate.swift | 1 | 1196 | //
// UIHandoffWebViewDelegate.swift
// App2WebHandoff
//
// Created by alexruperez on 28/12/16.
// Copyright © 2016 Intelygenz.
//
import UIKit
open class UIHandoffWebViewDelegate: NSObject {
}
extension UIHandoffWebViewDelegate: UIWebViewDelegate {
open func webViewDidStartLoad(_ webView: UIWebView) {
if webView.userActivity == nil && webView.request?.url?.scheme != nil {
webView.userActivity = NSUserActivity(activityType: NSUserActivityTypeBrowsingWeb)
webView.userActivity?.isEligibleForHandoff = true
webView.userActivity?.webpageURL = webView.request?.url
}
webView.userActivity?.becomeCurrent()
}
open func webView(_ webView: UIWebView, shouldStartLoadWith request: URLRequest, navigationType: UIWebViewNavigationType) -> Bool {
if webView.userActivity == nil && request.url?.scheme != nil {
webView.userActivity = NSUserActivity(activityType: NSUserActivityTypeBrowsingWeb)
webView.userActivity?.isEligibleForHandoff = true
webView.userActivity?.webpageURL = request.url
}
webView.userActivity?.becomeCurrent()
return true
}
}
| mit | bfc159d469a06f84415d18cdb4936145 | 31.297297 | 135 | 0.697071 | 5.150862 | false | false | false | false |
iwasrobbed/LazyObject | Tests/DateFormatterTests.swift | 1 | 606 | //
// DateFormatterTests.swift
// LazyObject
//
// Created by Rob Phillips on 5/25/16.
// Copyright © 2016 Glazed Donut, LLC. All rights reserved.
//
import Foundation
import XCTest
@testable import LazyObject
final class DateFormatterTests: XCTestCase {
func testFormatterToString() {
XCTAssertTrue(DateFormatter.Lazy.iso8601.toString() == "ISO 8601")
XCTAssertTrue(DateFormatter.Lazy.rfc3339.toString() == "RFC 3339")
XCTAssertTrue(DateFormatter.Lazy.rfc1123.toString() == "RFC 1123")
XCTAssertTrue(DateFormatter.Lazy.rfc850.toString() == "RFC 850")
}
}
| mit | 342184a287a8b5cdc8c9ed0b0db252f0 | 25.304348 | 74 | 0.702479 | 4.060403 | false | true | false | false |
BrisyIOS/zhangxuWeiBo | zhangxuWeiBo/zhangxuWeiBo/classes/Home/Model/ZXStatusManager.swift | 1 | 2134 | //
// ZXStatusManager.swift
// zhangxuWeiBo
//
// Created by zhangxu on 16/6/18.
// Copyright © 2016年 zhangxu. All rights reserved.
//
import UIKit
class ZXStatusManager: NSObject {
// 加载首页数据
class func homeStatusesWithParam(param : ZXHomeStatusParam? , success : ((ZXHomeStatusesResult) -> Void)? , failure : ((NSError) -> Void)?) -> Void {
HttpManager.shareInstance.request(RequestType.GET, urlString: "https://api.weibo.com/2/statuses/home_timeline.json", parameters: param?.mj_keyValues()) { (result, error) in
if error != nil {
print(error);
return;
}
// 获取可选类型中的数据
guard let result = result else {
return;
}
let model = ZXHomeStatusesResult.mj_objectWithKeyValues(result);
success!(model);
let filePath = (kDocumentPath as NSString).stringByAppendingPathComponent("homeStatus");
result.mj_keyValues().writeToFile(filePath, atomically: true);
}
}
// 发微博
class func sendStatusWithParam(param : ZXSendStatusParam? , success : ((ZXSendStatusResult) -> Void)? , failure : ((NSError) -> Void)?) -> Void {
HttpManager.shareInstance.request(RequestType.POST, urlString: "https://api.weibo.com/2/statuses/update.json", parameters: param?.mj_keyValues()) { (result, error) in
// let json = try!NSJSONSerialization.JSONObjectWithData(data as! NSData, options: NSJSONReadingOptions.MutableContainers) as?NSDictionary;
if error != nil {
return;
}
// 获取可选类型中的数据
guard let result = result else {
return;
}
let model = ZXSendStatusResult.mj_objectWithKeyValues(result);
success!(model);
}
}
}
| apache-2.0 | 13dda640cfc3ef64d151fa8a4bed1f53 | 30.892308 | 180 | 0.533044 | 5.007246 | false | false | false | false |
halo/LinkLiar | LinkLiar/Classes/MACAddressFormatter.swift | 1 | 2112 | /*
* Copyright (C) 2012-2021 halo https://io.github.com/halo/LinkLiar
*
* 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
class MACAddressFormatter : Formatter {
let disallowedCharacters = CharacterSet(charactersIn: "0123456789:abcdefABCDEF").inverted
override func string(for obj: Any?) -> String? {
guard let string = obj as? String else { return nil }
return string
}
override func getObjectValue(_ obj: AutoreleasingUnsafeMutablePointer<AnyObject?>?, for string: String, errorDescription error: AutoreleasingUnsafeMutablePointer<NSString?>?) -> Bool {
guard obj != nil else { return false }
obj?.pointee = string as AnyObject
return true
}
override func isPartialStringValid(_ partialString: String, newEditingString newString: AutoreleasingUnsafeMutablePointer<NSString?>?, errorDescription error: AutoreleasingUnsafeMutablePointer<NSString?>?) -> Bool {
if partialString.count > 17 {
return false
}
if partialString.rangeOfCharacter(from: disallowedCharacters) != nil {
return false
}
return true
}
}
| mit | adc31b8bfa45edb89b0ab0c92b15a2f5 | 44.913043 | 217 | 0.755208 | 4.911628 | false | false | false | false |
imjerrybao/SocketIO-Kit | Source/SocketIOJSONHandshake.swift | 2 | 1044 | //
// SocketIOJSONHandshake.swift
// Smartime
//
// Created by Ricardo Pereira on 02/05/2015.
// Copyright (c) 2015 Ricardo Pereira. All rights reserved.
//
import Foundation
extension SocketIOHandshake: SocketIOJSON {
static func parse(json: String) -> (Bool, SocketIOHandshake) {
// Parse JSON
if let parsed = SocketIOJSONParser(json: json),
let sid = parsed["sid"] as? String,
let transports = parsed["upgrades"] as? [String],
var pingInterval = parsed["pingInterval"] as? Int,
var pingTimeout = parsed["pingTimeout"] as? Int
{
pingInterval = pingInterval / 1000
pingTimeout = pingTimeout / 1000
// Valid
return (true, SocketIOHandshake(sid: sid, transport: transports, pingInterval: pingInterval, pingTimeout: pingTimeout))
}
// Invalid
return (false, SocketIOHandshake(sid: "", transport: [""], pingInterval: defaultPingInterval, pingTimeout: defaultPingTimeout))
}
} | mit | b4378fcf0090624d37df82cceabdb763 | 33.833333 | 135 | 0.626437 | 4.723982 | false | false | false | false |
argon/mas | MasKit/Commands/Version.swift | 1 | 700 | //
// Version.swift
// mas-cli
//
// Created by Andrew Naylor on 20/09/2015.
// Copyright © 2015 Andrew Naylor. All rights reserved.
//
import Commandant
/// Command which displays the version of the mas tool.
public struct VersionCommand: CommandProtocol {
public typealias Options = NoOptions<MASError>
public let verb = "version"
public let function = "Print version number"
public init() {}
/// Runs the command.
public func run(_: Options) -> Result<(), MASError> {
let plist = Bundle.main.infoDictionary
if let versionString = plist?["CFBundleShortVersionString"] {
print(versionString)
}
return .success(())
}
}
| mit | 65e5e8e528539478aef62a45c030fa73 | 24.888889 | 69 | 0.649499 | 4.288344 | false | false | false | false |
Codility-BMSTU/Codility | Codility/Codility/OBCreateQRViewController.swift | 1 | 951 | //
// OBCreateQRViewController.swift
// Codility
//
// Created by Кирилл Володин on 17.09.17.
// Copyright © 2017 Кирилл Володин. All rights reserved.
//
import UIKit
import QRCode
class OBCreateQRViewController: UIViewController {
@IBOutlet weak var QRImage: UIImageView!
@IBOutlet weak var pushButton: UIButton!
var encodedData: String = ""
override func viewDidLoad() {
super.viewDidLoad()
pushButton.layer.cornerRadius = 10
pushButton.clipsToBounds = true
generateQR()
}
func generateQR() {
let url = encodedData
let prefix = "bank://"
let fullUrl = URL(string: prefix.appending(url))
let qrCode = QRCode(fullUrl!)
QRImage.image = qrCode?.image
}
@IBAction func goBack(_ sender: Any) {
self.navigationController?.popViewController(animated: true)
}
}
| apache-2.0 | da01d7f7ddd2fc3632a423a0c8cd9297 | 22.692308 | 68 | 0.622294 | 4.317757 | false | false | false | false |
ontouchstart/swift3-playground | Learn to Code 2.playgroundbook/Contents/Sources/AccessibilityExtensions.swift | 2 | 7862 | //
// AccessibilityExtensions.swift
//
// Copyright (c) 2016 Apple Inc. All Rights Reserved.
//
import UIKit
import SceneKit
class CoordinateAccessibilityElement: UIAccessibilityElement {
let coordinate: Coordinate
weak var world: GridWorld?
/// Override `accessibilityLabel` to always return updated information about world state.
override var accessibilityLabel: String? {
get {
return world?.speakableContents(of: coordinate)
}
set {}
}
init(coordinate: Coordinate, inWorld world: GridWorld, view: UIView) {
self.coordinate = coordinate
self.world = world
super.init(accessibilityContainer: view)
}
}
class GridWorldAccessibilityElement: UIAccessibilityElement {
weak var world: GridWorld?
init(world: GridWorld, view: UIView) {
self.world = world
super.init(accessibilityContainer: view)
}
override var accessibilityLabel: String? {
get {
return world?.speakableDescription
}
set {}
}
}
// MARK: WorldViewController Accessibility
extension WorldViewController {
func registerForAccessibilityNotifications() {
NotificationCenter.default.addObserver(self, selector: #selector(voiceOverStatusChanged), name: Notification.Name(rawValue: UIAccessibilityVoiceOverStatusChanged), object: nil)
}
func unregisterForAccessibilityNotifications() {
NotificationCenter.default.removeObserver(self, name: Notification.Name(rawValue: UIAccessibilityVoiceOverStatusChanged), object: nil)
}
func voiceOverStatusChanged() {
DispatchQueue.main.async { [unowned self] in
self.setVoiceOverForCurrentStatus()
}
}
func setVoiceOverForCurrentStatus() {
if UIAccessibilityIsVoiceOverRunning() {
scnView.gesturesEnabled = false
cameraController?.switchToOverheadView()
configureAccessibilityElementsForGrid()
// Add an AccessibilityComponent to each actor.
for actor in scene.actors {
actor.addComponent(AccessibilityComponent.self)
}
}
else {
// Set for UITesting.
view.isAccessibilityElement = true
view.accessibilityLabel = "The world is running."
scnView.gesturesEnabled = true
cameraController?.resetFromVoiceOver()
for actor in scene.actors {
actor.removeComponent(AccessibilityComponent.self)
}
}
}
func configureAccessibilityElementsForGrid() {
view.isAccessibilityElement = false
view.accessibilityElements = []
for coordinate in scene.gridWorld.columnRowSortedCoordinates {
let gridPosition = coordinate.position
let rootPosition = scene.gridWorld.grid.scnNode.convertPosition(gridPosition, to: nil)
let offset = WorldConfiguration.coordinateLength / 2
let upperLeft = scnView.projectPoint(SCNVector3Make(rootPosition.x - offset, rootPosition.y, rootPosition.z - offset))
let lowerRight = scnView.projectPoint(SCNVector3Make(rootPosition.x + offset, rootPosition.y, rootPosition.z + offset))
let point = CGPoint(x: CGFloat(upperLeft.x), y: CGFloat(upperLeft.y))
let size = CGSize (width: CGFloat(lowerRight.x - upperLeft.x), height: CGFloat(lowerRight.y - upperLeft.y))
let element = CoordinateAccessibilityElement(coordinate: coordinate, inWorld: scene.gridWorld, view: view)
element.accessibilityFrame = CGRect(origin: point, size: size)
view.accessibilityElements?.append(element)
}
let container = GridWorldAccessibilityElement(world: scene.gridWorld, view: view)
container.accessibilityFrame = view.bounds
view.accessibilityElements?.append(container)
}
}
extension GridWorld {
func speakableContents(of coordinate: Coordinate) -> String {
let prefix = "\(coordinate.description), "
let contents = excludingNodes(ofType: Block.self, at: coordinate).reduce("") { str, node in
var tileDescription = str
switch node.identifier {
case .actor:
let actor = node as? Actor
let name = actor?.type.rawValue ?? "Actor"
tileDescription.append("\(name) at height \(node.level), facing \(node.heading), ")
case .stair:
tileDescription.append("stair, facing \(node.heading), from level \(node.level - 1) to \(node.level), ")
case .switch:
let switchItem = node as! Switch
let switchState = switchItem.isOn ? "open" : "closed"
tileDescription.append("\(switchState) switch at height \(node.level)")
case .water:
tileDescription.append("water, ")
default:
tileDescription.append("\(node.identifier.rawValue) at height \(node.level), ")
}
return tileDescription
}
let suffix = contents.isEmpty ? "is empty." : contents
return prefix + suffix
}
func columnRowSortPredicate(_ coor1: Coordinate, _ coor2: Coordinate) -> Bool {
if coor1.column == coor2.column {
return coor1.row < coor2.row
}
return coor1.column < coor2.column
}
var columnRowSortedCoordinates: [Coordinate] {
return allPossibleCoordinates.sorted(by: columnRowSortPredicate)
}
var speakableDescription: String {
let sortedItems = grid.allItemsInGrid.sorted { item1, item2 in
return columnRowSortPredicate(item1.coordinate, item2.coordinate)
}
let actors = sortedItems.flatMap { $0 as? Actor }
let randomItems = sortedItems.filter { $0.identifier == .randomNode }
let goals = sortedItems.filter {
switch $0.identifier {
case .switch, .portal, .item, .platformLock: return true
default: return false
}
}
var description = "The world is \(columnCount) columns by \(rowCount) rows. "
if actors.isEmpty {
description += "There is no character placed in this world. You must place your own."
}
else {
for node in actors {
let name = node.type.rawValue
description += "\(name) starts at \(node.locationDescription)."
}
}
if !goals.isEmpty {
description += " The important locations are: "
for (index, goalNode) in goals.enumerated() {
description += "\(goalNode.identifier.rawValue) at \(goalNode.locationDescription)"
description += index == goals.endIndex ? "." : "; "
}
}
if !randomItems.isEmpty {
for (index, item) in randomItems.enumerated() {
let object = item as! RandomNode
let nodeType = object.resemblingNode.identifier.rawValue
description += "random \(nodeType) marker at \(item.locationDescription)"
description += index == randomItems.endIndex ? "." : "; "
}
}
return description + " To repeat this description, tap outside of the world grid."
}
}
extension Actor {
var speakableName: String {
return type.rawValue
}
}
extension Item {
var locationDescription: String{
return "\(coordinate.description), height \(level)"
}
}
| mit | 8c8a961f21df9a25a467e760be82819d | 34.414414 | 184 | 0.601374 | 5.108512 | false | false | false | false |
DAloG/BlueCap | BlueCapKit/Central/CentralManager.swift | 1 | 11441 | //
// CentralManager.swift
// BlueCap
//
// Created by Troy Stribling on 6/4/14.
// Copyright (c) 2014 Troy Stribling. The MIT License (MIT).
//
import Foundation
import CoreBluetooth
///////////////////////////////////////////
// CentralManagerImpl
public protocol CentralManagerWrappable {
typealias WrappedPeripheral
var poweredOn : Bool {get}
var poweredOff : Bool {get}
var peripherals : [WrappedPeripheral] {get}
var state: CBCentralManagerState {get}
func scanForPeripheralsWithServices(uuids:[CBUUID]?)
func stopScan()
}
public struct CentralQueue {
private static let queue = dispatch_queue_create("com.gnos.us.central.main", DISPATCH_QUEUE_SERIAL)
public static func sync(request:()->()) {
dispatch_sync(self.queue, request)
}
public static func async(request:()->()) {
dispatch_async(self.queue, request)
}
public static func delay(delay:Double, request:()->()) {
let popTime = dispatch_time(DISPATCH_TIME_NOW, Int64(Float(delay)*Float(NSEC_PER_SEC)))
dispatch_after(popTime, self.queue, request)
}
}
public class CentralManagerImpl<Wrapper where Wrapper:CentralManagerWrappable,
Wrapper.WrappedPeripheral:PeripheralWrappable> {
private var afterPowerOnPromise = Promise<Void>()
private var afterPowerOffPromise = Promise<Void>()
internal var afterPeripheralDiscoveredPromise = StreamPromise<Wrapper.WrappedPeripheral>()
private var _isScanning = false
public var isScanning : Bool {
return self._isScanning
}
public init() {
}
public func startScanning(central:Wrapper, capacity:Int? = nil) -> FutureStream<Wrapper.WrappedPeripheral> {
return self.startScanningForServiceUUIDs(central, uuids:nil, capacity:capacity)
}
public func startScanningForServiceUUIDs(central:Wrapper, uuids:[CBUUID]!, capacity:Int? = nil) -> FutureStream<Wrapper.WrappedPeripheral> {
if !self._isScanning {
Logger.debug("UUIDs \(uuids)")
self._isScanning = true
if let capacity = capacity {
self.afterPeripheralDiscoveredPromise = StreamPromise<Wrapper.WrappedPeripheral>(capacity:capacity)
} else {
self.afterPeripheralDiscoveredPromise = StreamPromise<Wrapper.WrappedPeripheral>()
}
central.scanForPeripheralsWithServices(uuids)
}
return self.afterPeripheralDiscoveredPromise.future
}
public func stopScanning(central:Wrapper) {
if self._isScanning {
Logger.debug()
self._isScanning = false
central.stopScan()
}
}
// connection
public func disconnectAllPeripherals(central:Wrapper) {
Logger.debug()
for peripheral in central.peripherals {
peripheral.disconnect()
}
}
// power up
public func powerOn(central:Wrapper) -> Future<Void> {
Logger.debug()
CentralQueue.sync {
self.afterPowerOnPromise = Promise<Void>()
if central.poweredOn {
self.afterPowerOnPromise.success()
}
}
return self.afterPowerOnPromise.future
}
public func powerOff(central:Wrapper) -> Future<Void> {
Logger.debug()
CentralQueue.sync {
self.afterPowerOffPromise = Promise<Void>()
if central.poweredOff {
self.afterPowerOffPromise.success()
}
}
return self.afterPowerOffPromise.future
}
public func didDiscoverPeripheral(peripheral:Wrapper.WrappedPeripheral) {
self.afterPeripheralDiscoveredPromise.success(peripheral)
}
// central manager state
public func didUpdateState(central:Wrapper) {
switch(central.state) {
case .Unauthorized:
Logger.debug("Unauthorized")
break
case .Unknown:
Logger.debug("Unknown")
break
case .Unsupported:
Logger.debug("Unsupported")
break
case .Resetting:
Logger.debug("Resetting")
break
case .PoweredOff:
Logger.debug("PoweredOff")
if !self.afterPowerOffPromise.completed {
self.afterPowerOffPromise.success()
}
break
case .PoweredOn:
Logger.debug("PoweredOn")
if !self.afterPowerOnPromise.completed {
self.afterPowerOnPromise.success()
}
break
}
}
}
// CentralManagerImpl
///////////////////////////////////////////
public class CentralManager : NSObject, CBCentralManagerDelegate, CentralManagerWrappable {
private static var instance : CentralManager!
internal let impl = CentralManagerImpl<CentralManager>()
// CentralManagerWrappable
public var poweredOn : Bool {
return self.cbCentralManager.state == CBCentralManagerState.PoweredOn
}
public var poweredOff : Bool {
return self.cbCentralManager.state == CBCentralManagerState.PoweredOff
}
public var peripherals : [Peripheral] {
return self.discoveredPeripherals.values.sort() {(p1:Peripheral, p2:Peripheral) -> Bool in
switch p1.discoveredAt.compare(p2.discoveredAt) {
case .OrderedSame:
return true
case .OrderedDescending:
return false
case .OrderedAscending:
return true
}
}
}
public var state: CBCentralManagerState {
return self.cbCentralManager.state
}
public func scanForPeripheralsWithServices(uuids:[CBUUID]?) {
self.cbCentralManager.scanForPeripheralsWithServices(uuids,options:nil)
}
public func stopScan() {
self.cbCentralManager.stopScan()
}
// CentralManagerWrappable
private var cbCentralManager : CBCentralManager! = nil
internal var discoveredPeripherals = [CBPeripheral: Peripheral]()
public class var sharedInstance : CentralManager {
self.instance = self.instance ?? CentralManager()
return self.instance
}
public class func sharedInstance(options:[String:AnyObject]) -> CentralManager {
self.instance = self.instance ?? CentralManager(options:options)
return self.instance
}
public var isScanning : Bool {
return self.impl.isScanning
}
// scanning
public func startScanning(capacity:Int? = nil) -> FutureStream<Peripheral> {
return self.impl.startScanning(self, capacity:capacity)
}
public func startScanningForServiceUUIDs(uuids:[CBUUID]!, capacity:Int? = nil) -> FutureStream<Peripheral> {
return self.impl.startScanningForServiceUUIDs(self, uuids:uuids, capacity:capacity)
}
public func stopScanning() {
self.impl.stopScanning(self)
}
public func removeAllPeripherals() {
self.discoveredPeripherals.removeAll(keepCapacity:false)
}
// connection
public func disconnectAllPeripherals() {
self.impl.disconnectAllPeripherals(self)
}
public func connectPeripheral(peripheral:Peripheral, options:[String:AnyObject]?=nil) {
Logger.debug()
self.cbCentralManager.connectPeripheral(peripheral.cbPeripheral, options:options)
}
internal func cancelPeripheralConnection(peripheral:Peripheral) {
Logger.debug()
self.cbCentralManager.cancelPeripheralConnection(peripheral.cbPeripheral)
}
// power up
public func powerOn() -> Future<Void> {
return self.impl.powerOn(self)
}
public func powerOff() -> Future<Void> {
return self.impl.powerOff(self)
}
// CBCentralManagerDelegate
public func centralManager(_:CBCentralManager, didConnectPeripheral peripheral:CBPeripheral) {
Logger.debug("peripheral name \(peripheral.name)")
if let bcPeripheral = self.discoveredPeripherals[peripheral] {
bcPeripheral.didConnectPeripheral()
}
}
public func centralManager(_:CBCentralManager, didDisconnectPeripheral peripheral:CBPeripheral, error:NSError?) {
Logger.debug("peripheral name \(peripheral.name)")
if let bcPeripheral = self.discoveredPeripherals[peripheral] {
bcPeripheral.didDisconnectPeripheral()
}
}
public func centralManager(_:CBCentralManager, didDiscoverPeripheral peripheral:CBPeripheral, advertisementData:[String:AnyObject], RSSI:NSNumber) {
if self.discoveredPeripherals[peripheral] == nil {
let bcPeripheral = Peripheral(cbPeripheral:peripheral, advertisements:self.unpackAdvertisements(advertisementData), rssi:RSSI.integerValue)
Logger.debug("peripheral name \(bcPeripheral.name)")
self.discoveredPeripherals[peripheral] = bcPeripheral
self.impl.didDiscoverPeripheral(bcPeripheral)
}
}
public func centralManager(_:CBCentralManager, didFailToConnectPeripheral peripheral:CBPeripheral, error:NSError?) {
Logger.debug()
if let bcPeripheral = self.discoveredPeripherals[peripheral] {
bcPeripheral.didFailToConnectPeripheral(error)
}
}
public func centralManager(_:CBCentralManager!, didRetrieveConnectedPeripherals peripherals:[AnyObject]!) {
Logger.debug()
}
public func centralManager(_:CBCentralManager!, didRetrievePeripherals peripherals:[AnyObject]!) {
Logger.debug()
}
// central manager state
public func centralManager(_:CBCentralManager, willRestoreState dict:[String:AnyObject]) {
Logger.debug()
}
public func centralManagerDidUpdateState(_:CBCentralManager) {
self.impl.didUpdateState(self)
}
private override init() {
super.init()
self.cbCentralManager = CBCentralManager(delegate:self, queue:CentralQueue.queue)
}
private init(options:[String:AnyObject]?) {
super.init()
self.cbCentralManager = CBCentralManager(delegate:self, queue:CentralQueue.queue, options:options)
}
internal func unpackAdvertisements(advertDictionary:[String:AnyObject]) -> [String:String] {
Logger.debug("number of advertisements found \(advertDictionary.count)")
var advertisements = [String:String]()
func addKey(key:String, andValue value:AnyObject) -> () {
if value is NSString {
advertisements[key] = (value as? String)
} else {
advertisements[key] = value.stringValue
}
Logger.debug("advertisement key=\(key), value=\(advertisements[key])")
}
for key in advertDictionary.keys {
if let value : AnyObject = advertDictionary[key] {
if value is NSArray {
for valueItem : AnyObject in (value as! NSArray) {
addKey(key, andValue:valueItem)
}
} else {
addKey(key, andValue:value)
}
}
}
return advertisements
}
}
| mit | a2799ab53170f299780371b52f1de6c6 | 32.55132 | 152 | 0.627043 | 5.23376 | false | false | false | false |
artemkalinovsky/PhotoMemories | PhotoMemories/ViewControllers/MomentsViewController/MyPhotoMemoriesViewController+UIImagePicker.swift | 1 | 2841 | //
// Created by Artem Kalinovsky on 2/9/15.
// Copyright (c) 2015 Artem Kalinovsky. All rights reserved.
//
import UIKit
import MobileCoreServices
import PKHUD
extension MyPhotoMemoriesViewController: UIImagePickerControllerDelegate {
// MARK: - UIImagePickerDelegate
func pickPhotoFromSource(soureName: String) {
switch soureName {
case "Photo Library":
self.imagePickerController.sourceType = .PhotoLibrary
case "Camera":
if CameraUtilities.isCameraAvailable() && CameraUtilities.doesCameraSupportTakingPhotos() {
self.imagePickerController.sourceType = .Camera
} else {
self.showAlert()
return
}
default:
break
}
self.imagePickerController.mediaTypes = [kUTTypeImage as NSString as String]
self.imagePickerController.allowsEditing = true
dispatch_async(dispatch_get_main_queue()) {
self.imagePickerController.delegate = self
self.presentViewController(self.imagePickerController, animated: true, completion: nil)
}
}
func imagePickerController(picker: UIImagePickerController, didFinishPickingMediaWithInfo info: [String:AnyObject]) {
self.dismissViewControllerAnimated(true, completion: {
() -> Void in
})
self.selectedPhotoMemory = PhotoMemory()
if self.imagePickerController.sourceType == .Camera {
self.selectedPhotoMemory!.address = self.myCurrentAddress
}
let image = info[UIImagePickerControllerOriginalImage] as! UIImage
let tmpImagePath = self.selectedPhotoMemory!.photoPath!
FileSystemUtilities.copySelectedImage(image, imagePath: self.selectedPhotoMemory!.photoPath!)
HUD.show(.Progress)
PhotoMemoriesFirebaseController.sharedInstance.postNewPhotoMemory(selectedPhotoMemory!) { [unowned self] success in
if success {
HUD.flash(.Success, delay: 1.0)
FileSystemUtilities.removeImageAtPath(tmpImagePath)
self.performSegueWithIdentifier("ShowPhotoMemoryDetails", sender: nil)
} else {
HUD.flash(.Error, delay: 1.0)
}
}
}
func imagePickerControllerDidCancel(picker: UIImagePickerController) {
print("Picker was cancelled")
picker.dismissViewControllerAnimated(true, completion: nil)
}
func showAlert() {
let createAccountErrorAlert: UIAlertView = UIAlertView()
createAccountErrorAlert.delegate = self
createAccountErrorAlert.title = "Information"
createAccountErrorAlert.message = "Camera Unavailable."
createAccountErrorAlert.addButtonWithTitle("OK")
createAccountErrorAlert.show()
}
} | gpl-2.0 | cb6189b0ede4b0ec97f686d705ad7eb1 | 37.931507 | 123 | 0.664203 | 5.527237 | false | false | false | false |
takuran/CoreAnimationLesson | CoreAnimationLesson/Lesson2_2ConfigurationView.swift | 1 | 9698 | //
// Lesson2_1ConfigurationView.swift
// CoreAnimationLesson
//
// Created by Naoyuki Takura on 2016/04/23.
// Copyright © 2016年 Naoyuki Takura. All rights reserved.
//
import UIKit
class Lesson2_2ConfigurationView: UIView, UIGestureRecognizerDelegate, UIPickerViewDelegate, UIPickerViewDataSource {
// duration
@IBOutlet weak var durationLabel: UILabel!
@IBOutlet weak var durationSlider: UISlider!
// delay
@IBOutlet weak var delayLabel: UILabel!
@IBOutlet weak var delaySlider: UISlider!
// option
@IBOutlet weak var optionPicker: UIPickerView!
// struct UIViewAnimationOptions : OptionSetType {
// init(rawValue rawValue: UInt)
// static var LayoutSubviews: UIViewAnimationOptions { get }
// static var AllowUserInteraction: UIViewAnimationOptions { get }
// static var BeginFromCurrentState: UIViewAnimationOptions { get }
// static var Repeat: UIViewAnimationOptions { get }
// static var Autoreverse: UIViewAnimationOptions { get }
// static var OverrideInheritedDuration: UIViewAnimationOptions { get }
// static var OverrideInheritedCurve: UIViewAnimationOptions { get }
// static var AllowAnimatedContent: UIViewAnimationOptions { get }
// static var ShowHideTransitionViews: UIViewAnimationOptions { get }
// static var OverrideInheritedOptions: UIViewAnimationOptions { get }
//
// static var CurveEaseInOut: UIViewAnimationOptions { get }
// static var CurveEaseIn: UIViewAnimationOptions { get }
// static var CurveEaseOut: UIViewAnimationOptions { get }
// static var CurveLinear: UIViewAnimationOptions { get }
//
// static var TransitionNone: UIViewAnimationOptions { get }
// static var TransitionFlipFromLeft: UIViewAnimationOptions { get }
// static var TransitionFlipFromRight: UIViewAnimationOptions { get }
// static var TransitionCurlUp: UIViewAnimationOptions { get }
// static var TransitionCurlDown: UIViewAnimationOptions { get }
// static var TransitionCrossDissolve: UIViewAnimationOptions { get }
// static var TransitionFlipFromTop: UIViewAnimationOptions { get }
// static var TransitionFlipFromBottom: UIViewAnimationOptions { get }
// }
enum AnimationOptions {
case Curve(String, UIViewAnimationOptions)
case Transition(String, UIViewAnimationOptions)
case Other(String, UIViewAnimationOptions?)
}
// options
let animationOptions:[[AnimationOptions]] = [
// for curve
[
.Curve("CurveLinear", .CurveLinear) ,
.Curve("CurveEaseInOut", .CurveEaseInOut),
.Curve("CurveEaseIn", .CurveEaseIn),
.Curve("CurveEaseOut", .CurveEaseOut)
],
// for transition
// not implements
// for others
[
.Other("not specify", nil),
.Other("LayoutSubviews", .LayoutSubviews),
.Other("AllowUserInteraction", .AllowUserInteraction),
.Other("BeginFromCurrentState", .BeginFromCurrentState),
.Other("Repeat", .Repeat),
.Other("Autoreverse", .Autoreverse),
.Other("OverrideInheritedDuration", .OverrideInheritedDuration),
.Other("OverrideInheritedCurve", .OverrideInheritedCurve),
.Other("AllowAnimatedContent", .AllowAnimatedContent),
.Other("ShowHideTransitionViews", .ShowHideTransitionViews),
.Other("OverrideInheritedOptions", .OverrideInheritedOptions)
]
]
var animationOption: UIViewAnimationOptions = .CurveLinear
private var optionCurve: UIViewAnimationOptions? = .CurveLinear
private var optionOther: UIViewAnimationOptions?
// overlay
var overlay: UIView = UIView()
// tap gesture
var tapGesture: UITapGestureRecognizer = UITapGestureRecognizer()
// display contidion
enum Condition {
case Hide
case Show
case Processing
}
// condition my view
var condition: Condition = .Show
// initialize view
override func awakeFromNib() {
// duration
durationLabel.text = "0.5"
durationSlider.addTarget(self, action: #selector(Lesson2_2ConfigurationView.valueChangedDurationSlider), forControlEvents: UIControlEvents.ValueChanged)
// delay
delayLabel.text = "0.0"
delaySlider.addTarget(self, action: #selector(Lesson2_2ConfigurationView.valueChangedDelaySlider), forControlEvents: UIControlEvents.ValueChanged)
// options
optionPicker.delegate = self
optionPicker.dataSource = self
}
// duration slider event handler
func valueChangedDurationSlider(sender: AnyObject?) {
guard let slider = sender as? UISlider else {
return
}
var durationValue = slider.value
durationValue = durationValue * 100
durationValue = roundf(durationValue) / 100
durationLabel.text = String(durationValue)
}
// delay slider event handler
func valueChangedDelaySlider(sender: AnyObject?) {
guard let slider = sender as? UISlider else {
return
}
var delay = slider.value
delay = delay * 100
delay = roundf(delay) / 100
delayLabel.text = String(delay)
}
// hide configuration view
func hide() {
guard condition == .Show else {
return
}
// condition to processing
condition = .Processing
// origin of x
let originX = frame.origin.x
// width for sliding to right
let slideWidth = frame.width
// move to right with animationg
UIView.animateWithDuration(0.3, animations: {
//
self.frame.origin.x = originX + slideWidth
self.overlay.alpha = 0.0
}) { (complete) in
//
self.condition = .Hide
// remove overlay
self.overlay.removeFromSuperview()
// remove gesture
self.overlay.removeGestureRecognizer(self.tapGesture)
}
}
// show configuration view
func show() {
guard condition == .Hide else {
return
}
// condition to processing
condition = .Processing
// show overlay
if let superView = self.superview {
overlay.frame = superView.frame
overlay.backgroundColor = UIColor.grayColor()
overlay.alpha = 0.0
overlay.opaque = false
// add to superview
// superView.addSubview(overlay)
superView.insertSubview(overlay, atIndex: 1)
// gesture
tapGesture.numberOfTapsRequired = 1
tapGesture.delegate = self
tapGesture.addTarget(self, action:#selector(Lesson2_2ConfigurationView.hide))
overlay.addGestureRecognizer(tapGesture)
}
// origin of x
let originX = frame.origin.x
// width for sliding to left
let slideWidth = frame.width
// move to left with animating
UIView.animateWithDuration(0.3, animations: {
//
self.frame.origin.x = originX - slideWidth
self.overlay.alpha = 0.7
}) { (complete) in
//
self.condition = .Show
}
}
// MARK: - UIPickerViewDelegate implements
// not in use now.
// func pickerView(pickerView: UIPickerView, titleForRow row: Int, forComponent component: Int) -> String? {
// //
// switch component {
// case 0:
// // curve option
// return curveOptions[row]
//
// case 1:
// // other options
// return otherOptions[row]
//
// default:
// // other case
// return ""
// }
//
// }
func pickerView(pickerView: UIPickerView, viewForRow row: Int, forComponent component: Int, reusingView view: UIView?) -> UIView {
// change font size
let label = UILabel()
label.font = UIFont(name: "Arial", size: 11.0)
let option = animationOptions[component][row]
switch option {
case let .Curve(name, _):
label.text = name
case let .Other(name, _):
label.text = name
default:
label.text = ""
// nothing. to do
}
return label
}
func pickerView(pickerView: UIPickerView, didSelectRow row: Int, inComponent component: Int) {
//
let option = animationOptions[component][row]
switch option {
case let .Curve(_, option):
optionCurve = option
case let .Other(_, option):
optionOther = option
default:
// nothing. to do
break
}
if optionOther != nil {
animationOption = [optionCurve!, optionOther!]
} else {
animationOption = optionCurve!
}
}
// MARK: - UIPickerViewDataSource implements
func numberOfComponentsInPickerView(pickerView: UIPickerView) -> Int {
//
return 2
}
func pickerView(pickerView: UIPickerView, numberOfRowsInComponent component: Int) -> Int {
// UIViewAnimationOptions
return animationOptions[component].count
}
}
| mit | cd8eb5288b1d4a11aff563241f426d11 | 31.97619 | 160 | 0.595771 | 5.395103 | false | false | false | false |
nextcloud/ios | iOSClient/Share/NCShareUserCell.swift | 1 | 7442 | //
// NCShareUserCell.swift
// Nextcloud
//
// Created by Henrik Storch on 15.11.2021.
// Copyright © 2021 Henrik Storch. All rights reserved.
//
// Author Henrik Storch <[email protected]>
//
// 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 DropDown
import NextcloudKit
class NCShareUserCell: UITableViewCell, NCCellProtocol {
@IBOutlet weak var imageItem: UIImageView!
@IBOutlet weak var labelTitle: UILabel!
@IBOutlet weak var buttonMenu: UIButton!
@IBOutlet weak var imageStatus: UIImageView!
@IBOutlet weak var status: UILabel!
@IBOutlet weak var btnQuickStatus: UIButton!
@IBOutlet weak var labelQuickStatus: UILabel!
@IBOutlet weak var imageDownArrow: UIImageView!
var tableShare: tableShare?
weak var delegate: NCShareUserCellDelegate?
var fileAvatarImageView: UIImageView? {
return imageItem
}
var fileUser: String? {
get { return tableShare?.shareWith }
set {}
}
func setupCellUI(userId: String) {
guard let tableShare = tableShare else {
return
}
self.accessibilityCustomActions = [UIAccessibilityCustomAction(
name: NSLocalizedString("_show_profile_", comment: ""),
target: self,
selector: #selector(tapAvatarImage))]
labelTitle.text = tableShare.shareWithDisplayname
labelTitle.textColor = .label
isUserInteractionEnabled = true
labelQuickStatus.isHidden = false
imageDownArrow.isHidden = false
buttonMenu.isHidden = false
buttonMenu.accessibilityLabel = NSLocalizedString("_more_", comment: "")
imageItem.image = NCShareCommon.shared.getImageShareType(shareType: tableShare.shareType)
let status = NCUtility.shared.getUserStatus(userIcon: tableShare.userIcon, userStatus: tableShare.userStatus, userMessage: tableShare.userMessage)
imageStatus.image = status.onlineStatus
self.status.text = status.statusMessage
// If the initiator or the recipient is not the current user, show the list of sharees without any options to edit it.
if tableShare.uidOwner != userId && tableShare.uidFileOwner != userId {
isUserInteractionEnabled = false
labelQuickStatus.isHidden = true
imageDownArrow.isHidden = true
buttonMenu.isHidden = true
}
btnQuickStatus.accessibilityHint = NSLocalizedString("_user_sharee_footer_", comment: "")
btnQuickStatus.setTitle("", for: .normal)
btnQuickStatus.contentHorizontalAlignment = .left
if tableShare.permissions == NCGlobal.shared.permissionCreateShare {
labelQuickStatus.text = NSLocalizedString("_share_file_drop_", comment: "")
} else {
// Read Only
if CCUtility.isAnyPermission(toEdit: tableShare.permissions) {
labelQuickStatus.text = NSLocalizedString("_share_editing_", comment: "")
} else {
labelQuickStatus.text = NSLocalizedString("_share_read_only_", comment: "")
}
}
}
override func awakeFromNib() {
super.awakeFromNib()
let tapGesture = UITapGestureRecognizer(target: self, action: #selector(tapAvatarImage))
imageItem?.addGestureRecognizer(tapGesture)
buttonMenu.setImage(UIImage(named: "shareMenu")?.image(color: .gray, size: 50), for: .normal)
labelQuickStatus.textColor = NCBrandColor.shared.customer
imageDownArrow.image = NCUtility.shared.loadImage(named: "arrowtriangle.down.fill", color: NCBrandColor.shared.customer)
}
@objc func tapAvatarImage(_ sender: UITapGestureRecognizer) {
delegate?.showProfile(with: tableShare, sender: sender)
}
@IBAction func touchUpInsideMenu(_ sender: Any) {
delegate?.tapMenu(with: tableShare, sender: sender)
}
@IBAction func quickStatusClicked(_ sender: Any) {
delegate?.quickStatus(with: tableShare, sender: sender)
}
}
protocol NCShareUserCellDelegate: AnyObject {
func tapMenu(with tableShare: tableShare?, sender: Any)
func showProfile(with tableComment: tableShare?, sender: Any)
func quickStatus(with tableShare: tableShare?, sender: Any)
}
// MARK: - NCSearchUserDropDownCell
class NCSearchUserDropDownCell: DropDownCell, NCCellProtocol {
@IBOutlet weak var imageItem: UIImageView!
@IBOutlet weak var imageStatus: UIImageView!
@IBOutlet weak var status: UILabel!
@IBOutlet weak var imageShareeType: UIImageView!
@IBOutlet weak var centerTitle: NSLayoutConstraint!
private var user: String = ""
var fileAvatarImageView: UIImageView? {
return imageItem
}
var fileUser: String? {
get { return user }
set { user = newValue ?? "" }
}
func setupCell(sharee: NKSharee, baseUrl: NCUserBaseUrl) {
imageItem.image = NCShareCommon.shared.getImageShareType(shareType: sharee.shareType)
imageShareeType.image = NCShareCommon.shared.getImageShareType(shareType: sharee.shareType)
let status = NCUtility.shared.getUserStatus(userIcon: sharee.userIcon, userStatus: sharee.userStatus, userMessage: sharee.userMessage)
imageStatus.image = status.onlineStatus
self.status.text = status.statusMessage
if self.status.text?.count ?? 0 > 0 {
centerTitle.constant = -5
} else {
centerTitle.constant = 0
}
imageItem.image = NCUtility.shared.loadUserImage(
for: sharee.shareWith,
displayName: nil,
userBaseUrl: baseUrl)
let fileName = baseUrl.userBaseUrl + "-" + sharee.shareWith + ".png"
if NCManageDatabase.shared.getImageAvatarLoaded(fileName: fileName) == nil {
let fileNameLocalPath = String(CCUtility.getDirectoryUserData()) + "/" + fileName
let etag = NCManageDatabase.shared.getTableAvatar(fileName: fileName)?.etag
NextcloudKit.shared.downloadAvatar(
user: sharee.shareWith,
fileNameLocalPath: fileNameLocalPath,
sizeImage: NCGlobal.shared.avatarSize,
avatarSizeRounded: NCGlobal.shared.avatarSizeRounded,
etag: etag) { _, imageAvatar, _, etag, error in
if error == .success, let etag = etag, let imageAvatar = imageAvatar {
NCManageDatabase.shared.addAvatar(fileName: fileName, etag: etag)
self.imageItem.image = imageAvatar
} else if error.errorCode == NCGlobal.shared.errorNotModified, let imageAvatar = NCManageDatabase.shared.setAvatarLoaded(fileName: fileName) {
self.imageItem.image = imageAvatar
}
}
}
}
}
| gpl-3.0 | d3f6699da8b5df9fecd99e01f2b5a00c | 39.884615 | 162 | 0.671953 | 4.70354 | false | false | false | false |
TheDarkCode/Example-Swift-Apps | Playgrounds/Polymorphism.playground/Contents.swift | 1 | 1337 | //: Playground - noun: a place where people can play
import UIKit
// Base Class
class Shape {
var area: Double?
func calculateArea() {
// calc
}
func printArea() {
print("The area is: \(area)")
}
}
class Rectangle: Shape {
var width = 1.0
var height = 1.0
init(width: Double, height: Double) {
self.width = width
self.height = height
}
override func calculateArea() {
area = width * height
}
}
class Circle: Shape {
var radius = 1.0
init(radius: Double) {
self.radius = radius
}
override func calculateArea() {
area = 3.14 * radius * radius
}
}
var circle = Circle(radius: 5.0)
var rectangle = Rectangle(width: 20, height: 5)
circle.calculateArea()
rectangle.calculateArea()
print(circle.area)
print(rectangle.area)
class Enemy {
var hp = 100
var attackPower = 10
init(hp: Int, attack: Int) {
self.hp = hp
self.attackPower = attack
}
func defendAttack(incAttPwr: Int) {
hp -= incAttPwr
}
}
class AngryTroll: Enemy {
var immunity = 10
override func defendAttack(incAttPwr: Int) {
if incAttPwr <= immunity {
hp++
} else {
super.defendAttack(incAttPwr)
}
}
} | mit | 3392764fe99614b35f69cce58224b98f | 16.376623 | 52 | 0.557218 | 3.663014 | false | false | false | false |
mzp/OctoEye | Sources/OctoEye/DataSource/SearchRepositoriesDataSource.swift | 1 | 1966 | //
// SearchRepositoriesDataSource.swift
// OctoEye
//
// Created by mzp on 2017/08/11.
// Copyright © 2017 mzp. All rights reserved.
//
import Ikemen
import ReactiveSwift
import Result
internal class SearchRepositoriesDataSource: NSObject, PagingDataSource {
let reactive: Signal<PagingEvent, AnyError>
private let repositories: PagingRepositories = PagingRepositories()
private let queryObserver: Signal<String, AnyError>.Observer
init(github: GithubClient) {
self.reactive = repositories.eventSignal
let (querySignal, queryObserver) = Signal<String, AnyError>.pipe()
self.queryObserver = queryObserver
super.init()
let searchRepositories = SearchRepositories(github: github)
repositories.observe(signal:
Signal.combineLatest(
querySignal.throttle(0.5, on: QueueScheduler.main).on(event: { _ in
self.repositories.clear()
}),
repositories.cursor
)) { (query, cursor) in
searchRepositories.call(query: query, after: cursor)
}
}
// MARK: - UITableViewDataSource
func numberOfSections(in tableView: UITableView) -> Int {
return 1
}
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return repositories.count
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
return UITableViewCell(style: .default, reuseIdentifier: nil) ※ {
let repository = repositories[indexPath.row]
$0.textLabel?.text = "\(repository.owner.login)/\(repository.name)"
}
}
// MARK: - paging
func invokePaging() {
repositories.invokePaging()
}
func search(query: String) {
queryObserver.send(value: query)
}
subscript(index: Int) -> RepositoryObject {
return repositories[index]
}
}
| mit | 6c7469829dee5b5698a3c8be57625c57 | 27.867647 | 100 | 0.646969 | 4.753027 | false | false | false | false |
pinterest/tulsi | src/Tulsi/UISelectableOutlineViewNode.swift | 1 | 3247 | // Copyright 2016 The Tulsi Authors. All rights reserved.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
import Cocoa
protocol Selectable: class {
var selected: Bool { get set }
}
/// Models a UIRuleEntry as a node suitable for an outline view controller.
class UISelectableOutlineViewNode: NSObject {
/// The display name for this node.
@objc let name: String
/// The object contained by this node (only valid for leaf nodes).
var entry: Selectable? {
didSet {
if let entry = entry {
state = entry.selected ? NSControl.StateValue.on.rawValue : NSControl.StateValue.off.rawValue
}
}
}
/// This node's children.
@objc var children: [UISelectableOutlineViewNode] {
return _children
}
private var _children = [UISelectableOutlineViewNode]()
/// This node's parent.
weak var parent: UISelectableOutlineViewNode?
/// This node's checkbox state in the UI (NSOnState/NSOffState/NSMixedState)
@objc dynamic var state: Int {
get {
if children.isEmpty {
return (entry?.selected ?? false) ? NSControl.StateValue.on.rawValue : NSControl.StateValue.off.rawValue
}
var stateIsValid = false
var state = NSControl.StateValue.off
for node in children {
if !stateIsValid {
state = NSControl.StateValue(rawValue: node.state)
stateIsValid = true
continue
}
if state.rawValue != node.state {
return NSControl.StateValue.mixed.rawValue
}
}
return state.rawValue
}
set {
let newSelectionState = (newValue == NSControl.StateValue.on.rawValue)
let selected = entry?.selected
if selected == newSelectionState {
return
}
willChangeValue(forKey: "state")
if let entry = entry {
entry.selected = newSelectionState
}
for node in children {
node.state = newValue
}
didChangeValue(forKey: "state")
// Notify KVO that this node's ancestors have also changed state.
var ancestor = parent
while ancestor != nil {
ancestor!.willChangeValue(forKey: "state")
ancestor!.didChangeValue(forKey: "state")
ancestor = ancestor!.parent
}
}
}
init(name: String) {
self.name = name
super.init()
}
func addChild(_ child: UISelectableOutlineViewNode) {
_children.append(child)
child.parent = self
}
@objc func validateState(_ ioValue: AutoreleasingUnsafeMutablePointer<AnyObject?>) throws {
if let value = ioValue.pointee as? NSNumber {
if value.intValue == NSControl.StateValue.mixed.rawValue {
ioValue.pointee = NSNumber(value: NSControl.StateValue.on.rawValue as Int)
}
}
}
}
| apache-2.0 | 44f4eeb7cd6c663f80f49839ec403463 | 27.991071 | 112 | 0.664613 | 4.472452 | false | false | false | false |
WeltN24/Carlos | Tests/CarlosTests/Fakes/CacheLevelFake.swift | 1 | 1744 | import Foundation
import Carlos
import Combine
class CacheLevelFake<A: Hashable, B>: CacheLevel {
typealias KeyType = A
typealias OutputType = B
init() {}
// MARK: Get
var numberOfTimesCalledGet = 0
var didGetKey: KeyType?
var getSubject: PassthroughSubject<OutputType, Error>?
var getPublishers: [KeyType: PassthroughSubject<OutputType, Error>] = [:]
func get(_ key: KeyType) -> AnyPublisher<OutputType, Error> {
numberOfTimesCalledGet += 1
didGetKey = key
if let getSubject = getSubject {
return getSubject.eraseToAnyPublisher()
}
if let subject = getPublishers[key] {
return subject.eraseToAnyPublisher()
}
let newSubject = PassthroughSubject<OutputType, Error>()
getPublishers[key] = newSubject
return newSubject.eraseToAnyPublisher()
}
// MARK: Set
var numberOfTimesCalledSet = 0
var didSetValue: OutputType?
var didSetKey: KeyType?
var setSubject: PassthroughSubject<Void, Error>?
var setPublishers: [KeyType: PassthroughSubject<Void, Error>] = [:]
func set(_ value: OutputType, forKey key: KeyType) -> AnyPublisher<Void, Error> {
numberOfTimesCalledSet += 1
didSetKey = key
didSetValue = value
if let setSubject = setSubject {
return setSubject.eraseToAnyPublisher()
}
if let subject = setPublishers[key] {
return subject.eraseToAnyPublisher()
}
let newSubject = PassthroughSubject<Void, Error>()
setPublishers[key] = newSubject
return newSubject.eraseToAnyPublisher()
}
var numberOfTimesCalledClear = 0
func clear() {
numberOfTimesCalledClear += 1
}
var numberOfTimesCalledOnMemoryWarning = 0
func onMemoryWarning() {
numberOfTimesCalledOnMemoryWarning += 1
}
}
| mit | d6ec2865bc05ffa4d4ba12efa5c8e360 | 23.222222 | 83 | 0.706422 | 4.73913 | false | false | false | false |
kyouko-taiga/anzen | Sources/AST/Constraint.swift | 1 | 4049 | import Utils
public enum ConstraintKind: Int {
/// An equality constraint `T ~= U` that requires `T` to match `U`.
case equality = 10
/// A conformance constraint `T <= U` that requires `T` to be identical to or conforming `U`.
///
/// If the types aren't, there are two ways `T` can still conform to `U`.
/// * `T` is a nominal type that implements or extends an interface `U`.
/// * `T` and `U` are function whose domains and codomains conform to each other. For instance if
/// `T = (l0: A0, ..., tn: An) -> B` and `U = (l0: C0, ..., Cn) -> D`, then `T <= U` holds if
/// `Ai <= Ci` and `B <= D`.
case conformance = 8
/// A construction constraint `T <+ U` requires `U` to be the metatype of a nominal type, and `T`
/// to be a constructor of said type.
case construction = 6
/// A member constraint `T[.name] ~= U` that requires `T` to have a member `name` whose type
/// matches `U`.
case member = 4
/// A disjunction of constraints
case disjunction = 0
}
public struct Constraint {
public init(
kind: ConstraintKind,
types: (t: TypeBase, u: TypeBase)? = nil,
member: String? = nil,
choices: [Constraint] = [],
location: ConstraintLocation)
{
self.kind = kind
self.types = types
self.member = member
self.choices = choices
self.location = location
}
/// Creates an equality constraint.
public static func equality(t: TypeBase, u: TypeBase, at location: ConstraintLocation)
-> Constraint
{
return Constraint(kind: .equality, types: (t, u), location: location)
}
/// Creates a conformance constraint.
public static func conformance(t: TypeBase, u: TypeBase, at location: ConstraintLocation)
-> Constraint
{
return Constraint(kind: .conformance, types: (t, u), location: location)
}
/// Creates a member constraint.
public static func member(
t: TypeBase,
member: String,
u: TypeBase,
at location: ConstraintLocation) -> Constraint
{
return Constraint(kind: .member, types: (t, u), member: member, location: location)
}
/// Creates a construction constraint.
public static func construction(t: TypeBase, u: TypeBase, at location: ConstraintLocation)
-> Constraint
{
return Constraint(kind: .construction, types: (t, u), location: location)
}
/// Creates a disjunction constraint.
public static func disjunction(_ choices: [Constraint], at location: ConstraintLocation)
-> Constraint
{
return Constraint(kind: .disjunction, choices: choices, location: location)
}
/// The kind of the constraint.
public let kind: ConstraintKind
/// The location of the constraint.
public let location: ConstraintLocation
/// The types `T` and `U` of a match-relation constraint.
public let types: (t: TypeBase, u: TypeBase)?
/// The name in `T[.name]` of a member constraint.
public let member: String?
/// The choices of a disjunction constraint.
public let choices: [Constraint]
public static func < (lhs: Constraint, rhs: Constraint) -> Bool {
return lhs.kind.rawValue < rhs.kind.rawValue
}
}
extension Constraint: CustomStringConvertible {
public var description: String {
var buffer = ""
dump(to: &buffer)
return buffer
}
public func dump<OutputStream>(to outputStream: inout OutputStream, level: Int = 0)
where OutputStream: TextOutputStream
{
let ident = String(repeating: " ", count: level * 2)
outputStream.write(ident + location.anchor.range.start.description.styled("< 6") + ": ")
switch kind {
case .equality:
outputStream.write("\(types!.t) ≡ \(types!.u)\n")
case .conformance:
outputStream.write("\(types!.t) ≤ \(types!.u)\n")
case .member:
outputStream.write("\(types!.t).\(member!) ≡ \(types!.u)\n")
case .construction:
outputStream.write("\(types!.t) <+ \(types!.u)\n")
case .disjunction:
outputStream.write("\n")
for constraint in choices {
constraint.dump(to: &outputStream, level: level + 1)
}
}
}
}
| apache-2.0 | 43ca8d435381a64353dc28ba910ec4f2 | 29.862595 | 99 | 0.651249 | 3.898746 | false | false | false | false |
victor-pavlychko/SwiftyTasks | SwiftyTasksTests/AsyncTaskTests.swift | 1 | 5060 | //
// AsyncTaskTests.swift
// SwiftyTasks
//
// Created by Victor Pavlychko on 9/23/16.
// Copyright © 2016 address.wtf. All rights reserved.
//
import XCTest
@testable import SwiftyTasks
class AsyncTaskTests: XCTestCase {
override func setUp() {
super.setUp()
}
override func tearDown() {
super.tearDown()
}
func testSuccess() {
let xp = expectation(description: "")
let queue = OperationQueue()
let task = DemoAsyncTask(.success(dummyResult))
task.completionBlock = {
xp.fulfill()
}
queue.addOperation(task)
waitForExpectations {
do {
let result = try task.getResult()
XCTAssertEqual(result, dummyResult)
} catch {
XCTFail(error.localizedDescription)
}
}
}
func testError() {
let xp = expectation(description: "")
let queue = OperationQueue()
let task = DemoAsyncTask(DemoTaskResult<String>.error(dummyError))
task.completionBlock = {
xp.fulfill()
}
queue.addOperation(task)
waitForExpectations {
do {
let _ = try task.getResult()
XCTFail()
} catch {
XCTAssertEqual(error as? DemoError, dummyError)
}
}
}
func testSuccessOrError_Success() {
let xp = expectation(description: "")
let queue = OperationQueue()
let task = DemoAsyncTask(.successOrError(dummyResult, nil))
task.completionBlock = {
xp.fulfill()
}
queue.addOperation(task)
waitForExpectations {
do {
let result = try task.getResult()
XCTAssertEqual(result, dummyResult)
} catch {
XCTFail(error.localizedDescription)
}
}
}
func testSuccessOrError_Error() {
let xp = expectation(description: "")
let queue = OperationQueue()
let task = DemoAsyncTask(DemoTaskResult<String>.successOrError(nil, dummyError))
task.completionBlock = {
xp.fulfill()
}
queue.addOperation(task)
waitForExpectations {
do {
let _ = try task.getResult()
XCTFail()
} catch {
XCTAssertEqual(error as? DemoError, dummyError)
}
}
}
func testOptionalSuccess_Some() {
let xp = expectation(description: "")
let queue = OperationQueue()
let task = DemoAsyncTask(.optionalSuccess(dummyResult))
task.completionBlock = {
xp.fulfill()
}
queue.addOperation(task)
waitForExpectations {
do {
let result = try task.getResult()
XCTAssertEqual(result, dummyResult)
} catch {
XCTFail(error.localizedDescription)
}
}
}
func testOptionalSuccess_None() {
let xp = expectation(description: "")
let queue = OperationQueue()
let task = DemoAsyncTask(DemoTaskResult<String>.optionalSuccess(nil))
task.completionBlock = {
xp.fulfill()
}
queue.addOperation(task)
waitForExpectations {
do {
let _ = try task.getResult()
XCTFail()
} catch {
XCTAssertEqual(error as? TaskError, TaskError.badResult)
}
}
}
func testResultBlock_Success() {
let xp = expectation(description: "")
let queue = OperationQueue()
let task = DemoAsyncTask(.resultBlock({ return dummyResult }))
task.completionBlock = {
xp.fulfill()
}
queue.addOperation(task)
waitForExpectations {
do {
let result = try task.getResult()
XCTAssertEqual(result, dummyResult)
} catch {
XCTFail(error.localizedDescription)
}
}
}
func testResultBlock_Error() {
let xp = expectation(description: "")
let queue = OperationQueue()
let task = DemoAsyncTask(DemoTaskResult<String>.resultBlock({ throw dummyError }))
task.completionBlock = {
xp.fulfill()
}
queue.addOperation(task)
waitForExpectations {
do {
let _ = try task.getResult()
XCTFail()
} catch {
XCTAssertEqual(error as? DemoError, dummyError)
}
}
}
}
| mit | 849b9c53a2428a57a697bd2a2aea99fd | 23.558252 | 90 | 0.485669 | 5.729332 | false | true | false | false |
wordpress-mobile/WordPress-iOS | WordPress/Classes/ViewRelated/Blog/Site Management/SiteTagsViewController.swift | 1 | 19367 | import UIKit
import Gridicons
import WordPressShared
final class SiteTagsViewController: UITableViewController {
private struct TableConstants {
static let cellIdentifier = "TitleBadgeDisclosureCell"
static let accesibilityIdentifier = "SiteTagsList"
static let numberOfSections = 1
}
private let blog: Blog
private lazy var noResultsViewController = NoResultsViewController.controller()
private var isSearching = false
fileprivate lazy var context: NSManagedObjectContext = {
return ContextManager.sharedInstance().mainContext
}()
fileprivate lazy var defaultPredicate: NSPredicate = {
return NSPredicate(format: "blog.blogID = %@", blog.dotComID!)
}()
private let sortDescriptors: [NSSortDescriptor] = {
return [NSSortDescriptor(key: "name", ascending: true, selector: #selector(NSString.localizedCaseInsensitiveCompare(_:)))]
}()
fileprivate lazy var resultsController: NSFetchedResultsController<NSFetchRequestResult> = {
let request = NSFetchRequest<NSFetchRequestResult>(entityName: "PostTag")
request.sortDescriptors = self.sortDescriptors
let frc = NSFetchedResultsController(fetchRequest: request, managedObjectContext: self.context, sectionNameKeyPath: nil, cacheName: nil)
frc.delegate = self
return frc
}()
fileprivate lazy var searchController: UISearchController = {
let returnValue = UISearchController(searchResultsController: nil)
returnValue.hidesNavigationBarDuringPresentation = false
returnValue.obscuresBackgroundDuringPresentation = false
returnValue.searchResultsUpdater = self
returnValue.delegate = self
WPStyleGuide.configureSearchBar(returnValue.searchBar)
return returnValue
}()
private var isPerformingInitialSync = false
@objc
public init(blog: Blog) {
self.blog = blog
super.init(style: .grouped)
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
override func viewDidLoad() {
super.viewDidLoad()
noResultsViewController.delegate = self
setAccessibilityIdentifier()
applyStyleGuide()
applyTitle()
setupTable()
refreshTags()
refreshResultsController(predicate: defaultPredicate)
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
searchController.searchBar.isHidden = false
refreshNoResultsView()
}
override func viewWillDisappear(_ animated: Bool) {
super.viewWillDisappear(animated)
// HACK: Normally, to hide the scroll bars we'd define a presentation context.
// This is impacting layout when navigating back from a detail. As a work
// around we can simply hide the search bar.
if searchController.isActive {
searchController.searchBar.isHidden = true
}
}
private func setAccessibilityIdentifier() {
tableView.accessibilityIdentifier = TableConstants.accesibilityIdentifier
}
private func applyStyleGuide() {
WPStyleGuide.configureColors(view: view, tableView: tableView)
WPStyleGuide.configureAutomaticHeightRows(for: tableView)
}
private func applyTitle() {
title = NSLocalizedString("Tags", comment: "Label for the Tags Section in the Blog Settings")
}
private func setupTable() {
tableView.tableFooterView = UIView(frame: .zero)
let nibName = UINib(nibName: TableConstants.cellIdentifier, bundle: nil)
tableView.register(nibName, forCellReuseIdentifier: TableConstants.cellIdentifier)
setupRefreshControl()
}
private func setupRefreshControl() {
if refreshControl == nil {
refreshControl = UIRefreshControl()
refreshControl?.backgroundColor = .basicBackground
refreshControl?.addTarget(self, action: #selector(refreshTags), for: .valueChanged)
}
}
private func deactivateRefreshControl() {
refreshControl = nil
}
@objc private func refreshResultsController(predicate: NSPredicate) {
resultsController.fetchRequest.predicate = predicate
resultsController.fetchRequest.sortDescriptors = sortDescriptors
do {
try resultsController.performFetch()
tableView.reloadData()
refreshNoResultsView()
} catch {
tagsFailedLoading(error: error)
}
}
@objc private func refreshTags() {
isPerformingInitialSync = true
let tagsService = PostTagService(managedObjectContext: ContextManager.sharedInstance().mainContext)
tagsService.syncTags(for: blog, success: { [weak self] tags in
self?.isPerformingInitialSync = false
self?.refreshControl?.endRefreshing()
self?.refreshNoResultsView()
}) { [weak self] error in
self?.tagsFailedLoading(error: error)
}
}
private func showRightBarButton(_ show: Bool) {
if show {
navigationItem.rightBarButtonItem = UIBarButtonItem(barButtonSystemItem: .add,
target: self,
action: #selector(createTag))
} else {
navigationItem.rightBarButtonItem = nil
}
}
private func setupSearchBar() {
guard tableView.tableHeaderView == nil else {
return
}
tableView.tableHeaderView = searchController.searchBar
}
private func removeSearchBar() {
tableView.tableHeaderView = nil
}
@objc private func createTag() {
navigate(to: nil)
}
func tagsFailedLoading(error: Error) {
DDLogError("Tag management. Error loading tags for \(String(describing: blog.url)): \(error)")
}
}
// MARK: - Table view datasource
extension SiteTagsViewController {
override func numberOfSections(in tableView: UITableView) -> Int {
return resultsController.sections?.count ?? 0
}
override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return resultsController.sections?[section].numberOfObjects ?? 0
}
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
guard let cell = tableView.dequeueReusableCell(withIdentifier: TableConstants.cellIdentifier, for: indexPath) as? TitleBadgeDisclosureCell, let tag = tagAtIndexPath(indexPath) else {
return TitleBadgeDisclosureCell()
}
cell.name = tag.name?.stringByDecodingXMLCharacters()
if let count = tag.postCount?.intValue, count > 0 {
cell.count = count
}
return cell
}
fileprivate func tagAtIndexPath(_ indexPath: IndexPath) -> PostTag? {
return resultsController.object(at: indexPath) as? PostTag
}
override func tableView(_ tableView: UITableView, canEditRowAt indexPath: IndexPath) -> Bool {
return true
}
override func tableView(_ tableView: UITableView, commit editingStyle: UITableViewCell.EditingStyle, forRowAt indexPath: IndexPath) {
guard let selectedTag = tagAtIndexPath(indexPath) else {
return
}
delete(selectedTag)
}
private func delete(_ tag: PostTag) {
let tagsService = PostTagService(managedObjectContext: ContextManager.sharedInstance().mainContext)
refreshControl?.beginRefreshing()
tagsService.delete(tag, for: blog, success: { [weak self] in
self?.refreshControl?.endRefreshing()
self?.tableView.reloadData()
}, failure: { [weak self] error in
self?.refreshControl?.endRefreshing()
})
}
private func save(_ tag: PostTag) {
let tagsService = PostTagService(managedObjectContext: ContextManager.sharedInstance().mainContext)
refreshControl?.beginRefreshing()
tagsService.save(tag, for: blog, success: { [weak self] tag in
self?.refreshControl?.endRefreshing()
self?.tableView.reloadData()
}, failure: { error in
self.refreshControl?.endRefreshing()
})
}
}
// MARK: - Table view delegate
extension SiteTagsViewController {
override func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
guard let selectedTag = tagAtIndexPath(indexPath) else {
return
}
navigate(to: selectedTag)
}
}
// MARK: - Fetched results delegate
extension SiteTagsViewController: NSFetchedResultsControllerDelegate {
func controllerDidChangeContent(_ controller: NSFetchedResultsController<NSFetchRequestResult>) {
refreshNoResultsView()
}
}
// MARK: - Navigation to Tag details
extension SiteTagsViewController {
fileprivate func navigate(to tag: PostTag?) {
let titleSectionHeader = NSLocalizedString("Tag", comment: "Section header for tag name in Tag Details View.")
let subtitleSectionHeader = NSLocalizedString("Description", comment: "Section header for tag name in Tag Details View.")
let titleErrorFooter = NSLocalizedString("Name Required", comment: "Error to be displayed when a tag is empty")
let content = SettingsTitleSubtitleController.Content(title: tag?.name,
subtitle: tag?.tagDescription,
titleHeader: titleSectionHeader,
subtitleHeader: subtitleSectionHeader,
titleErrorFooter: titleErrorFooter)
let confirmationContent = confirmation()
let tagDetailsView = SettingsTitleSubtitleController(content: content, confirmation: confirmationContent)
tagDetailsView.setAction { [weak self] updatedData in
self?.navigationController?.popViewController(animated: true)
guard let tag = tag else {
return
}
self?.delete(tag)
}
tagDetailsView.setUpdate { [weak self] updatedData in
guard let tag = tag else {
self?.addTag(data: updatedData)
return
}
guard self?.tagWasUpdated(tag: tag, updatedTag: updatedData) == true else {
return
}
self?.updateTag(tag, updatedData: updatedData)
}
navigationController?.pushViewController(tagDetailsView, animated: true)
}
private func addTag(data: SettingsTitleSubtitleController.Content) {
if let existingTag = existingTagForData(data) {
displayAlertForExistingTag(existingTag)
return
}
guard let newTag = NSEntityDescription.insertNewObject(forEntityName: "PostTag", into: ContextManager.sharedInstance().mainContext) as? PostTag else {
return
}
newTag.name = data.title
newTag.tagDescription = data.subtitle
save(newTag)
WPAnalytics.trackSettingsChange("site_tags", fieldName: "add_tag")
}
private func updateTag(_ tag: PostTag, updatedData: SettingsTitleSubtitleController.Content) {
// Lets check that we are not updating a tag to a name that already exists
if let existingTag = existingTagForData(updatedData),
existingTag != tag {
displayAlertForExistingTag(existingTag)
return
}
tag.name = updatedData.title
tag.tagDescription = updatedData.subtitle
save(tag)
WPAnalytics.trackSettingsChange("site_tags", fieldName: "edit_tag")
}
private func existingTagForData(_ data: SettingsTitleSubtitleController.Content) -> PostTag? {
guard let title = data.title else {
return nil
}
let request = NSFetchRequest<NSFetchRequestResult>(entityName: "PostTag")
request.predicate = NSPredicate(format: "blog.blogID = %@ AND name = %@", blog.dotComID!, title)
request.fetchLimit = 1
guard let results = (try? context.fetch(request)) as? [PostTag] else {
return nil
}
return results.first
}
fileprivate func displayAlertForExistingTag(_ tag: PostTag) {
let title = NSLocalizedString("Tag already exists",
comment: "Title of the alert indicating that a tag with that name already exists.")
let tagName = tag.name ?? ""
let message = String(format: NSLocalizedString("A tag named '%@' already exists.",
comment: "Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag"),
tagName)
let acceptTitle = NSLocalizedString("OK", comment: "Alert dismissal title")
let alertController = UIAlertController(title: title, message: message, preferredStyle: .alert)
alertController.addDefaultActionWithTitle(acceptTitle)
present(alertController, animated: true)
}
private func tagWasUpdated(tag: PostTag, updatedTag: SettingsTitleSubtitleController.Content) -> Bool {
if tag.name == updatedTag.title && tag.tagDescription == updatedTag.subtitle {
return false
}
return true
}
private func confirmation() -> SettingsTitleSubtitleController.Confirmation {
let confirmationTitle = NSLocalizedString("Delete this tag", comment: "Delete Tag confirmation action title")
let confirmationSubtitle = NSLocalizedString("Are you sure you want to delete this tag?", comment: "Message asking for confirmation on tag deletion")
let actionTitle = NSLocalizedString("Delete", comment: "Delete")
let cancelTitle = NSLocalizedString("Cancel", comment: "Alert dismissal title")
let trashIcon = UIImage.gridicon(.trash)
return SettingsTitleSubtitleController.Confirmation(title: confirmationTitle,
subtitle: confirmationSubtitle,
actionTitle: actionTitle,
cancelTitle: cancelTitle,
icon: trashIcon,
isDestructiveAction: true)
}
}
// MARK: - Empty state handling
private extension SiteTagsViewController {
func refreshNoResultsView() {
let noResults = resultsController.fetchedObjects?.count == 0
showRightBarButton(!noResults)
if noResults {
showNoResults()
} else {
hideNoResults()
}
}
func showNoResults() {
if isSearching {
showNoSearchResultsView()
return
}
if isPerformingInitialSync {
showLoadingView()
return
}
showEmptyResultsView()
}
func showLoadingView() {
configureAndDisplayNoResults(title: NoResultsText.loadingTitle, accessoryView: NoResultsViewController.loadingAccessoryView())
removeSearchBar()
}
func showEmptyResultsView() {
configureAndDisplayNoResults(title: NoResultsText.noTagsTitle, subtitle: NoResultsText.noTagsMessage, buttonTitle: NoResultsText.createButtonTitle)
removeSearchBar()
}
func showNoSearchResultsView() {
// If already shown, don't show again. To prevent the view from "flashing" as the user types.
guard !noResultsShown else {
return
}
configureAndDisplayNoResults(title: NoResultsText.noResultsTitle, forNoSearchResults: true)
}
func configureAndDisplayNoResults(title: String,
subtitle: String? = nil,
buttonTitle: String? = nil,
accessoryView: UIView? = nil,
forNoSearchResults: Bool = false) {
if forNoSearchResults {
noResultsViewController.configureForNoSearchResults(title: title)
} else {
noResultsViewController.configure(title: title, buttonTitle: buttonTitle, subtitle: subtitle, accessoryView: accessoryView)
}
displayNoResults()
}
func displayNoResults() {
addChild(noResultsViewController)
noResultsViewController.view.frame = tableView.frame
// Since the tableView doesn't always start at the top, adjust the NRV accordingly.
if isSearching {
noResultsViewController.view.frame.origin.y = searchController.searchBar.frame.height
} else {
noResultsViewController.view.frame.origin.y = 0
}
tableView.addSubview(withFadeAnimation: noResultsViewController.view)
noResultsViewController.didMove(toParent: self)
}
func hideNoResults() {
noResultsViewController.removeFromView()
setupSearchBar()
tableView.reloadData()
}
var noResultsShown: Bool {
return noResultsViewController.parent != nil
}
struct NoResultsText {
static let noTagsTitle = NSLocalizedString("You don't have any tags", comment: "Empty state. Tags management (Settings > Writing > Tags)")
static let noTagsMessage = NSLocalizedString("Tags created here can be quickly added to new posts", comment: "Displayed when the user views tags in blog settings and there are no tags")
static let createButtonTitle = NSLocalizedString("Create a Tag", comment: "Title of the button in the placeholder for an empty list of blog tags.")
static let loadingTitle = NSLocalizedString("Loading...", comment: "Loading tags.")
static let noResultsTitle = NSLocalizedString("No tags matching your search", comment: "Displayed when the user is searching site tags and there are no matches.")
}
}
// MARK: - NoResultsViewControllerDelegate
extension SiteTagsViewController: NoResultsViewControllerDelegate {
func actionButtonPressed() {
createTag()
}
}
// MARK: - SearchResultsUpdater
extension SiteTagsViewController: UISearchResultsUpdating {
func updateSearchResults(for searchController: UISearchController) {
guard let text = searchController.searchBar.text, text != "" else {
refreshResultsController(predicate: defaultPredicate)
return
}
let filterPredicate = NSPredicate(format: "blog.blogID = %@ AND name contains [cd] %@", blog.dotComID!, text)
refreshResultsController(predicate: filterPredicate)
}
}
// MARK: - UISearchControllerDelegate Conformance
extension SiteTagsViewController: UISearchControllerDelegate {
func willPresentSearchController(_ searchController: UISearchController) {
isSearching = true
deactivateRefreshControl()
}
func willDismissSearchController(_ searchController: UISearchController) {
isSearching = false
setupRefreshControl()
}
}
| gpl-2.0 | ee133d70247df8ad8f44958205e586d4 | 36.678988 | 193 | 0.647493 | 5.729882 | false | false | false | false |
wordpress-mobile/WordPress-iOS | WordPress/Classes/ViewRelated/Blog/QuickStartSettings.swift | 1 | 1101 | import Foundation
final class QuickStartSettings {
private let userDefaults: UserDefaults
// MARK: - Init
init(userDefaults: UserDefaults = .standard) {
self.userDefaults = userDefaults
}
// MARK: - Quick Start availability
func isQuickStartAvailable(for blog: Blog) -> Bool {
return blog.isUserCapableOf(.ManageOptions) &&
blog.isUserCapableOf(.EditThemeOptions) &&
!blog.isWPForTeams()
}
// MARK: - User Defaults Storage
func promptWasDismissed(for blog: Blog) -> Bool {
guard let key = promptWasDismissedKey(for: blog) else {
return false
}
return userDefaults.bool(forKey: key)
}
func setPromptWasDismissed(_ value: Bool, for blog: Blog) {
guard let key = promptWasDismissedKey(for: blog) else {
return
}
userDefaults.set(value, forKey: key)
}
private func promptWasDismissedKey(for blog: Blog) -> String? {
let siteID = blog.dotComID?.intValue ?? 0
return "QuickStartPromptWasDismissed-\(siteID)"
}
}
| gpl-2.0 | 94f1904711958833968d2a86baeb3779 | 25.214286 | 67 | 0.62852 | 4.47561 | false | false | false | false |
iosdevelopershq/code-challenges | CodeChallenge/Challenges/TwoSum/Entries/juliand665TwoSumEntry.swift | 1 | 1929 | //
// juliand665TwoSumEntry.swift
// CodeChallenge
//
// Created by Julian Dunskus on 06.01.17.
// Copyright © 2017 iosdevelopers. All rights reserved.
//
import Foundation
let juliand665TwoSumEntryNice = CodeChallengeEntry<TwoSumChallenge>(name: "juliand665 (swiftier)", block: findPairNice)
private func findPairNice(in nums: [Int], targeting target: Int) -> (Int, Int)? { // O(log n)
var numbers = nums.enumerated().sorted() { $0.1 < $1.1 } // I assume the closure is making it slower
var i1 = numbers.startIndex
var i2 = numbers.endIndex - 1
// how to C
while true { // solution guaranteed
let n1 = numbers[i1]
let n2 = numbers[i2]
let sum = n1.element + n2.element
if sum == target {
return (n1.offset + 1, n2.offset + 1) // O(1)
} else if sum < target {
i1 += 1
} else {
i2 -= 1
}
}
}
let juliand665TwoSumEntryFast = CodeChallengeEntry<TwoSumChallenge>(name: "juliand665 (swifter)", block: findPairFast)
private func findPairFast(in nums: [Int], targeting target: Int) -> (Int, Int)? { // O(log n)
var numbers = nums.sorted()
var i1 = numbers.startIndex
var i2 = numbers.endIndex - 1
// how to C
while true { // solution guaranteed
let n1 = numbers[i1]
let n2 = numbers[i2]
let sum = n1 + n2
if sum == target {
return (nums.index(of: n1)! + 1, nums.index(of: n2)! + 1) // O(n)
// darn you, indices! sorting .enumerated() instead seems to be slower :(
} else if sum < target {
i1 += 1
} else {
i2 -= 1
}
}
}
let juliand665TwoSumEntryUgly = CodeChallengeEntry<TwoSumChallenge>(name: "juliand665 (hardcoded)", block: findPairUgly)
private func findPairUgly(in nums: [Int], targeting target: Int) -> (Int, Int)? { // O(n)
var first: Int?
for (index, num) in nums.enumerated() {
if num > 2 {
if let first = first {
return (first + 1, index + 1) // why would you not want zero-based indices?
}
first = index
}
}
return nil
}
| mit | b1f40d6282c7e0a5cb0ebe9a20920b06 | 25.777778 | 120 | 0.650415 | 2.852071 | false | false | false | false |
Urinx/SublimeCode | Sublime/Sublime/Utils/File.swift | 1 | 8746 | //
// File.swift
// Sublime
//
// Created by Eular on 2/18/16.
// Copyright © 2016 Eular. All rights reserved.
//
import UIKit
import Foundation
import Photos
import SSZipArchive
enum FileType {
case Regular, Directory, SymbolicLink, Socket, CharacterSpecial, BlockSpecial, Unknown
}
// MARK: - File Class
class File {
var name = ""
var ext = ""
var path = ""
var url: NSURL
var isDir: Bool = false
var type: FileType = .Unknown
var size: Int = 0
var img: String {
get {
if isDir {
return "folder"
} else if isExistImageResource("file_\(ext)") {
return "file_\(ext)"
} else {
return "file_unknown"
}
}
}
var isImg: Bool {
return (["jpg", "png", "gif"] as NSArray).containsObject(ext)
}
var isAudio: Bool {
return (["mp3"] as NSArray).containsObject(ext)
}
var isVideo: Bool {
return (["mp4", "rmvb", "avi", "flv", "mov"] as NSArray).containsObject(ext)
}
var data: NSData? {
get {
return NSData(contentsOfFile: path)
}
}
var codeLang: String {
let codeLangs = [
"swift": "swift",
"m": "objective-c",
"h": "objective-c",
"c": "c",
"py": "python",
"cpp": "cpp",
"css": "css",
"js": "javascript",
"html": "html",
"htm": "html",
"xml": "xml",
"jsp": "jsp",
// "m": "matlab",
"sh": "shell",
"f90": "fortran",
"java": "java",
"md": "markdown",
"asm": "asm",
"bat": "bat",
"scala": "scala",
"tex": "latex",
"pl": "perl",
"cs": "c-sharp",
"php": "php",
"json": "json",
"yml": "yml",
]
return codeLangs[ext] ?? "txt"
}
let readable: Bool
let writeable: Bool
let executable: Bool
let deleteable: Bool
private let filemgr = NSFileManager.defaultManager()
init(path: String) {
self.path = path
self.name = path.lastPathComponent
self.ext = name.pathExtension
self.url = NSURL(fileURLWithPath: path)
self.readable = filemgr.isReadableFileAtPath(path)
self.writeable = filemgr.isWritableFileAtPath(path)
self.executable = filemgr.isExecutableFileAtPath(path)
self.deleteable = filemgr.isDeletableFileAtPath(path)
do {
let attribs = try filemgr.attributesOfItemAtPath(path)
let filetype = attribs["NSFileType"] as! String
switch filetype {
case "NSFileTypeDirectory":
self.type = .Directory
self.isDir = true
case "NSFileTypeRegular":
self.type = .Regular
case "NSFileTypeSymbolicLink":
self.type = .SymbolicLink
case "NSFileTypeSocket":
self.type = .Socket
case "NSFileTypeCharacterSpecial":
self.type = .CharacterSpecial
case "NSFileTypeBlockSpecial":
self.type = .BlockSpecial
default:
self.type = .Unknown
}
self.size = attribs["NSFileSize"] as! Int
} catch {}
}
func delete() -> Bool {
do {
try filemgr.removeItemAtPath(path)
return true
} catch {
return false
}
}
func read() -> String {
if let data = filemgr.contentsAtPath(path) {
return String(data: data, encoding: NSUTF8StringEncoding) ?? ""
}
return ""
}
func readlines() -> [String] {
return (self.read() ?? "").split("\n")
}
func write(str: String) -> Bool {
do {
try str.writeToFile(path, atomically: true, encoding: NSUTF8StringEncoding)
return true
} catch {
return false
}
}
func write(data: NSData) -> Bool {
return data.writeToFile(path, atomically: true)
}
func append(str: String) -> Bool {
if let handler = NSFileHandle(forUpdatingAtPath: path), let data = str.dataUsingEncoding(NSUTF8StringEncoding, allowLossyConversion: true) {
handler.seekToEndOfFile()
handler.writeData(data)
return true
}
return false
}
func insert(str: String, offset: UInt64) -> Bool {
if let handler = NSFileHandle(forUpdatingAtPath: path), let data = str.dataUsingEncoding(NSUTF8StringEncoding, allowLossyConversion: true) {
handler.seekToFileOffset(offset)
let data2 = handler.readDataToEndOfFile()
handler.seekToFileOffset(offset)
handler.writeData(data)
handler.writeData(data2)
return true
}
return false
}
func copy(dest: String) -> Bool {
do {
try filemgr.copyItemAtPath(path, toPath: dest)
return true
} catch {
return false
}
}
func move(dest: String) -> Bool {
do {
try filemgr.moveItemAtPath(path, toPath: dest)
return true
} catch {
return false
}
}
func unzip(destPath: String = "", keepFile: Bool = true) {
if ext == "zip" {
if destPath.isEmpty {
SSZipArchive.unzipFileAtPath(path, toDestination: path.stringByDeletingLastPathComponent)
} else {
SSZipArchive.unzipFileAtPath(path, toDestination: destPath)
}
if !keepFile {
self.delete()
}
} else {
Log("Not zip file")
}
}
static func exist(path: String) -> Bool {
return NSFileManager.defaultManager().fileExistsAtPath(path)
}
}
// MARK: - Folder Class
class Folder: File {
override init(path: String) {
if !File.exist(path) {
let upper = Folder(path: path.stringByDeletingLastPathComponent)
upper.newFolder(path.lastPathComponent)
}
super.init(path: path)
}
func checkFileExist(name: String) -> Bool {
return filemgr.fileExistsAtPath(path.stringByAppendingPathComponent(name))
}
func newFile(name: String) -> Bool {
return filemgr.createFileAtPath(path.stringByAppendingPathComponent(name), contents: nil, attributes: nil)
}
func newFolder(name: String) -> Bool {
do {
try filemgr.createDirectoryAtPath(path.stringByAppendingPathComponent(name), withIntermediateDirectories: true, attributes: nil)
return true
} catch {
return false
}
}
func listFiles() -> [File] {
var fileList = [File]()
do {
let files = try filemgr.contentsOfDirectoryAtPath(path)
for file in files {
let p = path.stringByAppendingPathComponent(file)
var f = File(path: p)
if f.isDir {f = Folder(path: p)}
fileList.append(f)
}
} catch {}
return fileList
}
func saveImage(image: UIImage, name: String, url: NSURL?) {
let imgext = name.pathExtension
switch imgext {
case "png":
if let data = UIImagePNGRepresentation(image) {
data.writeToFile(path.stringByAppendingPathComponent(name), atomically: true)
}
case "jpg":
if let data = UIImageJPEGRepresentation(image, 1) {
data.writeToFile(path.stringByAppendingPathComponent(name), atomically: true)
}
case "gif":
let imgMgr = PHImageManager()
let asset = PHAsset.fetchAssetsWithALAssetURLs([url!], options: nil)[0] as! PHAsset
imgMgr.requestImageDataForAsset(asset, options: nil) { (data, _, _, _) -> Void in
data?.writeToFile(self.path.stringByAppendingPathComponent(name), atomically: true)
}
default: return
}
}
func zip(destPath: String = "") -> File {
var zipPath: String
if destPath.isEmpty {
zipPath = path.stringByDeletingPathExtension.stringByAppendingPathExtension("zip")!
} else {
zipPath = destPath
}
SSZipArchive.createZipFileAtPath(zipPath, withContentsOfDirectory: path)
return File(path: zipPath)
}
}
| gpl-3.0 | 37d21c294d68d899ca8658b587df42df | 28.644068 | 148 | 0.529217 | 4.768266 | false | false | false | false |
kwizzad/kwizzad-ios | Source/KwizzadAPI.swift | 1 | 9912 | //
// KwizzadAPI.swift
// KwizzadSDK
//
// Created by Fares Ben Hamouda on 21/03/2017.
// Copyright © 2017 Kwizzad. All rights reserved.
//
import Foundation
import RxSwift
class KwizzadAPI {
fileprivate static let MAX_REQUEST_RETRIES = 10;
let model : KwizzadModel;
let disposeBag = DisposeBag();
let sendQueue = PublishSubject<(String, BehaviorSubject<Void>)>();
public init(_ model: KwizzadModel) {
self.model = model;
sendQueue
.flatMap(self.send)
.observeOn(MainScheduler.instance)
.subscribe(onNext: { response in
if(response == "") {
return
}
logger.logMessage("Raw server response: \(response)")
let responseEvents: [FromDict] = dictConvert(str: response)
debugPrint("Response events:", responseEvents)
for responseEvent in responseEvents {
if let noFillEvent = responseEvent as? NoFillEvent {
self.model
.placementModel(placementId: noFillEvent.placementId!)
.transition(from: .REQUESTING_AD,
to: .NOFILL,
beforeChange: { placement in
placement.retryAfter = noFillEvent.retryAfter;
placement.retryInMilliseconds = noFillEvent.retryInMilliseconds;
placement.adResponse = nil;
})
}
if let openTransactionsEvent = responseEvent as? OpenTransactionsEvent {
logger.logMessage("got open transactions \(String(describing: openTransactionsEvent.transactions))");
if let transactions = openTransactionsEvent.transactions {
var newSet : Set<OpenTransaction> = [];
for cb in self.model.openTransactions.value {
if transactions.contains(cb) && (cb.state == .ACTIVE || cb.state == .SENDING) {
newSet.insert(cb);
}
}
newSet.formUnion(transactions)
logger.logMessage("size \(newSet.count)");
if (newSet.count > 0 || newSet.count != self.model.openTransactions.value.count) {
logger.logMessage("changed, setting transactions");
self.model.openTransactions.value = newSet;
// todo
KwizzadSDK.instance.delegate?.kwizzadGotOpenTransactions(
openTransactions: self.model.openTransactions.value
)
}
}
}
if let adResponse = responseEvent as? AdResponseEvent {
self.model.placementModel(placementId: adResponse.placementId!)
.transition(
from: AdState.REQUESTING_AD,
to: AdState.RECEIVED_AD,
beforeChange: { placement in
placement.adResponse = adResponse;
if self.model.overrideWeb != nil, adResponse.url != nil, let regex = try? NSRegularExpression(pattern: "[^:]+://[^/]+", options: .caseInsensitive) {
logger.logMessage("url before \(String(describing: adResponse.url))")
adResponse.url = regex.stringByReplacingMatches(in: adResponse.url!, options: .withTransparentBounds, range: NSMakeRange(0, adResponse.url!.count), withTemplate: self.model.overrideWeb!)
logger.logMessage("url after \(String(describing: adResponse.url))")
}
}
)
}
}
}).addDisposableTo(disposeBag)
}
func isRegardedAsErroneous(response: HTTPURLResponse?) -> Bool {
guard let response = response else { return true; }
let statusCode = response.statusCode;
logger.logMessage("Status code: \(statusCode)")
// Note that we do not handle redirections yet, so we regard them as errors.
return statusCode >= 300;
}
func shouldRetryRequest(response: HTTPURLResponse?) -> Bool {
guard let response = response else { return false; }
let statusCode = response.statusCode;
// 499 is nginx-y for a backend timeout, 500+ is reserved for server-side errors.
// We regard these as retry-able because probably we just have to wait for a backend
// to be available again later.
// Response errors < 499 mean errors on our side, so we won't retry the according requests.
return statusCode >= 499;
}
func retryTimeoutFor(index: Int, error: Swift.Error) -> TimeInterval? {
guard error as? KwizzadSDK.ResponseError == KwizzadSDK.ResponseError.retryableRequestError else {
return nil
}
let retryTimesInMinutes: [Int: TimeInterval] = [0:1.0, 1:5.0, 2:10.0, 3:60.0, 4:360.0, 5: 1440.0]
let timeoutInSeconds = retryTimesInMinutes[min(index, retryTimesInMinutes.count - 1)]! * 60.0
let randomAdditionalTimeout = timeoutInSeconds * Double(arc4random()) / Double(UINT32_MAX)
return 0.5 * timeoutInSeconds + randomAdditionalTimeout
}
func send(_ request: String, _ ret: BehaviorSubject<Void>) -> Observable<String> {
return Observable.create { (observer) -> Disposable in
var task: URLSessionDataTask?
let url = self.model.apiBaseURL(apiKey: self.model.apiKey!) + self.model.apiKey! + "/" + self.model.installId;
let session = URLSession.shared
logger.logMessage("POST \(url): \(request)")
var httpRequest = URLRequest(url: URL(string: url)!)
httpRequest.httpMethod = "POST";
httpRequest.httpBody = request.data(using: .utf8);
logger.logMessage("sending \(String(describing: httpRequest.httpBody))")
httpRequest.setValue("application/json", forHTTPHeaderField: "Content-Type");
task = session.dataTask(with: httpRequest) { (data, response, error) -> Void in
if error != nil {
logger.logMessage("Error while handling HTTP request: \(String(describing: error))")
observer.onError(error!)
return
}
if (self.isRegardedAsErroneous(response: (response as? HTTPURLResponse))) {
let error = (self.shouldRetryRequest(response: response as? HTTPURLResponse)) ? KwizzadSDK.ResponseError.retryableRequestError : KwizzadSDK.ResponseError.fatalError
logger.logMessage("Response had an error (\(error)).")
observer.onError(error)
return
}
let result = String(data: data!, encoding:.utf8)!
logger.logMessage("Response data: \(result)")
observer.onNext(result);
observer.onCompleted()
ret.onCompleted()
}
task?.resume()
return Disposables.create {
if task != nil {
task?.cancel()
}
}
}
.retryWhen { errorObservable -> Observable<Int64> in
return errorObservable.flatMapWithIndex({ (error, index) -> Observable<Int64> in
let seconds = self.retryTimeoutFor(index: index, error: error)
guard seconds != nil && index < KwizzadAPI.MAX_REQUEST_RETRIES else {
return Observable.error(error)
}
logger.logMessage("Retry #\(index) after \(seconds!)s")
return Observable<Int64>.timer(5, scheduler: MainScheduler.instance)
})
}
.catchError { error in
ret.onError(error)
return Observable.just("")
}
}
func convert<T:ToDict>(_ request : [T]) throws -> String {
var str = "[";
var first: Bool = true
for r in request {
if(first) {
first = false;
}
else {
str += ","
}
if let foo : String = dictConvert(r) {
str += foo;
}
}
str += "]"
return str
}
func queue<T:ToDict>(_ request: T...) -> Observable<Void> {
logger.logMessage("queueing \(request)")
do {
let ret = BehaviorSubject<Void>(value: Void())
let r = try convert(request)
sendQueue.onNext((r, ret))
return ret.observeOn(MainScheduler.instance);
}
catch {
return Observable.error(error);
}
}
}
| mit | 6cf062e44822f8d3e0dfe68ca72f1d84 | 43.048889 | 226 | 0.490768 | 5.536872 | false | false | false | false |
belatrix/iOSAllStars | AllStarsV2/AllStarsV2/iPhone/Classes/Events/AboutEvents/AboutEventViewController.swift | 1 | 10516 | //
// AboutEventViewController.swift
// AllStarsV2
//
// Created by Daniel Vasquez Fernandez on 8/29/17.
// Copyright © 2017 Kenyi Rodriguez Vergara. All rights reserved.
//
import UIKit
import EventKit
class AboutEventViewController: UIViewController {
// MARK: - Properties
@IBOutlet weak var lblDetailBody: UILabel!
@IBOutlet weak var lblLocation: UILabel!
@IBOutlet weak var btnAddEvent: UIButton!
let eventStore : EKEventStore = EKEventStore()
var eventExists : Bool = false
var objEvent : EventBE!
var event : EKEvent!
// MARK: - My own methods
func updateEventInfo() {
self.lblDetailBody.text = self.objEvent.event_description
let eventAddress = (self.objEvent.event_address.isEmpty == true) ? "" : ", \(self.objEvent.event_address)"
self.lblLocation.text = "\(self.objEvent.event_location!.location_name)\(eventAddress)" /* Si valor de 'eventAddress' no es vacío, se muestra junto con la coma (,). */
}
func setEventDate() {
self.event = EKEvent(eventStore: self.eventStore)
self.event.title = self.objEvent.event_name
self.event.startDate = self.objEvent.event_datetime
self.event.endDate = self.objEvent.event_datetime.addingTimeInterval(60 * 60)
self.event.notes = self.objEvent.event_description
self.event.calendar = eventStore.defaultCalendarForNewEvents
}
func checkIfEventExists() {
let predicate = eventStore.predicateForEvents(withStart: event.startDate,
end: event.endDate.addingTimeInterval(60 * 60),
calendars: nil)
let existingEvents = eventStore.events(matching: predicate)
for singleEvent in existingEvents {
self.eventExists = (event.title == singleEvent.title && event.startDate == singleEvent.startDate)
let buttonTitle = (self.eventExists == false) ? "Add_to_Calender" : "Remove_from_Calender"
self.btnAddEvent.setTitle(buttonTitle.localized,
for: .normal)
}
}
func addEventToCalender() {
self.setEventDate()
if self.eventExists == false { /* Se va a insertar el evento... */
let differenceBetweenDates = CDMDateManager.calcularDiferenciaDeFechasEntre(self.event.startDate,
conFechaFinal: Date())
if differenceBetweenDates.anios > 0 ||
differenceBetweenDates.meses > 0 ||
differenceBetweenDates.dias > 0 ||
differenceBetweenDates.horas > 0 ||
differenceBetweenDates.minutos > 0 ||
differenceBetweenDates.segundos > 0 { /* El evento ya pasó. No se hace la inserción. */
CDMUserAlerts.showSimpleAlert(title: "older_event_title".localized,
withMessage: "older_event_message".localized,
withAcceptButton: "ok".localized,
withController: self,
withCompletion: nil)
}
else {
do {
try eventStore.save(self.event,
span: EKSpan.thisEvent)
CDMUserAlerts.showSimpleAlert(title: "Event_Added".localized,
withMessage: "Event_added_correctly".localized,
withAcceptButton: "ok".localized,
withController: self,
withCompletion: nil)
self.eventExists = true
UIView.animate(withDuration: 0.3,
animations: {
self.btnAddEvent.setTitle("Remove_from_Calender".localized,
for: .normal)
self.view.layoutIfNeeded()
})
}
catch {
CDMUserAlerts.showSimpleAlert(title: "event_added_error_title".localized,
withMessage: "event_added_error_message".localized,
withAcceptButton: "ok".localized,
withController: self,
withCompletion: nil)
}
}
}
else { /* Se va a eliminar el evento... */
do {
let predicate = eventStore.predicateForEvents(withStart: event.startDate,
end: event.endDate.addingTimeInterval(60 * 60),
calendars: nil)
let existingEvents = eventStore.events(matching: predicate)
for singleEvent in existingEvents{
if event.title == singleEvent.title && event.startDate == singleEvent.startDate {
try self.eventStore.remove(singleEvent, span: .thisEvent)
CDMUserAlerts.showSimpleAlert(title: "Event_Removed".localized,
withMessage: "Event_removed_correctly".localized,
withAcceptButton: "ok".localized,
withController: self, withCompletion: nil)
self.eventExists = false
UIView.animate(withDuration: 0.3, animations: {
self.btnAddEvent.setTitle("Add_to_Calender".localized,
for: .normal)
self.view.layoutIfNeeded()
})
}
}
}
catch {
CDMUserAlerts.showSimpleAlert(title: "event_removed_error_title".localized,
withMessage: "event_removed_error_message".localized,
withAcceptButton: "ok".localized,
withController: self,
withCompletion: nil)
}
}
}
//MARK: - @IBAction/actions methods
@IBAction func btnAddToCalender(_ sender: Any) {
func showAlertForDeniedPermission() {
unowned let viewController = self
DispatchQueue.main.async {
let alert = UIAlertController(title: "Need_Permissions".localized,
message: "permission_use_calendar".localized,
preferredStyle: UIAlertControllerStyle.alert)
let okAction = UIAlertAction(title: "ok".localized,
style: UIAlertActionStyle.default,
handler: { (action) in
guard let profileUrl = URL(string: "App-Prefs:root=AllStarsV2") else { return }
if UIApplication.shared.canOpenURL(profileUrl) {
UIApplication.shared.open(profileUrl,
options: [UIApplicationOpenURLOptionUniversalLinksOnly: false],
completionHandler: nil)
}
})
alert.addAction(okAction)
viewController.present(alert,
animated: true,
completion: nil)
}
}
switch EKEventStore.authorizationStatus(for: .event) {
case .notDetermined:
/* The user has not yet made a choice regarding whether this application may access the service. */
EKEventStore().requestAccess(to: EKEntityType.event,
completion: { [unowned self] (accessGranted, error) in
if accessGranted == true {
self.addEventToCalender()
}
else {
showAlertForDeniedPermission()
}
})
case .denied:
/* The user explicitly denied access to the service for this application. */
showAlertForDeniedPermission()
case .authorized:
/* This application is authorized to access the service. */
self.addEventToCalender()
case .restricted:
/* This application is not authorized to access the service. The user cannot change this application’s status, possibly due to active restrictions such as parental controls being in place. */
CDMUserAlerts.showSimpleAlert(title: "calendar_restricted".localized,
withMessage: "calendar_restricted_message".localized,
withAcceptButton: "ok".localized,
withController: self,
withCompletion: nil)
}
}
//MARK: - AboutEventViewController methods
override func viewDidLoad() {
super.viewDidLoad()
// Configuraciones adicionales.
self.updateEventInfo()
self.setEventDate()
self.checkIfEventExists()
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
}
}
| apache-2.0 | a71a7c937d5d08ec6057b157199c2774 | 44.695652 | 207 | 0.46746 | 6.207915 | false | false | false | false |
TonnyTao/HowSwift | how_to_update_view_in_mvvm.playground/Sources/RxSwift/RxSwift/Binder.swift | 8 | 1885 | //
// Binder.swift
// RxSwift
//
// Created by Krunoslav Zaher on 9/17/17.
// Copyright © 2017 Krunoslav Zaher. All rights reserved.
//
/**
Observer that enforces interface binding rules:
* can't bind errors (in debug builds binding of errors causes `fatalError` in release builds errors are being logged)
* ensures binding is performed on a specific scheduler
`Binder` doesn't retain target and in case target is released, element isn't bound.
By default it binds elements on main scheduler.
*/
public struct Binder<Value>: ObserverType {
public typealias Element = Value
private let binding: (Event<Value>) -> Void
/// Initializes `Binder`
///
/// - parameter target: Target object.
/// - parameter scheduler: Scheduler used to bind the events.
/// - parameter binding: Binding logic.
public init<Target: AnyObject>(_ target: Target, scheduler: ImmediateSchedulerType = MainScheduler(), binding: @escaping (Target, Value) -> Void) {
weak var weakTarget = target
self.binding = { event in
switch event {
case .next(let element):
_ = scheduler.schedule(element) { element in
if let target = weakTarget {
binding(target, element)
}
return Disposables.create()
}
case .error(let error):
rxFatalErrorInDebug("Binding error: \(error)")
case .completed:
break
}
}
}
/// Binds next element to owner view as described in `binding`.
public func on(_ event: Event<Value>) {
self.binding(event)
}
/// Erases type of observer.
///
/// - returns: type erased observer.
public func asObserver() -> AnyObserver<Value> {
AnyObserver(eventHandler: self.on)
}
}
| mit | 1db5140b0ac0ca921d7c711a4ce39d22 | 30.932203 | 151 | 0.602442 | 4.818414 | false | false | false | false |
belatrix/iOSAllStars | AllStarsV2/AllStarsV2/iPhone/Classes/Animations/SeeAllEventsToEventDetailTransition.swift | 1 | 9286 | //
// SeeAllEventsToEventDetailControllerTransition.swift
// AllStarsV2
//
// Created by Javier Siancas Fajardo on 9/26/17.
// Copyright © 2017 Kenyi Rodriguez Vergara. All rights reserved.
//
import UIKit
class SeeAllEventsToEventDetailInteractiveTransition : InteractiveTransition {
var initialScale: CGFloat = 0
@objc func gestureTransitionMethod(_ gesture : UIPanGestureRecognizer){
let view = self.navigationController.view!
if gesture.state == .began {
self.interactiveTransition = UIPercentDrivenInteractiveTransition()
self.navigationController.popViewController(animated: true)
}
else if gesture.state == .changed {
let translation = gesture.translation(in: view)
let delta = fabs(translation.x / view.bounds.width)
self.interactiveTransition?.update(delta)
}
else {
self.interactiveTransition?.finish()
self.interactiveTransition = nil
}
}
}
class SeeAllEventsToEventDetailTransition: ControllerTransition {
override func createInteractiveTransition(navigationController: UINavigationController) -> InteractiveTransition? {
let interactiveTransition = SeeAllEventsToEventDetailInteractiveTransition()
interactiveTransition.navigationController = navigationController
interactiveTransition.gestureTransition = UIPanGestureRecognizer(target: interactiveTransition, action: #selector(interactiveTransition.gestureTransitionMethod(_:)))
interactiveTransition.navigationController.view.addGestureRecognizer(interactiveTransition.gestureTransition!)
return interactiveTransition
}
override func animatePush(toContext context : UIViewControllerContextTransitioning) {
let seeAllEventsViewController = self.controllerOrigin as! SeeAllEventsCategoryViewController
let eventDetailViewController = self.controllerDestination as! EventDetailViewController
let frameForEventImageViewSelected = seeAllEventsViewController.frameForEventImageViewSelected
let containerView = context.containerView
containerView.backgroundColor = .white
let fromView = context.view(forKey: .from)!
fromView.frame = UIScreen.main.bounds
containerView.addSubview(fromView)
let toView = context.view(forKey: .to)!
toView.frame = UIScreen.main.bounds
toView.backgroundColor = .clear
containerView.addSubview(toView)
eventDetailViewController.headerView.alpha = 1.0
seeAllEventsViewController.headerView.alpha = 0.0
eventDetailViewController.eventInformationView.alpha = 0.0
eventDetailViewController.eventInformationBackgroundView.alpha = 0.0
eventDetailViewController.buttonsSectionView.alpha = 0.0
eventDetailViewController.scrollContent.alpha = 0.0
eventDetailViewController.imgEvent.layer.cornerRadius = 8.0
eventDetailViewController.eventInformationBackgroundView.layer.cornerRadius = 8.0
eventDetailViewController.buttonsSectionsViewTopConstraint.constant = 50.0
eventDetailViewController.eventTitleLabelTopConstraint.constant = 58.0
eventDetailViewController.backgroundImageViewLeadingConstraint.constant = frameForEventImageViewSelected!.origin.x
eventDetailViewController.backgroundImageViewTopConstraint.constant = frameForEventImageViewSelected!.origin.y
eventDetailViewController.backgroundImageViewWidthConstraint.constant = frameForEventImageViewSelected!.width
eventDetailViewController.backgroundImageViewHeightConstraint.constant = frameForEventImageViewSelected!.height
containerView.layoutIfNeeded()
eventDetailViewController.view.layoutIfNeeded()
UIView.animate(withDuration: 0.5,
delay: 0,
usingSpringWithDamping: 1.0,
initialSpringVelocity: 0.5,
options: .curveEaseOut,
animations: {
fromView.alpha = 0.0
toView.backgroundColor = .white
eventDetailViewController.eventInformationBackgroundView.layer.cornerRadius = 0.0
eventDetailViewController.imgEvent.layer.cornerRadius = 0.0
eventDetailViewController.backgroundImageViewLeadingConstraint.constant = 0.0
eventDetailViewController.backgroundImageViewTopConstraint.constant = 0.0
eventDetailViewController.backgroundImageViewWidthConstraint.constant = UIScreen.main.bounds.width
eventDetailViewController.backgroundImageViewHeightConstraint.constant = 180.0
eventDetailViewController.view.layoutIfNeeded()
}, completion: nil)
UIView.animate(withDuration: 0.5,
delay: 0.1,
usingSpringWithDamping: 1.0,
initialSpringVelocity: 0.5,
options: .curveEaseOut,
animations: {
eventDetailViewController.headerView.alpha = 1.0
eventDetailViewController.eventInformationBackgroundView.alpha = 1.0
eventDetailViewController.buttonsSectionsViewTopConstraint.constant = 0.0
eventDetailViewController.eventTitleLabelTopConstraint.constant = 8.0
eventDetailViewController.view.layoutIfNeeded()
}, completion: nil)
UIView.animate(withDuration: 0.5,
delay: 0.0,
options: .curveEaseOut,
animations: {
eventDetailViewController.eventInformationView.alpha = 1.0
eventDetailViewController.buttonsSectionView.alpha = 1.0
eventDetailViewController.scrollContent.alpha = 1.0
}) { (_) in
context.completeTransition(true)
}
}
override func animatePop(toContext context : UIViewControllerContextTransitioning) {
let eventDetailViewController = self.controllerOrigin as! EventDetailViewController
let seeAllEventsViewController = self.controllerDestination as! SeeAllEventsCategoryViewController
let frameForEventImageViewSelected = seeAllEventsViewController.frameForEventImageViewSelected
let containerView = context.containerView
containerView.backgroundColor = .white
let toView = context.view(forKey: .to)!
toView.frame = UIScreen.main.bounds
toView.backgroundColor = .white
toView.alpha = 1.0
containerView.addSubview(toView)
let fromView = context.view(forKey: .from)!
fromView.frame = UIScreen.main.bounds
fromView.backgroundColor = .clear
containerView.addSubview(fromView)
eventDetailViewController.headerView.alpha = 0.0
seeAllEventsViewController.headerView.alpha = 1.0
eventDetailViewController.eventInformationView.alpha = 0.0
eventDetailViewController.buttonsSectionView.alpha = 0.0
eventDetailViewController.scrollContent.alpha = 0.0
eventDetailViewController.imgEvent.layer.cornerRadius = 8.0
eventDetailViewController.eventInformationBackgroundView.layer.cornerRadius = 8.0
eventDetailViewController.buttonsSectionsViewTopConstraint.constant = 50.0
eventDetailViewController.eventTitleLabelTopConstraint.constant = 58.0
eventDetailViewController.view.layoutIfNeeded()
UIView.animate(withDuration: 0.6,
delay: 0,
usingSpringWithDamping: 1.0,
initialSpringVelocity: 0.5,
options: .curveEaseOut,
animations: {
eventDetailViewController.eventInformationBackgroundView.alpha = 0.0
eventDetailViewController.backgroundImageViewLeadingConstraint.constant = frameForEventImageViewSelected!.origin.x
eventDetailViewController.backgroundImageViewTopConstraint.constant = frameForEventImageViewSelected!.origin.y
eventDetailViewController.backgroundImageViewWidthConstraint.constant = frameForEventImageViewSelected!.width
eventDetailViewController.backgroundImageViewHeightConstraint.constant = frameForEventImageViewSelected!.height
eventDetailViewController.view.layoutIfNeeded()
}, completion: { (_) in
context.completeTransition(true)
})
}
override func transitionDuration(using transitionContext: UIViewControllerContextTransitioning?) -> TimeInterval {
return 0.6
}
}
| apache-2.0 | 3c3fcbff27e0284cd7e5ece05f804045 | 48.652406 | 173 | 0.658805 | 6.390227 | false | false | false | false |
jonesgithub/MLSwiftBasic | MLSwiftBasic/Classes/PhotoBrowser/MLPhotoBrowserPhotoScrollView.swift | 7 | 11580 | //
// MLPhotoBrowserPhotoScrollView.swift
// MLSwiftBasic
//
// Created by 张磊 on 15/8/31.
// Copyright (c) 2015年 MakeZL. All rights reserved.
//
import UIKit
@objc protocol MLPhotoBrowserPhotoScrollViewDelegate: NSObjectProtocol{
func photoBrowserPhotoScrollViewDidSingleClick()
}
class MLPhotoBrowserPhotoScrollView: UIScrollView,MLPhotoBrowserPhotoViewDelegate,MLPhotoPickerBrowserPhotoImageViewDelegate,UIActionSheetDelegate {
var photoImageView:MLPhotoBrowserPhotoImageView?
var isHiddenShowSheet:Bool?
var photo:MLPhotoBrowser?{
willSet{
var thumbImage = newValue!.thumbImage
if (thumbImage == nil) {
self.photoImageView!.image = newValue?.toView?.image
thumbImage = self.photoImageView!.image
}else{
self.photoImageView!.image = thumbImage;
}
self.photoImageView!.contentMode = .ScaleAspectFit;
self.photoImageView!.frame = ZLPhotoRect.setMaxMinZoomScalesForCurrentBoundWithImageView(self.photoImageView!)
// if (self.photoImageView.image == nil) {
// [self setProgress:0.01];
// }
// 网络URL
self.photoImageView?.kf_setImageWithURL(newValue!.photoURL!, placeholderImage: thumbImage, optionsInfo: nil, progressBlock: { (receivedSize, totalSize) -> () in
}, completionHandler: { (image, error, cacheType, imageURL) -> () in
if ((image) != nil) {
self.photoImageView!.image = image
self.displayImage()
}else{
self.photoImageView?.removeScaleBigTap()
}
})
}
}
var sheet:UIActionSheet?
weak var photoScrollViewDelegate:MLPhotoBrowserPhotoScrollViewDelegate?
override init(frame: CGRect) {
super.init(frame: frame)
self.setupInit()
}
required init(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
func setupInit(){
var tapView = MLPhotoBrowserPhotoView(frame: self.bounds)
tapView.delegate = self
tapView.autoresizingMask = .FlexibleWidth | .FlexibleHeight
tapView.backgroundColor = UIColor.blackColor()
self.addSubview(tapView)
photoImageView = MLPhotoBrowserPhotoImageView(frame: self.bounds)
photoImageView!.delegate = self
photoImageView?.userInteractionEnabled = true
photoImageView!.autoresizingMask = .FlexibleWidth | .FlexibleHeight
photoImageView!.backgroundColor = UIColor.blackColor()
self.addSubview(photoImageView!)
// Setup
self.backgroundColor = UIColor.blackColor()
self.delegate = self
self.showsHorizontalScrollIndicator = false
self.showsVerticalScrollIndicator = false
self.decelerationRate = UIScrollViewDecelerationRateFast
self.autoresizingMask = .FlexibleWidth | .FlexibleHeight;
var longGesture = UILongPressGestureRecognizer(target: self, action: "longGesture:")
self.addGestureRecognizer(longGesture)
}
func displayImage(){
// Reset
self.maximumZoomScale = 1
self.minimumZoomScale = 1
self.zoomScale = 1
self.contentSize = CGSizeMake(0, 0)
// Get image from browser as it handles ordering of fetching
var img = photoImageView?.image
if img != nil {
photoImageView?.hidden = false
// Set ImageView Frame
// Sizes
var boundsSize = self.bounds.size
var imageSize = photoImageView!.image!.size
var xScale = boundsSize.width / imageSize.width; // the scale needed to perfectly fit the image width-wise
var yScale = boundsSize.height / imageSize.height; // the scale needed to perfectly fit the image height-wise
var minScale:CGFloat = min(xScale, yScale);
if (xScale >= 1 && yScale >= 1) {
minScale = min(xScale, yScale);
}
var frameToCenter = CGRectZero;
if (minScale >= 3) {
minScale = 3;
}
photoImageView?.frame = CGRectMake(0, 0, imageSize.width * minScale, imageSize.height * minScale)
self.maximumZoomScale = 3
self.minimumZoomScale = 1.0
self.zoomScale = 1.0
}
self.setNeedsLayout()
}
override func layoutSubviews() {
super.layoutSubviews()
// Center the image as it becomes smaller than the size of the screen
var boundsSize = self.bounds.size
var frameToCenter = photoImageView!.frame
// Horizontally
if (frameToCenter.size.width < boundsSize.width) {
frameToCenter.origin.x = floor((boundsSize.width - frameToCenter.size.width) / 2.0);
} else {
frameToCenter.origin.x = 0;
}
// Vertically
if (frameToCenter.size.height < boundsSize.height) {
frameToCenter.origin.y = floor((boundsSize.height - frameToCenter.size.height) / 2.0);
} else {
frameToCenter.origin.y = 0;
}
// Center
if (!CGRectEqualToRect(photoImageView!.frame, frameToCenter)){
photoImageView!.frame = frameToCenter;
}
}
// MARK:: Tap Detection
func handleDoubleTap(touchPoint:CGPoint){
// Zoom
if (self.zoomScale != self.minimumZoomScale) {
// Zoom out
self.setZoomScale(self.minimumZoomScale, animated: true)
self.contentSize = CGSizeMake(self.frame.size.width, 0)
} else {
// Zoom in to twice the size
var newZoomScale = ((self.maximumZoomScale + self.minimumZoomScale) / 2)
var xsize = self.bounds.size.width / newZoomScale
var ysize = self.bounds.size.height / newZoomScale
self.zoomToRect(CGRectMake(touchPoint.x - xsize/2.0, touchPoint.y - ysize/2, xsize, ysize), animated: true)
}
}
func photoPickerBrowserPhotoViewDoubleTapDetected(touch:UITouch) {
var touchX = touch.locationInView(touch.view).x;
var touchY = touch.locationInView(touch.view).y;
touchX *= 1/self.zoomScale;
touchY *= 1/self.zoomScale;
touchX += self.contentOffset.x;
touchY += self.contentOffset.y;
self.handleDoubleTap(CGPointMake(touchX, touchY))
}
func photoPickerBrowserPhotoImageViewSingleTapDetected(touch: UITouch) {
self.disMissTap(nil)
}
func disMissTap(tap:UITapGestureRecognizer?){
if self.photoScrollViewDelegate?.respondsToSelector("photoBrowserPhotoScrollViewDidSingleClick") == true {
self.photoScrollViewDelegate?.photoBrowserPhotoScrollViewDidSingleClick()
}
}
func longGesture(gesture:UILongPressGestureRecognizer){
if gesture.state == .Began{
if self.isHiddenShowSheet == false{
self.sheet = UIActionSheet(title: "提示", delegate: self, cancelButtonTitle: "取消", destructiveButtonTitle: nil)
self.sheet?.showInView(self)
}
}
}
// Image View
func photoPickerBrowserPhotoImageViewDoubleTapDetected(touch: UITouch) {
self.handleDoubleTap(touch.locationInView(touch.view))
}
func photoPickerBrowserPhotoViewSingleTapDetected(touch: UITouch) {
self.disMissTap(nil)
}
func viewForZoomingInScrollView(scrollView: UIScrollView) -> UIView? {
return photoImageView
}
func scrollViewDidZoom(scrollView: UIScrollView) {
self.setNeedsLayout()
self.layoutIfNeeded()
}
}
@objc protocol MLPhotoBrowserPhotoViewDelegate: NSObjectProtocol {
func photoPickerBrowserPhotoViewSingleTapDetected(touch:UITouch)
func photoPickerBrowserPhotoViewDoubleTapDetected(touch:UITouch)
}
class MLPhotoBrowserPhotoView: UIView {
var delegate:MLPhotoBrowserPhotoViewDelegate?
override init(frame: CGRect) {
super.init(frame: frame)
self.addGesture()
}
required init(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
func addGesture(){
// 双击放大
var scaleBigTap = UITapGestureRecognizer(target: self, action: "handleDoubleTap:")
scaleBigTap.numberOfTapsRequired = 2
scaleBigTap.numberOfTouchesRequired = 1
self.addGestureRecognizer(scaleBigTap)
// 单击缩小
var disMissTap = UITapGestureRecognizer(target: self, action: "handleSingleTap:")
disMissTap.numberOfTapsRequired = 1
disMissTap.numberOfTouchesRequired = 1
self.addGestureRecognizer(disMissTap)
// 只能有一个手势存在
disMissTap.requireGestureRecognizerToFail(scaleBigTap)
}
func handleDoubleTap(touch:UITouch){
if self.delegate?.respondsToSelector("photoPickerBrowserPhotoViewDoubleTapDetected") == false {
self.delegate?.photoPickerBrowserPhotoViewDoubleTapDetected(touch)
}
}
func handleSingleTap(touch:UITouch){
if self.delegate?.respondsToSelector("photoPickerBrowserPhotoViewSingleTapDetected") == false {
self.delegate?.photoPickerBrowserPhotoViewSingleTapDetected(touch)
}
}
}
@objc protocol MLPhotoBrowserPhotoImageViewDelegate: NSObjectProtocol {
func photoPickerBrowserPhotoImageViewSingleTapDetected(touch:UITouch)
func photoPickerBrowserPhotoImageViewDoubleTapDetected(touch:UITouch)
}
class MLPhotoBrowserPhotoImageView: UIImageView {
var scaleBigTap:UITapGestureRecognizer?
var delegate:MLPhotoPickerBrowserPhotoImageViewDelegate?
override init(frame: CGRect) {
super.init(frame: frame)
self.addGesture()
}
required init(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
func removeScaleBigTap(){
self.scaleBigTap?.removeTarget(self, action: "handleDoubleTap:")
}
func addGesture(){
// 双击放大
var scaleBigTap = UITapGestureRecognizer(target: self, action: "handleDoubleTap:")
scaleBigTap.numberOfTapsRequired = 2
scaleBigTap.numberOfTouchesRequired = 1
self.addGestureRecognizer(scaleBigTap)
self.scaleBigTap = scaleBigTap
// 单击缩小
var disMissTap = UITapGestureRecognizer(target: self, action: "handleSingleTap:")
disMissTap.numberOfTapsRequired = 1
disMissTap.numberOfTouchesRequired = 1
self.addGestureRecognizer(disMissTap)
// 只能有一个手势存在
disMissTap.requireGestureRecognizerToFail(scaleBigTap)
}
func handleDoubleTap(touch:UITouch){
if self.delegate?.respondsToSelector("photoPickerBrowserPhotoImageViewDoubleTapDetected") == false {
self.delegate?.photoPickerBrowserPhotoImageViewDoubleTapDetected(touch)
}
}
func handleSingleTap(touch:UITouch){
if self.delegate?.respondsToSelector("photoPickerBrowserPhotoImageViewSingleTapDetected") == false {
self.delegate?.photoPickerBrowserPhotoImageViewSingleTapDetected(touch)
}
}
}
| mit | 2fe038a8c4d5bfdea5ddc47d8440c22d | 35.144654 | 170 | 0.639986 | 5.279743 | false | false | false | false |
onevcat/Kingfisher | Tests/KingfisherTests/KingfisherManagerTests.swift | 1 | 46824 | //
// KingfisherManagerTests.swift
// Kingfisher
//
// Created by Wei Wang on 15/10/22.
//
// Copyright (c) 2019 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 XCTest
@testable import Kingfisher
class KingfisherManagerTests: XCTestCase {
var manager: KingfisherManager!
override class func setUp() {
super.setUp()
LSNocilla.sharedInstance().start()
}
override class func tearDown() {
LSNocilla.sharedInstance().stop()
super.tearDown()
}
override func setUp() {
super.setUp()
// Put setup code here. This method is called before the invocation of each test method in the class.
let uuid = UUID()
let downloader = ImageDownloader(name: "test.manager.\(uuid.uuidString)")
let cache = ImageCache(name: "test.cache.\(uuid.uuidString)")
manager = KingfisherManager(downloader: downloader, cache: cache)
manager.defaultOptions = [.waitForCache]
}
override func tearDown() {
LSNocilla.sharedInstance().clearStubs()
clearCaches([manager.cache])
cleanDefaultCache()
manager = nil
super.tearDown()
}
func testRetrieveImage() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
let manager = self.manager!
manager.retrieveImage(with: url) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none)
manager.retrieveImage(with: url) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .memory)
manager.cache.clearMemoryCache()
manager.retrieveImage(with: url) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .disk)
manager.cache.clearMemoryCache()
manager.cache.clearDiskCache {
manager.retrieveImage(with: url) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none)
exp.fulfill()
}}}}}
waitForExpectations(timeout: 3, handler: nil)
}
func testRetrieveImageWithProcessor() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
let p = RoundCornerImageProcessor(cornerRadius: 20)
let manager = self.manager!
manager.retrieveImage(with: url, options: [.processor(p)]) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none)
manager.retrieveImage(with: url) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none,
"Need a processor to get correct image. Cannot get from cache, need download again.")
manager.retrieveImage(with: url, options: [.processor(p)]) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .memory)
self.manager.cache.clearMemoryCache()
manager.retrieveImage(with: url, options: [.processor(p)]) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .disk)
self.manager.cache.clearMemoryCache()
self.manager.cache.clearDiskCache {
self.manager.retrieveImage(with: url, options: [.processor(p)]) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none)
exp.fulfill()
}}}}}}
waitForExpectations(timeout: 3, handler: nil)
}
func testRetrieveImageForceRefresh() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
manager.cache.store(
testImage,
original: testImageData,
forKey: url.cacheKey,
processorIdentifier: DefaultImageProcessor.default.identifier,
cacheSerializer: DefaultCacheSerializer.default,
toDisk: true)
{
_ in
XCTAssertTrue(self.manager.cache.imageCachedType(forKey: url.cacheKey).cached)
self.manager.retrieveImage(with: url, options: [.forceRefresh]) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none)
exp.fulfill()
}
}
waitForExpectations(timeout: 3, handler: nil)
}
func testSuccessCompletionHandlerRunningOnMainQueueDefaultly() {
let progressExpectation = expectation(description: "progressBlock running on main queue")
let completionExpectation = expectation(description: "completionHandler running on main queue")
let url = testURLs[0]
stub(url, data: testImageData, length: 123)
manager.retrieveImage(with: url, options: nil, progressBlock: { _, _ in
XCTAssertTrue(Thread.isMainThread)
progressExpectation.fulfill()})
{
result in
XCTAssertNil(result.error)
XCTAssertTrue(Thread.isMainThread)
completionExpectation.fulfill()
}
waitForExpectations(timeout: 3, handler: nil)
}
func testShouldNotDownloadImageIfCacheOnlyAndNotInCache() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
manager.retrieveImage(with: url, options: [.onlyFromCache]) { result in
XCTAssertNil(result.value)
XCTAssertNotNil(result.error)
if case .cacheError(reason: .imageNotExisting(let key)) = result.error! {
XCTAssertEqual(key, url.cacheKey)
} else {
XCTFail()
}
exp.fulfill()
}
waitForExpectations(timeout: 3, handler: nil)
}
func testErrorCompletionHandlerRunningOnMainQueueDefaultly() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData, statusCode: 404)
manager.retrieveImage(with: url) { result in
XCTAssertNotNil(result.error)
XCTAssertTrue(Thread.isMainThread)
XCTAssertTrue(result.error!.isInvalidResponseStatusCode(404))
exp.fulfill()
}
waitForExpectations(timeout: 3, handler: nil)
}
func testSucessCompletionHandlerRunningOnCustomQueue() {
let progressExpectation = expectation(description: "progressBlock running on custom queue")
let completionExpectation = expectation(description: "completionHandler running on custom queue")
let url = testURLs[0]
stub(url, data: testImageData, length: 123)
let customQueue = DispatchQueue(label: "com.kingfisher.testQueue")
let options: KingfisherOptionsInfo = [.callbackQueue(.dispatch(customQueue))]
manager.retrieveImage(with: url, options: options, progressBlock: { _, _ in
XCTAssertTrue(Thread.isMainThread)
progressExpectation.fulfill()
})
{
result in
XCTAssertNil(result.error)
dispatchPrecondition(condition: .onQueue(customQueue))
completionExpectation.fulfill()
}
waitForExpectations(timeout: 3, handler: nil)
}
func testLoadCacheCompletionHandlerRunningOnCustomQueue() {
let completionExpectation = expectation(description: "completionHandler running on custom queue")
let url = testURLs[0]
manager.cache.store(testImage, forKey: url.cacheKey)
let customQueue = DispatchQueue(label: "com.kingfisher.testQueue")
manager.retrieveImage(with: url, options: [.callbackQueue(.dispatch(customQueue))]) {
result in
XCTAssertNil(result.error)
dispatchPrecondition(condition: .onQueue(customQueue))
completionExpectation.fulfill()
}
waitForExpectations(timeout: 3, handler: nil)
}
func testDefaultOptionCouldApply() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
manager.defaultOptions = [.scaleFactor(2)]
manager.retrieveImage(with: url, completionHandler: { result in
#if !os(macOS)
XCTAssertEqual(result.value!.image.scale, 2.0)
#endif
exp.fulfill()
})
waitForExpectations(timeout: 3, handler: nil)
}
func testOriginalImageCouldBeStored() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
let manager = self.manager!
let p = SimpleProcessor()
let options = KingfisherParsedOptionsInfo([.processor(p), .cacheOriginalImage])
let source = Source.network(url)
let context = RetrievingContext(options: options, originalSource: source)
manager.loadAndCacheImage(source: .network(url), context: context) { result in
var imageCached = manager.cache.imageCachedType(forKey: url.cacheKey, processorIdentifier: p.identifier)
var originalCached = manager.cache.imageCachedType(forKey: url.cacheKey)
XCTAssertEqual(imageCached, .memory)
delay(0.1) {
manager.cache.clearMemoryCache()
imageCached = manager.cache.imageCachedType(forKey: url.cacheKey, processorIdentifier: p.identifier)
originalCached = manager.cache.imageCachedType(forKey: url.cacheKey)
XCTAssertEqual(imageCached, .disk)
XCTAssertEqual(originalCached, .disk)
exp.fulfill()
}
}
waitForExpectations(timeout: 3, handler: nil)
}
func testOriginalImageNotBeStoredWithoutOptionSet() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
let p = SimpleProcessor()
let options = KingfisherParsedOptionsInfo([.processor(p), .waitForCache])
let source = Source.network(url)
let context = RetrievingContext(options: options, originalSource: source)
manager.loadAndCacheImage(source: .network(url), context: context) {
result in
var imageCached = self.manager.cache.imageCachedType(forKey: url.cacheKey, processorIdentifier: p.identifier)
var originalCached = self.manager.cache.imageCachedType(forKey: url.cacheKey)
XCTAssertEqual(imageCached, .memory)
XCTAssertEqual(originalCached, .none)
self.manager.cache.clearMemoryCache()
imageCached = self.manager.cache.imageCachedType(forKey: url.cacheKey, processorIdentifier: p.identifier)
originalCached = self.manager.cache.imageCachedType(forKey: url.cacheKey)
XCTAssertEqual(imageCached, .disk)
XCTAssertEqual(originalCached, .none)
exp.fulfill()
}
waitForExpectations(timeout: 3, handler: nil)
}
func testCouldProcessOnOriginalImage() {
let exp = expectation(description: #function)
let url = testURLs[0]
manager.cache.store(
testImage,
original: testImageData,
forKey: url.cacheKey,
processorIdentifier: DefaultImageProcessor.default.identifier,
cacheSerializer: DefaultCacheSerializer.default,
toDisk: true)
{
_ in
let p = SimpleProcessor()
let cached = self.manager.cache.imageCachedType(forKey: url.cacheKey, processorIdentifier: p.identifier)
XCTAssertFalse(cached.cached)
// No downloading will happen
self.manager.retrieveImage(with: url, options: [.processor(p)]) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none)
XCTAssertTrue(p.processed)
// The processed image should be cached
let cached = self.manager.cache.imageCachedType(forKey: url.cacheKey, processorIdentifier: p.identifier)
XCTAssertTrue(cached.cached)
exp.fulfill()
}
}
waitForExpectations(timeout: 3, handler: nil)
}
func testFailingProcessOnOriginalImage() {
let exp = expectation(description: #function)
let url = testURLs[0]
manager.cache.store(
testImage,
original: testImageData,
forKey: url.cacheKey,
processorIdentifier: DefaultImageProcessor.default.identifier,
cacheSerializer: DefaultCacheSerializer.default,
toDisk: true)
{
_ in
let p = FailingProcessor()
let cached = self.manager.cache.imageCachedType(forKey: url.cacheKey, processorIdentifier: p.identifier)
XCTAssertFalse(cached.cached)
// No downloading will happen
self.manager.retrieveImage(with: url, options: [.processor(p)]) { result in
XCTAssertNotNil(result.error)
XCTAssertTrue(p.processed)
if case .processorError(reason: .processingFailed(let processor, _)) = result.error! {
XCTAssertEqual(processor.identifier, p.identifier)
} else {
XCTFail()
}
exp.fulfill()
}
}
waitForExpectations(timeout: 3, handler: nil)
}
func testFailingProcessOnDataProviderImage() {
let provider = SimpleImageDataProvider(cacheKey: "key") { .success(testImageData) }
var called = false
let p = FailingProcessor()
let options = [KingfisherOptionsInfoItem.processor(p), .processingQueue(.mainCurrentOrAsync)]
_ = manager.retrieveImage(with: .provider(provider), options: options) { result in
called = true
XCTAssertNotNil(result.error)
if case .processorError(reason: .processingFailed(let processor, _)) = result.error! {
XCTAssertEqual(processor.identifier, p.identifier)
} else {
XCTFail()
}
}
XCTAssertTrue(called)
}
func testCacheOriginalImageWithOriginalCache() {
let exp = expectation(description: #function)
let url = testURLs[0]
let originalCache = ImageCache(name: "test-originalCache")
// Clear original cache first.
originalCache.clearMemoryCache()
originalCache.clearDiskCache {
XCTAssertEqual(originalCache.imageCachedType(forKey: url.cacheKey), .none)
stub(url, data: testImageData)
let p = RoundCornerImageProcessor(cornerRadius: 20)
self.manager.retrieveImage(
with: url,
options: [.processor(p), .cacheOriginalImage, .originalCache(originalCache)])
{
result in
let originalCached = originalCache.imageCachedType(forKey: url.cacheKey)
XCTAssertEqual(originalCached, .disk)
exp.fulfill()
}
}
waitForExpectations(timeout: 5, handler: nil)
}
func testCouldProcessOnOriginalImageWithOriginalCache() {
let exp = expectation(description: #function)
let url = testURLs[0]
let originalCache = ImageCache(name: "test-originalCache")
// Clear original cache first.
originalCache.clearMemoryCache()
originalCache.clearDiskCache {
originalCache.store(
testImage,
original: testImageData,
forKey: url.cacheKey,
processorIdentifier: DefaultImageProcessor.default.identifier,
cacheSerializer: DefaultCacheSerializer.default,
toDisk: true)
{
_ in
let p = SimpleProcessor()
let cached = self.manager.cache.imageCachedType(forKey: url.cacheKey, processorIdentifier: p.identifier)
XCTAssertFalse(cached.cached)
// No downloading will happen
self.manager.retrieveImage(with: url, options: [.processor(p), .originalCache(originalCache)]) {
result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none)
XCTAssertTrue(p.processed)
// The processed image should be cached
let cached = self.manager.cache.imageCachedType(forKey: url.cacheKey, processorIdentifier: p.identifier)
XCTAssertTrue(cached.cached)
exp.fulfill()
}
}
}
waitForExpectations(timeout: 3, handler: nil)
}
func testCouldProcessDoNotHappenWhenSerializerCachesTheProcessedData() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
let s = DefaultCacheSerializer()
let p1 = SimpleProcessor()
let options1: KingfisherOptionsInfo = [.processor(p1), .cacheSerializer(s), .waitForCache]
let source = Source.network(url)
manager.retrieveImage(with: source, options: options1) { result in
XCTAssertTrue(p1.processed)
let p2 = SimpleProcessor()
let options2: KingfisherOptionsInfo = [.processor(p2), .cacheSerializer(s), .waitForCache]
self.manager.cache.clearMemoryCache()
self.manager.retrieveImage(with: source, options: options2) { result in
XCTAssertEqual(result.value?.cacheType, .disk)
XCTAssertFalse(p2.processed)
exp.fulfill()
}
}
waitForExpectations(timeout: 3, handler: nil)
}
func testCouldProcessAgainWhenSerializerCachesOriginalData() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
var s = DefaultCacheSerializer()
s.preferCacheOriginalData = true
let p1 = SimpleProcessor()
let options1: KingfisherOptionsInfo = [.processor(p1), .cacheSerializer(s), .waitForCache]
let source = Source.network(url)
manager.retrieveImage(with: source, options: options1) { result in
XCTAssertTrue(p1.processed)
let p2 = SimpleProcessor()
let options2: KingfisherOptionsInfo = [.processor(p2), .cacheSerializer(s), .waitForCache]
self.manager.cache.clearMemoryCache()
self.manager.retrieveImage(with: source, options: options2) { result in
XCTAssertEqual(result.value?.cacheType, .disk)
XCTAssertTrue(p2.processed)
exp.fulfill()
}
}
waitForExpectations(timeout: 3, handler: nil)
}
func testWaitForCacheOnRetrieveImage() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
self.manager.retrieveImage(with: url) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none)
self.manager.cache.clearMemoryCache()
let cached = self.manager.cache.imageCachedType(forKey: url.cacheKey)
XCTAssertEqual(cached, .disk)
exp.fulfill()
}
waitForExpectations(timeout: 3, handler: nil)
}
func testNotWaitForCacheOnRetrieveImage() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
self.manager.defaultOptions = .empty
self.manager.retrieveImage(with: url, options: [.callbackQueue(.untouch)]) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none)
// We are not waiting for cache finishing here. So only sync memory cache is done.
XCTAssertEqual(self.manager.cache.imageCachedType(forKey: url.cacheKey), .memory)
// Clear the memory cache.
self.manager.cache.clearMemoryCache()
// After some time, the disk cache should be done.
delay(0.2) {
XCTAssertEqual(self.manager.cache.imageCachedType(forKey: url.cacheKey), .disk)
exp.fulfill()
}
}
waitForExpectations(timeout: 3, handler: nil)
}
func testWaitForCacheOnRetrieveImageWithProcessor() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
let p = RoundCornerImageProcessor(cornerRadius: 20)
self.manager.retrieveImage(with: url, options: [.processor(p)]) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none)
exp.fulfill()
}
waitForExpectations(timeout: 3, handler: nil)
}
func testImageShouldOnlyFromMemoryCacheOrRefreshCanBeGotFromMemory() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
manager.retrieveImage(with: url, options: [.fromMemoryCacheOrRefresh]) { result in
// Can be downloaded and cached normally.
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none)
// Can still be got from memory even when disk cache cleared.
self.manager.cache.clearDiskCache {
self.manager.retrieveImage(with: url, options: [.fromMemoryCacheOrRefresh]) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .memory)
exp.fulfill()
}
}
}
waitForExpectations(timeout: 3, handler: nil)
}
func testImageShouldOnlyFromMemoryCacheOrRefreshCanRefreshIfNotInMemory() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
manager.retrieveImage(with: url, options: [.fromMemoryCacheOrRefresh]) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none)
XCTAssertEqual(self.manager.cache.imageCachedType(forKey: url.cacheKey), .memory)
self.manager.cache.clearMemoryCache()
XCTAssertEqual(self.manager.cache.imageCachedType(forKey: url.cacheKey), .disk)
// Should skip disk cache and download again.
self.manager.retrieveImage(with: url, options: [.fromMemoryCacheOrRefresh]) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.cacheType, .none)
XCTAssertEqual(self.manager.cache.imageCachedType(forKey: url.cacheKey), .memory)
exp.fulfill()
}
}
waitForExpectations(timeout: 5, handler: nil)
}
func testShouldDownloadAndCacheProcessedImage() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
let size = CGSize(width: 1, height: 1)
let processor = ResizingImageProcessor(referenceSize: size)
manager.retrieveImage(with: url, options: [.processor(processor)]) { result in
// Can download and cache normally
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.image.size, size)
XCTAssertEqual(result.value!.cacheType, .none)
self.manager.cache.clearMemoryCache()
let cached = self.manager.cache.imageCachedType(
forKey: url.cacheKey, processorIdentifier: processor.identifier)
XCTAssertEqual(cached, .disk)
self.manager.retrieveImage(with: url, options: [.processor(processor)]) { result in
XCTAssertNotNil(result.value?.image)
XCTAssertEqual(result.value!.image.size, size)
XCTAssertEqual(result.value!.cacheType, .disk)
exp.fulfill()
}
}
waitForExpectations(timeout: 3, handler: nil)
}
#if os(iOS) || os(tvOS) || os(watchOS)
func testShouldApplyImageModifierWhenDownload() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
var modifierCalled = false
let modifier = AnyImageModifier { image in
modifierCalled = true
return image.withRenderingMode(.alwaysTemplate)
}
manager.retrieveImage(with: url, options: [.imageModifier(modifier)]) { result in
XCTAssertTrue(modifierCalled)
XCTAssertEqual(result.value?.image.renderingMode, .alwaysTemplate)
exp.fulfill()
}
waitForExpectations(timeout: 3, handler: nil)
}
func testShouldApplyImageModifierWhenLoadFromMemoryCache() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
var modifierCalled = false
let modifier = AnyImageModifier { image in
modifierCalled = true
return image.withRenderingMode(.alwaysTemplate)
}
manager.cache.store(testImage, forKey: url.cacheKey)
manager.retrieveImage(with: url, options: [.imageModifier(modifier)]) { result in
XCTAssertTrue(modifierCalled)
XCTAssertEqual(result.value?.cacheType, .memory)
XCTAssertEqual(result.value?.image.renderingMode, .alwaysTemplate)
exp.fulfill()
}
waitForExpectations(timeout: 3, handler: nil)
}
func testShouldApplyImageModifierWhenLoadFromDiskCache() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
var modifierCalled = false
let modifier = AnyImageModifier { image in
modifierCalled = true
return image.withRenderingMode(.alwaysTemplate)
}
manager.cache.store(testImage, forKey: url.cacheKey) { _ in
self.manager.cache.clearMemoryCache()
self.manager.retrieveImage(with: url, options: [.imageModifier(modifier)]) { result in
XCTAssertTrue(modifierCalled)
XCTAssertEqual(result.value!.cacheType, .disk)
XCTAssertEqual(result.value!.image.renderingMode, .alwaysTemplate)
exp.fulfill()
}
}
waitForExpectations(timeout: 3, handler: nil)
}
func testImageModifierResultShouldNotBeCached() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
var modifierCalled = false
let modifier = AnyImageModifier { image in
modifierCalled = true
return image.withRenderingMode(.alwaysTemplate)
}
manager.retrieveImage(with: url, options: [.imageModifier(modifier)]) { result in
XCTAssertTrue(modifierCalled)
XCTAssertEqual(result.value?.image.renderingMode, .alwaysTemplate)
let memoryCached = self.manager.cache.retrieveImageInMemoryCache(forKey: url.absoluteString)
XCTAssertNotNil(memoryCached)
XCTAssertEqual(memoryCached?.renderingMode, .automatic)
self.manager.cache.retrieveImageInDiskCache(forKey: url.absoluteString) { result in
XCTAssertNotNil(result.value!)
XCTAssertEqual(result.value??.renderingMode, .automatic)
exp.fulfill()
}
}
waitForExpectations(timeout: 3, handler: nil)
}
#endif
func testRetrieveWithImageProvider() {
let provider = SimpleImageDataProvider(cacheKey: "key") { .success(testImageData) }
var called = false
manager.defaultOptions = .empty
_ = manager.retrieveImage(with: .provider(provider), options: [.processingQueue(.mainCurrentOrAsync)]) {
result in
called = true
XCTAssertNotNil(result.value)
XCTAssertTrue(result.value!.image.renderEqual(to: testImage))
}
XCTAssertTrue(called)
}
func testRetrieveWithImageProviderFail() {
let provider = SimpleImageDataProvider(cacheKey: "key") { .failure(SimpleImageDataProvider.E()) }
var called = false
_ = manager.retrieveImage(with: .provider(provider)) { result in
called = true
XCTAssertNotNil(result.error)
if case .imageSettingError(reason: .dataProviderError(_, let error)) = result.error! {
XCTAssertTrue(error is SimpleImageDataProvider.E)
} else {
XCTFail()
}
}
XCTAssertTrue(called)
}
func testContextRemovingAlternativeSource() {
let allSources: [Source] = [
.network(URL(string: "1")!),
.network(URL(string: "2")!)
]
let info = KingfisherParsedOptionsInfo([.alternativeSources(allSources)])
let context = RetrievingContext(
options: info, originalSource: .network(URL(string: "0")!))
let source1 = context.popAlternativeSource()
XCTAssertNotNil(source1)
guard case .network(let r1) = source1! else {
XCTFail("Should be a network source, but \(source1!)")
return
}
XCTAssertEqual(r1.downloadURL.absoluteString, "1")
let source2 = context.popAlternativeSource()
XCTAssertNotNil(source2)
guard case .network(let r2) = source2! else {
XCTFail("Should be a network source, but \(source2!)")
return
}
XCTAssertEqual(r2.downloadURL.absoluteString, "2")
XCTAssertNil(context.popAlternativeSource())
}
func testRetrievingWithAlternativeSource() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
let brokenURL = URL(string: "brokenurl")!
stub(brokenURL, data: Data())
_ = manager.retrieveImage(
with: .network(brokenURL),
options: [.alternativeSources([.network(url)])])
{
result in
XCTAssertNotNil(result.value)
XCTAssertEqual(result.value!.source.url, url)
XCTAssertEqual(result.value!.originalSource.url, brokenURL)
exp.fulfill()
}
waitForExpectations(timeout: 1, handler: nil)
}
func testRetrievingErrorsWithAlternativeSource() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: Data())
let brokenURL = URL(string: "brokenurl")!
stub(brokenURL, data: Data())
let anotherBrokenURL = URL(string: "anotherBrokenURL")!
stub(anotherBrokenURL, data: Data())
_ = manager.retrieveImage(
with: .network(brokenURL),
options: [.alternativeSources([.network(anotherBrokenURL), .network(url)])])
{
result in
defer { exp.fulfill() }
XCTAssertNil(result.value)
XCTAssertNotNil(result.error)
guard case .imageSettingError(reason: let reason) = result.error! else {
XCTFail("The error should be image setting error")
return
}
guard case .alternativeSourcesExhausted(let errorInfo) = reason else {
XCTFail("The error reason should be alternativeSourcesFailed")
return
}
XCTAssertEqual(errorInfo.count, 3)
XCTAssertEqual(errorInfo[0].source.url, brokenURL)
XCTAssertEqual(errorInfo[1].source.url, anotherBrokenURL)
XCTAssertEqual(errorInfo[2].source.url, url)
}
waitForExpectations(timeout: 1, handler: nil)
}
func testRetrievingAlternativeSourceTaskUpdateBlockCalled() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
let brokenURL = URL(string: "brokenurl")!
stub(brokenURL, data: Data())
var downloadTaskUpdatedCount = 0
let task = manager.retrieveImage(
with: .network(brokenURL),
options: [.alternativeSources([.network(url)])],
downloadTaskUpdated: { newTask in
downloadTaskUpdatedCount += 1
XCTAssertEqual(newTask?.sessionTask.task.currentRequest?.url, url)
})
{
result in
XCTAssertEqual(downloadTaskUpdatedCount, 1)
exp.fulfill()
}
XCTAssertEqual(task?.sessionTask.task.currentRequest?.url, brokenURL)
waitForExpectations(timeout: 1, handler: nil)
}
func testRetrievingAlternativeSourceCancelled() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
let brokenURL = URL(string: "brokenurl")!
stub(brokenURL, data: Data())
let task = manager.retrieveImage(
with: .network(brokenURL),
options: [.alternativeSources([.network(url)])]
)
{
result in
XCTAssertNotNil(result.error)
XCTAssertTrue(result.error!.isTaskCancelled)
exp.fulfill()
}
task?.cancel()
waitForExpectations(timeout: 1, handler: nil)
}
func testRetrievingAlternativeSourceCanCancelUpdatedTask() {
let exp = expectation(description: #function)
let url = testURLs[0]
let dataStub = delayedStub(url, data: testImageData)
let brokenURL = URL(string: "brokenurl")!
stub(brokenURL, data: Data())
var task: DownloadTask!
task = manager.retrieveImage(
with: .network(brokenURL),
options: [.alternativeSources([.network(url)])],
downloadTaskUpdated: { newTask in
task = newTask
task.cancel()
}
)
{
result in
XCTAssertNotNil(result.error)
XCTAssertTrue(result.error?.isTaskCancelled ?? false)
delay(0.1) {
_ = dataStub.go()
exp.fulfill()
}
}
waitForExpectations(timeout: 1, handler: nil)
}
func testDownsamplingHandleScale2x() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
_ = manager.retrieveImage(
with: .network(url),
options: [.processor(DownsamplingImageProcessor(size: .init(width: 4, height: 4))), .scaleFactor(2)])
{
result in
let image = result.value?.image
XCTAssertNotNil(image)
#if os(macOS)
XCTAssertEqual(image?.size, .init(width: 8, height: 8))
XCTAssertEqual(image?.kf.scale, 1)
#else
XCTAssertEqual(image?.size, .init(width: 4, height: 4))
XCTAssertEqual(image?.kf.scale, 2)
#endif
exp.fulfill()
}
waitForExpectations(timeout: 1, handler: nil)
}
func testDownsamplingHandleScale3x() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
_ = manager.retrieveImage(
with: .network(url),
options: [.processor(DownsamplingImageProcessor(size: .init(width: 4, height: 4))), .scaleFactor(3)])
{
result in
let image = result.value?.image
XCTAssertNotNil(image)
#if os(macOS)
XCTAssertEqual(image?.size, .init(width: 12, height: 12))
XCTAssertEqual(image?.kf.scale, 1)
#else
XCTAssertEqual(image?.size, .init(width: 4, height: 4))
XCTAssertEqual(image?.kf.scale, 3)
#endif
exp.fulfill()
}
waitForExpectations(timeout: 1, handler: nil)
}
func testCacheCallbackCoordinatorStateChanging() {
var coordinator = CacheCallbackCoordinator(
shouldWaitForCache: false, shouldCacheOriginal: false)
var called = false
coordinator.apply(.cacheInitiated) {
called = true
}
XCTAssertTrue(called)
XCTAssertEqual(coordinator.state, .done)
coordinator.apply(.cachingImage) { XCTFail() }
XCTAssertEqual(coordinator.state, .done)
coordinator = CacheCallbackCoordinator(
shouldWaitForCache: true, shouldCacheOriginal: false)
called = false
coordinator.apply(.cacheInitiated) { XCTFail() }
XCTAssertEqual(coordinator.state, .idle)
coordinator.apply(.cachingImage) {
called = true
}
XCTAssertTrue(called)
XCTAssertEqual(coordinator.state, .done)
coordinator = CacheCallbackCoordinator(
shouldWaitForCache: false, shouldCacheOriginal: true)
coordinator.apply(.cacheInitiated) {
called = true
}
XCTAssertEqual(coordinator.state, .done)
coordinator.apply(.cachingOriginalImage) { XCTFail() }
XCTAssertEqual(coordinator.state, .done)
coordinator = CacheCallbackCoordinator(
shouldWaitForCache: true, shouldCacheOriginal: true)
coordinator.apply(.cacheInitiated) { XCTFail() }
XCTAssertEqual(coordinator.state, .idle)
coordinator.apply(.cachingOriginalImage) { XCTFail() }
XCTAssertEqual(coordinator.state, .originalImageCached)
coordinator.apply(.cachingImage) { called = true }
XCTAssertEqual(coordinator.state, .done)
coordinator = CacheCallbackCoordinator(
shouldWaitForCache: true, shouldCacheOriginal: true)
coordinator.apply(.cacheInitiated) { XCTFail() }
XCTAssertEqual(coordinator.state, .idle)
coordinator.apply(.cachingImage) { XCTFail() }
XCTAssertEqual(coordinator.state, .imageCached)
coordinator.apply(.cachingOriginalImage) { called = true }
XCTAssertEqual(coordinator.state, .done)
}
func testCallbackClearAfterSuccess() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
var task: DownloadTask?
var called = false
task = manager.retrieveImage(with: url) { result in
XCTAssertFalse(called)
XCTAssertNotNil(result.value?.image)
if !called {
called = true
task?.cancel()
DispatchQueue.main.asyncAfter(deadline: .now() + 0.1) {
exp.fulfill()
}
}
}
waitForExpectations(timeout: 1, handler: nil)
}
func testCanUseCustomizeDefaultCacheSerializer() {
let exp = expectation(description: #function)
let url = testURLs[0]
var cacheSerializer = DefaultCacheSerializer()
cacheSerializer.preferCacheOriginalData = true
manager.cache.store(
testImage,
original: testImageData,
forKey: url.cacheKey,
processorIdentifier: DefaultImageProcessor.default.identifier,
cacheSerializer: cacheSerializer, toDisk: true) {
result in
let computedKey = url.cacheKey.computedKey(with: DefaultImageProcessor.default.identifier)
let fileURL = self.manager.cache.diskStorage.cacheFileURL(forKey: computedKey)
let data = try! Data(contentsOf: fileURL)
XCTAssertEqual(data, testImageData)
exp.fulfill()
}
waitForExpectations(timeout: 1.0)
}
func testCanUseCustomizeDefaultCacheSerializerStoreEncoded() {
let exp = expectation(description: #function)
let url = testURLs[0]
var cacheSerializer = DefaultCacheSerializer()
cacheSerializer.compressionQuality = 0.8
manager.cache.store(
testImage,
original: testImageJEPGData,
forKey: url.cacheKey,
processorIdentifier: DefaultImageProcessor.default.identifier,
cacheSerializer: cacheSerializer, toDisk: true) {
result in
let computedKey = url.cacheKey.computedKey(with: DefaultImageProcessor.default.identifier)
let fileURL = self.manager.cache.diskStorage.cacheFileURL(forKey: computedKey)
let data = try! Data(contentsOf: fileURL)
XCTAssertNotEqual(data, testImageJEPGData)
XCTAssertEqual(data, testImage.kf.jpegRepresentation(compressionQuality: 0.8))
exp.fulfill()
}
waitForExpectations(timeout: 1.0)
}
func testImageResultContainsDataWhenDownloaded() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
manager.retrieveImage(with: url) { result in
XCTAssertNotNil(result.value?.data())
XCTAssertEqual(result.value!.data(), testImageData)
XCTAssertEqual(result.value!.cacheType, .none)
exp.fulfill()
}
waitForExpectations(timeout: 3, handler: nil)
}
func testImageResultContainsDataWhenLoadFromMemoryCache() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
manager.retrieveImage(with: url) { _ in
self.manager.retrieveImage(with: url) { result in
XCTAssertEqual(result.value!.cacheType, .memory)
XCTAssertNotNil(result.value?.data())
XCTAssertEqual(
result.value!.data(),
DefaultCacheSerializer.default.data(with: result.value!.image, original: nil)
)
exp.fulfill()
}
}
waitForExpectations(timeout: 3, handler: nil)
}
func testImageResultContainsDataWhenLoadFromDiskCache() {
let exp = expectation(description: #function)
let url = testURLs[0]
stub(url, data: testImageData)
manager.retrieveImage(with: url) { _ in
self.manager.cache.clearMemoryCache()
self.manager.retrieveImage(with: url) { result in
XCTAssertEqual(result.value!.cacheType, .disk)
XCTAssertNotNil(result.value?.data())
XCTAssertEqual(
result.value!.data(),
DefaultCacheSerializer.default.data(with: result.value!.image, original: nil)
)
exp.fulfill()
}
}
waitForExpectations(timeout: 3, handler: nil)
}
}
class SimpleProcessor: ImageProcessor {
public let identifier = "id"
var processed = false
/// Initialize a `DefaultImageProcessor`
public init() {}
/// Process an input `ImageProcessItem` item to an image for this processor.
///
/// - parameter item: Input item which will be processed by `self`
/// - parameter options: Options when processing the item.
///
/// - returns: The processed image.
///
/// - Note: See documentation of `ImageProcessor` protocol for more.
public func process(item: ImageProcessItem, options: KingfisherParsedOptionsInfo) -> KFCrossPlatformImage? {
processed = true
switch item {
case .image(let image):
return image
case .data(let data):
return KingfisherWrapper<KFCrossPlatformImage>.image(data: data, options: options.imageCreatingOptions)
}
}
}
class FailingProcessor: ImageProcessor {
public let identifier = "FailingProcessor"
var processed = false
public init() {}
public func process(item: ImageProcessItem, options: KingfisherParsedOptionsInfo) -> KFCrossPlatformImage? {
processed = true
return nil
}
}
struct SimpleImageDataProvider: ImageDataProvider {
let cacheKey: String
let provider: () -> (Result<Data, Error>)
func data(handler: @escaping (Result<Data, Error>) -> Void) {
handler(provider())
}
struct E: Error {}
}
| mit | a524baf0a2601445d11eeb131e732bdf | 36.91417 | 124 | 0.607317 | 5.175066 | false | true | false | false |
EBGToo/SBVariables | Sources/Name.swift | 1 | 2657 | //
// Name.swift
// SBVariables
//
// Created by Ed Gamble on 10/22/15.
// Copyright © 2015 Edward B. Gamble Jr. All rights reserved.
//
// See the LICENSE file at the project root for license information.
// See the CONTRIBUTORS file at the project root for a list of contributors.
//
///
/// A Protocol for named objects
///
public protocol Nameable {
/// The `name`
var name : String { get }
}
///
/// An `AsNameable` is a `Nameable` for an arbitrary typed `Item`
///
public struct AsNameable<Item> : Nameable {
/// The `name`
public var name : String
/// The `item`
public var item : Item
/// Initialize an insntance
///
/// - parameter name: the name
/// - parameter item: the item
///
public init (item: Item, name: String) {
self.name = name
self.item = item
}
}
///
/// A concreate Nameable class
///
open class Named : Nameable {
/// The `name`
public let name : String
/// Initialize an instance
///
/// - parameter name: The name
///
public init (name: String) {
self.name = name
}
}
///
/// A Namespace maintains a set of Named objects
///
public class Namespace<Object : Nameable> : Named {
/// The optional parent namespace
let parent : Namespace<Object>?
/// The separator
let separator = "."
/// The mapping from Name -> Value
var dictionary = Dictionary<String,Object>()
func hasObjectByName (_ obj: Object) -> Bool {
return nil != dictionary[obj.name]
}
/// Remove `obj` from `self` - based on `obj.name`
func remObjectByName (_ obj: Object) {
dictionary.removeValue (forKey: obj.name)
}
/// Add `obj` to `self` - overwritting any other object with `obj.name`
func addObjectByName (_ obj: Object) {
dictionary[obj.name] = obj
}
/// If one exists, return the object in `self` with `name`
func getObjectByName (_ name: String) -> Object? {
return dictionary[name]
}
///
/// The fullname of `obj` in namespace. Note the `obj` need not be in namespace.
///
/// - parameter obj:
///
/// - returns: The fullname
///
func fullname (_ obj: Nameable) -> String {
return (parent?.fullname(self) ?? name) + separator + obj.name
}
///
/// Create an instance
///
/// - parameter name: the name
/// - parameter parent: the parent namespace
///
public init (name: String, parent: Namespace<Object>) {
self.parent = parent
super.init(name: name)
}
///
/// Create an instance; the `parent` will be .None
///
/// - parameter name: The name
///
public override init (name: String) {
self.parent = nil
super.init(name: name)
}
}
| mit | 1355c89f216b8c97ef419349dec15012 | 20.248 | 83 | 0.612199 | 3.694019 | false | false | false | false |
nathawes/swift | stdlib/public/Platform/Platform.swift | 6 | 12622 | //===----------------------------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2017 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
import SwiftShims
import SwiftOverlayShims
#if os(Windows)
import ucrt
#endif
#if os(macOS) || os(iOS) || os(watchOS) || os(tvOS)
//===----------------------------------------------------------------------===//
// MacTypes.h
//===----------------------------------------------------------------------===//
public var noErr: OSStatus { return 0 }
/// The `Boolean` type declared in MacTypes.h and used throughout Core
/// Foundation.
///
/// The C type is a typedef for `unsigned char`.
@frozen
public struct DarwinBoolean : ExpressibleByBooleanLiteral {
@usableFromInline var _value: UInt8
@_transparent
public init(_ value: Bool) {
self._value = value ? 1 : 0
}
/// The value of `self`, expressed as a `Bool`.
@_transparent
public var boolValue: Bool {
return _value != 0
}
/// Create an instance initialized to `value`.
@_transparent
public init(booleanLiteral value: Bool) {
self.init(value)
}
}
extension DarwinBoolean : CustomReflectable {
/// Returns a mirror that reflects `self`.
public var customMirror: Mirror {
return Mirror(reflecting: boolValue)
}
}
extension DarwinBoolean : CustomStringConvertible {
/// A textual representation of `self`.
public var description: String {
return self.boolValue.description
}
}
extension DarwinBoolean : Equatable {
@_transparent
public static func ==(lhs: DarwinBoolean, rhs: DarwinBoolean) -> Bool {
return lhs.boolValue == rhs.boolValue
}
}
@_transparent
public // COMPILER_INTRINSIC
func _convertBoolToDarwinBoolean(_ x: Bool) -> DarwinBoolean {
return DarwinBoolean(x)
}
@_transparent
public // COMPILER_INTRINSIC
func _convertDarwinBooleanToBool(_ x: DarwinBoolean) -> Bool {
return x.boolValue
}
#endif
//===----------------------------------------------------------------------===//
// sys/errno.h
//===----------------------------------------------------------------------===//
public var errno : Int32 {
get {
return _swift_stdlib_getErrno()
}
set(val) {
return _swift_stdlib_setErrno(val)
}
}
//===----------------------------------------------------------------------===//
// stdio.h
//===----------------------------------------------------------------------===//
#if os(macOS) || os(iOS) || os(watchOS) || os(tvOS) || os(FreeBSD) || os(PS4)
public var stdin : UnsafeMutablePointer<FILE> {
get {
return __stdinp
}
set {
__stdinp = newValue
}
}
public var stdout : UnsafeMutablePointer<FILE> {
get {
return __stdoutp
}
set {
__stdoutp = newValue
}
}
public var stderr : UnsafeMutablePointer<FILE> {
get {
return __stderrp
}
set {
__stderrp = newValue
}
}
public func dprintf(_ fd: Int, _ format: UnsafePointer<Int8>, _ args: CVarArg...) -> Int32 {
return withVaList(args) { va_args in
vdprintf(Int32(fd), format, va_args)
}
}
public func snprintf(ptr: UnsafeMutablePointer<Int8>, _ len: Int, _ format: UnsafePointer<Int8>, _ args: CVarArg...) -> Int32 {
return withVaList(args) { va_args in
return vsnprintf(ptr, len, format, va_args)
}
}
#elseif os(OpenBSD)
public var stdin: UnsafeMutablePointer<FILE> { return _swift_stdlib_stdin() }
public var stdout: UnsafeMutablePointer<FILE> { return _swift_stdlib_stdout() }
public var stderr: UnsafeMutablePointer<FILE> { return _swift_stdlib_stderr() }
#elseif os(Windows)
public var stdin: UnsafeMutablePointer<FILE> { return __acrt_iob_func(0) }
public var stdout: UnsafeMutablePointer<FILE> { return __acrt_iob_func(1) }
public var stderr: UnsafeMutablePointer<FILE> { return __acrt_iob_func(2) }
public var STDIN_FILENO: Int32 { return _fileno(stdin) }
public var STDOUT_FILENO: Int32 { return _fileno(stdout) }
public var STDERR_FILENO: Int32 { return _fileno(stderr) }
#endif
//===----------------------------------------------------------------------===//
// fcntl.h
//===----------------------------------------------------------------------===//
public func open(
_ path: UnsafePointer<CChar>,
_ oflag: Int32
) -> Int32 {
return _swift_stdlib_open(path, oflag, 0)
}
#if os(Windows)
public func open(
_ path: UnsafePointer<CChar>,
_ oflag: Int32,
_ mode: Int32
) -> Int32 {
return _swift_stdlib_open(path, oflag, mode)
}
#else
public func open(
_ path: UnsafePointer<CChar>,
_ oflag: Int32,
_ mode: mode_t
) -> Int32 {
return _swift_stdlib_open(path, oflag, mode)
}
public func openat(
_ fd: Int32,
_ path: UnsafePointer<CChar>,
_ oflag: Int32
) -> Int32 {
return _swift_stdlib_openat(fd, path, oflag, 0)
}
public func openat(
_ fd: Int32,
_ path: UnsafePointer<CChar>,
_ oflag: Int32,
_ mode: mode_t
) -> Int32 {
return _swift_stdlib_openat(fd, path, oflag, mode)
}
public func fcntl(
_ fd: Int32,
_ cmd: Int32
) -> Int32 {
return _swift_stdlib_fcntl(fd, cmd, 0)
}
public func fcntl(
_ fd: Int32,
_ cmd: Int32,
_ value: Int32
) -> Int32 {
return _swift_stdlib_fcntl(fd, cmd, value)
}
public func fcntl(
_ fd: Int32,
_ cmd: Int32,
_ ptr: UnsafeMutableRawPointer
) -> Int32 {
return _swift_stdlib_fcntlPtr(fd, cmd, ptr)
}
// !os(Windows)
#endif
#if os(Windows)
public var S_IFMT: Int32 { return Int32(0xf000) }
public var S_IFREG: Int32 { return Int32(0x8000) }
public var S_IFDIR: Int32 { return Int32(0x4000) }
public var S_IFCHR: Int32 { return Int32(0x2000) }
public var S_IFIFO: Int32 { return Int32(0x1000) }
public var S_IREAD: Int32 { return Int32(0x0100) }
public var S_IWRITE: Int32 { return Int32(0x0080) }
public var S_IEXEC: Int32 { return Int32(0x0040) }
#else
public var S_IFMT: mode_t { return mode_t(0o170000) }
public var S_IFIFO: mode_t { return mode_t(0o010000) }
public var S_IFCHR: mode_t { return mode_t(0o020000) }
public var S_IFDIR: mode_t { return mode_t(0o040000) }
public var S_IFBLK: mode_t { return mode_t(0o060000) }
public var S_IFREG: mode_t { return mode_t(0o100000) }
public var S_IFLNK: mode_t { return mode_t(0o120000) }
public var S_IFSOCK: mode_t { return mode_t(0o140000) }
#if os(macOS) || os(iOS) || os(watchOS) || os(tvOS)
public var S_IFWHT: mode_t { return mode_t(0o160000) }
#endif
public var S_IRWXU: mode_t { return mode_t(0o000700) }
public var S_IRUSR: mode_t { return mode_t(0o000400) }
public var S_IWUSR: mode_t { return mode_t(0o000200) }
public var S_IXUSR: mode_t { return mode_t(0o000100) }
public var S_IRWXG: mode_t { return mode_t(0o000070) }
public var S_IRGRP: mode_t { return mode_t(0o000040) }
public var S_IWGRP: mode_t { return mode_t(0o000020) }
public var S_IXGRP: mode_t { return mode_t(0o000010) }
public var S_IRWXO: mode_t { return mode_t(0o000007) }
public var S_IROTH: mode_t { return mode_t(0o000004) }
public var S_IWOTH: mode_t { return mode_t(0o000002) }
public var S_IXOTH: mode_t { return mode_t(0o000001) }
public var S_ISUID: mode_t { return mode_t(0o004000) }
public var S_ISGID: mode_t { return mode_t(0o002000) }
public var S_ISVTX: mode_t { return mode_t(0o001000) }
#if os(macOS) || os(iOS) || os(watchOS) || os(tvOS)
public var S_ISTXT: mode_t { return S_ISVTX }
public var S_IREAD: mode_t { return S_IRUSR }
public var S_IWRITE: mode_t { return S_IWUSR }
public var S_IEXEC: mode_t { return S_IXUSR }
#endif
#endif
//===----------------------------------------------------------------------===//
// ioctl.h
//===----------------------------------------------------------------------===//
#if !os(Windows)
public func ioctl(
_ fd: CInt,
_ request: UInt,
_ value: CInt
) -> CInt {
return _swift_stdlib_ioctl(fd, request, value)
}
public func ioctl(
_ fd: CInt,
_ request: UInt,
_ ptr: UnsafeMutableRawPointer
) -> CInt {
return _swift_stdlib_ioctlPtr(fd, request, ptr)
}
public func ioctl(
_ fd: CInt,
_ request: UInt
) -> CInt {
return _swift_stdlib_ioctl(fd, request, 0)
}
// !os(Windows)
#endif
//===----------------------------------------------------------------------===//
// unistd.h
//===----------------------------------------------------------------------===//
#if os(macOS) || os(iOS) || os(watchOS) || os(tvOS)
@available(*, unavailable, message: "Please use threads or posix_spawn*()")
public func fork() -> Int32 {
fatalError("unavailable function can't be called")
}
@available(*, unavailable, message: "Please use threads or posix_spawn*()")
public func vfork() -> Int32 {
fatalError("unavailable function can't be called")
}
#endif
//===----------------------------------------------------------------------===//
// signal.h
//===----------------------------------------------------------------------===//
#if os(macOS) || os(iOS) || os(watchOS) || os(tvOS)
public var SIG_DFL: sig_t? { return nil }
public var SIG_IGN: sig_t { return unsafeBitCast(1, to: sig_t.self) }
public var SIG_ERR: sig_t { return unsafeBitCast(-1, to: sig_t.self) }
public var SIG_HOLD: sig_t { return unsafeBitCast(5, to: sig_t.self) }
#elseif os(OpenBSD)
public var SIG_DFL: sig_t? { return nil }
public var SIG_IGN: sig_t { return unsafeBitCast(1, to: sig_t.self) }
public var SIG_ERR: sig_t { return unsafeBitCast(-1, to: sig_t.self) }
public var SIG_HOLD: sig_t { return unsafeBitCast(3, to: sig_t.self) }
#elseif os(Linux) || os(FreeBSD) || os(PS4) || os(Android) || os(Haiku)
public typealias sighandler_t = __sighandler_t
public var SIG_DFL: sighandler_t? { return nil }
public var SIG_IGN: sighandler_t {
return unsafeBitCast(1, to: sighandler_t.self)
}
public var SIG_ERR: sighandler_t {
return unsafeBitCast(-1, to: sighandler_t.self)
}
public var SIG_HOLD: sighandler_t {
return unsafeBitCast(2, to: sighandler_t.self)
}
#elseif os(Cygwin)
public typealias sighandler_t = _sig_func_ptr
public var SIG_DFL: sighandler_t? { return nil }
public var SIG_IGN: sighandler_t {
return unsafeBitCast(1, to: sighandler_t.self)
}
public var SIG_ERR: sighandler_t {
return unsafeBitCast(-1, to: sighandler_t.self)
}
public var SIG_HOLD: sighandler_t {
return unsafeBitCast(2, to: sighandler_t.self)
}
#elseif os(Windows)
public var SIG_DFL: _crt_signal_t? { return nil }
public var SIG_IGN: _crt_signal_t {
return unsafeBitCast(1, to: _crt_signal_t.self)
}
public var SIG_ERR: _crt_signal_t {
return unsafeBitCast(-1, to: _crt_signal_t.self)
}
#elseif os(WASI)
// No signals support on WASI yet, see https://github.com/WebAssembly/WASI/issues/166.
#else
internal var _ignore = _UnsupportedPlatformError()
#endif
//===----------------------------------------------------------------------===//
// semaphore.h
//===----------------------------------------------------------------------===//
#if !os(Windows)
#if os(OpenBSD)
public typealias Semaphore = UnsafeMutablePointer<sem_t?>
#else
public typealias Semaphore = UnsafeMutablePointer<sem_t>
#endif
/// The value returned by `sem_open()` in the case of failure.
public var SEM_FAILED: Semaphore? {
#if os(macOS) || os(iOS) || os(watchOS) || os(tvOS)
// The value is ABI. Value verified to be correct for OS X, iOS, watchOS, tvOS.
return Semaphore(bitPattern: -1)
#elseif os(Linux) || os(FreeBSD) || os(OpenBSD) || os(PS4) || os(Android) || os(Cygwin) || os(Haiku) || os(WASI)
// The value is ABI. Value verified to be correct on Glibc.
return Semaphore(bitPattern: 0)
#else
_UnsupportedPlatformError()
#endif
}
public func sem_open(
_ name: UnsafePointer<CChar>,
_ oflag: Int32
) -> Semaphore? {
return _stdlib_sem_open2(name, oflag)
}
public func sem_open(
_ name: UnsafePointer<CChar>,
_ oflag: Int32,
_ mode: mode_t,
_ value: CUnsignedInt
) -> Semaphore? {
return _stdlib_sem_open4(name, oflag, mode, value)
}
#endif
//===----------------------------------------------------------------------===//
// Misc.
//===----------------------------------------------------------------------===//
// Some platforms don't have `extern char** environ` imported from C.
#if os(macOS) || os(iOS) || os(watchOS) || os(tvOS) || os(FreeBSD) || os(OpenBSD) || os(PS4)
public var environ: UnsafeMutablePointer<UnsafeMutablePointer<CChar>?> {
return _swift_stdlib_getEnviron()
}
#elseif os(Linux)
public var environ: UnsafeMutablePointer<UnsafeMutablePointer<CChar>?> {
return __environ
}
#endif
| apache-2.0 | c3334b32d579dcd6ade8d3363defe8c3 | 27.686364 | 127 | 0.596736 | 3.443929 | false | false | false | false |
svdo/ReRxSwift | Example/TableAndCollection/CollectionViewController.swift | 1 | 2483 | // Copyright © 2017 Stefan van den Oord. All rights reserved.
import UIKit
import ReSwift
import RxSwift
import RxDataSources
import ReRxSwift
private let mapStateToProps = { (appState: AppState) in
return CollectionViewController.Props(
categories: appState.tableAndCollection.categories
)
}
private let mapDispatchToActions = { (dispatch: @escaping DispatchFunction) in
return CollectionViewController.Actions(reverse: { dispatch(ReverseShops()) })
}
extension CollectionViewController: Connectable {
struct Props {
let categories: [ShopCategory]
}
struct Actions {
let reverse: () -> ()
}
}
class CollectionViewController: UICollectionViewController {
@IBOutlet var reverseButton: UIBarButtonItem!
let connection = Connection(store: store,
mapStateToProps: mapStateToProps,
mapDispatchToActions: mapDispatchToActions)
var dataSource: RxCollectionViewSectionedAnimatedDataSource<ShopCategory>!
override func viewDidLoad() {
super.viewDidLoad()
self.navigationItem.rightBarButtonItem = self.reverseButton
self.collectionView?.dataSource = nil
dataSource = RxCollectionViewSectionedAnimatedDataSource<ShopCategory>(configureCell: {
(dataSource, collectionView, indexPath, item) in
let cell = collectionView.dequeueReusableCell(withReuseIdentifier: "NormalCell", for: indexPath)
(cell.viewWithTag(1) as? UILabel)?.text = item.name
(cell.viewWithTag(2) as? UILabel)?.text = String(item.rating)
return cell
}, configureSupplementaryView: {
(dataSource, collectionView, kind, indexPath) in
let view = collectionView.dequeueReusableSupplementaryView(ofKind: kind, withReuseIdentifier: "HeaderView", for: indexPath)
(view.viewWithTag(1) as? UILabel)?.text = self.props.categories[indexPath.section].title
return view
})
self.connection.bind(\Props.categories, to: collectionView!.rx.items(dataSource: dataSource))
}
override func viewWillAppear(_ animated: Bool) {
super.viewWillAppear(animated)
connection.connect()
}
override func viewDidDisappear(_ animated: Bool) {
super.viewDidDisappear(animated)
connection.disconnect()
}
@IBAction func reverseTapped(_ sender: UIBarButtonItem) {
actions.reverse()
}
}
| mit | eb8c7ad910dc3f0f511a77cfa31015c5 | 35.5 | 135 | 0.686946 | 5.247357 | false | false | false | false |
apple/swift-driver | Sources/SwiftDriver/IncrementalCompilation/ModuleDependencyGraphParts/Integrator.swift | 1 | 12110 | //===------------------ Integrator.swift ----------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2020 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
extension ModuleDependencyGraph {
// MARK: Integrator - state & creation
/// Integrates a \c SourceFileDependencyGraph into a \c ModuleDependencyGraph. See ``Integrator/integrate(from:dependencySource:into:)``
public struct Integrator {
// Shorthands
/*@_spi(Testing)*/ public typealias Graph = ModuleDependencyGraph
typealias DefinitionLocation = Graph.DefinitionLocation
public private(set) var invalidatedNodes = DirectlyInvalidatedNodeSet()
/// If integrating from an .swift file in the build, refers to the .swift file
/// Otherwise, refers to a .swiftmodule file
let dependencySource: DependencySource
/// the graph to be integrated
let sourceGraph: SourceFileDependencyGraph
/// the graph to be integrated into
let destination: ModuleDependencyGraph
/// Starts with all nodes in the `DependencySource` to be integrated.
/// Then as nodes are found in this source, they are removed from here.
/// After integration is complete, this dictionary contains the nodes that have disappeared from this `DependencySource`.
var disappearedNodes = [DependencyKey: Graph.Node]()
init(sourceGraph: SourceFileDependencyGraph,
dependencySource: DependencySource,
destination: ModuleDependencyGraph)
{
self.sourceGraph = sourceGraph
self.dependencySource = dependencySource
self.destination = destination
self.disappearedNodes = destination.nodeFinder
.findNodes(for: .known(dependencySource))
?? [:]
}
var reporter: IncrementalCompilationState.Reporter? {
destination.info.reporter
}
var sourceType: FileType {
dependencySource.typedFile.type
}
var isUpdating: Bool {
destination.phase.isUpdating
}
}
}
// MARK: - integrate a graph
extension ModuleDependencyGraph.Integrator {
/// Integrate a SourceFileDepGraph into the receiver.
///
/// Integration happens when the driver needs to read SourceFileDepGraph.
/// Common to scheduling both waves.
/// - Parameters:
/// - g: the graph to be integrated from
/// - dependencySource: holds the .swift or .swifmodule file containing the dependencies to be integrated that were read into `g`
/// - destination: the graph to be integrated into
/// - Returns: all nodes directly affected by the integration, plus nodes transitively affected by integrated external dependencies.
/// Because external dependencies may have transitive effects not captured by the frontend, changes from them are always transitively closed.
public static func integrate(
from g: SourceFileDependencyGraph,
dependencySource: DependencySource,
into destination: Graph
) -> DirectlyInvalidatedNodeSet {
precondition(g.internedStringTable === destination.internedStringTable)
var integrator = Self(sourceGraph: g,
dependencySource: dependencySource,
destination: destination)
integrator.integrate()
if destination.info.verifyDependencyGraphAfterEveryImport {
integrator.verifyAfterImporting()
}
destination.dotFileWriter?.write(g, for: dependencySource.typedFile,
internedStringTable: destination.internedStringTable)
destination.dotFileWriter?.write(destination)
return integrator.invalidatedNodes
}
private mutating func integrate() {
integrateEachSourceNode()
handleDisappearedNodes()
// Ensure transitive closure will get started.
destination.ensureGraphWillRetrace(invalidatedNodes)
}
private mutating func integrateEachSourceNode() {
sourceGraph.forEachNode { integrate(oneNode: $0) }
}
private mutating func handleDisappearedNodes() {
for (_, node) in disappearedNodes {
addDisappeared(node)
destination.nodeFinder.remove(node)
}
}
}
// MARK: - integrate one node
extension ModuleDependencyGraph.Integrator {
private mutating func integrate(
oneNode integrand: SourceFileDependencyGraph.Node)
{
guard integrand.definitionVsUse == .definition else {
// Uses are captured by recordWhatIsDependedUpon below.
return
}
let integratedNode = destination.nodeFinder.findNodes(for: integrand.key)
.flatMap {
integrateWithNodeDefinedHere( integrand, $0) ??
integrateWithNodeDefinedNowhere( integrand, $0)
}
?? integrateWithNewNode(integrand)
recordDefsForThisUse(integrand, integratedNode)
}
/// If a node to be integrated corresponds to one already in the destination graph for the same source, integrate it.
///
/// - Parameters:
/// - integrand: the node to be integrated
/// - nodesMatchingKey: all nodes in the destination graph with matching `DependencyKey`
/// - Returns: nil if a corresponding node did *not* already exist for the same source,
/// Otherwise, the integrated corresponding node.
/// If the integrated node was changed by the integration, it is added to ``invalidatedNodes``.
private mutating func integrateWithNodeDefinedHere(
_ integrand: SourceFileDependencyGraph.Node,
_ nodesMatchingKey: [DefinitionLocation: Graph.Node]
) -> Graph.Node? {
guard let matchHere = nodesMatchingKey[.known(dependencySource)] else {
return nil
}
assert(matchHere.definitionLocation == .known(dependencySource))
// Node was and still is. Do not remove it.
disappearedNodes.removeValue(forKey: matchHere.key)
enum FingerprintDisposition: String {
case missing, changed, stable
init(_ integrand: SourceFileDependencyGraph.Node,
_ matchHere: ModuleDependencyGraph.Node) {
switch (integrand.fingerprint, matchHere.fingerprint) {
case (nil, _):
self = .missing
case (_?, nil):
self = .changed
case let (integrandFingerprint?, matchHereFingerprint?):
self = integrandFingerprint == matchHereFingerprint
? .stable : .changed
}
}
}
let disposition = FingerprintDisposition(integrand, matchHere)
switch disposition {
case .stable:
break
case .missing:
// Since we only put fingerprints in enums, structs, classes, etc.,
// the driver really lacks the information to do much here.
// Just report it.
reporter?.report("Fingerprint \(disposition.rawValue) for existing \(matchHere.description(in: destination))")
break
case .changed:
matchHere.setFingerprint(integrand.fingerprint)
addChanged(matchHere)
reporter?.report("Fingerprint \(disposition.rawValue) for existing \(matchHere.description(in: destination))")
}
return matchHere
}
/// If a node to be integrated correspnds with a node in the graph belonging to no dependency source read as yet, integrate it.
/// The node to be integrated represents the definition of a declaration whose uses have already been seen.
/// The existing node is "moved" to its proper place in the graph, corresponding to the location of the definition of the declaration.
///
/// - Parameters:
/// - integrand: the node to be integrated
/// - nodesMatchingKey: all nodes in the destination graph with matching `DependencyKey`
/// - Returns: nil if a corresponding node *did* have a definition location, or the integrated corresponding node if it did not.
/// If the integrated node was changed by the integration, it is added to ``invalidatedNodes``.
private mutating func integrateWithNodeDefinedNowhere(
_ integrand: SourceFileDependencyGraph.Node,
_ nodesMatchingKey: [DefinitionLocation: Graph.Node]
) -> Graph.Node? {
guard let nodeWithNoDefinitionLocation = nodesMatchingKey[.unknown] else {
return nil
}
assert(nodesMatchingKey.count == 1,
"The graph never holds more than one node for a given key that has no definition location")
let integratedNode = destination.nodeFinder
.replace(nodeWithNoDefinitionLocation,
newDependencySource: self.dependencySource,
newFingerprint: integrand.fingerprint)
addPatriated(integratedNode)
return integratedNode
}
/// Integrate a node that correspnds with no known node.
///
/// - Parameters:
/// - integrand: the node to be integrated
/// - Returns: the integrated node
/// Since the integrated nodeis a change, it is added to ``invalidatedNodes``.
private mutating func integrateWithNewNode(
_ integrand: SourceFileDependencyGraph.Node
) -> Graph.Node {
precondition(integrand.definitionVsUse == .definition,
"Dependencies are arcs in the module graph")
let newNode = Graph.Node(
key: integrand.key,
fingerprint: integrand.fingerprint,
definitionLocation: .known(dependencySource))
let oldNode = destination.nodeFinder.insert(newNode)
assert(oldNode == nil, "Should be new!")
addNew(newNode)
return newNode
}
/// Find the keys of nodes used by this node, and record the def-use links.
/// Also see if any of those keys are external dependencies, and if such is a new dependency,
/// record the external dependency, and record the node as changed.
private mutating func recordDefsForThisUse(
_ sourceFileUseNode: SourceFileDependencyGraph.Node,
_ moduleUseNode: Graph.Node
) {
sourceGraph.forEachDefDependedUpon(by: sourceFileUseNode) { def in
let isNewUse = destination.nodeFinder.record(def: def.key,
use: moduleUseNode)
guard
isNewUse,
let externalDependency = def.key.designator.externalDependency
else {
return
}
recordInvalidations(
from: FingerprintedExternalDependency(externalDependency, def.fingerprint))
}
}
// A `moduleGraphUseNode` is used by an externalDependency key being integrated.
// Remember the dependency for later processing in externalDependencies, and
// also return it in results.
// Also the use node has changed.
private mutating func recordInvalidations(
from externalDependency: FingerprintedExternalDependency
) {
let integrand = ModuleDependencyGraph.ExternalIntegrand(externalDependency, in: destination)
let invalidated = destination.findNodesInvalidated(by: integrand)
recordUsesOfSomeExternal(invalidated)
}
}
// MARK: - Results {
extension ModuleDependencyGraph.Integrator {
/*@_spi(Testing)*/
mutating func recordUsesOfSomeExternal(_ invalidated: DirectlyInvalidatedNodeSet)
{
invalidatedNodes.formUnion(invalidated)
}
mutating func addDisappeared(_ node: Graph.Node) {
assert(isUpdating)
invalidatedNodes.insert(node)
}
mutating func addChanged(_ node: Graph.Node) {
assert(isUpdating)
invalidatedNodes.insert(node)
}
mutating func addPatriated(_ node: Graph.Node) {
if isUpdating {
reporter?.report("Discovered a definition for \(node.description(in: destination))")
invalidatedNodes.insert(node)
}
}
mutating func addNew(_ node: Graph.Node) {
if isUpdating {
reporter?.report("New definition: \(node.description(in: destination))")
invalidatedNodes.insert(node)
}
}
}
// MARK: - verification
extension ModuleDependencyGraph.Integrator {
@discardableResult
func verifyAfterImporting() -> Bool {
guard let nodesInFile = destination.nodeFinder.findNodes(for: .known(dependencySource)),
!nodesInFile.isEmpty
else {
fatalError("Just imported \(dependencySource), should have nodes")
}
return destination.verifyGraph()
}
}
| apache-2.0 | 94a394c5f17f3c6bd3f1d1b4d3b0b3d2 | 38.446254 | 143 | 0.701652 | 4.743439 | false | false | false | false |
Alex-ZHOU/XYQSwift | XYQSwiftTests/Learn-from-Imooc/Play-with-Swift-2/02-Basics/02-Int.playground/Contents.swift | 1 | 683 | //
// 2-2 Swift 2.0基本类型之整型
// 02-Int.playground
//
// Created by AlexZHOU on 16/05/2017.
// Copyright © 2016年 AlexZHOU. All rights reserved.
//
import UIKit
var str = "02-Int"
print(str)
// 整型Int
var imInt:Int = 88
Int.max
Int.min
// UInt
UInt.max
UInt.min
// Int8
Int8.max
Int8.min
// 溢出在Swift语言中是一种编译错误
//let a: Int8 = 255
// UInt8
UInt8.max
UInt8.min
// Int16
Int16.max
Int16.min
// Int32
Int32.max
Int32.min
// Int64
Int64.max
Int64.min
// 二进制0b
let binaryInt: Int = 0b10001
// 八进制0o
let octalInt: Int = 0o21
// 十六进制0x
let hexInt:Int = 0x11
// 使用_标示数字位
let x = 1_000_000
| apache-2.0 | 5056dc21dd3284b46e1bde0fdfcb9ef8 | 9.561404 | 52 | 0.657807 | 2.134752 | false | false | false | false |
carabina/Taylor | Taylor/Response.swift | 1 | 2986 | //
// response.swift
// TaylorTest
//
// Created by Jorge Izquierdo on 19/06/14.
// Copyright (c) 2014 Jorge Izquierdo. All rights reserved.
//
import Foundation
public class Response {
private var statusLine: String = ""
public var statusCode: Int = 200
public var headers: Dictionary<String, String> = Dictionary<String, String>()
public var body: NSData?
public var bodyString: String? {
didSet {
if headers["Content-Type"] == nil {
headers["Content-Type"] = FileTypes.get("txt")
}
}
}
var bodyData: NSData {
if let b = body {
return b
} else if bodyString != nil {
return NSData(data: bodyString!.dataUsingEncoding(NSUTF8StringEncoding)!)
}
return NSData()
}
private let http_protocol: String = "HTTP/1.1"
internal var codes = [
200: "OK",
201: "Created",
202: "Accepted",
300: "Multiple Choices",
301: "Moved Permanently",
302: "Found",
303: "See other",
400: "Bad TRequest",
401: "Unauthorized",
403: "Forbidden",
404: "Not Found",
500: "Internal Server Error",
502: "Bad Gateway",
503: "Service Unavailable"
]
public func redirect(url u: String) {
self.statusCode = 302
self.headers["Location"] = u
}
public func setFile(url: NSURL?) {
if let u = url, let data = NSData(contentsOfURL: u) {
self.body = data
self.headers["Content-Type"] = FileTypes.get(u.pathExtension ?? "")
} else {
self.setError(404)
}
}
public func setError(errorCode: Int){
self.statusCode = errorCode
if let a = self.codes[self.statusCode]{
self.bodyString = a
}
}
func headerData() -> NSData {
if let a = self.codes[self.statusCode]{
self.statusLine = a
}
if headers["Content-Length"] == nil{
headers["Content-Length"] = String(bodyData.length)
}
let startLine = "\(self.http_protocol) \(String(self.statusCode)) \(self.statusLine)\r\n"
var headersStr = ""
for (k, v) in self.headers {
headersStr += "\(k): \(v)\r\n"
}
headersStr += "\r\n"
let finalStr = String(format: startLine+headersStr)
return NSMutableData(data: finalStr.dataUsingEncoding(NSUTF8StringEncoding, allowLossyConversion: false)!)
}
internal func generateResponse(method: HTTPMethod) -> NSData {
let headerData = self.headerData()
guard method != .HEAD else { return headerData }
return headerData + self.bodyData
}
} | mit | 15697cf7b8a7fab378696f431b1c4afd | 24.313559 | 114 | 0.517749 | 4.579755 | false | false | false | false |
Subsets and Splits