一行代码搞定引导页(新特性页)

最近一直忙着找工作,入职, 简书也停了好久没更新了.
如今尘埃落定, 该坚持的还是要继续坚持, 今天写一个新特性页的 demo.

现在新特性页也是越来越炫酷, 各种动画, 各种小视频. 传统的图片浏览器一样的新特性页越来越不受待见. 不过写写也无妨. 如果 UI 的图做的漂亮有新意, 新特性页就算传统一点, 也是很吸引人的. 假如 UI 的妹纸给你几张新特性页的图片素材, 你如何将其整合成一个完整的引导页呢?

引导页的基本构成

要说引导页其实整体来看就是一个控制器, 我们将其首先设为窗口window 的 rootViewController(根控制器),然后当点击开始进入的时候, 就切换根控制器即可

既然要一行代码搞定引导页, 那么我们这一行代码就要搞定两件事
  • 第一,创建引导页控制器并设置为窗口的根控制器
  • 第二,当点击开始进入按钮后,切换根控制器
那么我们在引导页控制器的.h 文件中就要暴露这么一个 API 供外界使用
- (instancetype)initWithURLs:(NSArray <NSURL *> *)urls CompletionHandle:(void(^)())completionHandle;
  • 参数1 :将 UI 妹纸给我们的图片素材整理成一个包含本地的 url 地址的数组
  • 参数2:是一个 block, 就是当我点击开始进入按钮后的回调, 在这里面写切换根控制器的代码

实现如下

AppDelegate.m

- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
    self.window = [[UIWindow alloc]initWithFrame:CGRectMake(0, 0, [UIScreen mainScreen].bounds.size.width, [UIScreen mainScreen].bounds.size.height)];
    
        NSMutableArray *mtArr = [NSMutableArray array];
        for (NSUInteger i = 0; i < 6; i ++) {
            NSString *fileName = [NSString stringWithFormat:@"%lu.jpg",i+1];
            
            NSURL *url = [[NSBundle mainBundle]URLForResource:fileName withExtension:nil];
            [mtArr addObject:url];
        }

    ZHLGuidePageController *guidePageVC = [[ZHLGuidePageController alloc]initWithURLs:mtArr.copy CompletionHandle:^{
        ViewController *viewController = [[ViewController alloc]init];
        self.window.rootViewController = viewController;
    }];
    self.window.rootViewController = guidePageVC;
    [self.window makeKeyAndVisible];
    
    return YES;
}

在ZHLGuidePageController中,我重写了 init 方法,将参数传入到控制器中,作为成员变量,供内部的私有 API 调用

ZHLGuidePageController.m

#import "ZHLGuidePageController.h"
#import "ZHLLoopView.h"
#import "ZHLPageControl.h"

@interface ZHLGuidePageController ()<UICollectionViewDelegate>

@end

typedef void(^CompletionHandle)() ;
@implementation ZHLGuidePageController
{
    NSArray <NSURL *> * _urls;
    ZHLPageControl *_pageControl;
    CompletionHandle _completionHandle;
}


- (instancetype)initWithURLs:(NSArray <NSURL *> *)urls CompletionHandle:(void(^)())completionHandle
{
    if (self = [super init]) {
        _completionHandle = completionHandle;
        _urls = urls;
    }
    return self;
}

- (void)viewDidLoad {
    [super viewDidLoad];
    ZHLLoopView *loopView = [[ZHLLoopView alloc]initWithURLs:_urls];
    loopView.frame = self.view.frame;
    loopView.delegate = self;
    [self.view addSubview:loopView];
    _pageControl = [[ZHLPageControl alloc]init];
    _pageControl.numberOfPages = _urls.count;
    [self.view addSubview:_pageControl];
    [[NSNotificationCenter defaultCenter] addObserverForName:@"ZHLChangeViewControllerNotification" object:nil queue:[NSOperationQueue mainQueue] usingBlock:^(NSNotification * _Nonnull note) {
        _completionHandle();
    }];
}

- (void)scrollViewDidScroll:(UIScrollView *)scrollView
{
    CGFloat pageIndex = (scrollView.contentOffset.x + self.view.bounds.size.width * 0.5) / self.view.bounds.size.width;
    _pageControl.currentPage = pageIndex;
}

@end

可以看到在上面的 -(void)viewDidLoad 方法 里面,我主要做的两件事情

  • 添加 collectionView 作为图片轮播
  • 添加 pageControl 作为分页指示

因为图片轮播用到了 collectionView,这样,你就需要建一个分类来管理这个 collectionView,在 collectionView 中展示图片
代码如下:

ZHLLoopView.m

#import "ZHLLoopView.h"
#import "ZHLLoopViewLayout.h"
#import "ZHLLoopViewCell.h"

NSString *const ZHLLoopViewCellID = @"ZHLLoopViewCellID";
@interface ZHLLoopView ()<UICollectionViewDataSource>

@end

@implementation ZHLLoopView
{
    NSArray <NSURL *> *_urls;
}

- (instancetype)initWithURLs:(NSArray <NSURL *> *)urls
{
    self = [super initWithFrame:CGRectZero collectionViewLayout:[[ZHLLoopViewLayout alloc]init]];
    if (self) {
        _urls = urls;
        self.dataSource = self;
        [self registerClass:[ZHLLoopViewCell class] forCellWithReuseIdentifier:ZHLLoopViewCellID];
    }
    return self;
}

- (NSInteger)collectionView:(UICollectionView *)collectionView numberOfItemsInSection:(NSInteger)section
{
    return _urls.count;
}

- (UICollectionViewCell *)collectionView:(UICollectionView *)collectionView cellForItemAtIndexPath:(NSIndexPath *)indexPath
{
    ZHLLoopViewCell *cell = [collectionView dequeueReusableCellWithReuseIdentifier: ZHLLoopViewCellID forIndexPath:indexPath];
    cell.backgroundColor = [UIColor colorWithRed:arc4random_uniform(256)/255.0 green:arc4random_uniform(256)/255.0 blue:arc4random_uniform(256)/255.0 alpha:1];
    if (indexPath.item == _urls.count - 1) {
        cell.buttonIsHidden = NO;
    }else{
        cell.buttonIsHidden = YES;
    }
    cell.url = _urls[indexPath.item];
    return cell;
}

@end

这里的代码有一点要注意的是, 我需要设置按钮的可见, 只有当 cell 是最后一个 cell 的时候,才显示按钮.因为涉及到 cell 的重用问题, 所以必须做好判断,有 if, 就应该有对应的 else, 否则重用就会出问题

collectionView 数据的展示需要两样东西

  • 注册 cell
  • 设置 flowLayout
    这两样东西我们也分别建立类管理起来

ZHLLoopViewLayout.m

#import "ZHLLoopViewLayout.h"

@implementation ZHLLoopViewLayout

- (void)prepareLayout
{
    [super prepareLayout];
    self.itemSize = self.collectionView.bounds.size;
    self.minimumLineSpacing = 0;
    self.minimumInteritemSpacing = 0;
    self.scrollDirection = UICollectionViewScrollDirectionHorizontal;
    self.collectionView.bounces = NO;
    self.collectionView.pagingEnabled = YES;
    self.collectionView.showsVerticalScrollIndicator = NO;
    self.collectionView.showsHorizontalScrollIndicator = NO;
}

ZHLLoopViewCell.m

#import "ZHLLoopViewCell.h"
#import "ZHLButton.h"

@implementation ZHLLoopViewCell
{
    UIImageView *_imageView;
    ZHLButton *_button;
    NSTimer *_timer;
}

- (instancetype)initWithFrame:(CGRect)frame
{
    self = [super initWithFrame:frame];
    if (self) {
        _imageView = [[UIImageView alloc]initWithFrame:self.bounds];
        _button = [[ZHLButton alloc]init];
        [self.contentView addSubview:_imageView];
        [self.contentView addSubview:_button];
    }
    return self;
}

- (void)setUrl:(NSURL *)url
{
    _url = url;
    NSData *data = [NSData dataWithContentsOfURL:url];
    UIImage *image = [UIImage imageWithData:data];
    _imageView.image = image;
    _button.hidden = self.buttonIsHidden;
    if (!self.buttonIsHidden) {
        NSTimer *timer = [NSTimer scheduledTimerWithTimeInterval:5 target:self selector:@selector(skippingGuidePageAction) userInfo:nil repeats:NO];
        _timer = timer;
        [[NSRunLoop currentRunLoop]addTimer:_timer forMode:NSRunLoopCommonModes];
    }else{
        [_timer invalidate];
        _timer = nil;
    }
}

- (void)skippingGuidePageAction
{
    [_button enterIntoTheAppAction];
}

@end

在设置 cell 的 图片的时候, 我们同时做出一个判断, 当用户停留在最后一个 cell 的时候开启计时器, 5秒钟后自动跳转到首页,当用户不停留在最后一个 cell 时 ,计时器失效并重置为 nil

在这个 demo 中, 我将最后的 "开始进入"的 button 也进行了重写

ZHLButton.m

#import "ZHLButton.h"

@implementation ZHLButton

- (instancetype)init
{
    self = [super init];
    if (self) {
        self.frame = CGRectMake(0, 0, [UIImage imageNamed:@"splash_video_ignore_132x44_"].size.width, [UIImage imageNamed:@"splash_video_ignore_132x44_"].size.height);
        self.center = CGPointMake([UIScreen mainScreen].bounds.size.width / 2, [UIScreen mainScreen].bounds.size.height * 8 / 9);
        [self setBackgroundImage:[UIImage imageNamed:@"splash_video_ignore_132x44_"] forState:UIControlStateNormal];
        [self setBackgroundImage:[UIImage imageNamed:@"splash_video_ignore_click_132x44_"] forState:UIControlStateHighlighted];
        [self addTarget:self action:@selector(enterIntoTheAppAction) forControlEvents:UIControlEventTouchUpInside];
    }
    return self;
}

- (void)enterIntoTheAppAction
{
    [[NSNotificationCenter defaultCenter]postNotificationName:@"ZHLChangeViewControllerNotification" object:nil];
}


@end

当点击按钮的时候发送通知,在控制器中接收到通知就会调用 block, 这样就可以完成切换控制器

ZHLGuidePageController.m

    [[NSNotificationCenter defaultCenter] addObserverForName:@"ZHLChangeViewControllerNotification" object:nil queue:[NSOperationQueue mainQueue] usingBlock:^(NSNotification * _Nonnull note) {
        _completionHandle();
    }];

_completionHandle就是初始化引导页控制器传进来的参数 block, 此时接收到按钮点击后触发发出的通知时,调用这个 block,完成控制器的切换.

让我们来看一下完成后的效果:

完成效果

如果不想等待, 直接进入,那么就点击按钮即可
如果想更换引导页, 只需要将图片的 url 地址整理成数组,传入到构造方法的参数里即可,别的就一行代码就不用改了.

- (instancetype)initWithURLs:(NSArray <NSURL *> *)urls CompletionHandle:(void(^)())completionHandle;

demo 地址链接

PS. 本人有若干成套学习视频, 包含Java, 数据结构与算法, iOS, 安卓, python, flutter等等, 如有需要, 联系微信tsaievan.

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

推荐阅读更多精彩内容