转自链接:
https://www.jianshu.com/p/64931d040692
我们经常会在用一些自定义 UIView 来完成一些特殊的UI效果,但是怎么让我自定义的 UIView 在 Storyboard 中预览和修改一些自定义参数呢。这就需要用到两个吊吊的东西。
IB_DESIGNABLE让你的自定 UIView 可以在 IB 中预览。
IBInspectable让你的自定义 UIView 的属性出现在 IB 中 Attributes inspector 。
环境
OS X 10.11
Xcode 7
Objective-C
自定义一个 UIView
我们先来自定义一个简单的 UIView,叫做CircleView,顾名思义,可以显示一个圆形的 UIView。
我们想一下CircleView会有那些属性。
@interfaceCircleView:UIView@property(nonatomic,assign)CGFloatlineWidth;// 圆形线条的宽度@property(nonatomic,assign)CGFloatradius;// 圆形的半径@property(nonatomic,strong)UIColor*color;// 绘制的颜色@property(nonatomic,assign)BOOLfill;// 是否填充,是不是实心圆@end
有了这些属性我们开始绘制。
- (void)drawRect:(CGRect)rect {// 计算中心点CGFloatcenterX = (self.bounds.size.width -self.bounds.origin.x) /2;CGFloatcenterY = (self.bounds.size.height -self.bounds.origin.y) /2;UIBezierPath*path = [[UIBezierPathalloc] init];// 添加一个圆形[path addArcWithCenter:CGPointMake(centerX, centerY) radius:_radius startAngle:0endAngle:360clockwise:YES];// 设置线条宽度path.lineWidth = _lineWidth;// 设置线条颜色[_color setStroke];// 绘制线条[path stroke];if(_fill) {// 如果是实心圆,设置填充颜色[_color setFill];// 填充圆形[path fill]; } }
OK,一个简单的圆形 UIView 就搞定了,现在我们想在 IB 中使用这个 CircleView,打开一个 Storyboard,拖一个 UIView 上去,然后设置 UIView 的 Class 为我们自定义的 CircleView。
�拖一个 UIView
�设置 Class
这时候我们是看不到预览效果的。
看不到预览
IB_DESIGNABLE
想要在 IB 中预览,只需要在自定义的 UIView 加上IB_DESIGNABLE修饰即可。
IB_DESIGNABLE@interfaceCircleView:UIView...@end
之后再回到 Storyboard 中,会重新 building 一下,就可以看到预览效果啦。
看到预览效果
当然需要设置 CircleView 的几个属性,上面代码中我并有写默认值,所以是什么都看不到的,默认值自己设置一下就好我就不贴代码。能预览了之后,下一步就是怎么在 Storyboard 中直接修改 CircleView 的属性,半径、颜色之类的。
IBInspectable
还记得上面我们定义的 CircleView 的几个属性吧,只要我们能在 Storyboard 中修改这几个属性值,那么 CircleView 就会绘制出我们想要的效果。我们只需要属性声明的时候加上IBInspectable修饰,Xcode 会自动添加到 Storyboard 中 Attributes inspector 栏目中。
@property(nonatomic,assign) IBInspectableCGFloatlineWidth;@property(nonatomic,assign) IBInspectableCGFloatradius;@property(nonatomic,strong) IBInspectableUIColor*color;@property(nonatomic,assign) IBInspectableBOOLfill;
OK,再回到 Storyboard 中,building 之后,选中我们的 UIView 元素,在右边切换到 Attributes inspector 栏目,就可以在顶部看到我们自定义的属性。
自定义属性
Xcode 会根据不同的数据类型提供不同的输入框,我们可以随意修改属性,就可以看到预览效果。
修改颜色
�预览
�修改为填充
�实心圆形
网友评论