获取UIBezierPath的起点

时间:2016-04-18 19:35:42

标签: ios swift core-graphics uibezierpath

我创建了一个UIBezierPath,但我不知道如何访问它的起点。我试过这样做:

let startPoint = path.currentPoint

属性currentPoint给出了最后一点,而不是起点。我需要起点的原因是因为我想在路径的起点放置一个图像。

有什么想法吗?

2 个答案:

答案 0 :(得分:6)

您需要下拉到CGPath并使用CGPathApply来浏览元素。你只想要第一个,但你必须全部看一下。

我假设你的道路格式正确,并以“移动”开始。对于UIBezierPath来说应该总是如此(我不知道有什么方法可以使它不成真。)

你需要一些来自rob mayoff的CGPath.forEach的帮助,这非常棘手,但有了这个帮助,它非常简单:

// rob mayoff's CGPath.foreach
extension CGPath {
    func forEach(@noescape body: @convention(block) (CGPathElement) -> Void) {
        typealias Body = @convention(block) (CGPathElement) -> Void
        func callback(info: UnsafeMutablePointer<Void>, element: UnsafePointer<CGPathElement>) {
            let body = unsafeBitCast(info, Body.self)
            body(element.memory)
        }
        let unsafeBody = unsafeBitCast(body, UnsafeMutablePointer<Void>.self)
        CGPathApply(self, unsafeBody, callback)
    }
}

// Finds the first point in a path
extension UIBezierPath {
    func firstPoint() -> CGPoint? {
        var firstPoint: CGPoint? = nil

        self.CGPath.forEach { element in
            // Just want the first one, but we have to look at everything
            guard firstPoint == nil else { return }
            assert(element.type == .MoveToPoint, "Expected the first point to be a move")
            firstPoint = element.points.memory
        }
        return firstPoint
    }
}

在Swift 3中,它基本相同:

// rob mayoff's CGPath.foreach
extension CGPath {
    func forEach( body: @convention(block) (CGPathElement) -> Void) {
        typealias Body = @convention(block) (CGPathElement) -> Void
        func callback(info: UnsafeMutableRawPointer?, element: UnsafePointer<CGPathElement>) {
            let body = unsafeBitCast(info, to: Body.self)
            body(element.pointee)
        }
        let unsafeBody = unsafeBitCast(body, to: UnsafeMutableRawPointer.self)
        self.apply(info: unsafeBody, function: callback)
    }
}

// Finds the first point in a path
extension UIBezierPath {
    func firstPoint() -> CGPoint? {
        var firstPoint: CGPoint? = nil

        self.cgPath.forEach { element in
            // Just want the first one, but we have to look at everything
            guard firstPoint == nil else { return }
            assert(element.type == .moveToPoint, "Expected the first point to be a move")
            firstPoint = element.points.pointee
        }
        return firstPoint
    }
}

答案 1 :(得分:2)

最简单的方法是

- UIBezierPath的子类

将自定义属性创建为startPoint

- 取消moveToPoint方法并为startPoint设置值

class MyBezierPath: UIBezierPath {
    var startPoint :CGPoint?

    override func moveToPoint(point: CGPoint) {
        super.moveToPoint(point)
        startPoint=point;
    }
}

    var myBezier = MyBezierPath()
    myBezier.moveToPoint(CGPoint(x: 0, y: 0))
    myBezier.addLineToPoint(CGPoint(x: 100, y: 0))
    myBezier.addLineToPoint(CGPoint(x: 50, y: 100))