Background:
经常出现看过的东西,当时惊叹+觉得很棒
但回头就忘,或者即时记着,但也没有深刻印象,不会主动想着运用到当前的项目中来。 但是哪一天突然遇到个场景,发现可以用了,但具体细节一时半会想不起来,而且常常是这会又找不到当初是从哪里看的了...😢
于是决定每次写blog记录下来,目的在于:
1.加深点印象
2.回头需要的时候找起来也方便点
Source:
Time:
2016-06-08
Main body:
1. Swift:Selector 语法糖
本文链接:http://swift.gg/2016/06/02...
原文链接:https://medium.com/swift-programming/...
作者:Andyy Hope,原文日期:2016-03-23
- 1.1 swift比较新,所以编码风格"百家争鸣",这里建议了一种比较不错的selector命名的方法:
对象名作为前缀,动作作为后缀
func segmentedControlValueChanged(sender: UISegmentedControl) { }
func barButtonItemTapped(sender: UIBarButtonItem) { }
func keyboardWillShowNotification(notification: NSNotification) { }
- 1.2 很多地方调用方法的时候,"又臭又长",例如:
button.addTarget(self, action: #selector(ViewController.buttonTapped(_:)), forControlEvents: .TouchUpInside)
比较"优美"的方式是,使用结构体,同时,基于swift的"类型推断特性",可以写成这样:
private extension Selector {
static let buttonTapped =
#selector(ViewController.buttonTapped(_:))
}
...
button.addTarget(self, action: .buttonTapped,
forControlEvents: .TouchUpInside)
2. 用 Swift 编写面向协议的视图
本文链接: http://swift.gg/2016/06/01/...
原文链接: https://www.natashatherobot.com/...
作者:Natasha The Robot,原文日期:2016-05-13
这个又是一片主推面向协议编程的文章.
文章以一篇“ImageView 增加shake效果”为例,对比“继承父类”的模式和“面向协议”的模式:
- 继承父类的方法就不多说了,统一在UIView的Category中增加个shake方法,UIImageview,UIButton直接调用即可.
- 面向对象的方法,show me the code:
定义:
// Shakeable.swift
import UIKit
protocol Shakeable { }
// 你可以只为 UIView 添加 shake 方法!
extension Shakeable where Self: UIView {
// shake 方法的默认实现
func shake() {
let animation = CABasicAnimation(keyPath: "position")
animation.duration = 0.05
animation.repeatCount = 5
animation.autoreverses = true
animation.fromValue = NSValue(CGPoint: CGPointMake(self.center.x - 4.0, self.center.y))
animation.toValue = NSValue(CGPoint: CGPointMake(self.center.x + 4.0, self.center.y))
layer.addAnimation(animation, forKey: "position")
}
}
实现:
class FoodImageView: UIImageView, Shakeable {
// 其他自定义写在这儿
}
class ActionButton: UIButton, Shakeable {
// 其他自定义写在这儿
}
class ViewController: UIViewController {
@IBOutlet weak var foodImageView: FoodImageView!
@IBOutlet weak var actionButton: ActionButton!
@IBAction func onShakeButtonTap(sender: AnyObject) {
foodImageView.shake()
actionButton.shake()
}
}
polen:
至于这种方法的好坏,还是需要自己根据实际情况进行选择.使用Category的劣势是如果我们的需求越来越多,Category会越来越庞大,以致于回头都搞不清具体哪个方法是从哪里来,从哪里去的.用协议的方法,会让代码更清晰一些,但是代码量比较大,维护起来也复杂很多...
其实一个东西,真正该用什么方法,想几个极端:假设最复杂的情况,假设我们有非常多的类,非常多的需求,非常多的结构,在那种情况下,怎么样效果最好,按照这个思路去思考,可能更清晰一些...(因为这样,会把缺点放大,放大...)