“错误”的使用 Swift 中的 Extension

作者:Natasha,原文链接,原文日期:2016-03-29译者:bestswifter;校对:shanks;定稿:Channe
别人一看到我的 Swift 代码,立刻就会问我为什么如此频繁的使用 extension。这是前几天在我写的另一篇文章中收到的评论:

A83A969C-496C-43C0-88DE-7D8ECDF21EFA.png

我大量使用 extension 的主要目的是为了提高代码可读性。以下是我喜欢使用 extension 的场景,尽管 extension 并非是为这些场景设计的。

私有的辅助函数

在 Objective-C 中,我们有 .h 文件和 .m 文件。同时管理这两个文件(以及在工程中有双倍的文件)是一件很麻烦的事情,好在我们只要快速浏览 .h 文件就可以知道这个类对外暴露的 API,而内部的信息则被保存在 .m 文件中。在 Swift 中,我们只有一个文件。

为了一眼就看出一个 Swift 类的公开方法(可以被外部访问的方法),我把内部实现都写在一个私有的 extension 中,比如这样:
// 这样可以一眼看出来,这个结构体中,那些部分可以被外部调用

struct TodoItemViewModel {
    let item: TodoItem
    let indexPath: NSIndexPath

    var delegate: ImageWithTextCellDelegate {
    return TodoItemDelegate(item: item)
    }

    var attributedText: NSAttributedString {
    // the itemContent logic is in the private extension
    // keeping this code clean and easy to glance at
        return itemContent
    }
}

// 把所有内部逻辑和外部访问的 API 区隔开来
// MARK: 私有的属性和方法
private extension TodoItemViewModel {

static var spaceBetweenInlineImages: NSAttributedString {
    return NSAttributedString(string: "   ")
}

var itemContent: NSAttributedString {
    let text = NSMutableAttributedString(string: item.content, attributes: [NSFontAttributeName : SmoresFont.regularFontOfSize(17.0)])
    
    if let dueDate = item.dueDate {
        appendDueDate(dueDate, toText: text)
    }
    
    for assignee in item.assignees {
        appendAvatar(ofUser: assignee, toText: text)
    }
    
    return text
}

func appendDueDate(dueDate: NSDate, toText text: NSMutableAttributedString) {
    
    if let calendarView = CalendarIconView.viewFromNib() {
        calendarView.configure(withDate: dueDate)
        
        if let calendarImage = UIImage.imageFromView(calendarView) {
            appendImage(calendarImage, toText: text)
        }
    }
}

func appendAvatar(ofUser user: User, toText text: NSMutableAttributedString) {
    if let avatarImage = user.avatar {
        appendImage(avatarImage, toText: text)
    } else {
        appendDefaultAvatar(ofUser: user, toText: text)
        downloadAvatarImage(forResource: user.avatarResource)
    }
}

func downloadAvatarImage(forResource resource: Resource?) {
    if let resource = resource {
        KingfisherManager.sharedManager.retrieveImageWithResource(resource,
                                                                  optionsInfo: nil,
                                                                  progressBlock: nil)
        { image, error, cacheType, imageURL in
            if let _ = image {
                dispatch_async(dispatch_get_main_queue()) {
                    NSNotificationCenter.defaultCenter().postNotificationName(TodoItemViewModel.viewModelViewUpdatedNotification, object: self.indexPath)
                }
            }
        }
    }
}

func appendDefaultAvatar(ofUser user: User, toText text: NSMutableAttributedString) {
    if let defaultAvatar = user.defaultAvatar {
        appendImage(defaultAvatar, toText: text)
    }
}

func appendImage(image: UIImage, toText text: NSMutableAttributedString) {
    text.appendAttributedString(TodoItemViewModel.spaceBetweenInlineImages)
    let attachment = NSTextAttachment()
    attachment.image = image
    let yOffsetForImage = -7.0 as CGFloat
    attachment.bounds = CGRectMake(0.0, yOffsetForImage, image.size.width, image.size.height)
    let imageString = NSAttributedString(attachment: attachment)
    text.appendAttributedString(imageString)
   }
}

注意,在上面这个例子中,属性字符串的计算逻辑非常复杂。如果把它写在结构体的主体部分中,我就无法一眼看出这个结构体中哪个部分是重要的(也就是 Objective-C 中写在 .h 文件中的代码)。在这个例子中,使用 extension 使我的代码结构变得更加清晰整洁
这样一个很长的 extension 也为日后重构代码打下了良好的基础。我们有可能把这段逻辑抽取到一个单独的结构体中,尤其是当这个属性字符串可能在别的地方被用到时。但在编程时把这段代码放在私有的 extension 里面是一个良好的开始。

分组

我最初开始使用 extension 的真正原因是在 Swift 刚诞生时,无法使用 pragma 标记(译注:Objective-C 中的 #pragma mark)。是的,这就是我在 Swift 刚诞生时想做的第一件事。我使用 pragma 来分割 Objective-C 代码,所以当我开始写 Swift 代码时,我需要它。
所以我在 WWDC Swift 实验室时询问苹果工程师如何在 Swift 中使用 pragma 标记。和我交流的那位工程师建议我使用 extension 来替代 pragma 标记。于是我就开始这么做了,并且立刻爱上了使用 extension。
尽管 pragma 标记(Swift 中的 //MARK)很好用,但我们很容易忘记给一段新的代码加上 MARK 标记,尤其是你处在一个具有不同代码风格的小组中时。这往往会导致若干个无关函数被放在了同一个组中,或者某个函数处于错误的位置。所以如果有一组函数应该写在一起,我倾向于把他们放到一个 extension 中。
一般我会用一个 extension 存放 ViewController 或者 AppDelegate 中所有初始化 UI 的函数,比如:

private extension AppDelegate {

func configureAppStyling() {
    styleNavigationBar()
    styleBarButtons()
}

func styleNavigationBar() {
    UINavigationBar.appearance().barTintColor = ColorPalette.ThemeColor
    UINavigationBar.appearance().tintColor = ColorPalette.TintColor
    
    UINavigationBar.appearance().titleTextAttributes = [
        NSFontAttributeName : SmoresFont.boldFontOfSize(19.0),
        NSForegroundColorAttributeName : UIColor.blackColor()
    ]
}

func styleBarButtons() {
    let barButtonTextAttributes = [
        NSFontAttributeName : SmoresFont.regularFontOfSize(17.0),
        NSForegroundColorAttributeName : ColorPalette.TintColor
    ]
    UIBarButtonItem.appearance().setTitleTextAttributes(barButtonTextAttributes, forState: .Normal)
}
}

或者把所有和通知相关的逻辑放到一起:

extension TodoListViewController {

// 初始化时候调用
func addNotificationObservers() {
    NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("onViewModelUpdate:"), name: TodoItemViewModel.viewModelViewUpdatedNotification, object: nil)
    NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("onTodoItemUpdate:"), name: TodoItemDelegate.todoItemUpdatedNotification, object: nil)
}

func onViewModelUpdate(notification: NSNotification) {
    if let indexPath = notification.object as? NSIndexPath {
        tableView.reloadRowsAtIndexPaths([indexPath], withRowAnimation: .None)
    }
}

func onTodoItemUpdate(notification: NSNotification) {
    if let itemObject = notification.object as? ValueWrapper<TodoItem> {
        let updatedItem = itemObject.value
        let updatedTodoList = dataSource.listFromUpdatedItem(updatedItem)
        dataSource = TodoListDataSource(todoList: updatedTodoList)
    }
}
}
遵守协议
struct TodoItemViewModel {
static let viewModelViewUpdatedNotification = "viewModelViewUpdatedNotification"

let item: TodoItem
let indexPath: NSIndexPath

var delegate: ImageWithTextCellDelegate {
    return TodoItemDelegate(item: item)
}

var attributedText: NSAttributedString {
    return itemContent
}
}

// 遵循 ImageWithTextCellDataSource 协议实现
extension TodoItemViewModel: ImageWithTextCellDataSource {

var imageName: String {
    return item.completed ? "checkboxChecked" : "checkbox"
}

var attributedText: NSAttributedString {
    return itemContent
}
}

这种方法同样非常适用于分割 UITableViewDataSource 和 UITableViewDelegate 的代码:

// MARK: 表格视图数据源
extension TodoListViewController: UITableViewDataSource {

func numberOfSectionsInTableView(tableView: UITableView) -> Int {
    return dataSource.sections.count
}

func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
    return dataSource.numberOfItemsInSection(section)
}

func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
    let cell = tableView.dequeueReusableCellWithIdentifier(String.fromClass(ImageWithTextTableViewCell), forIndexPath: indexPath) as! ImageWithTextTableViewCell
    let viewModel = dataSource.viewModelForCell(atIndexPath: indexPath)
    cell.configure(withDataSource: viewModel, delegate: viewModel.delegate)
    return cell
}
}
// MARK: 表格视图代理
extension TodoListViewController: UITableViewDelegate {

// MARK: 响应列选择
func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath) {
    performSegueWithIdentifier(todoItemSegueIdentifier, sender: self)
}

// MARK: 头部视图填充
func tableView(tableView: UITableView, viewForHeaderInSection section: Int) -> UIView? {
    if dataSource.sections[section] == TodoListDataSource.Section.DoneItems {
        let view = UIView()
        view.backgroundColor = ColorPalette.SectionSeparatorColor
        return view
    }
    return nil
}

func tableView(tableView: UITableView, heightForHeaderInSection section: Int) -> CGFloat {
    if dataSource.sections[section] == TodoListDataSource.Section.DoneItems {
        return 1.0
    }
    
    return 0.0
}

// MARK: 删除操作处理
func tableView(tableView: UITableView, canEditRowAtIndexPath indexPath: NSIndexPath) -> Bool {
    return true
}

func tableView(tableView: UITableView, editActionsForRowAtIndexPath indexPath: NSIndexPath) -> [UITableViewRowAction]?  {
    
    let deleteAction = UITableViewRowAction(style: .Destructive, title: "Delete") { [weak self] action , indexPath in
        if let updatedTodoList = self?.dataSource.listFromDeletedIndexPath(indexPath) {
            self?.dataSource = TodoListDataSource(todoList: updatedTodoList)
        }
    }
    
    return [deleteAction]
}
}
模型(Model)

这是一种我在使用 Objective-C 操作 Core Data 时就喜欢采用的方法。由于模型发生变化时,Xcode 会生成相应的模型,所以函数和其他的东西都是写在 extension 或者 category 里面的。

在 Swift 中,我尽可能多的尝试使用结构体,但我依然喜欢使用 extension 将 Model 的属性和基于属性的计算分割开来。这使 Model 的代码更容易阅读:

struct User {
let id: Int
let name: String
let avatarResource: Resource?
}

extension User {

var avatar: UIImage? {
    if let resource = avatarResource {
        if let avatarImage = ImageCache.defaultCache.retrieveImageInDiskCacheForKey(resource.cacheKey) {
            let imageSize = CGSize(width: 27, height: 27)
            let resizedImage = Toucan(image: avatarImage).resize(imageSize, fitMode: Toucan.Resize.FitMode.Scale).image
            return Toucan.Mask.maskImageWithEllipse(resizedImage)
        }
    }
    return nil
}

var defaultAvatar: UIImage? {
    if let defaultImageView = DefaultImageView.viewFromNib() {
        defaultImageView.configure(withLetters: initials)
        if let defaultImage = UIImage.imageFromView(defaultImageView) {
            return Toucan.Mask.maskImageWithEllipse(defaultImage)
        }
    }
    
    return nil
}

var initials: String {
    var initials = ""
    
    let nameComponents = name.componentsSeparatedByCharactersInSet(.whitespaceAndNewlineCharacterSet())
    
    // 得到第一个单词的第一个字母
    if let firstName = nameComponents.first, let firstCharacter = firstName.characters.first {
        initials.append(firstCharacter)
    }
    
    // 得到最后一个单词的第一个字母
    if nameComponents.count > 1 {
        if let lastName = nameComponents.last, let firstCharacter = lastName.characters.first {
            initials.append(firstCharacter)
        }
    }
    
    return initials
}
}

长话短说(TL;DR)

尽管这些用法可能不那么“传统”,但 Swift 中 extension 的简单使用,可以让代码质量更高,更具可读性。

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 204,732评论 6 478
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 87,496评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 151,264评论 0 338
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,807评论 1 277
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,806评论 5 368
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,675评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,029评论 3 399
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,683评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 41,704评论 1 299
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,666评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,773评论 1 332
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,413评论 4 321
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,016评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,978评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,204评论 1 260
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,083评论 2 350
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,503评论 2 343

推荐阅读更多精彩内容

  • 作者:Natasha,原文链接,原文日期:2016-03-29译者:bestswifter;校对:shanks;定...
    梁杰_numbbbbb阅读 475评论 0 3
  • 发现 关注 消息 iOS 第三方库、插件、知名博客总结 作者大灰狼的小绵羊哥哥关注 2017.06.26 09:4...
    肇东周阅读 12,019评论 4 62
  • 如果你想跑10000米 你得先跑过5000米 如果你想跑5000米 你得先跑过2000米 如果你想跑2000米 你...
    不想起个帅气的昵称阅读 426评论 1 1
  • 参加了由华宏汽车集团组织,王坤老师主讲的《有效演讲艺术》培训后,从2017年6月28日开始第一阶段训练,截止今日,...
    兴宇阅读 144评论 0 0
  • 信任,基本的信任 相信一种驯顺的人类 相信一种高尚的动物 如果贬低自己有好处 我一定会这么做的 我明白,我的价值 ...
    彭先生10阅读 265评论 0 0