我有一个带有节点(UIViews
)的“滚动视图”,可以拖动它。我正在尝试使用“calayer”在选定的UIViews
之间绘制边缘,但是我无法弄清楚在视图位置更改后如何重新绘制线条。
在我的viewController
类中,将节点数组的第一条和第二条之间的边添加为:
EdgeLayer *edge = [[EdgeLayer alloc]init];
edge.delegate = self;
edge.strokeColor = [UIColor colorWithWhite:0.25 alpha:1.0];
edge.strokeWidth = 0.5;
edge.startNode = [nodes objectAtIndex:0];
edge.endNode = [nodes objectAtIndex:1];
edge.frame = scrollView.bounds;
[scrollView.layer addSublayer:edge];
[edge setNeedsDisplay];
EdgeLayer.h
:#import <Foundation/Foundation.h>
#import <QuartzCore/QuartzCore.h>
@interface EdgeLayer : CALayer
@property (nonatomic, strong) UIColor *fillColor;
@property (nonatomic) CGFloat strokeWidth;
@property (nonatomic, strong) UIColor *strokeColor;
@property (nonatomic) UIView *startNode;
@property (nonatomic) UIView *endNode;
@end
EdgeLayer.m
:#import "EdgeLayer.h"
#import "NodeView.h"
@implementation EdgeLayer
@synthesize fillColor, strokeColor, strokeWidth;
- (id)init {
self = [super init];
if (self) {
self.fillColor = [UIColor grayColor];
self.strokeColor = [UIColor blackColor];
self.strokeWidth = 1.0;
[self setNeedsDisplay];
}
return self;
}
- (void) setStartNode:(NodeView*)startNode
{
_startNode = startNode;
[self setNeedsDisplay];
}
- (void) setEndNode:(NodeView*)endNode
{
_endNode = endNode;
[endNode addObserver:self forKeyPath:@"endNode" options:NSKeyValueObservingOptionNew context:nil];
[self setNeedsDisplay];
}
-(id)initWithLayer:(id)layer
{
self = [super initWithLayer:layer];
return self;
}
-(void) observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change: (NSDictionary *)change context:(void *)context
{
if ([keyPath isEqualToString:@"endNode"] )
{
// process here
}
NSLog(@"View changed its geometry");
}
- (void)drawInContext:(CGContextRef)ctx
{
NSLog(@"DRAW");
CGContextSetStrokeColorWithColor(ctx, [UIColor blackColor].CGColor);
CGContextSetLineWidth(ctx, 2);
CGContextMoveToPoint(ctx, _startNode.center.x, _startNode.center.y);
CGContextAddLineToPoint(ctx, _endNode.center.x, _endNode.center.y);
CGContextStrokePath(ctx);
}
@end
这将从第一和第二节点的中心位置开始添加一条线。我试图为终端节点添加观察者,但是我认为我做的不正确。我无法触发
observeValueForKeyPath
方法。我的猜测是我在错误的位置添加了观察者。 最佳答案
问题不在于您添加观察者的位置,而是您要观察的内容-您将endNode用作endNode上的keyPath,这是行不通的(无论如何拖动,endNode都不会改变)。您要观察的endNode属性是中心。
然后,您只需要将要观察的keyPath更改为“center”,并更改observeValueForKeyPath:ofObject:change:context:的实现即可,
-(void) observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary *)change context:(void *)context {
if ([keyPath isEqualToString:@"center"] ) [self setNeedsDisplay];
}
我通过向其中一个nodeViews添加一个平移手势识别器进行了测试,并在拖动时适当地更新了连接两个节点的线。