iOS简易蓝牙对战五子棋游戏设计思路之二——核心棋盘逻辑与胜负判定算法
一、引言
上一篇博客我们介绍了在开发一款蓝牙对战五子棋游戏中核心的蓝牙通讯框架的设计与编写,本篇博客将来完成独立的棋盘逻辑与胜负判定算法。上篇博客地址如下:
五子棋游戏中和核心通讯类设计:http://my.oschina.net/u/2340880/blog/644432。
二、棋盘中独立棋格的设计
我们知道,五子棋游戏的棋盘是由横纵交叉的两组平行线组成,每一个横纵线的交点即是棋盘上可以落子的点。因此,在设计棋盘前,我们可以先来设计创建棋盘上每一个独立的落子点,这里称之为棋格,在iOS中,可以使用UIButton类来进行棋格的设计。
创建一个类,命名为TipButton作为棋格类,实现其头文件如下:
TipButton.h
#import <UIKit/UIKit.h>
@interface TipButton : UIButton
//标记此瓦片是否已经落子 0 空 1 己方落子 2 敌方落子
@property(nonatomic,assign)int hasChess;
//落子 BOOL类型的参数 决定是己方还是敌方
-(void)dropChess:(BOOL)isMine;
//设置白子或者黑子
@property(nonatomic,assign)BOOL isWhite;
//瓦片编号
@property(nonatomic,assign)int index;
@end
实现.m文件如下:
#import "TipButton.h"
@implementation TipButton
- (instancetype)initWithFrame:(CGRect)frame
{
self = [super initWithFrame:frame];
if (self) {
[self creatView];
}
return self;
}
-(void)creatView{
//创建横竖两条线
UIView * line1 = [[UIView alloc]initWithFrame:CGRectMake(self.frame.size.width/2-0.25, 0, 0.5, self.frame.size.height)];
line1.backgroundColor = [UIColor grayColor];
[self addSubview:line1];
UIView * line2 = [[UIView alloc]initWithFrame:CGRectMake(0, self.frame.size.height/2-0.25, self.frame.size.width, 0.5)];
line2.backgroundColor = [UIColor grayColor];
[self addSubview:line2];
}
-(void)dropChess:(BOOL)isMine{
UIView * view = [[UIView alloc]initWithFrame:CGRectMake(self.frame.size.width/2-5, self.frame.size.height/2-5, 10, 10)];
view.layer.masksToBounds = YES;
view.layer.cornerRadius = 5;
UIColor * myColor;
UIColor * otherColor;
if (_isWhite) {
myColor = [UIColor whiteColor];
otherColor = [UIColor blackColor];
}else{
myColor = [UIColor blackColor];
otherColor = [UIColor whiteColor];
}
if (isMine) {
view.backgroundColor = myColor;
self.hasChess = 1;
}else{
view.backgroundColor = otherColor;
self.hasChess = 2;
}
[self addSubview:view];
}
@end