1 /*
2 * Copyright 2006 The Android Open Source Project
3 *
4 * Use of this source code is governed by a BSD-style license that can be
5 * found in the LICENSE file.
6 */
7
8 #include "include/core/SkPath.h"
9
10 #include "include/core/SkData.h"
11 #include "include/core/SkMath.h"
12 #include "include/core/SkPathBuilder.h"
13 #include "include/core/SkRRect.h"
14 #include "include/private/SkMacros.h"
15 #include "include/private/SkPathRef.h"
16 #include "include/private/SkTo.h"
17 #include "src/core/SkBuffer.h"
18 #include "src/core/SkCubicClipper.h"
19 #include "src/core/SkGeometry.h"
20 #include "src/core/SkMatrixPriv.h"
21 #include "src/core/SkPathMakers.h"
22 #include "src/core/SkPathPriv.h"
23 #include "src/core/SkPointPriv.h"
24 #include "src/core/SkSafeMath.h"
25 #include "src/core/SkTLazy.h"
26 // need SkDVector
27 #include "src/pathops/SkPathOpsPoint.h"
28
29 #include <cmath>
30 #include <utility>
31
32 struct SkPath_Storage_Equivalent {
33 void* fPtr;
34 int32_t fIndex;
35 uint32_t fFlags;
36 };
37
38 static_assert(sizeof(SkPath) == sizeof(SkPath_Storage_Equivalent),
39 "Please keep an eye on SkPath packing.");
40
poly_eval(float A,float B,float C,float t)41 static float poly_eval(float A, float B, float C, float t) {
42 return (A * t + B) * t + C;
43 }
44
poly_eval(float A,float B,float C,float D,float t)45 static float poly_eval(float A, float B, float C, float D, float t) {
46 return ((A * t + B) * t + C) * t + D;
47 }
48
49 ////////////////////////////////////////////////////////////////////////////
50
51 /**
52 * Path.bounds is defined to be the bounds of all the control points.
53 * If we called bounds.join(r) we would skip r if r was empty, which breaks
54 * our promise. Hence we have a custom joiner that doesn't look at emptiness
55 */
joinNoEmptyChecks(SkRect * dst,const SkRect & src)56 static void joinNoEmptyChecks(SkRect* dst, const SkRect& src) {
57 dst->fLeft = std::min(dst->fLeft, src.fLeft);
58 dst->fTop = std::min(dst->fTop, src.fTop);
59 dst->fRight = std::max(dst->fRight, src.fRight);
60 dst->fBottom = std::max(dst->fBottom, src.fBottom);
61 }
62
is_degenerate(const SkPath & path)63 static bool is_degenerate(const SkPath& path) {
64 return (path.countVerbs() - SkPathPriv::LeadingMoveToCount(path)) == 0;
65 }
66
67 class SkAutoDisableDirectionCheck {
68 public:
SkAutoDisableDirectionCheck(SkPath * path)69 SkAutoDisableDirectionCheck(SkPath* path) : fPath(path) {
70 fSaved = static_cast<SkPathFirstDirection>(fPath->getFirstDirection());
71 }
72
~SkAutoDisableDirectionCheck()73 ~SkAutoDisableDirectionCheck() {
74 fPath->setFirstDirection(fSaved);
75 }
76
77 private:
78 SkPath* fPath;
79 SkPathFirstDirection fSaved;
80 };
81
82 /* This class's constructor/destructor bracket a path editing operation. It is
83 used when we know the bounds of the amount we are going to add to the path
84 (usually a new contour, but not required).
85
86 It captures some state about the path up front (i.e. if it already has a
87 cached bounds), and then if it can, it updates the cache bounds explicitly,
88 avoiding the need to revisit all of the points in getBounds().
89
90 It also notes if the path was originally degenerate, and if so, sets
91 isConvex to true. Thus it can only be used if the contour being added is
92 convex.
93 */
94 class SkAutoPathBoundsUpdate {
95 public:
SkAutoPathBoundsUpdate(SkPath * path,const SkRect & r)96 SkAutoPathBoundsUpdate(SkPath* path, const SkRect& r) : fPath(path), fRect(r) {
97 // Cannot use fRect for our bounds unless we know it is sorted
98 fRect.sort();
99 // Mark the path's bounds as dirty if (1) they are, or (2) the path
100 // is non-finite, and therefore its bounds are not meaningful
101 fHasValidBounds = path->hasComputedBounds() && path->isFinite();
102 fEmpty = path->isEmpty();
103 if (fHasValidBounds && !fEmpty) {
104 joinNoEmptyChecks(&fRect, fPath->getBounds());
105 }
106 fDegenerate = is_degenerate(*path);
107 }
108
~SkAutoPathBoundsUpdate()109 ~SkAutoPathBoundsUpdate() {
110 fPath->setConvexity(fDegenerate ? SkPathConvexity::kConvex
111 : SkPathConvexity::kUnknown);
112 if ((fEmpty || fHasValidBounds) && fRect.isFinite()) {
113 fPath->setBounds(fRect);
114 }
115 }
116
117 private:
118 SkPath* fPath;
119 SkRect fRect;
120 bool fHasValidBounds;
121 bool fDegenerate;
122 bool fEmpty;
123 };
124
125 ////////////////////////////////////////////////////////////////////////////
126
127 /*
128 Stores the verbs and points as they are given to us, with exceptions:
129 - we only record "Close" if it was immediately preceeded by Move | Line | Quad | Cubic
130 - we insert a Move(0,0) if Line | Quad | Cubic is our first command
131
132 The iterator does more cleanup, especially if forceClose == true
133 1. If we encounter degenerate segments, remove them
134 2. if we encounter Close, return a cons'd up Line() first (if the curr-pt != start-pt)
135 3. if we encounter Move without a preceeding Close, and forceClose is true, goto #2
136 4. if we encounter Line | Quad | Cubic after Close, cons up a Move
137 */
138
139 ////////////////////////////////////////////////////////////////////////////
140
141 // flag to require a moveTo if we begin with something else, like lineTo etc.
142 // This will also be the value of lastMoveToIndex for a single contour
143 // ending with close, so countVerbs needs to be checked against 0.
144 #define INITIAL_LASTMOVETOINDEX_VALUE ~0
145
SkPath()146 SkPath::SkPath()
147 : fPathRef(SkPathRef::CreateEmpty()) {
148 this->resetFields();
149 fIsVolatile = false;
150 }
151
SkPath(sk_sp<SkPathRef> pr,SkPathFillType ft,bool isVolatile,SkPathConvexity ct,SkPathFirstDirection firstDirection)152 SkPath::SkPath(sk_sp<SkPathRef> pr, SkPathFillType ft, bool isVolatile, SkPathConvexity ct,
153 SkPathFirstDirection firstDirection)
154 : fPathRef(std::move(pr))
155 , fLastMoveToIndex(INITIAL_LASTMOVETOINDEX_VALUE)
156 , fConvexity((uint8_t)ct)
157 , fFirstDirection((uint8_t)firstDirection)
158 , fFillType((unsigned)ft)
159 , fIsVolatile(isVolatile)
160 {}
161
resetFields()162 void SkPath::resetFields() {
163 //fPathRef is assumed to have been emptied by the caller.
164 fLastMoveToIndex = INITIAL_LASTMOVETOINDEX_VALUE;
165 fFillType = SkToU8(SkPathFillType::kWinding);
166 this->setConvexity(SkPathConvexity::kUnknown);
167 this->setFirstDirection(SkPathFirstDirection::kUnknown);
168
169 // We don't touch Android's fSourcePath. It's used to track texture garbage collection, so we
170 // don't want to muck with it if it's been set to something non-nullptr.
171 }
172
SkPath(const SkPath & that)173 SkPath::SkPath(const SkPath& that)
174 : fPathRef(SkRef(that.fPathRef.get())) {
175 this->copyFields(that);
176 SkDEBUGCODE(that.validate();)
177 }
178
~SkPath()179 SkPath::~SkPath() {
180 SkDEBUGCODE(this->validate();)
181 }
182
operator =(const SkPath & that)183 SkPath& SkPath::operator=(const SkPath& that) {
184 SkDEBUGCODE(that.validate();)
185
186 if (this != &that) {
187 fPathRef.reset(SkRef(that.fPathRef.get()));
188 this->copyFields(that);
189 }
190 SkDEBUGCODE(this->validate();)
191 return *this;
192 }
193
copyFields(const SkPath & that)194 void SkPath::copyFields(const SkPath& that) {
195 //fPathRef is assumed to have been set by the caller.
196 fLastMoveToIndex = that.fLastMoveToIndex;
197 fFillType = that.fFillType;
198 fIsVolatile = that.fIsVolatile;
199
200 // Non-atomic assignment of atomic values.
201 this->setConvexity(that.getConvexityOrUnknown());
202 this->setFirstDirection(that.getFirstDirection());
203 }
204
operator ==(const SkPath & a,const SkPath & b)205 bool operator==(const SkPath& a, const SkPath& b) {
206 // note: don't need to look at isConvex or bounds, since just comparing the
207 // raw data is sufficient.
208 return &a == &b ||
209 (a.fFillType == b.fFillType && *a.fPathRef == *b.fPathRef);
210 }
211
swap(SkPath & that)212 void SkPath::swap(SkPath& that) {
213 if (this != &that) {
214 fPathRef.swap(that.fPathRef);
215 std::swap(fLastMoveToIndex, that.fLastMoveToIndex);
216
217 const auto ft = fFillType;
218 fFillType = that.fFillType;
219 that.fFillType = ft;
220
221 const auto iv = fIsVolatile;
222 fIsVolatile = that.fIsVolatile;
223 that.fIsVolatile = iv;
224
225 // Non-atomic swaps of atomic values.
226 SkPathConvexity c = this->getConvexityOrUnknown();
227 this->setConvexity(that.getConvexityOrUnknown());
228 that.setConvexity(c);
229
230 SkPathFirstDirection fd = this->getFirstDirection();
231 this->setFirstDirection(that.getFirstDirection());
232 that.setFirstDirection(fd);
233 }
234 }
235
isInterpolatable(const SkPath & compare) const236 bool SkPath::isInterpolatable(const SkPath& compare) const {
237 // need the same structure (verbs, conicweights) and same point-count
238 return fPathRef->fPoints.count() == compare.fPathRef->fPoints.count() &&
239 fPathRef->fVerbs == compare.fPathRef->fVerbs &&
240 fPathRef->fConicWeights == compare.fPathRef->fConicWeights;
241 }
242
interpolate(const SkPath & ending,SkScalar weight,SkPath * out) const243 bool SkPath::interpolate(const SkPath& ending, SkScalar weight, SkPath* out) const {
244 int pointCount = fPathRef->countPoints();
245 if (pointCount != ending.fPathRef->countPoints()) {
246 return false;
247 }
248 if (!pointCount) {
249 return true;
250 }
251 out->reset();
252 out->addPath(*this);
253 fPathRef->interpolate(*ending.fPathRef, weight, out->fPathRef.get());
254 return true;
255 }
256
check_edge_against_rect(const SkPoint & p0,const SkPoint & p1,const SkRect & rect,SkPathFirstDirection dir)257 static inline bool check_edge_against_rect(const SkPoint& p0,
258 const SkPoint& p1,
259 const SkRect& rect,
260 SkPathFirstDirection dir) {
261 const SkPoint* edgeBegin;
262 SkVector v;
263 if (SkPathFirstDirection::kCW == dir) {
264 v = p1 - p0;
265 edgeBegin = &p0;
266 } else {
267 v = p0 - p1;
268 edgeBegin = &p1;
269 }
270 if (v.fX || v.fY) {
271 // check the cross product of v with the vec from edgeBegin to each rect corner
272 SkScalar yL = v.fY * (rect.fLeft - edgeBegin->fX);
273 SkScalar xT = v.fX * (rect.fTop - edgeBegin->fY);
274 SkScalar yR = v.fY * (rect.fRight - edgeBegin->fX);
275 SkScalar xB = v.fX * (rect.fBottom - edgeBegin->fY);
276 if ((xT < yL) || (xT < yR) || (xB < yL) || (xB < yR)) {
277 return false;
278 }
279 }
280 return true;
281 }
282
conservativelyContainsRect(const SkRect & rect) const283 bool SkPath::conservativelyContainsRect(const SkRect& rect) const {
284 // This only handles non-degenerate convex paths currently.
285 if (!this->isConvex()) {
286 return false;
287 }
288
289 SkPathFirstDirection direction = SkPathPriv::ComputeFirstDirection(*this);
290 if (direction == SkPathFirstDirection::kUnknown) {
291 return false;
292 }
293
294 SkPoint firstPt;
295 SkPoint prevPt;
296 int segmentCount = 0;
297 SkDEBUGCODE(int moveCnt = 0;)
298
299 for (auto [verb, pts, weight] : SkPathPriv::Iterate(*this)) {
300 if (verb == SkPathVerb::kClose || (segmentCount > 0 && verb == SkPathVerb::kMove)) {
301 // Closing the current contour; but since convexity is a precondition, it's the only
302 // contour that matters.
303 SkASSERT(moveCnt);
304 segmentCount++;
305 break;
306 } else if (verb == SkPathVerb::kMove) {
307 // A move at the start of the contour (or multiple leading moves, in which case we
308 // keep the last one before a non-move verb).
309 SkASSERT(!segmentCount);
310 SkDEBUGCODE(++moveCnt);
311 firstPt = prevPt = pts[0];
312 } else {
313 int pointCount = SkPathPriv::PtsInVerb((unsigned) verb);
314 SkASSERT(pointCount > 0);
315
316 if (!SkPathPriv::AllPointsEq(pts, pointCount + 1)) {
317 SkASSERT(moveCnt);
318 int nextPt = pointCount;
319 segmentCount++;
320
321 if (SkPathVerb::kConic == verb) {
322 SkConic orig;
323 orig.set(pts, *weight);
324 SkPoint quadPts[5];
325 int count = orig.chopIntoQuadsPOW2(quadPts, 1);
326 SkASSERT_RELEASE(2 == count);
327
328 if (!check_edge_against_rect(quadPts[0], quadPts[2], rect, direction)) {
329 return false;
330 }
331 if (!check_edge_against_rect(quadPts[2], quadPts[4], rect, direction)) {
332 return false;
333 }
334 } else {
335 if (!check_edge_against_rect(prevPt, pts[nextPt], rect, direction)) {
336 return false;
337 }
338 }
339 prevPt = pts[nextPt];
340 }
341 }
342 }
343
344 if (segmentCount) {
345 return check_edge_against_rect(prevPt, firstPt, rect, direction);
346 }
347 return false;
348 }
349
getGenerationID() const350 uint32_t SkPath::getGenerationID() const {
351 uint32_t genID = fPathRef->genID();
352 #ifdef SK_BUILD_FOR_ANDROID_FRAMEWORK
353 SkASSERT((unsigned)fFillType < (1 << (32 - SkPathPriv::kPathRefGenIDBitCnt)));
354 genID |= static_cast<uint32_t>(fFillType) << SkPathPriv::kPathRefGenIDBitCnt;
355 #endif
356 return genID;
357 }
358
reset()359 SkPath& SkPath::reset() {
360 SkDEBUGCODE(this->validate();)
361
362 fPathRef.reset(SkPathRef::CreateEmpty());
363 this->resetFields();
364 return *this;
365 }
366
rewind()367 SkPath& SkPath::rewind() {
368 SkDEBUGCODE(this->validate();)
369
370 SkPathRef::Rewind(&fPathRef);
371 this->resetFields();
372 return *this;
373 }
374
isLastContourClosed() const375 bool SkPath::isLastContourClosed() const {
376 int verbCount = fPathRef->countVerbs();
377 if (0 == verbCount) {
378 return false;
379 }
380 return kClose_Verb == fPathRef->atVerb(verbCount - 1);
381 }
382
isLine(SkPoint line[2]) const383 bool SkPath::isLine(SkPoint line[2]) const {
384 int verbCount = fPathRef->countVerbs();
385
386 if (2 == verbCount) {
387 SkASSERT(kMove_Verb == fPathRef->atVerb(0));
388 if (kLine_Verb == fPathRef->atVerb(1)) {
389 SkASSERT(2 == fPathRef->countPoints());
390 if (line) {
391 const SkPoint* pts = fPathRef->points();
392 line[0] = pts[0];
393 line[1] = pts[1];
394 }
395 return true;
396 }
397 }
398 return false;
399 }
400
401 /*
402 Determines if path is a rect by keeping track of changes in direction
403 and looking for a loop either clockwise or counterclockwise.
404
405 The direction is computed such that:
406 0: vertical up
407 1: horizontal left
408 2: vertical down
409 3: horizontal right
410
411 A rectangle cycles up/right/down/left or up/left/down/right.
412
413 The test fails if:
414 The path is closed, and followed by a line.
415 A second move creates a new endpoint.
416 A diagonal line is parsed.
417 There's more than four changes of direction.
418 There's a discontinuity on the line (e.g., a move in the middle)
419 The line reverses direction.
420 The path contains a quadratic or cubic.
421 The path contains fewer than four points.
422 *The rectangle doesn't complete a cycle.
423 *The final point isn't equal to the first point.
424
425 *These last two conditions we relax if we have a 3-edge path that would
426 form a rectangle if it were closed (as we do when we fill a path)
427
428 It's OK if the path has:
429 Several colinear line segments composing a rectangle side.
430 Single points on the rectangle side.
431
432 The direction takes advantage of the corners found since opposite sides
433 must travel in opposite directions.
434
435 FIXME: Allow colinear quads and cubics to be treated like lines.
436 FIXME: If the API passes fill-only, return true if the filled stroke
437 is a rectangle, though the caller failed to close the path.
438
439 directions values:
440 0x1 is set if the segment is horizontal
441 0x2 is set if the segment is moving to the right or down
442 thus:
443 two directions are opposites iff (dirA ^ dirB) == 0x2
444 two directions are perpendicular iff (dirA ^ dirB) == 0x1
445
446 */
rect_make_dir(SkScalar dx,SkScalar dy)447 static int rect_make_dir(SkScalar dx, SkScalar dy) {
448 return ((0 != dx) << 0) | ((dx > 0 || dy > 0) << 1);
449 }
450
isRect(SkRect * rect,bool * isClosed,SkPathDirection * direction) const451 bool SkPath::isRect(SkRect* rect, bool* isClosed, SkPathDirection* direction) const {
452 SkDEBUGCODE(this->validate();)
453 int currVerb = 0;
454 const SkPoint* pts = fPathRef->points();
455 return SkPathPriv::IsRectContour(*this, false, &currVerb, &pts, isClosed, direction, rect);
456 }
457
isOval(SkRect * bounds) const458 bool SkPath::isOval(SkRect* bounds) const {
459 return SkPathPriv::IsOval(*this, bounds, nullptr, nullptr);
460 }
461
isRRect(SkRRect * rrect) const462 bool SkPath::isRRect(SkRRect* rrect) const {
463 return SkPathPriv::IsRRect(*this, rrect, nullptr, nullptr);
464 }
465
countPoints() const466 int SkPath::countPoints() const {
467 return fPathRef->countPoints();
468 }
469
getPoints(SkPoint dst[],int max) const470 int SkPath::getPoints(SkPoint dst[], int max) const {
471 SkDEBUGCODE(this->validate();)
472
473 SkASSERT(max >= 0);
474 SkASSERT(!max || dst);
475 int count = std::min(max, fPathRef->countPoints());
476 sk_careful_memcpy(dst, fPathRef->points(), count * sizeof(SkPoint));
477 return fPathRef->countPoints();
478 }
479
getPoint(int index) const480 SkPoint SkPath::getPoint(int index) const {
481 if ((unsigned)index < (unsigned)fPathRef->countPoints()) {
482 return fPathRef->atPoint(index);
483 }
484 return SkPoint::Make(0, 0);
485 }
486
countVerbs() const487 int SkPath::countVerbs() const {
488 return fPathRef->countVerbs();
489 }
490
getVerbs(uint8_t dst[],int max) const491 int SkPath::getVerbs(uint8_t dst[], int max) const {
492 SkDEBUGCODE(this->validate();)
493
494 SkASSERT(max >= 0);
495 SkASSERT(!max || dst);
496 int count = std::min(max, fPathRef->countVerbs());
497 if (count) {
498 memcpy(dst, fPathRef->verbsBegin(), count);
499 }
500 return fPathRef->countVerbs();
501 }
502
approximateBytesUsed() const503 size_t SkPath::approximateBytesUsed() const {
504 size_t size = sizeof (SkPath);
505 if (fPathRef != nullptr) {
506 size += fPathRef->approximateBytesUsed();
507 }
508 return size;
509 }
510
getLastPt(SkPoint * lastPt) const511 bool SkPath::getLastPt(SkPoint* lastPt) const {
512 SkDEBUGCODE(this->validate();)
513
514 int count = fPathRef->countPoints();
515 if (count > 0) {
516 if (lastPt) {
517 *lastPt = fPathRef->atPoint(count - 1);
518 }
519 return true;
520 }
521 if (lastPt) {
522 lastPt->set(0, 0);
523 }
524 return false;
525 }
526
setPt(int index,SkScalar x,SkScalar y)527 void SkPath::setPt(int index, SkScalar x, SkScalar y) {
528 SkDEBUGCODE(this->validate();)
529
530 int count = fPathRef->countPoints();
531 if (count <= index) {
532 return;
533 } else {
534 SkPathRef::Editor ed(&fPathRef);
535 ed.atPoint(index)->set(x, y);
536 }
537 }
538
setLastPt(SkScalar x,SkScalar y)539 void SkPath::setLastPt(SkScalar x, SkScalar y) {
540 SkDEBUGCODE(this->validate();)
541
542 int count = fPathRef->countPoints();
543 if (count == 0) {
544 this->moveTo(x, y);
545 } else {
546 SkPathRef::Editor ed(&fPathRef);
547 ed.atPoint(count-1)->set(x, y);
548 }
549 }
550
551 // This is the public-facing non-const setConvexity().
setConvexity(SkPathConvexity c)552 void SkPath::setConvexity(SkPathConvexity c) {
553 fConvexity.store((uint8_t)c, std::memory_order_relaxed);
554 }
555
556 // Const hooks for working with fConvexity and fFirstDirection from const methods.
setConvexity(SkPathConvexity c) const557 void SkPath::setConvexity(SkPathConvexity c) const {
558 fConvexity.store((uint8_t)c, std::memory_order_relaxed);
559 }
setFirstDirection(SkPathFirstDirection d) const560 void SkPath::setFirstDirection(SkPathFirstDirection d) const {
561 fFirstDirection.store((uint8_t)d, std::memory_order_relaxed);
562 }
getFirstDirection() const563 SkPathFirstDirection SkPath::getFirstDirection() const {
564 return (SkPathFirstDirection)fFirstDirection.load(std::memory_order_relaxed);
565 }
566
isConvexityAccurate() const567 bool SkPath::isConvexityAccurate() const {
568 SkPathConvexity convexity = this->getConvexityOrUnknown();
569 if (convexity != SkPathConvexity::kUnknown) {
570 auto conv = this->computeConvexity();
571 if (conv != convexity) {
572 SkASSERT(false);
573 return false;
574 }
575 }
576 return true;
577 }
578
getConvexity() const579 SkPathConvexity SkPath::getConvexity() const {
580 // Enable once we fix all the bugs
581 // SkDEBUGCODE(this->isConvexityAccurate());
582 SkPathConvexity convexity = this->getConvexityOrUnknown();
583 if (convexity == SkPathConvexity::kUnknown) {
584 convexity = this->computeConvexity();
585 }
586 SkASSERT(convexity != SkPathConvexity::kUnknown);
587 return convexity;
588 }
589
590 //////////////////////////////////////////////////////////////////////////////
591 // Construction methods
592
dirtyAfterEdit()593 SkPath& SkPath::dirtyAfterEdit() {
594 this->setConvexity(SkPathConvexity::kUnknown);
595 this->setFirstDirection(SkPathFirstDirection::kUnknown);
596
597 #ifdef SK_DEBUG
598 // enable this as needed for testing, but it slows down some chrome tests so much
599 // that they don't complete, so we don't enable it by default
600 // e.g. TEST(IdentifiabilityPaintOpDigestTest, MassiveOpSkipped)
601 if (this->countVerbs() < 16) {
602 SkASSERT(fPathRef->dataMatchesVerbs());
603 }
604 #endif
605
606 return *this;
607 }
608
incReserve(int inc)609 void SkPath::incReserve(int inc) {
610 SkDEBUGCODE(this->validate();)
611 if (inc > 0) {
612 SkPathRef::Editor(&fPathRef, inc, inc);
613 }
614 SkDEBUGCODE(this->validate();)
615 }
616
moveTo(SkScalar x,SkScalar y)617 SkPath& SkPath::moveTo(SkScalar x, SkScalar y) {
618 SkDEBUGCODE(this->validate();)
619
620 SkPathRef::Editor ed(&fPathRef);
621
622 // remember our index
623 fLastMoveToIndex = fPathRef->countPoints();
624
625 ed.growForVerb(kMove_Verb)->set(x, y);
626
627 return this->dirtyAfterEdit();
628 }
629
rMoveTo(SkScalar x,SkScalar y)630 SkPath& SkPath::rMoveTo(SkScalar x, SkScalar y) {
631 SkPoint pt = {0,0};
632 int count = fPathRef->countPoints();
633 if (count > 0) {
634 if (fLastMoveToIndex >= 0) {
635 pt = fPathRef->atPoint(count - 1);
636 } else {
637 pt = fPathRef->atPoint(~fLastMoveToIndex);
638 }
639 }
640 return this->moveTo(pt.fX + x, pt.fY + y);
641 }
642
injectMoveToIfNeeded()643 void SkPath::injectMoveToIfNeeded() {
644 if (fLastMoveToIndex < 0) {
645 SkScalar x, y;
646 if (fPathRef->countVerbs() == 0) {
647 x = y = 0;
648 } else {
649 const SkPoint& pt = fPathRef->atPoint(~fLastMoveToIndex);
650 x = pt.fX;
651 y = pt.fY;
652 }
653 this->moveTo(x, y);
654 }
655 }
656
lineTo(SkScalar x,SkScalar y)657 SkPath& SkPath::lineTo(SkScalar x, SkScalar y) {
658 SkDEBUGCODE(this->validate();)
659
660 this->injectMoveToIfNeeded();
661
662 SkPathRef::Editor ed(&fPathRef);
663 ed.growForVerb(kLine_Verb)->set(x, y);
664
665 return this->dirtyAfterEdit();
666 }
667
rLineTo(SkScalar x,SkScalar y)668 SkPath& SkPath::rLineTo(SkScalar x, SkScalar y) {
669 this->injectMoveToIfNeeded(); // This can change the result of this->getLastPt().
670 SkPoint pt;
671 this->getLastPt(&pt);
672 return this->lineTo(pt.fX + x, pt.fY + y);
673 }
674
quadTo(SkScalar x1,SkScalar y1,SkScalar x2,SkScalar y2)675 SkPath& SkPath::quadTo(SkScalar x1, SkScalar y1, SkScalar x2, SkScalar y2) {
676 SkDEBUGCODE(this->validate();)
677
678 this->injectMoveToIfNeeded();
679
680 SkPathRef::Editor ed(&fPathRef);
681 SkPoint* pts = ed.growForVerb(kQuad_Verb);
682 pts[0].set(x1, y1);
683 pts[1].set(x2, y2);
684
685 return this->dirtyAfterEdit();
686 }
687
rQuadTo(SkScalar x1,SkScalar y1,SkScalar x2,SkScalar y2)688 SkPath& SkPath::rQuadTo(SkScalar x1, SkScalar y1, SkScalar x2, SkScalar y2) {
689 this->injectMoveToIfNeeded(); // This can change the result of this->getLastPt().
690 SkPoint pt;
691 this->getLastPt(&pt);
692 return this->quadTo(pt.fX + x1, pt.fY + y1, pt.fX + x2, pt.fY + y2);
693 }
694
conicTo(SkScalar x1,SkScalar y1,SkScalar x2,SkScalar y2,SkScalar w)695 SkPath& SkPath::conicTo(SkScalar x1, SkScalar y1, SkScalar x2, SkScalar y2,
696 SkScalar w) {
697 // check for <= 0 or NaN with this test
698 if (!(w > 0)) {
699 this->lineTo(x2, y2);
700 } else if (!SkScalarIsFinite(w)) {
701 this->lineTo(x1, y1);
702 this->lineTo(x2, y2);
703 } else if (SK_Scalar1 == w) {
704 this->quadTo(x1, y1, x2, y2);
705 } else {
706 SkDEBUGCODE(this->validate();)
707
708 this->injectMoveToIfNeeded();
709
710 SkPathRef::Editor ed(&fPathRef);
711 SkPoint* pts = ed.growForVerb(kConic_Verb, w);
712 pts[0].set(x1, y1);
713 pts[1].set(x2, y2);
714
715 (void)this->dirtyAfterEdit();
716 }
717 return *this;
718 }
719
rConicTo(SkScalar dx1,SkScalar dy1,SkScalar dx2,SkScalar dy2,SkScalar w)720 SkPath& SkPath::rConicTo(SkScalar dx1, SkScalar dy1, SkScalar dx2, SkScalar dy2,
721 SkScalar w) {
722 this->injectMoveToIfNeeded(); // This can change the result of this->getLastPt().
723 SkPoint pt;
724 this->getLastPt(&pt);
725 return this->conicTo(pt.fX + dx1, pt.fY + dy1, pt.fX + dx2, pt.fY + dy2, w);
726 }
727
cubicTo(SkScalar x1,SkScalar y1,SkScalar x2,SkScalar y2,SkScalar x3,SkScalar y3)728 SkPath& SkPath::cubicTo(SkScalar x1, SkScalar y1, SkScalar x2, SkScalar y2,
729 SkScalar x3, SkScalar y3) {
730 SkDEBUGCODE(this->validate();)
731
732 this->injectMoveToIfNeeded();
733
734 SkPathRef::Editor ed(&fPathRef);
735 SkPoint* pts = ed.growForVerb(kCubic_Verb);
736 pts[0].set(x1, y1);
737 pts[1].set(x2, y2);
738 pts[2].set(x3, y3);
739
740 return this->dirtyAfterEdit();
741 }
742
rCubicTo(SkScalar x1,SkScalar y1,SkScalar x2,SkScalar y2,SkScalar x3,SkScalar y3)743 SkPath& SkPath::rCubicTo(SkScalar x1, SkScalar y1, SkScalar x2, SkScalar y2,
744 SkScalar x3, SkScalar y3) {
745 this->injectMoveToIfNeeded(); // This can change the result of this->getLastPt().
746 SkPoint pt;
747 this->getLastPt(&pt);
748 return this->cubicTo(pt.fX + x1, pt.fY + y1, pt.fX + x2, pt.fY + y2,
749 pt.fX + x3, pt.fY + y3);
750 }
751
close()752 SkPath& SkPath::close() {
753 SkDEBUGCODE(this->validate();)
754
755 int count = fPathRef->countVerbs();
756 if (count > 0) {
757 switch (fPathRef->atVerb(count - 1)) {
758 case kLine_Verb:
759 case kQuad_Verb:
760 case kConic_Verb:
761 case kCubic_Verb:
762 case kMove_Verb: {
763 SkPathRef::Editor ed(&fPathRef);
764 ed.growForVerb(kClose_Verb);
765 break;
766 }
767 case kClose_Verb:
768 // don't add a close if it's the first verb or a repeat
769 break;
770 default:
771 SkDEBUGFAIL("unexpected verb");
772 break;
773 }
774 }
775
776 // signal that we need a moveTo to follow us (unless we're done)
777 #if 0
778 if (fLastMoveToIndex >= 0) {
779 fLastMoveToIndex = ~fLastMoveToIndex;
780 }
781 #else
782 fLastMoveToIndex ^= ~fLastMoveToIndex >> (8 * sizeof(fLastMoveToIndex) - 1);
783 #endif
784 return *this;
785 }
786
787 ///////////////////////////////////////////////////////////////////////////////
788
assert_known_direction(SkPathDirection dir)789 static void assert_known_direction(SkPathDirection dir) {
790 SkASSERT(SkPathDirection::kCW == dir || SkPathDirection::kCCW == dir);
791 }
792
addRect(const SkRect & rect,SkPathDirection dir,unsigned startIndex)793 SkPath& SkPath::addRect(const SkRect &rect, SkPathDirection dir, unsigned startIndex) {
794 assert_known_direction(dir);
795 this->setFirstDirection(this->hasOnlyMoveTos() ? (SkPathFirstDirection)dir
796 : SkPathFirstDirection::kUnknown);
797 SkAutoDisableDirectionCheck addc(this);
798 SkAutoPathBoundsUpdate apbu(this, rect);
799
800 SkDEBUGCODE(int initialVerbCount = this->countVerbs());
801
802 const int kVerbs = 5; // moveTo + 3x lineTo + close
803 this->incReserve(kVerbs);
804
805 SkPath_RectPointIterator iter(rect, dir, startIndex);
806
807 this->moveTo(iter.current());
808 this->lineTo(iter.next());
809 this->lineTo(iter.next());
810 this->lineTo(iter.next());
811 this->close();
812
813 SkASSERT(this->countVerbs() == initialVerbCount + kVerbs);
814 return *this;
815 }
816
addPoly(const SkPoint pts[],int count,bool close)817 SkPath& SkPath::addPoly(const SkPoint pts[], int count, bool close) {
818 SkDEBUGCODE(this->validate();)
819 if (count <= 0) {
820 return *this;
821 }
822
823 fLastMoveToIndex = fPathRef->countPoints();
824
825 // +close makes room for the extra kClose_Verb
826 SkPathRef::Editor ed(&fPathRef, count+close, count);
827
828 ed.growForVerb(kMove_Verb)->set(pts[0].fX, pts[0].fY);
829 if (count > 1) {
830 SkPoint* p = ed.growForRepeatedVerb(kLine_Verb, count - 1);
831 memcpy(p, &pts[1], (count-1) * sizeof(SkPoint));
832 }
833
834 if (close) {
835 ed.growForVerb(kClose_Verb);
836 fLastMoveToIndex ^= ~fLastMoveToIndex >> (8 * sizeof(fLastMoveToIndex) - 1);
837 }
838
839 (void)this->dirtyAfterEdit();
840 SkDEBUGCODE(this->validate();)
841 return *this;
842 }
843
844 #include "src/core/SkGeometry.h"
845
arc_is_lone_point(const SkRect & oval,SkScalar startAngle,SkScalar sweepAngle,SkPoint * pt)846 static bool arc_is_lone_point(const SkRect& oval, SkScalar startAngle, SkScalar sweepAngle,
847 SkPoint* pt) {
848 if (0 == sweepAngle && (0 == startAngle || SkIntToScalar(360) == startAngle)) {
849 // Chrome uses this path to move into and out of ovals. If not
850 // treated as a special case the moves can distort the oval's
851 // bounding box (and break the circle special case).
852 pt->set(oval.fRight, oval.centerY());
853 return true;
854 } else if (0 == oval.width() && 0 == oval.height()) {
855 // Chrome will sometimes create 0 radius round rects. Having degenerate
856 // quad segments in the path prevents the path from being recognized as
857 // a rect.
858 // TODO: optimizing the case where only one of width or height is zero
859 // should also be considered. This case, however, doesn't seem to be
860 // as common as the single point case.
861 pt->set(oval.fRight, oval.fTop);
862 return true;
863 }
864 return false;
865 }
866
867 // Return the unit vectors pointing at the start/stop points for the given start/sweep angles
868 //
angles_to_unit_vectors(SkScalar startAngle,SkScalar sweepAngle,SkVector * startV,SkVector * stopV,SkRotationDirection * dir)869 static void angles_to_unit_vectors(SkScalar startAngle, SkScalar sweepAngle,
870 SkVector* startV, SkVector* stopV, SkRotationDirection* dir) {
871 SkScalar startRad = SkDegreesToRadians(startAngle),
872 stopRad = SkDegreesToRadians(startAngle + sweepAngle);
873
874 startV->fY = SkScalarSinSnapToZero(startRad);
875 startV->fX = SkScalarCosSnapToZero(startRad);
876 stopV->fY = SkScalarSinSnapToZero(stopRad);
877 stopV->fX = SkScalarCosSnapToZero(stopRad);
878
879 /* If the sweep angle is nearly (but less than) 360, then due to precision
880 loss in radians-conversion and/or sin/cos, we may end up with coincident
881 vectors, which will fool SkBuildQuadArc into doing nothing (bad) instead
882 of drawing a nearly complete circle (good).
883 e.g. canvas.drawArc(0, 359.99, ...)
884 -vs- canvas.drawArc(0, 359.9, ...)
885 We try to detect this edge case, and tweak the stop vector
886 */
887 if (*startV == *stopV) {
888 SkScalar sw = SkScalarAbs(sweepAngle);
889 if (sw < SkIntToScalar(360) && sw > SkIntToScalar(359)) {
890 // make a guess at a tiny angle (in radians) to tweak by
891 SkScalar deltaRad = SkScalarCopySign(SK_Scalar1/512, sweepAngle);
892 // not sure how much will be enough, so we use a loop
893 do {
894 stopRad -= deltaRad;
895 stopV->fY = SkScalarSinSnapToZero(stopRad);
896 stopV->fX = SkScalarCosSnapToZero(stopRad);
897 } while (*startV == *stopV);
898 }
899 }
900 *dir = sweepAngle > 0 ? kCW_SkRotationDirection : kCCW_SkRotationDirection;
901 }
902
903 /**
904 * If this returns 0, then the caller should just line-to the singlePt, else it should
905 * ignore singlePt and append the specified number of conics.
906 */
build_arc_conics(const SkRect & oval,const SkVector & start,const SkVector & stop,SkRotationDirection dir,SkConic conics[SkConic::kMaxConicsForArc],SkPoint * singlePt)907 static int build_arc_conics(const SkRect& oval, const SkVector& start, const SkVector& stop,
908 SkRotationDirection dir, SkConic conics[SkConic::kMaxConicsForArc],
909 SkPoint* singlePt) {
910 SkMatrix matrix;
911
912 matrix.setScale(SkScalarHalf(oval.width()), SkScalarHalf(oval.height()));
913 matrix.postTranslate(oval.centerX(), oval.centerY());
914
915 int count = SkConic::BuildUnitArc(start, stop, dir, &matrix, conics);
916 if (0 == count) {
917 matrix.mapXY(stop.x(), stop.y(), singlePt);
918 }
919 return count;
920 }
921
addRoundRect(const SkRect & rect,const SkScalar radii[],SkPathDirection dir)922 SkPath& SkPath::addRoundRect(const SkRect& rect, const SkScalar radii[],
923 SkPathDirection dir) {
924 SkRRect rrect;
925 rrect.setRectRadii(rect, (const SkVector*) radii);
926 return this->addRRect(rrect, dir);
927 }
928
addRRect(const SkRRect & rrect,SkPathDirection dir)929 SkPath& SkPath::addRRect(const SkRRect& rrect, SkPathDirection dir) {
930 // legacy start indices: 6 (CW) and 7(CCW)
931 return this->addRRect(rrect, dir, dir == SkPathDirection::kCW ? 6 : 7);
932 }
933
addRRect(const SkRRect & rrect,SkPathDirection dir,unsigned startIndex)934 SkPath& SkPath::addRRect(const SkRRect &rrect, SkPathDirection dir, unsigned startIndex) {
935 assert_known_direction(dir);
936
937 bool isRRect = hasOnlyMoveTos();
938 const SkRect& bounds = rrect.getBounds();
939
940 if (rrect.isRect() || rrect.isEmpty()) {
941 // degenerate(rect) => radii points are collapsing
942 this->addRect(bounds, dir, (startIndex + 1) / 2);
943 } else if (rrect.isOval()) {
944 // degenerate(oval) => line points are collapsing
945 this->addOval(bounds, dir, startIndex / 2);
946 } else {
947 this->setFirstDirection(this->hasOnlyMoveTos() ? (SkPathFirstDirection)dir
948 : SkPathFirstDirection::kUnknown);
949
950 SkAutoPathBoundsUpdate apbu(this, bounds);
951 SkAutoDisableDirectionCheck addc(this);
952
953 // we start with a conic on odd indices when moving CW vs. even indices when moving CCW
954 const bool startsWithConic = ((startIndex & 1) == (dir == SkPathDirection::kCW));
955 const SkScalar weight = SK_ScalarRoot2Over2;
956
957 SkDEBUGCODE(int initialVerbCount = this->countVerbs());
958 const int kVerbs = startsWithConic
959 ? 9 // moveTo + 4x conicTo + 3x lineTo + close
960 : 10; // moveTo + 4x lineTo + 4x conicTo + close
961 this->incReserve(kVerbs);
962
963 SkPath_RRectPointIterator rrectIter(rrect, dir, startIndex);
964 // Corner iterator indices follow the collapsed radii model,
965 // adjusted such that the start pt is "behind" the radii start pt.
966 const unsigned rectStartIndex = startIndex / 2 + (dir == SkPathDirection::kCW ? 0 : 1);
967 SkPath_RectPointIterator rectIter(bounds, dir, rectStartIndex);
968
969 this->moveTo(rrectIter.current());
970 if (startsWithConic) {
971 for (unsigned i = 0; i < 3; ++i) {
972 this->conicTo(rectIter.next(), rrectIter.next(), weight);
973 this->lineTo(rrectIter.next());
974 }
975 this->conicTo(rectIter.next(), rrectIter.next(), weight);
976 // final lineTo handled by close().
977 } else {
978 for (unsigned i = 0; i < 4; ++i) {
979 this->lineTo(rrectIter.next());
980 this->conicTo(rectIter.next(), rrectIter.next(), weight);
981 }
982 }
983 this->close();
984
985 SkPathRef::Editor ed(&fPathRef);
986 ed.setIsRRect(isRRect, dir == SkPathDirection::kCCW, startIndex % 8);
987
988 SkASSERT(this->countVerbs() == initialVerbCount + kVerbs);
989 }
990
991 SkDEBUGCODE(fPathRef->validate();)
992 return *this;
993 }
994
hasOnlyMoveTos() const995 bool SkPath::hasOnlyMoveTos() const {
996 int count = fPathRef->countVerbs();
997 const uint8_t* verbs = fPathRef->verbsBegin();
998 for (int i = 0; i < count; ++i) {
999 if (*verbs == kLine_Verb ||
1000 *verbs == kQuad_Verb ||
1001 *verbs == kConic_Verb ||
1002 *verbs == kCubic_Verb) {
1003 return false;
1004 }
1005 ++verbs;
1006 }
1007 return true;
1008 }
1009
isZeroLengthSincePoint(int startPtIndex) const1010 bool SkPath::isZeroLengthSincePoint(int startPtIndex) const {
1011 int count = fPathRef->countPoints() - startPtIndex;
1012 if (count < 2) {
1013 return true;
1014 }
1015 const SkPoint* pts = fPathRef->points() + startPtIndex;
1016 const SkPoint& first = *pts;
1017 for (int index = 1; index < count; ++index) {
1018 if (first != pts[index]) {
1019 return false;
1020 }
1021 }
1022 return true;
1023 }
1024
addRoundRect(const SkRect & rect,SkScalar rx,SkScalar ry,SkPathDirection dir)1025 SkPath& SkPath::addRoundRect(const SkRect& rect, SkScalar rx, SkScalar ry,
1026 SkPathDirection dir) {
1027 assert_known_direction(dir);
1028
1029 if (rx < 0 || ry < 0) {
1030 return *this;
1031 }
1032
1033 SkRRect rrect;
1034 rrect.setRectXY(rect, rx, ry);
1035 return this->addRRect(rrect, dir);
1036 }
1037
addOval(const SkRect & oval,SkPathDirection dir)1038 SkPath& SkPath::addOval(const SkRect& oval, SkPathDirection dir) {
1039 // legacy start index: 1
1040 return this->addOval(oval, dir, 1);
1041 }
1042
addOval(const SkRect & oval,SkPathDirection dir,unsigned startPointIndex)1043 SkPath& SkPath::addOval(const SkRect &oval, SkPathDirection dir, unsigned startPointIndex) {
1044 assert_known_direction(dir);
1045
1046 /* If addOval() is called after previous moveTo(),
1047 this path is still marked as an oval. This is used to
1048 fit into WebKit's calling sequences.
1049 We can't simply check isEmpty() in this case, as additional
1050 moveTo() would mark the path non empty.
1051 */
1052 bool isOval = hasOnlyMoveTos();
1053 if (isOval) {
1054 this->setFirstDirection((SkPathFirstDirection)dir);
1055 } else {
1056 this->setFirstDirection(SkPathFirstDirection::kUnknown);
1057 }
1058
1059 SkAutoDisableDirectionCheck addc(this);
1060 SkAutoPathBoundsUpdate apbu(this, oval);
1061
1062 SkDEBUGCODE(int initialVerbCount = this->countVerbs());
1063 const int kVerbs = 6; // moveTo + 4x conicTo + close
1064 this->incReserve(kVerbs);
1065
1066 SkPath_OvalPointIterator ovalIter(oval, dir, startPointIndex);
1067 // The corner iterator pts are tracking "behind" the oval/radii pts.
1068 SkPath_RectPointIterator rectIter(oval, dir, startPointIndex + (dir == SkPathDirection::kCW ? 0 : 1));
1069 const SkScalar weight = SK_ScalarRoot2Over2;
1070
1071 this->moveTo(ovalIter.current());
1072 for (unsigned i = 0; i < 4; ++i) {
1073 this->conicTo(rectIter.next(), ovalIter.next(), weight);
1074 }
1075 this->close();
1076
1077 SkASSERT(this->countVerbs() == initialVerbCount + kVerbs);
1078
1079 SkPathRef::Editor ed(&fPathRef);
1080
1081 ed.setIsOval(isOval, SkPathDirection::kCCW == dir, startPointIndex % 4);
1082 return *this;
1083 }
1084
addCircle(SkScalar x,SkScalar y,SkScalar r,SkPathDirection dir)1085 SkPath& SkPath::addCircle(SkScalar x, SkScalar y, SkScalar r, SkPathDirection dir) {
1086 if (r > 0) {
1087 this->addOval(SkRect::MakeLTRB(x - r, y - r, x + r, y + r), dir);
1088 }
1089 return *this;
1090 }
1091
arcTo(const SkRect & oval,SkScalar startAngle,SkScalar sweepAngle,bool forceMoveTo)1092 SkPath& SkPath::arcTo(const SkRect& oval, SkScalar startAngle, SkScalar sweepAngle,
1093 bool forceMoveTo) {
1094 if (oval.width() < 0 || oval.height() < 0) {
1095 return *this;
1096 }
1097
1098 if (fPathRef->countVerbs() == 0) {
1099 forceMoveTo = true;
1100 }
1101
1102 SkPoint lonePt;
1103 if (arc_is_lone_point(oval, startAngle, sweepAngle, &lonePt)) {
1104 return forceMoveTo ? this->moveTo(lonePt) : this->lineTo(lonePt);
1105 }
1106
1107 SkVector startV, stopV;
1108 SkRotationDirection dir;
1109 angles_to_unit_vectors(startAngle, sweepAngle, &startV, &stopV, &dir);
1110
1111 SkPoint singlePt;
1112
1113 // Adds a move-to to 'pt' if forceMoveTo is true. Otherwise a lineTo unless we're sufficiently
1114 // close to 'pt' currently. This prevents spurious lineTos when adding a series of contiguous
1115 // arcs from the same oval.
1116 auto addPt = [&forceMoveTo, this](const SkPoint& pt) {
1117 SkPoint lastPt;
1118 if (forceMoveTo) {
1119 this->moveTo(pt);
1120 } else if (!this->getLastPt(&lastPt) ||
1121 !SkScalarNearlyEqual(lastPt.fX, pt.fX) ||
1122 !SkScalarNearlyEqual(lastPt.fY, pt.fY)) {
1123 this->lineTo(pt);
1124 }
1125 };
1126
1127 // At this point, we know that the arc is not a lone point, but startV == stopV
1128 // indicates that the sweepAngle is too small such that angles_to_unit_vectors
1129 // cannot handle it.
1130 if (startV == stopV) {
1131 SkScalar endAngle = SkDegreesToRadians(startAngle + sweepAngle);
1132 SkScalar radiusX = oval.width() / 2;
1133 SkScalar radiusY = oval.height() / 2;
1134 // We do not use SkScalar[Sin|Cos]SnapToZero here. When sin(startAngle) is 0 and sweepAngle
1135 // is very small and radius is huge, the expected behavior here is to draw a line. But
1136 // calling SkScalarSinSnapToZero will make sin(endAngle) be 0 which will then draw a dot.
1137 singlePt.set(oval.centerX() + radiusX * SkScalarCos(endAngle),
1138 oval.centerY() + radiusY * SkScalarSin(endAngle));
1139 addPt(singlePt);
1140 return *this;
1141 }
1142
1143 SkConic conics[SkConic::kMaxConicsForArc];
1144 int count = build_arc_conics(oval, startV, stopV, dir, conics, &singlePt);
1145 if (count) {
1146 this->incReserve(count * 2 + 1);
1147 const SkPoint& pt = conics[0].fPts[0];
1148 addPt(pt);
1149 for (int i = 0; i < count; ++i) {
1150 this->conicTo(conics[i].fPts[1], conics[i].fPts[2], conics[i].fW);
1151 }
1152 } else {
1153 addPt(singlePt);
1154 }
1155 return *this;
1156 }
1157
1158 // This converts the SVG arc to conics.
1159 // Partly adapted from Niko's code in kdelibs/kdecore/svgicons.
1160 // Then transcribed from webkit/chrome's SVGPathNormalizer::decomposeArcToCubic()
1161 // See also SVG implementation notes:
1162 // http://www.w3.org/TR/SVG/implnote.html#ArcConversionEndpointToCenter
1163 // Note that arcSweep bool value is flipped from the original implementation.
arcTo(SkScalar rx,SkScalar ry,SkScalar angle,SkPath::ArcSize arcLarge,SkPathDirection arcSweep,SkScalar x,SkScalar y)1164 SkPath& SkPath::arcTo(SkScalar rx, SkScalar ry, SkScalar angle, SkPath::ArcSize arcLarge,
1165 SkPathDirection arcSweep, SkScalar x, SkScalar y) {
1166 this->injectMoveToIfNeeded();
1167 SkPoint srcPts[2];
1168 this->getLastPt(&srcPts[0]);
1169 // If rx = 0 or ry = 0 then this arc is treated as a straight line segment (a "lineto")
1170 // joining the endpoints.
1171 // http://www.w3.org/TR/SVG/implnote.html#ArcOutOfRangeParameters
1172 if (!rx || !ry) {
1173 return this->lineTo(x, y);
1174 }
1175 // If the current point and target point for the arc are identical, it should be treated as a
1176 // zero length path. This ensures continuity in animations.
1177 srcPts[1].set(x, y);
1178 if (srcPts[0] == srcPts[1]) {
1179 return this->lineTo(x, y);
1180 }
1181 rx = SkScalarAbs(rx);
1182 ry = SkScalarAbs(ry);
1183 SkVector midPointDistance = srcPts[0] - srcPts[1];
1184 midPointDistance *= 0.5f;
1185
1186 SkMatrix pointTransform;
1187 pointTransform.setRotate(-angle);
1188
1189 SkPoint transformedMidPoint;
1190 pointTransform.mapPoints(&transformedMidPoint, &midPointDistance, 1);
1191 SkScalar squareRx = rx * rx;
1192 SkScalar squareRy = ry * ry;
1193 SkScalar squareX = transformedMidPoint.fX * transformedMidPoint.fX;
1194 SkScalar squareY = transformedMidPoint.fY * transformedMidPoint.fY;
1195
1196 // Check if the radii are big enough to draw the arc, scale radii if not.
1197 // http://www.w3.org/TR/SVG/implnote.html#ArcCorrectionOutOfRangeRadii
1198 SkScalar radiiScale = squareX / squareRx + squareY / squareRy;
1199 if (radiiScale > 1) {
1200 radiiScale = SkScalarSqrt(radiiScale);
1201 rx *= radiiScale;
1202 ry *= radiiScale;
1203 }
1204
1205 pointTransform.setScale(1 / rx, 1 / ry);
1206 pointTransform.preRotate(-angle);
1207
1208 SkPoint unitPts[2];
1209 pointTransform.mapPoints(unitPts, srcPts, (int) SK_ARRAY_COUNT(unitPts));
1210 SkVector delta = unitPts[1] - unitPts[0];
1211
1212 SkScalar d = delta.fX * delta.fX + delta.fY * delta.fY;
1213 SkScalar scaleFactorSquared = std::max(1 / d - 0.25f, 0.f);
1214
1215 SkScalar scaleFactor = SkScalarSqrt(scaleFactorSquared);
1216 if ((arcSweep == SkPathDirection::kCCW) != SkToBool(arcLarge)) { // flipped from the original implementation
1217 scaleFactor = -scaleFactor;
1218 }
1219 delta.scale(scaleFactor);
1220 SkPoint centerPoint = unitPts[0] + unitPts[1];
1221 centerPoint *= 0.5f;
1222 centerPoint.offset(-delta.fY, delta.fX);
1223 unitPts[0] -= centerPoint;
1224 unitPts[1] -= centerPoint;
1225 SkScalar theta1 = SkScalarATan2(unitPts[0].fY, unitPts[0].fX);
1226 SkScalar theta2 = SkScalarATan2(unitPts[1].fY, unitPts[1].fX);
1227 SkScalar thetaArc = theta2 - theta1;
1228 if (thetaArc < 0 && (arcSweep == SkPathDirection::kCW)) { // arcSweep flipped from the original implementation
1229 thetaArc += SK_ScalarPI * 2;
1230 } else if (thetaArc > 0 && (arcSweep != SkPathDirection::kCW)) { // arcSweep flipped from the original implementation
1231 thetaArc -= SK_ScalarPI * 2;
1232 }
1233
1234 // Very tiny angles cause our subsequent math to go wonky (skbug.com/9272)
1235 // so we do a quick check here. The precise tolerance amount is just made up.
1236 // PI/million happens to fix the bug in 9272, but a larger value is probably
1237 // ok too.
1238 if (SkScalarAbs(thetaArc) < (SK_ScalarPI / (1000 * 1000))) {
1239 return this->lineTo(x, y);
1240 }
1241
1242 pointTransform.setRotate(angle);
1243 pointTransform.preScale(rx, ry);
1244
1245 // the arc may be slightly bigger than 1/4 circle, so allow up to 1/3rd
1246 int segments = SkScalarCeilToInt(SkScalarAbs(thetaArc / (2 * SK_ScalarPI / 3)));
1247 SkScalar thetaWidth = thetaArc / segments;
1248 SkScalar t = SkScalarTan(0.5f * thetaWidth);
1249 if (!SkScalarIsFinite(t)) {
1250 return *this;
1251 }
1252 SkScalar startTheta = theta1;
1253 SkScalar w = SkScalarSqrt(SK_ScalarHalf + SkScalarCos(thetaWidth) * SK_ScalarHalf);
1254 auto scalar_is_integer = [](SkScalar scalar) -> bool {
1255 return scalar == SkScalarFloorToScalar(scalar);
1256 };
1257 bool expectIntegers = SkScalarNearlyZero(SK_ScalarPI/2 - SkScalarAbs(thetaWidth)) &&
1258 scalar_is_integer(rx) && scalar_is_integer(ry) &&
1259 scalar_is_integer(x) && scalar_is_integer(y);
1260
1261 for (int i = 0; i < segments; ++i) {
1262 SkScalar endTheta = startTheta + thetaWidth,
1263 sinEndTheta = SkScalarSinSnapToZero(endTheta),
1264 cosEndTheta = SkScalarCosSnapToZero(endTheta);
1265
1266 unitPts[1].set(cosEndTheta, sinEndTheta);
1267 unitPts[1] += centerPoint;
1268 unitPts[0] = unitPts[1];
1269 unitPts[0].offset(t * sinEndTheta, -t * cosEndTheta);
1270 SkPoint mapped[2];
1271 pointTransform.mapPoints(mapped, unitPts, (int) SK_ARRAY_COUNT(unitPts));
1272 /*
1273 Computing the arc width introduces rounding errors that cause arcs to start
1274 outside their marks. A round rect may lose convexity as a result. If the input
1275 values are on integers, place the conic on integers as well.
1276 */
1277 if (expectIntegers) {
1278 for (SkPoint& point : mapped) {
1279 point.fX = SkScalarRoundToScalar(point.fX);
1280 point.fY = SkScalarRoundToScalar(point.fY);
1281 }
1282 }
1283 this->conicTo(mapped[0], mapped[1], w);
1284 startTheta = endTheta;
1285 }
1286
1287 #ifndef SK_LEGACY_PATH_ARCTO_ENDPOINT
1288 // The final point should match the input point (by definition); replace it to
1289 // ensure that rounding errors in the above math don't cause any problems.
1290 this->setLastPt(x, y);
1291 #endif
1292 return *this;
1293 }
1294
rArcTo(SkScalar rx,SkScalar ry,SkScalar xAxisRotate,SkPath::ArcSize largeArc,SkPathDirection sweep,SkScalar dx,SkScalar dy)1295 SkPath& SkPath::rArcTo(SkScalar rx, SkScalar ry, SkScalar xAxisRotate, SkPath::ArcSize largeArc,
1296 SkPathDirection sweep, SkScalar dx, SkScalar dy) {
1297 SkPoint currentPoint;
1298 this->getLastPt(¤tPoint);
1299 return this->arcTo(rx, ry, xAxisRotate, largeArc, sweep,
1300 currentPoint.fX + dx, currentPoint.fY + dy);
1301 }
1302
addArc(const SkRect & oval,SkScalar startAngle,SkScalar sweepAngle)1303 SkPath& SkPath::addArc(const SkRect& oval, SkScalar startAngle, SkScalar sweepAngle) {
1304 if (oval.isEmpty() || 0 == sweepAngle) {
1305 return *this;
1306 }
1307
1308 const SkScalar kFullCircleAngle = SkIntToScalar(360);
1309
1310 if (sweepAngle >= kFullCircleAngle || sweepAngle <= -kFullCircleAngle) {
1311 // We can treat the arc as an oval if it begins at one of our legal starting positions.
1312 // See SkPath::addOval() docs.
1313 SkScalar startOver90 = startAngle / 90.f;
1314 SkScalar startOver90I = SkScalarRoundToScalar(startOver90);
1315 SkScalar error = startOver90 - startOver90I;
1316 if (SkScalarNearlyEqual(error, 0)) {
1317 // Index 1 is at startAngle == 0.
1318 SkScalar startIndex = std::fmod(startOver90I + 1.f, 4.f);
1319 startIndex = startIndex < 0 ? startIndex + 4.f : startIndex;
1320 return this->addOval(oval, sweepAngle > 0 ? SkPathDirection::kCW : SkPathDirection::kCCW,
1321 (unsigned) startIndex);
1322 }
1323 }
1324 return this->arcTo(oval, startAngle, sweepAngle, true);
1325 }
1326
1327 /*
1328 Need to handle the case when the angle is sharp, and our computed end-points
1329 for the arc go behind pt1 and/or p2...
1330 */
arcTo(SkScalar x1,SkScalar y1,SkScalar x2,SkScalar y2,SkScalar radius)1331 SkPath& SkPath::arcTo(SkScalar x1, SkScalar y1, SkScalar x2, SkScalar y2, SkScalar radius) {
1332 this->injectMoveToIfNeeded();
1333
1334 if (radius == 0) {
1335 return this->lineTo(x1, y1);
1336 }
1337
1338 // need to know our prev pt so we can construct tangent vectors
1339 SkPoint start;
1340 this->getLastPt(&start);
1341
1342 // need double precision for these calcs.
1343 SkDVector befored, afterd;
1344 befored.set({x1 - start.fX, y1 - start.fY}).normalize();
1345 afterd.set({x2 - x1, y2 - y1}).normalize();
1346 double cosh = befored.dot(afterd);
1347 double sinh = befored.cross(afterd);
1348
1349 if (!befored.isFinite() || !afterd.isFinite() || SkScalarNearlyZero(SkDoubleToScalar(sinh))) {
1350 return this->lineTo(x1, y1);
1351 }
1352
1353 // safe to convert back to floats now
1354 SkVector before = befored.asSkVector();
1355 SkVector after = afterd.asSkVector();
1356 SkScalar dist = SkScalarAbs(SkDoubleToScalar(radius * (1 - cosh) / sinh));
1357 SkScalar xx = x1 - dist * before.fX;
1358 SkScalar yy = y1 - dist * before.fY;
1359 after.setLength(dist);
1360 this->lineTo(xx, yy);
1361 SkScalar weight = SkScalarSqrt(SkDoubleToScalar(SK_ScalarHalf + cosh * 0.5));
1362 return this->conicTo(x1, y1, x1 + after.fX, y1 + after.fY, weight);
1363 }
1364
1365 ///////////////////////////////////////////////////////////////////////////////
1366
addPath(const SkPath & path,SkScalar dx,SkScalar dy,AddPathMode mode)1367 SkPath& SkPath::addPath(const SkPath& path, SkScalar dx, SkScalar dy, AddPathMode mode) {
1368 SkMatrix matrix;
1369
1370 matrix.setTranslate(dx, dy);
1371 return this->addPath(path, matrix, mode);
1372 }
1373
addPath(const SkPath & srcPath,const SkMatrix & matrix,AddPathMode mode)1374 SkPath& SkPath::addPath(const SkPath& srcPath, const SkMatrix& matrix, AddPathMode mode) {
1375 if (srcPath.isEmpty()) {
1376 return *this;
1377 }
1378
1379 // Detect if we're trying to add ourself
1380 const SkPath* src = &srcPath;
1381 SkTLazy<SkPath> tmp;
1382 if (this == src) {
1383 src = tmp.set(srcPath);
1384 }
1385
1386 if (kAppend_AddPathMode == mode && !matrix.hasPerspective()) {
1387 fLastMoveToIndex = this->countPoints() + src->fLastMoveToIndex;
1388
1389 SkPathRef::Editor ed(&fPathRef);
1390 auto [newPts, newWeights] = ed.growForVerbsInPath(*src->fPathRef);
1391 matrix.mapPoints(newPts, src->fPathRef->points(), src->countPoints());
1392 if (int numWeights = src->fPathRef->countWeights()) {
1393 memcpy(newWeights, src->fPathRef->conicWeights(), numWeights * sizeof(newWeights[0]));
1394 }
1395 // fiddle with fLastMoveToIndex, as we do in SkPath::close()
1396 if ((SkPathVerb)fPathRef->verbsEnd()[-1] == SkPathVerb::kClose) {
1397 fLastMoveToIndex ^= ~fLastMoveToIndex >> (8 * sizeof(fLastMoveToIndex) - 1);
1398 }
1399 return this->dirtyAfterEdit();
1400 }
1401
1402 SkMatrixPriv::MapPtsProc mapPtsProc = SkMatrixPriv::GetMapPtsProc(matrix);
1403 bool firstVerb = true;
1404 for (auto [verb, pts, w] : SkPathPriv::Iterate(*src)) {
1405 switch (verb) {
1406 SkPoint mappedPts[3];
1407 case SkPathVerb::kMove:
1408 mapPtsProc(matrix, mappedPts, &pts[0], 1);
1409 if (firstVerb && mode == kExtend_AddPathMode && !isEmpty()) {
1410 injectMoveToIfNeeded(); // In case last contour is closed
1411 SkPoint lastPt;
1412 // don't add lineTo if it is degenerate
1413 if (fLastMoveToIndex < 0 || !this->getLastPt(&lastPt) ||
1414 lastPt != mappedPts[0]) {
1415 this->lineTo(mappedPts[0]);
1416 }
1417 } else {
1418 this->moveTo(mappedPts[0]);
1419 }
1420 break;
1421 case SkPathVerb::kLine:
1422 mapPtsProc(matrix, mappedPts, &pts[1], 1);
1423 this->lineTo(mappedPts[0]);
1424 break;
1425 case SkPathVerb::kQuad:
1426 mapPtsProc(matrix, mappedPts, &pts[1], 2);
1427 this->quadTo(mappedPts[0], mappedPts[1]);
1428 break;
1429 case SkPathVerb::kConic:
1430 mapPtsProc(matrix, mappedPts, &pts[1], 2);
1431 this->conicTo(mappedPts[0], mappedPts[1], *w);
1432 break;
1433 case SkPathVerb::kCubic:
1434 mapPtsProc(matrix, mappedPts, &pts[1], 3);
1435 this->cubicTo(mappedPts[0], mappedPts[1], mappedPts[2]);
1436 break;
1437 case SkPathVerb::kClose:
1438 this->close();
1439 break;
1440 }
1441 firstVerb = false;
1442 }
1443 return *this;
1444 }
1445
1446 ///////////////////////////////////////////////////////////////////////////////
1447
1448 // ignore the last point of the 1st contour
reversePathTo(const SkPath & path)1449 SkPath& SkPath::reversePathTo(const SkPath& path) {
1450 if (path.fPathRef->fVerbs.count() == 0) {
1451 return *this;
1452 }
1453
1454 const uint8_t* verbs = path.fPathRef->verbsEnd();
1455 const uint8_t* verbsBegin = path.fPathRef->verbsBegin();
1456 SkASSERT(verbsBegin[0] == kMove_Verb);
1457 const SkPoint* pts = path.fPathRef->pointsEnd() - 1;
1458 const SkScalar* conicWeights = path.fPathRef->conicWeightsEnd();
1459
1460 while (verbs > verbsBegin) {
1461 uint8_t v = *--verbs;
1462 pts -= SkPathPriv::PtsInVerb(v);
1463 switch (v) {
1464 case kMove_Verb:
1465 // if the path has multiple contours, stop after reversing the last
1466 return *this;
1467 case kLine_Verb:
1468 this->lineTo(pts[0]);
1469 break;
1470 case kQuad_Verb:
1471 this->quadTo(pts[1], pts[0]);
1472 break;
1473 case kConic_Verb:
1474 this->conicTo(pts[1], pts[0], *--conicWeights);
1475 break;
1476 case kCubic_Verb:
1477 this->cubicTo(pts[2], pts[1], pts[0]);
1478 break;
1479 case kClose_Verb:
1480 break;
1481 default:
1482 SkDEBUGFAIL("bad verb");
1483 break;
1484 }
1485 }
1486 return *this;
1487 }
1488
reverseAddPath(const SkPath & srcPath)1489 SkPath& SkPath::reverseAddPath(const SkPath& srcPath) {
1490 // Detect if we're trying to add ourself
1491 const SkPath* src = &srcPath;
1492 SkTLazy<SkPath> tmp;
1493 if (this == src) {
1494 src = tmp.set(srcPath);
1495 }
1496
1497 const uint8_t* verbsBegin = src->fPathRef->verbsBegin();
1498 const uint8_t* verbs = src->fPathRef->verbsEnd();
1499 const SkPoint* pts = src->fPathRef->pointsEnd();
1500 const SkScalar* conicWeights = src->fPathRef->conicWeightsEnd();
1501
1502 bool needMove = true;
1503 bool needClose = false;
1504 while (verbs > verbsBegin) {
1505 uint8_t v = *--verbs;
1506 int n = SkPathPriv::PtsInVerb(v);
1507
1508 if (needMove) {
1509 --pts;
1510 this->moveTo(pts->fX, pts->fY);
1511 needMove = false;
1512 }
1513 pts -= n;
1514 switch (v) {
1515 case kMove_Verb:
1516 if (needClose) {
1517 this->close();
1518 needClose = false;
1519 }
1520 needMove = true;
1521 pts += 1; // so we see the point in "if (needMove)" above
1522 break;
1523 case kLine_Verb:
1524 this->lineTo(pts[0]);
1525 break;
1526 case kQuad_Verb:
1527 this->quadTo(pts[1], pts[0]);
1528 break;
1529 case kConic_Verb:
1530 this->conicTo(pts[1], pts[0], *--conicWeights);
1531 break;
1532 case kCubic_Verb:
1533 this->cubicTo(pts[2], pts[1], pts[0]);
1534 break;
1535 case kClose_Verb:
1536 needClose = true;
1537 break;
1538 default:
1539 SkDEBUGFAIL("unexpected verb");
1540 }
1541 }
1542 return *this;
1543 }
1544
1545 ///////////////////////////////////////////////////////////////////////////////
1546
offset(SkScalar dx,SkScalar dy,SkPath * dst) const1547 void SkPath::offset(SkScalar dx, SkScalar dy, SkPath* dst) const {
1548 SkMatrix matrix;
1549
1550 matrix.setTranslate(dx, dy);
1551 this->transform(matrix, dst);
1552 }
1553
subdivide_cubic_to(SkPath * path,const SkPoint pts[4],int level=2)1554 static void subdivide_cubic_to(SkPath* path, const SkPoint pts[4],
1555 int level = 2) {
1556 if (--level >= 0) {
1557 SkPoint tmp[7];
1558
1559 SkChopCubicAtHalf(pts, tmp);
1560 subdivide_cubic_to(path, &tmp[0], level);
1561 subdivide_cubic_to(path, &tmp[3], level);
1562 } else {
1563 path->cubicTo(pts[1], pts[2], pts[3]);
1564 }
1565 }
1566
transform(const SkMatrix & matrix,SkPath * dst,SkApplyPerspectiveClip pc) const1567 void SkPath::transform(const SkMatrix& matrix, SkPath* dst, SkApplyPerspectiveClip pc) const {
1568 if (matrix.isIdentity()) {
1569 if (dst != nullptr && dst != this) {
1570 *dst = *this;
1571 }
1572 return;
1573 }
1574
1575 SkDEBUGCODE(this->validate();)
1576 if (dst == nullptr) {
1577 dst = (SkPath*)this;
1578 }
1579
1580 if (matrix.hasPerspective()) {
1581 SkPath tmp;
1582 tmp.fFillType = fFillType;
1583
1584 SkPath clipped;
1585 const SkPath* src = this;
1586 if (pc == SkApplyPerspectiveClip::kYes &&
1587 SkPathPriv::PerspectiveClip(*this, matrix, &clipped))
1588 {
1589 src = &clipped;
1590 }
1591
1592 SkPath::Iter iter(*src, false);
1593 SkPoint pts[4];
1594 SkPath::Verb verb;
1595
1596 while ((verb = iter.next(pts)) != kDone_Verb) {
1597 switch (verb) {
1598 case kMove_Verb:
1599 tmp.moveTo(pts[0]);
1600 break;
1601 case kLine_Verb:
1602 tmp.lineTo(pts[1]);
1603 break;
1604 case kQuad_Verb:
1605 // promote the quad to a conic
1606 tmp.conicTo(pts[1], pts[2],
1607 SkConic::TransformW(pts, SK_Scalar1, matrix));
1608 break;
1609 case kConic_Verb:
1610 tmp.conicTo(pts[1], pts[2],
1611 SkConic::TransformW(pts, iter.conicWeight(), matrix));
1612 break;
1613 case kCubic_Verb:
1614 subdivide_cubic_to(&tmp, pts);
1615 break;
1616 case kClose_Verb:
1617 tmp.close();
1618 break;
1619 default:
1620 SkDEBUGFAIL("unknown verb");
1621 break;
1622 }
1623 }
1624
1625 dst->swap(tmp);
1626 SkPathRef::Editor ed(&dst->fPathRef);
1627 matrix.mapPoints(ed.writablePoints(), ed.pathRef()->countPoints());
1628 dst->setFirstDirection(SkPathFirstDirection::kUnknown);
1629 } else {
1630 SkPathConvexity convexity = this->getConvexityOrUnknown();
1631
1632 SkPathRef::CreateTransformedCopy(&dst->fPathRef, *fPathRef, matrix);
1633
1634 if (this != dst) {
1635 dst->fLastMoveToIndex = fLastMoveToIndex;
1636 dst->fFillType = fFillType;
1637 dst->fIsVolatile = fIsVolatile;
1638 }
1639
1640 // Due to finite/fragile float numerics, we can't assume that a convex path remains
1641 // convex after a transformation, so mark it as unknown here.
1642 // However, some transformations are thought to be safe:
1643 // axis-aligned values under scale/translate.
1644 //
1645 if (convexity == SkPathConvexity::kConvex &&
1646 (!matrix.isScaleTranslate() || !SkPathPriv::IsAxisAligned(*this))) {
1647 // Not safe to still assume we're convex...
1648 convexity = SkPathConvexity::kUnknown;
1649 }
1650 dst->setConvexity(convexity);
1651
1652 if (this->getFirstDirection() == SkPathFirstDirection::kUnknown) {
1653 dst->setFirstDirection(SkPathFirstDirection::kUnknown);
1654 } else {
1655 SkScalar det2x2 =
1656 matrix.get(SkMatrix::kMScaleX) * matrix.get(SkMatrix::kMScaleY) -
1657 matrix.get(SkMatrix::kMSkewX) * matrix.get(SkMatrix::kMSkewY);
1658 if (det2x2 < 0) {
1659 dst->setFirstDirection(
1660 SkPathPriv::OppositeFirstDirection(
1661 (SkPathFirstDirection)this->getFirstDirection()));
1662 } else if (det2x2 > 0) {
1663 dst->setFirstDirection(this->getFirstDirection());
1664 } else {
1665 dst->setFirstDirection(SkPathFirstDirection::kUnknown);
1666 }
1667 }
1668
1669 SkDEBUGCODE(dst->validate();)
1670 }
1671 }
1672
1673 ///////////////////////////////////////////////////////////////////////////////
1674 ///////////////////////////////////////////////////////////////////////////////
1675
Iter()1676 SkPath::Iter::Iter() {
1677 #ifdef SK_DEBUG
1678 fPts = nullptr;
1679 fConicWeights = nullptr;
1680 fMoveTo.fX = fMoveTo.fY = fLastPt.fX = fLastPt.fY = 0;
1681 fForceClose = fCloseLine = false;
1682 #endif
1683 // need to init enough to make next() harmlessly return kDone_Verb
1684 fVerbs = nullptr;
1685 fVerbStop = nullptr;
1686 fNeedClose = false;
1687 }
1688
Iter(const SkPath & path,bool forceClose)1689 SkPath::Iter::Iter(const SkPath& path, bool forceClose) {
1690 this->setPath(path, forceClose);
1691 }
1692
setPath(const SkPath & path,bool forceClose)1693 void SkPath::Iter::setPath(const SkPath& path, bool forceClose) {
1694 fPts = path.fPathRef->points();
1695 fVerbs = path.fPathRef->verbsBegin();
1696 fVerbStop = path.fPathRef->verbsEnd();
1697 fConicWeights = path.fPathRef->conicWeights();
1698 if (fConicWeights) {
1699 fConicWeights -= 1; // begin one behind
1700 }
1701 fLastPt.fX = fLastPt.fY = 0;
1702 fMoveTo.fX = fMoveTo.fY = 0;
1703 fForceClose = SkToU8(forceClose);
1704 fNeedClose = false;
1705 }
1706
isClosedContour() const1707 bool SkPath::Iter::isClosedContour() const {
1708 if (fVerbs == nullptr || fVerbs == fVerbStop) {
1709 return false;
1710 }
1711 if (fForceClose) {
1712 return true;
1713 }
1714
1715 const uint8_t* verbs = fVerbs;
1716 const uint8_t* stop = fVerbStop;
1717
1718 if (kMove_Verb == *verbs) {
1719 verbs += 1; // skip the initial moveto
1720 }
1721
1722 while (verbs < stop) {
1723 // verbs points one beyond the current verb, decrement first.
1724 unsigned v = *verbs++;
1725 if (kMove_Verb == v) {
1726 break;
1727 }
1728 if (kClose_Verb == v) {
1729 return true;
1730 }
1731 }
1732 return false;
1733 }
1734
autoClose(SkPoint pts[2])1735 SkPath::Verb SkPath::Iter::autoClose(SkPoint pts[2]) {
1736 SkASSERT(pts);
1737 if (fLastPt != fMoveTo) {
1738 // A special case: if both points are NaN, SkPoint::operation== returns
1739 // false, but the iterator expects that they are treated as the same.
1740 // (consider SkPoint is a 2-dimension float point).
1741 if (SkScalarIsNaN(fLastPt.fX) || SkScalarIsNaN(fLastPt.fY) ||
1742 SkScalarIsNaN(fMoveTo.fX) || SkScalarIsNaN(fMoveTo.fY)) {
1743 return kClose_Verb;
1744 }
1745
1746 pts[0] = fLastPt;
1747 pts[1] = fMoveTo;
1748 fLastPt = fMoveTo;
1749 fCloseLine = true;
1750 return kLine_Verb;
1751 } else {
1752 pts[0] = fMoveTo;
1753 return kClose_Verb;
1754 }
1755 }
1756
next(SkPoint ptsParam[4])1757 SkPath::Verb SkPath::Iter::next(SkPoint ptsParam[4]) {
1758 SkASSERT(ptsParam);
1759
1760 if (fVerbs == fVerbStop) {
1761 // Close the curve if requested and if there is some curve to close
1762 if (fNeedClose) {
1763 if (kLine_Verb == this->autoClose(ptsParam)) {
1764 return kLine_Verb;
1765 }
1766 fNeedClose = false;
1767 return kClose_Verb;
1768 }
1769 return kDone_Verb;
1770 }
1771
1772 unsigned verb = *fVerbs++;
1773 const SkPoint* SK_RESTRICT srcPts = fPts;
1774 SkPoint* SK_RESTRICT pts = ptsParam;
1775
1776 switch (verb) {
1777 case kMove_Verb:
1778 if (fNeedClose) {
1779 fVerbs--; // move back one verb
1780 verb = this->autoClose(pts);
1781 if (verb == kClose_Verb) {
1782 fNeedClose = false;
1783 }
1784 return (Verb)verb;
1785 }
1786 if (fVerbs == fVerbStop) { // might be a trailing moveto
1787 return kDone_Verb;
1788 }
1789 fMoveTo = *srcPts;
1790 pts[0] = *srcPts;
1791 srcPts += 1;
1792 fLastPt = fMoveTo;
1793 fNeedClose = fForceClose;
1794 break;
1795 case kLine_Verb:
1796 pts[0] = fLastPt;
1797 pts[1] = srcPts[0];
1798 fLastPt = srcPts[0];
1799 fCloseLine = false;
1800 srcPts += 1;
1801 break;
1802 case kConic_Verb:
1803 fConicWeights += 1;
1804 [[fallthrough]];
1805 case kQuad_Verb:
1806 pts[0] = fLastPt;
1807 memcpy(&pts[1], srcPts, 2 * sizeof(SkPoint));
1808 fLastPt = srcPts[1];
1809 srcPts += 2;
1810 break;
1811 case kCubic_Verb:
1812 pts[0] = fLastPt;
1813 memcpy(&pts[1], srcPts, 3 * sizeof(SkPoint));
1814 fLastPt = srcPts[2];
1815 srcPts += 3;
1816 break;
1817 case kClose_Verb:
1818 verb = this->autoClose(pts);
1819 if (verb == kLine_Verb) {
1820 fVerbs--; // move back one verb
1821 } else {
1822 fNeedClose = false;
1823 }
1824 fLastPt = fMoveTo;
1825 break;
1826 }
1827 fPts = srcPts;
1828 return (Verb)verb;
1829 }
1830
setPath(const SkPath & path)1831 void SkPath::RawIter::setPath(const SkPath& path) {
1832 SkPathPriv::Iterate iterate(path);
1833 fIter = iterate.begin();
1834 fEnd = iterate.end();
1835 }
1836
next(SkPoint pts[4])1837 SkPath::Verb SkPath::RawIter::next(SkPoint pts[4]) {
1838 if (!(fIter != fEnd)) {
1839 return kDone_Verb;
1840 }
1841 auto [verb, iterPts, weights] = *fIter;
1842 int numPts;
1843 switch (verb) {
1844 case SkPathVerb::kMove: numPts = 1; break;
1845 case SkPathVerb::kLine: numPts = 2; break;
1846 case SkPathVerb::kQuad: numPts = 3; break;
1847 case SkPathVerb::kConic:
1848 numPts = 3;
1849 fConicWeight = *weights;
1850 break;
1851 case SkPathVerb::kCubic: numPts = 4; break;
1852 case SkPathVerb::kClose: numPts = 0; break;
1853 }
1854 memcpy(pts, iterPts, sizeof(SkPoint) * numPts);
1855 ++fIter;
1856 return (Verb) verb;
1857 }
1858
1859 ///////////////////////////////////////////////////////////////////////////////
1860
1861 #include "include/core/SkStream.h"
1862 #include "include/core/SkString.h"
1863 #include "src/core/SkStringUtils.h"
1864
append_params(SkString * str,const char label[],const SkPoint pts[],int count,SkScalarAsStringType strType,SkScalar conicWeight=-12345)1865 static void append_params(SkString* str, const char label[], const SkPoint pts[],
1866 int count, SkScalarAsStringType strType, SkScalar conicWeight = -12345) {
1867 str->append(label);
1868 str->append("(");
1869
1870 const SkScalar* values = &pts[0].fX;
1871 count *= 2;
1872
1873 for (int i = 0; i < count; ++i) {
1874 SkAppendScalar(str, values[i], strType);
1875 if (i < count - 1) {
1876 str->append(", ");
1877 }
1878 }
1879 if (conicWeight != -12345) {
1880 str->append(", ");
1881 SkAppendScalar(str, conicWeight, strType);
1882 }
1883 str->append(");");
1884 if (kHex_SkScalarAsStringType == strType) {
1885 str->append(" // ");
1886 for (int i = 0; i < count; ++i) {
1887 SkAppendScalarDec(str, values[i]);
1888 if (i < count - 1) {
1889 str->append(", ");
1890 }
1891 }
1892 if (conicWeight >= 0) {
1893 str->append(", ");
1894 SkAppendScalarDec(str, conicWeight);
1895 }
1896 }
1897 str->append("\n");
1898 }
1899
dump(SkWStream * wStream,bool dumpAsHex) const1900 void SkPath::dump(SkWStream* wStream, bool dumpAsHex) const {
1901 SkScalarAsStringType asType = dumpAsHex ? kHex_SkScalarAsStringType : kDec_SkScalarAsStringType;
1902 Iter iter(*this, false);
1903 SkPoint pts[4];
1904 Verb verb;
1905
1906 SkString builder;
1907 char const * const gFillTypeStrs[] = {
1908 "Winding",
1909 "EvenOdd",
1910 "InverseWinding",
1911 "InverseEvenOdd",
1912 };
1913 builder.printf("path.setFillType(SkPathFillType::k%s);\n",
1914 gFillTypeStrs[(int) this->getFillType()]);
1915 while ((verb = iter.next(pts)) != kDone_Verb) {
1916 switch (verb) {
1917 case kMove_Verb:
1918 append_params(&builder, "path.moveTo", &pts[0], 1, asType);
1919 break;
1920 case kLine_Verb:
1921 append_params(&builder, "path.lineTo", &pts[1], 1, asType);
1922 break;
1923 case kQuad_Verb:
1924 append_params(&builder, "path.quadTo", &pts[1], 2, asType);
1925 break;
1926 case kConic_Verb:
1927 append_params(&builder, "path.conicTo", &pts[1], 2, asType, iter.conicWeight());
1928 break;
1929 case kCubic_Verb:
1930 append_params(&builder, "path.cubicTo", &pts[1], 3, asType);
1931 break;
1932 case kClose_Verb:
1933 builder.append("path.close();\n");
1934 break;
1935 default:
1936 SkDebugf(" path: UNKNOWN VERB %d, aborting dump...\n", verb);
1937 verb = kDone_Verb; // stop the loop
1938 break;
1939 }
1940 if (!wStream && builder.size()) {
1941 SkDebugf("%s", builder.c_str());
1942 builder.reset();
1943 }
1944 }
1945 if (wStream) {
1946 wStream->writeText(builder.c_str());
1947 }
1948 }
1949
dumpArrays(SkWStream * wStream,bool dumpAsHex) const1950 void SkPath::dumpArrays(SkWStream* wStream, bool dumpAsHex) const {
1951 SkString builder;
1952
1953 auto bool_str = [](bool v) { return v ? "true" : "false"; };
1954
1955 builder.appendf("// fBoundsIsDirty = %s\n", bool_str(fPathRef->fBoundsIsDirty));
1956 builder.appendf("// fGenerationID = %d\n", fPathRef->fGenerationID);
1957 builder.appendf("// fSegmentMask = %d\n", fPathRef->fSegmentMask);
1958 builder.appendf("// fIsOval = %s\n", bool_str(fPathRef->fIsOval));
1959 builder.appendf("// fIsRRect = %s\n", bool_str(fPathRef->fIsRRect));
1960
1961 auto append_scalar = [&](SkScalar v) {
1962 if (dumpAsHex) {
1963 builder.appendf("SkBits2Float(0x%08X) /* %g */", SkFloat2Bits(v), v);
1964 } else {
1965 builder.appendf("%g", v);
1966 }
1967 };
1968
1969 builder.append("const SkPoint path_points[] = {\n");
1970 for (int i = 0; i < this->countPoints(); ++i) {
1971 SkPoint p = this->getPoint(i);
1972 builder.append(" { ");
1973 append_scalar(p.fX);
1974 builder.append(", ");
1975 append_scalar(p.fY);
1976 builder.append(" },\n");
1977 }
1978 builder.append("};\n");
1979
1980 const char* gVerbStrs[] = {
1981 "Move", "Line", "Quad", "Conic", "Cubic", "Close"
1982 };
1983 builder.append("const uint8_t path_verbs[] = {\n ");
1984 for (auto v = fPathRef->verbsBegin(); v != fPathRef->verbsEnd(); ++v) {
1985 builder.appendf("(uint8_t)SkPathVerb::k%s, ", gVerbStrs[*v]);
1986 }
1987 builder.append("\n};\n");
1988
1989 const int nConics = fPathRef->conicWeightsEnd() - fPathRef->conicWeights();
1990 if (nConics) {
1991 builder.append("const SkScalar path_conics[] = {\n ");
1992 for (auto c = fPathRef->conicWeights(); c != fPathRef->conicWeightsEnd(); ++c) {
1993 append_scalar(*c);
1994 builder.append(", ");
1995 }
1996 builder.append("\n};\n");
1997 }
1998
1999 char const * const gFillTypeStrs[] = {
2000 "Winding",
2001 "EvenOdd",
2002 "InverseWinding",
2003 "InverseEvenOdd",
2004 };
2005
2006 builder.appendf("SkPath path = SkPath::Make(path_points, %d, path_verbs, %d, %s, %d,\n",
2007 this->countPoints(), this->countVerbs(),
2008 nConics ? "path_conics" : "nullptr", nConics);
2009 builder.appendf(" SkPathFillType::k%s, %s);\n",
2010 gFillTypeStrs[(int)this->getFillType()],
2011 bool_str(fIsVolatile));
2012
2013 if (wStream) {
2014 wStream->writeText(builder.c_str());
2015 } else {
2016 SkDebugf("%s\n", builder.c_str());
2017 }
2018 }
2019
isValidImpl() const2020 bool SkPath::isValidImpl() const {
2021 if ((fFillType & ~3) != 0) {
2022 return false;
2023 }
2024
2025 #ifdef SK_DEBUG_PATH
2026 if (!fBoundsIsDirty) {
2027 SkRect bounds;
2028
2029 bool isFinite = compute_pt_bounds(&bounds, *fPathRef.get());
2030 if (SkToBool(fIsFinite) != isFinite) {
2031 return false;
2032 }
2033
2034 if (fPathRef->countPoints() <= 1) {
2035 // if we're empty, fBounds may be empty but translated, so we can't
2036 // necessarily compare to bounds directly
2037 // try path.addOval(2, 2, 2, 2) which is empty, but the bounds will
2038 // be [2, 2, 2, 2]
2039 if (!bounds.isEmpty() || !fBounds.isEmpty()) {
2040 return false;
2041 }
2042 } else {
2043 if (bounds.isEmpty()) {
2044 if (!fBounds.isEmpty()) {
2045 return false;
2046 }
2047 } else {
2048 if (!fBounds.isEmpty()) {
2049 if (!fBounds.contains(bounds)) {
2050 return false;
2051 }
2052 }
2053 }
2054 }
2055 }
2056 #endif // SK_DEBUG_PATH
2057 return true;
2058 }
2059
2060 ///////////////////////////////////////////////////////////////////////////////
2061
sign(SkScalar x)2062 static int sign(SkScalar x) { return x < 0; }
2063 #define kValueNeverReturnedBySign 2
2064
2065 enum DirChange {
2066 kUnknown_DirChange,
2067 kLeft_DirChange,
2068 kRight_DirChange,
2069 kStraight_DirChange,
2070 kBackwards_DirChange, // if double back, allow simple lines to be convex
2071 kInvalid_DirChange
2072 };
2073
2074 // only valid for a single contour
2075 struct Convexicator {
2076
2077 /** The direction returned is only valid if the path is determined convex */
getFirstDirectionConvexicator2078 SkPathFirstDirection getFirstDirection() const { return fFirstDirection; }
2079
setMovePtConvexicator2080 void setMovePt(const SkPoint& pt) {
2081 fFirstPt = fLastPt = pt;
2082 fExpectedDir = kInvalid_DirChange;
2083 }
2084
addPtConvexicator2085 bool addPt(const SkPoint& pt) {
2086 if (fLastPt == pt) {
2087 return true;
2088 }
2089 // should only be true for first non-zero vector after setMovePt was called.
2090 if (fFirstPt == fLastPt && fExpectedDir == kInvalid_DirChange) {
2091 fLastVec = pt - fLastPt;
2092 fFirstVec = fLastVec;
2093 } else if (!this->addVec(pt - fLastPt)) {
2094 return false;
2095 }
2096 fLastPt = pt;
2097 return true;
2098 }
2099
BySignConvexicator2100 static SkPathConvexity BySign(const SkPoint points[], int count) {
2101 if (count <= 3) {
2102 // point, line, or triangle are always convex
2103 return SkPathConvexity::kConvex;
2104 }
2105
2106 const SkPoint* last = points + count;
2107 SkPoint currPt = *points++;
2108 SkPoint firstPt = currPt;
2109 int dxes = 0;
2110 int dyes = 0;
2111 int lastSx = kValueNeverReturnedBySign;
2112 int lastSy = kValueNeverReturnedBySign;
2113 for (int outerLoop = 0; outerLoop < 2; ++outerLoop ) {
2114 while (points != last) {
2115 SkVector vec = *points - currPt;
2116 if (!vec.isZero()) {
2117 // give up if vector construction failed
2118 if (!vec.isFinite()) {
2119 return SkPathConvexity::kUnknown;
2120 }
2121 int sx = sign(vec.fX);
2122 int sy = sign(vec.fY);
2123 dxes += (sx != lastSx);
2124 dyes += (sy != lastSy);
2125 if (dxes > 3 || dyes > 3) {
2126 return SkPathConvexity::kConcave;
2127 }
2128 lastSx = sx;
2129 lastSy = sy;
2130 }
2131 currPt = *points++;
2132 if (outerLoop) {
2133 break;
2134 }
2135 }
2136 points = &firstPt;
2137 }
2138 return SkPathConvexity::kConvex; // that is, it may be convex, don't know yet
2139 }
2140
closeConvexicator2141 bool close() {
2142 // If this was an explicit close, there was already a lineTo to fFirstPoint, so this
2143 // addPt() is a no-op. Otherwise, the addPt implicitly closes the contour. In either case,
2144 // we have to check the direction change along the first vector in case it is concave.
2145 return this->addPt(fFirstPt) && this->addVec(fFirstVec);
2146 }
2147
isFiniteConvexicator2148 bool isFinite() const {
2149 return fIsFinite;
2150 }
2151
reversalsConvexicator2152 int reversals() const {
2153 return fReversals;
2154 }
2155
2156 private:
directionChangeConvexicator2157 DirChange directionChange(const SkVector& curVec) {
2158 SkScalar cross = SkPoint::CrossProduct(fLastVec, curVec);
2159 if (!SkScalarIsFinite(cross)) {
2160 return kUnknown_DirChange;
2161 }
2162 if (cross == 0) {
2163 return fLastVec.dot(curVec) < 0 ? kBackwards_DirChange : kStraight_DirChange;
2164 }
2165 return 1 == SkScalarSignAsInt(cross) ? kRight_DirChange : kLeft_DirChange;
2166 }
2167
addVecConvexicator2168 bool addVec(const SkVector& curVec) {
2169 DirChange dir = this->directionChange(curVec);
2170 switch (dir) {
2171 case kLeft_DirChange: // fall through
2172 case kRight_DirChange:
2173 if (kInvalid_DirChange == fExpectedDir) {
2174 fExpectedDir = dir;
2175 fFirstDirection = (kRight_DirChange == dir) ? SkPathFirstDirection::kCW
2176 : SkPathFirstDirection::kCCW;
2177 } else if (dir != fExpectedDir) {
2178 fFirstDirection = SkPathFirstDirection::kUnknown;
2179 return false;
2180 }
2181 fLastVec = curVec;
2182 break;
2183 case kStraight_DirChange:
2184 break;
2185 case kBackwards_DirChange:
2186 // allow path to reverse direction twice
2187 // Given path.moveTo(0, 0); path.lineTo(1, 1);
2188 // - 1st reversal: direction change formed by line (0,0 1,1), line (1,1 0,0)
2189 // - 2nd reversal: direction change formed by line (1,1 0,0), line (0,0 1,1)
2190 fLastVec = curVec;
2191 return ++fReversals < 3;
2192 case kUnknown_DirChange:
2193 return (fIsFinite = false);
2194 case kInvalid_DirChange:
2195 SK_ABORT("Use of invalid direction change flag");
2196 break;
2197 }
2198 return true;
2199 }
2200
2201 SkPoint fFirstPt {0, 0}; // The first point of the contour, e.g. moveTo(x,y)
2202 SkVector fFirstVec {0, 0}; // The direction leaving fFirstPt to the next vertex
2203
2204 SkPoint fLastPt {0, 0}; // The last point passed to addPt()
2205 SkVector fLastVec {0, 0}; // The direction that brought the path to fLastPt
2206
2207 DirChange fExpectedDir { kInvalid_DirChange };
2208 SkPathFirstDirection fFirstDirection { SkPathFirstDirection::kUnknown };
2209 int fReversals { 0 };
2210 bool fIsFinite { true };
2211 };
2212
computeConvexity() const2213 SkPathConvexity SkPath::computeConvexity() const {
2214 auto setComputedConvexity = [=](SkPathConvexity convexity){
2215 SkASSERT(SkPathConvexity::kUnknown != convexity);
2216 this->setConvexity(convexity);
2217 return convexity;
2218 };
2219
2220 auto setFail = [=](){
2221 return setComputedConvexity(SkPathConvexity::kConcave);
2222 };
2223
2224 if (!this->isFinite()) {
2225 return setFail();
2226 }
2227
2228 // pointCount potentially includes a block of leading moveTos and trailing moveTos. Convexity
2229 // only cares about the last of the initial moveTos and the verbs before the final moveTos.
2230 int pointCount = this->countPoints();
2231 int skipCount = SkPathPriv::LeadingMoveToCount(*this) - 1;
2232
2233 if (fLastMoveToIndex >= 0) {
2234 if (fLastMoveToIndex == pointCount - 1) {
2235 // Find the last real verb that affects convexity
2236 auto verbs = fPathRef->verbsEnd() - 1;
2237 while(verbs > fPathRef->verbsBegin() && *verbs == Verb::kMove_Verb) {
2238 verbs--;
2239 pointCount--;
2240 }
2241 } else if (fLastMoveToIndex != skipCount) {
2242 // There's an additional moveTo between two blocks of other verbs, so the path must have
2243 // more than one contour and cannot be convex.
2244 return setComputedConvexity(SkPathConvexity::kConcave);
2245 } // else no trailing or intermediate moveTos to worry about
2246 }
2247 const SkPoint* points = fPathRef->points();
2248 if (skipCount > 0) {
2249 points += skipCount;
2250 pointCount -= skipCount;
2251 }
2252
2253 // Check to see if path changes direction more than three times as quick concave test
2254 SkPathConvexity convexity = Convexicator::BySign(points, pointCount);
2255 if (SkPathConvexity::kConvex != convexity) {
2256 return setComputedConvexity(SkPathConvexity::kConcave);
2257 }
2258
2259 int contourCount = 0;
2260 bool needsClose = false;
2261 Convexicator state;
2262
2263 for (auto [verb, pts, wt] : SkPathPriv::Iterate(*this)) {
2264 // Looking for the last moveTo before non-move verbs start
2265 if (contourCount == 0) {
2266 if (verb == SkPathVerb::kMove) {
2267 state.setMovePt(pts[0]);
2268 } else {
2269 // Starting the actual contour, fall through to c=1 to add the points
2270 contourCount++;
2271 needsClose = true;
2272 }
2273 }
2274 // Accumulating points into the Convexicator until we hit a close or another move
2275 if (contourCount == 1) {
2276 if (verb == SkPathVerb::kClose || verb == SkPathVerb::kMove) {
2277 if (!state.close()) {
2278 return setFail();
2279 }
2280 needsClose = false;
2281 contourCount++;
2282 } else {
2283 // lines add 1 point, cubics add 3, conics and quads add 2
2284 int count = SkPathPriv::PtsInVerb((unsigned) verb);
2285 SkASSERT(count > 0);
2286 for (int i = 1; i <= count; ++i) {
2287 if (!state.addPt(pts[i])) {
2288 return setFail();
2289 }
2290 }
2291 }
2292 } else {
2293 // The first contour has closed and anything other than spurious trailing moves means
2294 // there's multiple contours and the path can't be convex
2295 if (verb != SkPathVerb::kMove) {
2296 return setFail();
2297 }
2298 }
2299 }
2300
2301 // If the path isn't explicitly closed do so implicitly
2302 if (needsClose && !state.close()) {
2303 return setFail();
2304 }
2305
2306 if (this->getFirstDirection() == SkPathFirstDirection::kUnknown) {
2307 if (state.getFirstDirection() == SkPathFirstDirection::kUnknown
2308 && !this->getBounds().isEmpty()) {
2309 return setComputedConvexity(state.reversals() < 3 ?
2310 SkPathConvexity::kConvex : SkPathConvexity::kConcave);
2311 }
2312 this->setFirstDirection(state.getFirstDirection());
2313 }
2314 return setComputedConvexity(SkPathConvexity::kConvex);
2315 }
2316
2317 ///////////////////////////////////////////////////////////////////////////////
2318
2319 class ContourIter {
2320 public:
2321 ContourIter(const SkPathRef& pathRef);
2322
done() const2323 bool done() const { return fDone; }
2324 // if !done() then these may be called
count() const2325 int count() const { return fCurrPtCount; }
pts() const2326 const SkPoint* pts() const { return fCurrPt; }
2327 void next();
2328
2329 private:
2330 int fCurrPtCount;
2331 const SkPoint* fCurrPt;
2332 const uint8_t* fCurrVerb;
2333 const uint8_t* fStopVerbs;
2334 const SkScalar* fCurrConicWeight;
2335 bool fDone;
2336 SkDEBUGCODE(int fContourCounter;)
2337 };
2338
ContourIter(const SkPathRef & pathRef)2339 ContourIter::ContourIter(const SkPathRef& pathRef) {
2340 fStopVerbs = pathRef.verbsEnd();
2341 fDone = false;
2342 fCurrPt = pathRef.points();
2343 fCurrVerb = pathRef.verbsBegin();
2344 fCurrConicWeight = pathRef.conicWeights();
2345 fCurrPtCount = 0;
2346 SkDEBUGCODE(fContourCounter = 0;)
2347 this->next();
2348 }
2349
next()2350 void ContourIter::next() {
2351 if (fCurrVerb >= fStopVerbs) {
2352 fDone = true;
2353 }
2354 if (fDone) {
2355 return;
2356 }
2357
2358 // skip pts of prev contour
2359 fCurrPt += fCurrPtCount;
2360
2361 SkASSERT(SkPath::kMove_Verb == fCurrVerb[0]);
2362 int ptCount = 1; // moveTo
2363 const uint8_t* verbs = fCurrVerb;
2364
2365 for (verbs++; verbs < fStopVerbs; verbs++) {
2366 switch (*verbs) {
2367 case SkPath::kMove_Verb:
2368 goto CONTOUR_END;
2369 case SkPath::kLine_Verb:
2370 ptCount += 1;
2371 break;
2372 case SkPath::kConic_Verb:
2373 fCurrConicWeight += 1;
2374 [[fallthrough]];
2375 case SkPath::kQuad_Verb:
2376 ptCount += 2;
2377 break;
2378 case SkPath::kCubic_Verb:
2379 ptCount += 3;
2380 break;
2381 case SkPath::kClose_Verb:
2382 break;
2383 default:
2384 SkDEBUGFAIL("unexpected verb");
2385 break;
2386 }
2387 }
2388 CONTOUR_END:
2389 fCurrPtCount = ptCount;
2390 fCurrVerb = verbs;
2391 SkDEBUGCODE(++fContourCounter;)
2392 }
2393
2394 // returns cross product of (p1 - p0) and (p2 - p0)
cross_prod(const SkPoint & p0,const SkPoint & p1,const SkPoint & p2)2395 static SkScalar cross_prod(const SkPoint& p0, const SkPoint& p1, const SkPoint& p2) {
2396 SkScalar cross = SkPoint::CrossProduct(p1 - p0, p2 - p0);
2397 // We may get 0 when the above subtracts underflow. We expect this to be
2398 // very rare and lazily promote to double.
2399 if (0 == cross) {
2400 double p0x = SkScalarToDouble(p0.fX);
2401 double p0y = SkScalarToDouble(p0.fY);
2402
2403 double p1x = SkScalarToDouble(p1.fX);
2404 double p1y = SkScalarToDouble(p1.fY);
2405
2406 double p2x = SkScalarToDouble(p2.fX);
2407 double p2y = SkScalarToDouble(p2.fY);
2408
2409 cross = SkDoubleToScalar((p1x - p0x) * (p2y - p0y) -
2410 (p1y - p0y) * (p2x - p0x));
2411
2412 }
2413 return cross;
2414 }
2415
2416 // Returns the first pt with the maximum Y coordinate
find_max_y(const SkPoint pts[],int count)2417 static int find_max_y(const SkPoint pts[], int count) {
2418 SkASSERT(count > 0);
2419 SkScalar max = pts[0].fY;
2420 int firstIndex = 0;
2421 for (int i = 1; i < count; ++i) {
2422 SkScalar y = pts[i].fY;
2423 if (y > max) {
2424 max = y;
2425 firstIndex = i;
2426 }
2427 }
2428 return firstIndex;
2429 }
2430
find_diff_pt(const SkPoint pts[],int index,int n,int inc)2431 static int find_diff_pt(const SkPoint pts[], int index, int n, int inc) {
2432 int i = index;
2433 for (;;) {
2434 i = (i + inc) % n;
2435 if (i == index) { // we wrapped around, so abort
2436 break;
2437 }
2438 if (pts[index] != pts[i]) { // found a different point, success!
2439 break;
2440 }
2441 }
2442 return i;
2443 }
2444
2445 /**
2446 * Starting at index, and moving forward (incrementing), find the xmin and
2447 * xmax of the contiguous points that have the same Y.
2448 */
find_min_max_x_at_y(const SkPoint pts[],int index,int n,int * maxIndexPtr)2449 static int find_min_max_x_at_y(const SkPoint pts[], int index, int n,
2450 int* maxIndexPtr) {
2451 const SkScalar y = pts[index].fY;
2452 SkScalar min = pts[index].fX;
2453 SkScalar max = min;
2454 int minIndex = index;
2455 int maxIndex = index;
2456 for (int i = index + 1; i < n; ++i) {
2457 if (pts[i].fY != y) {
2458 break;
2459 }
2460 SkScalar x = pts[i].fX;
2461 if (x < min) {
2462 min = x;
2463 minIndex = i;
2464 } else if (x > max) {
2465 max = x;
2466 maxIndex = i;
2467 }
2468 }
2469 *maxIndexPtr = maxIndex;
2470 return minIndex;
2471 }
2472
crossToDir(SkScalar cross)2473 static SkPathFirstDirection crossToDir(SkScalar cross) {
2474 return cross > 0 ? SkPathFirstDirection::kCW : SkPathFirstDirection::kCCW;
2475 }
2476
2477 /*
2478 * We loop through all contours, and keep the computed cross-product of the
2479 * contour that contained the global y-max. If we just look at the first
2480 * contour, we may find one that is wound the opposite way (correctly) since
2481 * it is the interior of a hole (e.g. 'o'). Thus we must find the contour
2482 * that is outer most (or at least has the global y-max) before we can consider
2483 * its cross product.
2484 */
ComputeFirstDirection(const SkPath & path)2485 SkPathFirstDirection SkPathPriv::ComputeFirstDirection(const SkPath& path) {
2486 auto d = path.getFirstDirection();
2487 if (d != SkPathFirstDirection::kUnknown) {
2488 return d;
2489 }
2490
2491 // We don't want to pay the cost for computing convexity if it is unknown,
2492 // so we call getConvexityOrUnknown() instead of isConvex().
2493 if (path.getConvexityOrUnknown() == SkPathConvexity::kConvex) {
2494 SkASSERT(d == SkPathFirstDirection::kUnknown);
2495 return d;
2496 }
2497
2498 ContourIter iter(*path.fPathRef);
2499
2500 // initialize with our logical y-min
2501 SkScalar ymax = path.getBounds().fTop;
2502 SkScalar ymaxCross = 0;
2503
2504 for (; !iter.done(); iter.next()) {
2505 int n = iter.count();
2506 if (n < 3) {
2507 continue;
2508 }
2509
2510 const SkPoint* pts = iter.pts();
2511 SkScalar cross = 0;
2512 int index = find_max_y(pts, n);
2513 if (pts[index].fY < ymax) {
2514 continue;
2515 }
2516
2517 // If there is more than 1 distinct point at the y-max, we take the
2518 // x-min and x-max of them and just subtract to compute the dir.
2519 if (pts[(index + 1) % n].fY == pts[index].fY) {
2520 int maxIndex;
2521 int minIndex = find_min_max_x_at_y(pts, index, n, &maxIndex);
2522 if (minIndex == maxIndex) {
2523 goto TRY_CROSSPROD;
2524 }
2525 SkASSERT(pts[minIndex].fY == pts[index].fY);
2526 SkASSERT(pts[maxIndex].fY == pts[index].fY);
2527 SkASSERT(pts[minIndex].fX <= pts[maxIndex].fX);
2528 // we just subtract the indices, and let that auto-convert to
2529 // SkScalar, since we just want - or + to signal the direction.
2530 cross = minIndex - maxIndex;
2531 } else {
2532 TRY_CROSSPROD:
2533 // Find a next and prev index to use for the cross-product test,
2534 // but we try to find pts that form non-zero vectors from pts[index]
2535 //
2536 // Its possible that we can't find two non-degenerate vectors, so
2537 // we have to guard our search (e.g. all the pts could be in the
2538 // same place).
2539
2540 // we pass n - 1 instead of -1 so we don't foul up % operator by
2541 // passing it a negative LH argument.
2542 int prev = find_diff_pt(pts, index, n, n - 1);
2543 if (prev == index) {
2544 // completely degenerate, skip to next contour
2545 continue;
2546 }
2547 int next = find_diff_pt(pts, index, n, 1);
2548 SkASSERT(next != index);
2549 cross = cross_prod(pts[prev], pts[index], pts[next]);
2550 // if we get a zero and the points are horizontal, then we look at the spread in
2551 // x-direction. We really should continue to walk away from the degeneracy until
2552 // there is a divergence.
2553 if (0 == cross && pts[prev].fY == pts[index].fY && pts[next].fY == pts[index].fY) {
2554 // construct the subtract so we get the correct Direction below
2555 cross = pts[index].fX - pts[next].fX;
2556 }
2557 }
2558
2559 if (cross) {
2560 // record our best guess so far
2561 ymax = pts[index].fY;
2562 ymaxCross = cross;
2563 }
2564 }
2565 if (ymaxCross) {
2566 d = crossToDir(ymaxCross);
2567 path.setFirstDirection(d);
2568 }
2569 return d; // may still be kUnknown
2570 }
2571
2572 ///////////////////////////////////////////////////////////////////////////////
2573
between(SkScalar a,SkScalar b,SkScalar c)2574 static bool between(SkScalar a, SkScalar b, SkScalar c) {
2575 SkASSERT(((a <= b && b <= c) || (a >= b && b >= c)) == ((a - b) * (c - b) <= 0)
2576 || (SkScalarNearlyZero(a) && SkScalarNearlyZero(b) && SkScalarNearlyZero(c)));
2577 return (a - b) * (c - b) <= 0;
2578 }
2579
eval_cubic_pts(SkScalar c0,SkScalar c1,SkScalar c2,SkScalar c3,SkScalar t)2580 static SkScalar eval_cubic_pts(SkScalar c0, SkScalar c1, SkScalar c2, SkScalar c3,
2581 SkScalar t) {
2582 SkScalar A = c3 + 3*(c1 - c2) - c0;
2583 SkScalar B = 3*(c2 - c1 - c1 + c0);
2584 SkScalar C = 3*(c1 - c0);
2585 SkScalar D = c0;
2586 return poly_eval(A, B, C, D, t);
2587 }
2588
find_minmax(const SkPoint pts[],SkScalar * minPtr,SkScalar * maxPtr)2589 template <size_t N> static void find_minmax(const SkPoint pts[],
2590 SkScalar* minPtr, SkScalar* maxPtr) {
2591 SkScalar min, max;
2592 min = max = pts[0].fX;
2593 for (size_t i = 1; i < N; ++i) {
2594 min = std::min(min, pts[i].fX);
2595 max = std::max(max, pts[i].fX);
2596 }
2597 *minPtr = min;
2598 *maxPtr = max;
2599 }
2600
checkOnCurve(SkScalar x,SkScalar y,const SkPoint & start,const SkPoint & end)2601 static bool checkOnCurve(SkScalar x, SkScalar y, const SkPoint& start, const SkPoint& end) {
2602 if (start.fY == end.fY) {
2603 return between(start.fX, x, end.fX) && x != end.fX;
2604 } else {
2605 return x == start.fX && y == start.fY;
2606 }
2607 }
2608
winding_mono_cubic(const SkPoint pts[],SkScalar x,SkScalar y,int * onCurveCount)2609 static int winding_mono_cubic(const SkPoint pts[], SkScalar x, SkScalar y, int* onCurveCount) {
2610 SkScalar y0 = pts[0].fY;
2611 SkScalar y3 = pts[3].fY;
2612
2613 int dir = 1;
2614 if (y0 > y3) {
2615 using std::swap;
2616 swap(y0, y3);
2617 dir = -1;
2618 }
2619 if (y < y0 || y > y3) {
2620 return 0;
2621 }
2622 if (checkOnCurve(x, y, pts[0], pts[3])) {
2623 *onCurveCount += 1;
2624 return 0;
2625 }
2626 if (y == y3) {
2627 return 0;
2628 }
2629
2630 // quickreject or quickaccept
2631 SkScalar min, max;
2632 find_minmax<4>(pts, &min, &max);
2633 if (x < min) {
2634 return 0;
2635 }
2636 if (x > max) {
2637 return dir;
2638 }
2639
2640 // compute the actual x(t) value
2641 SkScalar t;
2642 if (!SkCubicClipper::ChopMonoAtY(pts, y, &t)) {
2643 return 0;
2644 }
2645 SkScalar xt = eval_cubic_pts(pts[0].fX, pts[1].fX, pts[2].fX, pts[3].fX, t);
2646 if (SkScalarNearlyEqual(xt, x)) {
2647 if (x != pts[3].fX || y != pts[3].fY) { // don't test end points; they're start points
2648 *onCurveCount += 1;
2649 return 0;
2650 }
2651 }
2652 return xt < x ? dir : 0;
2653 }
2654
winding_cubic(const SkPoint pts[],SkScalar x,SkScalar y,int * onCurveCount)2655 static int winding_cubic(const SkPoint pts[], SkScalar x, SkScalar y, int* onCurveCount) {
2656 SkPoint dst[10];
2657 int n = SkChopCubicAtYExtrema(pts, dst);
2658 int w = 0;
2659 for (int i = 0; i <= n; ++i) {
2660 w += winding_mono_cubic(&dst[i * 3], x, y, onCurveCount);
2661 }
2662 return w;
2663 }
2664
conic_eval_numerator(const SkScalar src[],SkScalar w,SkScalar t)2665 static double conic_eval_numerator(const SkScalar src[], SkScalar w, SkScalar t) {
2666 SkASSERT(src);
2667 SkASSERT(t >= 0 && t <= 1);
2668 SkScalar src2w = src[2] * w;
2669 SkScalar C = src[0];
2670 SkScalar A = src[4] - 2 * src2w + C;
2671 SkScalar B = 2 * (src2w - C);
2672 return poly_eval(A, B, C, t);
2673 }
2674
2675
conic_eval_denominator(SkScalar w,SkScalar t)2676 static double conic_eval_denominator(SkScalar w, SkScalar t) {
2677 SkScalar B = 2 * (w - 1);
2678 SkScalar C = 1;
2679 SkScalar A = -B;
2680 return poly_eval(A, B, C, t);
2681 }
2682
winding_mono_conic(const SkConic & conic,SkScalar x,SkScalar y,int * onCurveCount)2683 static int winding_mono_conic(const SkConic& conic, SkScalar x, SkScalar y, int* onCurveCount) {
2684 const SkPoint* pts = conic.fPts;
2685 SkScalar y0 = pts[0].fY;
2686 SkScalar y2 = pts[2].fY;
2687
2688 int dir = 1;
2689 if (y0 > y2) {
2690 using std::swap;
2691 swap(y0, y2);
2692 dir = -1;
2693 }
2694 if (y < y0 || y > y2) {
2695 return 0;
2696 }
2697 if (checkOnCurve(x, y, pts[0], pts[2])) {
2698 *onCurveCount += 1;
2699 return 0;
2700 }
2701 if (y == y2) {
2702 return 0;
2703 }
2704
2705 SkScalar roots[2];
2706 SkScalar A = pts[2].fY;
2707 SkScalar B = pts[1].fY * conic.fW - y * conic.fW + y;
2708 SkScalar C = pts[0].fY;
2709 A += C - 2 * B; // A = a + c - 2*(b*w - yCept*w + yCept)
2710 B -= C; // B = b*w - w * yCept + yCept - a
2711 C -= y;
2712 int n = SkFindUnitQuadRoots(A, 2 * B, C, roots);
2713 SkASSERT(n <= 1);
2714 SkScalar xt;
2715 if (0 == n) {
2716 // zero roots are returned only when y0 == y
2717 // Need [0] if dir == 1
2718 // and [2] if dir == -1
2719 xt = pts[1 - dir].fX;
2720 } else {
2721 SkScalar t = roots[0];
2722 xt = conic_eval_numerator(&pts[0].fX, conic.fW, t) / conic_eval_denominator(conic.fW, t);
2723 }
2724 if (SkScalarNearlyEqual(xt, x)) {
2725 if (x != pts[2].fX || y != pts[2].fY) { // don't test end points; they're start points
2726 *onCurveCount += 1;
2727 return 0;
2728 }
2729 }
2730 return xt < x ? dir : 0;
2731 }
2732
is_mono_quad(SkScalar y0,SkScalar y1,SkScalar y2)2733 static bool is_mono_quad(SkScalar y0, SkScalar y1, SkScalar y2) {
2734 // return SkScalarSignAsInt(y0 - y1) + SkScalarSignAsInt(y1 - y2) != 0;
2735 if (y0 == y1) {
2736 return true;
2737 }
2738 if (y0 < y1) {
2739 return y1 <= y2;
2740 } else {
2741 return y1 >= y2;
2742 }
2743 }
2744
winding_conic(const SkPoint pts[],SkScalar x,SkScalar y,SkScalar weight,int * onCurveCount)2745 static int winding_conic(const SkPoint pts[], SkScalar x, SkScalar y, SkScalar weight,
2746 int* onCurveCount) {
2747 SkConic conic(pts, weight);
2748 SkConic chopped[2];
2749 // If the data points are very large, the conic may not be monotonic but may also
2750 // fail to chop. Then, the chopper does not split the original conic in two.
2751 bool isMono = is_mono_quad(pts[0].fY, pts[1].fY, pts[2].fY) || !conic.chopAtYExtrema(chopped);
2752 int w = winding_mono_conic(isMono ? conic : chopped[0], x, y, onCurveCount);
2753 if (!isMono) {
2754 w += winding_mono_conic(chopped[1], x, y, onCurveCount);
2755 }
2756 return w;
2757 }
2758
winding_mono_quad(const SkPoint pts[],SkScalar x,SkScalar y,int * onCurveCount)2759 static int winding_mono_quad(const SkPoint pts[], SkScalar x, SkScalar y, int* onCurveCount) {
2760 SkScalar y0 = pts[0].fY;
2761 SkScalar y2 = pts[2].fY;
2762
2763 int dir = 1;
2764 if (y0 > y2) {
2765 using std::swap;
2766 swap(y0, y2);
2767 dir = -1;
2768 }
2769 if (y < y0 || y > y2) {
2770 return 0;
2771 }
2772 if (checkOnCurve(x, y, pts[0], pts[2])) {
2773 *onCurveCount += 1;
2774 return 0;
2775 }
2776 if (y == y2) {
2777 return 0;
2778 }
2779 // bounds check on X (not required. is it faster?)
2780 #if 0
2781 if (pts[0].fX > x && pts[1].fX > x && pts[2].fX > x) {
2782 return 0;
2783 }
2784 #endif
2785
2786 SkScalar roots[2];
2787 int n = SkFindUnitQuadRoots(pts[0].fY - 2 * pts[1].fY + pts[2].fY,
2788 2 * (pts[1].fY - pts[0].fY),
2789 pts[0].fY - y,
2790 roots);
2791 SkASSERT(n <= 1);
2792 SkScalar xt;
2793 if (0 == n) {
2794 // zero roots are returned only when y0 == y
2795 // Need [0] if dir == 1
2796 // and [2] if dir == -1
2797 xt = pts[1 - dir].fX;
2798 } else {
2799 SkScalar t = roots[0];
2800 SkScalar C = pts[0].fX;
2801 SkScalar A = pts[2].fX - 2 * pts[1].fX + C;
2802 SkScalar B = 2 * (pts[1].fX - C);
2803 xt = poly_eval(A, B, C, t);
2804 }
2805 if (SkScalarNearlyEqual(xt, x)) {
2806 if (x != pts[2].fX || y != pts[2].fY) { // don't test end points; they're start points
2807 *onCurveCount += 1;
2808 return 0;
2809 }
2810 }
2811 return xt < x ? dir : 0;
2812 }
2813
winding_quad(const SkPoint pts[],SkScalar x,SkScalar y,int * onCurveCount)2814 static int winding_quad(const SkPoint pts[], SkScalar x, SkScalar y, int* onCurveCount) {
2815 SkPoint dst[5];
2816 int n = 0;
2817
2818 if (!is_mono_quad(pts[0].fY, pts[1].fY, pts[2].fY)) {
2819 n = SkChopQuadAtYExtrema(pts, dst);
2820 pts = dst;
2821 }
2822 int w = winding_mono_quad(pts, x, y, onCurveCount);
2823 if (n > 0) {
2824 w += winding_mono_quad(&pts[2], x, y, onCurveCount);
2825 }
2826 return w;
2827 }
2828
winding_line(const SkPoint pts[],SkScalar x,SkScalar y,int * onCurveCount)2829 static int winding_line(const SkPoint pts[], SkScalar x, SkScalar y, int* onCurveCount) {
2830 SkScalar x0 = pts[0].fX;
2831 SkScalar y0 = pts[0].fY;
2832 SkScalar x1 = pts[1].fX;
2833 SkScalar y1 = pts[1].fY;
2834
2835 SkScalar dy = y1 - y0;
2836
2837 int dir = 1;
2838 if (y0 > y1) {
2839 using std::swap;
2840 swap(y0, y1);
2841 dir = -1;
2842 }
2843 if (y < y0 || y > y1) {
2844 return 0;
2845 }
2846 if (checkOnCurve(x, y, pts[0], pts[1])) {
2847 *onCurveCount += 1;
2848 return 0;
2849 }
2850 if (y == y1) {
2851 return 0;
2852 }
2853 SkScalar cross = (x1 - x0) * (y - pts[0].fY) - dy * (x - x0);
2854
2855 if (!cross) {
2856 // zero cross means the point is on the line, and since the case where
2857 // y of the query point is at the end point is handled above, we can be
2858 // sure that we're on the line (excluding the end point) here
2859 if (x != x1 || y != pts[1].fY) {
2860 *onCurveCount += 1;
2861 }
2862 dir = 0;
2863 } else if (SkScalarSignAsInt(cross) == dir) {
2864 dir = 0;
2865 }
2866 return dir;
2867 }
2868
tangent_cubic(const SkPoint pts[],SkScalar x,SkScalar y,SkTDArray<SkVector> * tangents)2869 static void tangent_cubic(const SkPoint pts[], SkScalar x, SkScalar y,
2870 SkTDArray<SkVector>* tangents) {
2871 if (!between(pts[0].fY, y, pts[1].fY) && !between(pts[1].fY, y, pts[2].fY)
2872 && !between(pts[2].fY, y, pts[3].fY)) {
2873 return;
2874 }
2875 if (!between(pts[0].fX, x, pts[1].fX) && !between(pts[1].fX, x, pts[2].fX)
2876 && !between(pts[2].fX, x, pts[3].fX)) {
2877 return;
2878 }
2879 SkPoint dst[10];
2880 int n = SkChopCubicAtYExtrema(pts, dst);
2881 for (int i = 0; i <= n; ++i) {
2882 SkPoint* c = &dst[i * 3];
2883 SkScalar t;
2884 if (!SkCubicClipper::ChopMonoAtY(c, y, &t)) {
2885 continue;
2886 }
2887 SkScalar xt = eval_cubic_pts(c[0].fX, c[1].fX, c[2].fX, c[3].fX, t);
2888 if (!SkScalarNearlyEqual(x, xt)) {
2889 continue;
2890 }
2891 SkVector tangent;
2892 SkEvalCubicAt(c, t, nullptr, &tangent, nullptr);
2893 tangents->push_back(tangent);
2894 }
2895 }
2896
tangent_conic(const SkPoint pts[],SkScalar x,SkScalar y,SkScalar w,SkTDArray<SkVector> * tangents)2897 static void tangent_conic(const SkPoint pts[], SkScalar x, SkScalar y, SkScalar w,
2898 SkTDArray<SkVector>* tangents) {
2899 if (!between(pts[0].fY, y, pts[1].fY) && !between(pts[1].fY, y, pts[2].fY)) {
2900 return;
2901 }
2902 if (!between(pts[0].fX, x, pts[1].fX) && !between(pts[1].fX, x, pts[2].fX)) {
2903 return;
2904 }
2905 SkScalar roots[2];
2906 SkScalar A = pts[2].fY;
2907 SkScalar B = pts[1].fY * w - y * w + y;
2908 SkScalar C = pts[0].fY;
2909 A += C - 2 * B; // A = a + c - 2*(b*w - yCept*w + yCept)
2910 B -= C; // B = b*w - w * yCept + yCept - a
2911 C -= y;
2912 int n = SkFindUnitQuadRoots(A, 2 * B, C, roots);
2913 for (int index = 0; index < n; ++index) {
2914 SkScalar t = roots[index];
2915 SkScalar xt = conic_eval_numerator(&pts[0].fX, w, t) / conic_eval_denominator(w, t);
2916 if (!SkScalarNearlyEqual(x, xt)) {
2917 continue;
2918 }
2919 SkConic conic(pts, w);
2920 tangents->push_back(conic.evalTangentAt(t));
2921 }
2922 }
2923
tangent_quad(const SkPoint pts[],SkScalar x,SkScalar y,SkTDArray<SkVector> * tangents)2924 static void tangent_quad(const SkPoint pts[], SkScalar x, SkScalar y,
2925 SkTDArray<SkVector>* tangents) {
2926 if (!between(pts[0].fY, y, pts[1].fY) && !between(pts[1].fY, y, pts[2].fY)) {
2927 return;
2928 }
2929 if (!between(pts[0].fX, x, pts[1].fX) && !between(pts[1].fX, x, pts[2].fX)) {
2930 return;
2931 }
2932 SkScalar roots[2];
2933 int n = SkFindUnitQuadRoots(pts[0].fY - 2 * pts[1].fY + pts[2].fY,
2934 2 * (pts[1].fY - pts[0].fY),
2935 pts[0].fY - y,
2936 roots);
2937 for (int index = 0; index < n; ++index) {
2938 SkScalar t = roots[index];
2939 SkScalar C = pts[0].fX;
2940 SkScalar A = pts[2].fX - 2 * pts[1].fX + C;
2941 SkScalar B = 2 * (pts[1].fX - C);
2942 SkScalar xt = poly_eval(A, B, C, t);
2943 if (!SkScalarNearlyEqual(x, xt)) {
2944 continue;
2945 }
2946 tangents->push_back(SkEvalQuadTangentAt(pts, t));
2947 }
2948 }
2949
tangent_line(const SkPoint pts[],SkScalar x,SkScalar y,SkTDArray<SkVector> * tangents)2950 static void tangent_line(const SkPoint pts[], SkScalar x, SkScalar y,
2951 SkTDArray<SkVector>* tangents) {
2952 SkScalar y0 = pts[0].fY;
2953 SkScalar y1 = pts[1].fY;
2954 if (!between(y0, y, y1)) {
2955 return;
2956 }
2957 SkScalar x0 = pts[0].fX;
2958 SkScalar x1 = pts[1].fX;
2959 if (!between(x0, x, x1)) {
2960 return;
2961 }
2962 SkScalar dx = x1 - x0;
2963 SkScalar dy = y1 - y0;
2964 if (!SkScalarNearlyEqual((x - x0) * dy, dx * (y - y0))) {
2965 return;
2966 }
2967 SkVector v;
2968 v.set(dx, dy);
2969 tangents->push_back(v);
2970 }
2971
contains_inclusive(const SkRect & r,SkScalar x,SkScalar y)2972 static bool contains_inclusive(const SkRect& r, SkScalar x, SkScalar y) {
2973 return r.fLeft <= x && x <= r.fRight && r.fTop <= y && y <= r.fBottom;
2974 }
2975
contains(SkScalar x,SkScalar y) const2976 bool SkPath::contains(SkScalar x, SkScalar y) const {
2977 bool isInverse = this->isInverseFillType();
2978 if (this->isEmpty()) {
2979 return isInverse;
2980 }
2981
2982 if (!contains_inclusive(this->getBounds(), x, y)) {
2983 return isInverse;
2984 }
2985
2986 SkPath::Iter iter(*this, true);
2987 bool done = false;
2988 int w = 0;
2989 int onCurveCount = 0;
2990 do {
2991 SkPoint pts[4];
2992 switch (iter.next(pts)) {
2993 case SkPath::kMove_Verb:
2994 case SkPath::kClose_Verb:
2995 break;
2996 case SkPath::kLine_Verb:
2997 w += winding_line(pts, x, y, &onCurveCount);
2998 break;
2999 case SkPath::kQuad_Verb:
3000 w += winding_quad(pts, x, y, &onCurveCount);
3001 break;
3002 case SkPath::kConic_Verb:
3003 w += winding_conic(pts, x, y, iter.conicWeight(), &onCurveCount);
3004 break;
3005 case SkPath::kCubic_Verb:
3006 w += winding_cubic(pts, x, y, &onCurveCount);
3007 break;
3008 case SkPath::kDone_Verb:
3009 done = true;
3010 break;
3011 }
3012 } while (!done);
3013 bool evenOddFill = SkPathFillType::kEvenOdd == this->getFillType()
3014 || SkPathFillType::kInverseEvenOdd == this->getFillType();
3015 if (evenOddFill) {
3016 w &= 1;
3017 }
3018 if (w) {
3019 return !isInverse;
3020 }
3021 if (onCurveCount <= 1) {
3022 return SkToBool(onCurveCount) ^ isInverse;
3023 }
3024 if ((onCurveCount & 1) || evenOddFill) {
3025 return SkToBool(onCurveCount & 1) ^ isInverse;
3026 }
3027 // If the point touches an even number of curves, and the fill is winding, check for
3028 // coincidence. Count coincidence as places where the on curve points have identical tangents.
3029 iter.setPath(*this, true);
3030 done = false;
3031 SkTDArray<SkVector> tangents;
3032 do {
3033 SkPoint pts[4];
3034 int oldCount = tangents.count();
3035 switch (iter.next(pts)) {
3036 case SkPath::kMove_Verb:
3037 case SkPath::kClose_Verb:
3038 break;
3039 case SkPath::kLine_Verb:
3040 tangent_line(pts, x, y, &tangents);
3041 break;
3042 case SkPath::kQuad_Verb:
3043 tangent_quad(pts, x, y, &tangents);
3044 break;
3045 case SkPath::kConic_Verb:
3046 tangent_conic(pts, x, y, iter.conicWeight(), &tangents);
3047 break;
3048 case SkPath::kCubic_Verb:
3049 tangent_cubic(pts, x, y, &tangents);
3050 break;
3051 case SkPath::kDone_Verb:
3052 done = true;
3053 break;
3054 }
3055 if (tangents.count() > oldCount) {
3056 int last = tangents.count() - 1;
3057 const SkVector& tangent = tangents[last];
3058 if (SkScalarNearlyZero(SkPointPriv::LengthSqd(tangent))) {
3059 tangents.remove(last);
3060 } else {
3061 for (int index = 0; index < last; ++index) {
3062 const SkVector& test = tangents[index];
3063 if (SkScalarNearlyZero(test.cross(tangent))
3064 && SkScalarSignAsInt(tangent.fX * test.fX) <= 0
3065 && SkScalarSignAsInt(tangent.fY * test.fY) <= 0) {
3066 tangents.remove(last);
3067 tangents.removeShuffle(index);
3068 break;
3069 }
3070 }
3071 }
3072 }
3073 } while (!done);
3074 return SkToBool(tangents.count()) ^ isInverse;
3075 }
3076
ConvertConicToQuads(const SkPoint & p0,const SkPoint & p1,const SkPoint & p2,SkScalar w,SkPoint pts[],int pow2)3077 int SkPath::ConvertConicToQuads(const SkPoint& p0, const SkPoint& p1, const SkPoint& p2,
3078 SkScalar w, SkPoint pts[], int pow2) {
3079 const SkConic conic(p0, p1, p2, w);
3080 return conic.chopIntoQuadsPOW2(pts, pow2);
3081 }
3082
IsSimpleRect(const SkPath & path,bool isSimpleFill,SkRect * rect,SkPathDirection * direction,unsigned * start)3083 bool SkPathPriv::IsSimpleRect(const SkPath& path, bool isSimpleFill, SkRect* rect,
3084 SkPathDirection* direction, unsigned* start) {
3085 if (path.getSegmentMasks() != SkPath::kLine_SegmentMask) {
3086 return false;
3087 }
3088 SkPoint rectPts[5];
3089 int rectPtCnt = 0;
3090 bool needsClose = !isSimpleFill;
3091 for (auto [v, verbPts, w] : SkPathPriv::Iterate(path)) {
3092 switch (v) {
3093 case SkPathVerb::kMove:
3094 if (0 != rectPtCnt) {
3095 return false;
3096 }
3097 rectPts[0] = verbPts[0];
3098 ++rectPtCnt;
3099 break;
3100 case SkPathVerb::kLine:
3101 if (5 == rectPtCnt) {
3102 return false;
3103 }
3104 rectPts[rectPtCnt] = verbPts[1];
3105 ++rectPtCnt;
3106 break;
3107 case SkPathVerb::kClose:
3108 if (4 == rectPtCnt) {
3109 rectPts[4] = rectPts[0];
3110 rectPtCnt = 5;
3111 }
3112 needsClose = false;
3113 break;
3114 case SkPathVerb::kQuad:
3115 case SkPathVerb::kConic:
3116 case SkPathVerb::kCubic:
3117 return false;
3118 }
3119 }
3120 if (needsClose) {
3121 return false;
3122 }
3123 if (rectPtCnt < 5) {
3124 return false;
3125 }
3126 if (rectPts[0] != rectPts[4]) {
3127 return false;
3128 }
3129 // Check for two cases of rectangles: pts 0 and 3 form a vertical edge or a horizontal edge (
3130 // and pts 1 and 2 the opposite vertical or horizontal edge).
3131 bool vec03IsVertical;
3132 if (rectPts[0].fX == rectPts[3].fX && rectPts[1].fX == rectPts[2].fX &&
3133 rectPts[0].fY == rectPts[1].fY && rectPts[3].fY == rectPts[2].fY) {
3134 // Make sure it has non-zero width and height
3135 if (rectPts[0].fX == rectPts[1].fX || rectPts[0].fY == rectPts[3].fY) {
3136 return false;
3137 }
3138 vec03IsVertical = true;
3139 } else if (rectPts[0].fY == rectPts[3].fY && rectPts[1].fY == rectPts[2].fY &&
3140 rectPts[0].fX == rectPts[1].fX && rectPts[3].fX == rectPts[2].fX) {
3141 // Make sure it has non-zero width and height
3142 if (rectPts[0].fY == rectPts[1].fY || rectPts[0].fX == rectPts[3].fX) {
3143 return false;
3144 }
3145 vec03IsVertical = false;
3146 } else {
3147 return false;
3148 }
3149 // Set sortFlags so that it has the low bit set if pt index 0 is on right edge and second bit
3150 // set if it is on the bottom edge.
3151 unsigned sortFlags =
3152 ((rectPts[0].fX < rectPts[2].fX) ? 0b00 : 0b01) |
3153 ((rectPts[0].fY < rectPts[2].fY) ? 0b00 : 0b10);
3154 switch (sortFlags) {
3155 case 0b00:
3156 rect->setLTRB(rectPts[0].fX, rectPts[0].fY, rectPts[2].fX, rectPts[2].fY);
3157 *direction = vec03IsVertical ? SkPathDirection::kCW : SkPathDirection::kCCW;
3158 *start = 0;
3159 break;
3160 case 0b01:
3161 rect->setLTRB(rectPts[2].fX, rectPts[0].fY, rectPts[0].fX, rectPts[2].fY);
3162 *direction = vec03IsVertical ? SkPathDirection::kCCW : SkPathDirection::kCW;
3163 *start = 1;
3164 break;
3165 case 0b10:
3166 rect->setLTRB(rectPts[0].fX, rectPts[2].fY, rectPts[2].fX, rectPts[0].fY);
3167 *direction = vec03IsVertical ? SkPathDirection::kCCW : SkPathDirection::kCW;
3168 *start = 3;
3169 break;
3170 case 0b11:
3171 rect->setLTRB(rectPts[2].fX, rectPts[2].fY, rectPts[0].fX, rectPts[0].fY);
3172 *direction = vec03IsVertical ? SkPathDirection::kCW : SkPathDirection::kCCW;
3173 *start = 2;
3174 break;
3175 }
3176 return true;
3177 }
3178
DrawArcIsConvex(SkScalar sweepAngle,bool useCenter,bool isFillNoPathEffect)3179 bool SkPathPriv::DrawArcIsConvex(SkScalar sweepAngle, bool useCenter, bool isFillNoPathEffect) {
3180 if (isFillNoPathEffect && SkScalarAbs(sweepAngle) >= 360.f) {
3181 // This gets converted to an oval.
3182 return true;
3183 }
3184 if (useCenter) {
3185 // This is a pie wedge. It's convex if the angle is <= 180.
3186 return SkScalarAbs(sweepAngle) <= 180.f;
3187 }
3188 // When the angle exceeds 360 this wraps back on top of itself. Otherwise it is a circle clipped
3189 // to a secant, i.e. convex.
3190 return SkScalarAbs(sweepAngle) <= 360.f;
3191 }
3192
CreateDrawArcPath(SkPath * path,const SkRect & oval,SkScalar startAngle,SkScalar sweepAngle,bool useCenter,bool isFillNoPathEffect)3193 void SkPathPriv::CreateDrawArcPath(SkPath* path, const SkRect& oval, SkScalar startAngle,
3194 SkScalar sweepAngle, bool useCenter, bool isFillNoPathEffect) {
3195 SkASSERT(!oval.isEmpty());
3196 SkASSERT(sweepAngle);
3197 #if defined(SK_BUILD_FOR_FUZZER)
3198 if (sweepAngle > 3600.0f || sweepAngle < -3600.0f) {
3199 return;
3200 }
3201 #endif
3202 path->reset();
3203 path->setIsVolatile(true);
3204 path->setFillType(SkPathFillType::kWinding);
3205 if (isFillNoPathEffect && SkScalarAbs(sweepAngle) >= 360.f) {
3206 path->addOval(oval);
3207 SkASSERT(path->isConvex() && DrawArcIsConvex(sweepAngle, false, isFillNoPathEffect));
3208 return;
3209 }
3210 if (useCenter) {
3211 path->moveTo(oval.centerX(), oval.centerY());
3212 }
3213 auto firstDir =
3214 sweepAngle > 0 ? SkPathFirstDirection::kCW : SkPathFirstDirection::kCCW;
3215 bool convex = DrawArcIsConvex(sweepAngle, useCenter, isFillNoPathEffect);
3216 // Arc to mods at 360 and drawArc is not supposed to.
3217 bool forceMoveTo = !useCenter;
3218 while (sweepAngle <= -360.f) {
3219 path->arcTo(oval, startAngle, -180.f, forceMoveTo);
3220 startAngle -= 180.f;
3221 path->arcTo(oval, startAngle, -180.f, false);
3222 startAngle -= 180.f;
3223 forceMoveTo = false;
3224 sweepAngle += 360.f;
3225 }
3226 while (sweepAngle >= 360.f) {
3227 path->arcTo(oval, startAngle, 180.f, forceMoveTo);
3228 startAngle += 180.f;
3229 path->arcTo(oval, startAngle, 180.f, false);
3230 startAngle += 180.f;
3231 forceMoveTo = false;
3232 sweepAngle -= 360.f;
3233 }
3234 path->arcTo(oval, startAngle, sweepAngle, forceMoveTo);
3235 if (useCenter) {
3236 path->close();
3237 }
3238 path->setConvexity(convex ? SkPathConvexity::kConvex : SkPathConvexity::kConcave);
3239 path->setFirstDirection(firstDir);
3240 }
3241
3242 ///////////////////////////////////////////////////////////////////////////////////////////////////
3243 #include "include/private/SkNx.h"
3244
compute_quad_extremas(const SkPoint src[3],SkPoint extremas[3])3245 static int compute_quad_extremas(const SkPoint src[3], SkPoint extremas[3]) {
3246 SkScalar ts[2];
3247 int n = SkFindQuadExtrema(src[0].fX, src[1].fX, src[2].fX, ts);
3248 n += SkFindQuadExtrema(src[0].fY, src[1].fY, src[2].fY, &ts[n]);
3249 SkASSERT(n >= 0 && n <= 2);
3250 for (int i = 0; i < n; ++i) {
3251 extremas[i] = SkEvalQuadAt(src, ts[i]);
3252 }
3253 extremas[n] = src[2];
3254 return n + 1;
3255 }
3256
compute_conic_extremas(const SkPoint src[3],SkScalar w,SkPoint extremas[3])3257 static int compute_conic_extremas(const SkPoint src[3], SkScalar w, SkPoint extremas[3]) {
3258 SkConic conic(src[0], src[1], src[2], w);
3259 SkScalar ts[2];
3260 int n = conic.findXExtrema(ts);
3261 n += conic.findYExtrema(&ts[n]);
3262 SkASSERT(n >= 0 && n <= 2);
3263 for (int i = 0; i < n; ++i) {
3264 extremas[i] = conic.evalAt(ts[i]);
3265 }
3266 extremas[n] = src[2];
3267 return n + 1;
3268 }
3269
compute_cubic_extremas(const SkPoint src[4],SkPoint extremas[5])3270 static int compute_cubic_extremas(const SkPoint src[4], SkPoint extremas[5]) {
3271 SkScalar ts[4];
3272 int n = SkFindCubicExtrema(src[0].fX, src[1].fX, src[2].fX, src[3].fX, ts);
3273 n += SkFindCubicExtrema(src[0].fY, src[1].fY, src[2].fY, src[3].fY, &ts[n]);
3274 SkASSERT(n >= 0 && n <= 4);
3275 for (int i = 0; i < n; ++i) {
3276 SkEvalCubicAt(src, ts[i], &extremas[i], nullptr, nullptr);
3277 }
3278 extremas[n] = src[3];
3279 return n + 1;
3280 }
3281
computeTightBounds() const3282 SkRect SkPath::computeTightBounds() const {
3283 if (0 == this->countVerbs()) {
3284 return SkRect::MakeEmpty();
3285 }
3286
3287 if (this->getSegmentMasks() == SkPath::kLine_SegmentMask) {
3288 return this->getBounds();
3289 }
3290
3291 SkPoint extremas[5]; // big enough to hold worst-case curve type (cubic) extremas + 1
3292
3293 // initial with the first MoveTo, so we don't have to check inside the switch
3294 Sk2s min, max;
3295 min = max = from_point(this->getPoint(0));
3296 for (auto [verb, pts, w] : SkPathPriv::Iterate(*this)) {
3297 int count = 0;
3298 switch (verb) {
3299 case SkPathVerb::kMove:
3300 extremas[0] = pts[0];
3301 count = 1;
3302 break;
3303 case SkPathVerb::kLine:
3304 extremas[0] = pts[1];
3305 count = 1;
3306 break;
3307 case SkPathVerb::kQuad:
3308 count = compute_quad_extremas(pts, extremas);
3309 break;
3310 case SkPathVerb::kConic:
3311 count = compute_conic_extremas(pts, *w, extremas);
3312 break;
3313 case SkPathVerb::kCubic:
3314 count = compute_cubic_extremas(pts, extremas);
3315 break;
3316 case SkPathVerb::kClose:
3317 break;
3318 }
3319 for (int i = 0; i < count; ++i) {
3320 Sk2s tmp = from_point(extremas[i]);
3321 min = Sk2s::Min(min, tmp);
3322 max = Sk2s::Max(max, tmp);
3323 }
3324 }
3325 SkRect bounds;
3326 min.store((SkPoint*)&bounds.fLeft);
3327 max.store((SkPoint*)&bounds.fRight);
3328 return bounds;
3329 }
3330
IsLineDegenerate(const SkPoint & p1,const SkPoint & p2,bool exact)3331 bool SkPath::IsLineDegenerate(const SkPoint& p1, const SkPoint& p2, bool exact) {
3332 return exact ? p1 == p2 : SkPointPriv::EqualsWithinTolerance(p1, p2);
3333 }
3334
IsQuadDegenerate(const SkPoint & p1,const SkPoint & p2,const SkPoint & p3,bool exact)3335 bool SkPath::IsQuadDegenerate(const SkPoint& p1, const SkPoint& p2,
3336 const SkPoint& p3, bool exact) {
3337 return exact ? p1 == p2 && p2 == p3 : SkPointPriv::EqualsWithinTolerance(p1, p2) &&
3338 SkPointPriv::EqualsWithinTolerance(p2, p3);
3339 }
3340
IsCubicDegenerate(const SkPoint & p1,const SkPoint & p2,const SkPoint & p3,const SkPoint & p4,bool exact)3341 bool SkPath::IsCubicDegenerate(const SkPoint& p1, const SkPoint& p2,
3342 const SkPoint& p3, const SkPoint& p4, bool exact) {
3343 return exact ? p1 == p2 && p2 == p3 && p3 == p4 :
3344 SkPointPriv::EqualsWithinTolerance(p1, p2) &&
3345 SkPointPriv::EqualsWithinTolerance(p2, p3) &&
3346 SkPointPriv::EqualsWithinTolerance(p3, p4);
3347 }
3348
3349 //////////////////////////////////////////////////////////////////////////////////////////////////
3350
sk_path_analyze_verbs(const uint8_t vbs[],int verbCount)3351 SkPathVerbAnalysis sk_path_analyze_verbs(const uint8_t vbs[], int verbCount) {
3352 SkPathVerbAnalysis info = {false, 0, 0, 0};
3353
3354 bool needMove = true;
3355 bool invalid = false;
3356 for (int i = 0; i < verbCount; ++i) {
3357 switch ((SkPathVerb)vbs[i]) {
3358 case SkPathVerb::kMove:
3359 needMove = false;
3360 info.points += 1;
3361 break;
3362 case SkPathVerb::kLine:
3363 invalid |= needMove;
3364 info.segmentMask |= kLine_SkPathSegmentMask;
3365 info.points += 1;
3366 break;
3367 case SkPathVerb::kQuad:
3368 invalid |= needMove;
3369 info.segmentMask |= kQuad_SkPathSegmentMask;
3370 info.points += 2;
3371 break;
3372 case SkPathVerb::kConic:
3373 invalid |= needMove;
3374 info.segmentMask |= kConic_SkPathSegmentMask;
3375 info.points += 2;
3376 info.weights += 1;
3377 break;
3378 case SkPathVerb::kCubic:
3379 invalid |= needMove;
3380 info.segmentMask |= kCubic_SkPathSegmentMask;
3381 info.points += 3;
3382 break;
3383 case SkPathVerb::kClose:
3384 invalid |= needMove;
3385 needMove = true;
3386 break;
3387 default:
3388 invalid = true;
3389 break;
3390 }
3391 }
3392 info.valid = !invalid;
3393 return info;
3394 }
3395
Make(const SkPoint pts[],int pointCount,const uint8_t vbs[],int verbCount,const SkScalar ws[],int wCount,SkPathFillType ft,bool isVolatile)3396 SkPath SkPath::Make(const SkPoint pts[], int pointCount,
3397 const uint8_t vbs[], int verbCount,
3398 const SkScalar ws[], int wCount,
3399 SkPathFillType ft, bool isVolatile) {
3400 if (verbCount <= 0) {
3401 return SkPath();
3402 }
3403
3404 const auto info = sk_path_analyze_verbs(vbs, verbCount);
3405 if (!info.valid || info.points > pointCount || info.weights > wCount) {
3406 SkDEBUGFAIL("invalid verbs and number of points/weights");
3407 return SkPath();
3408 }
3409
3410 return SkPath(sk_sp<SkPathRef>(new SkPathRef(SkTDArray<SkPoint>(pts, info.points),
3411 SkTDArray<uint8_t>(vbs, verbCount),
3412 SkTDArray<SkScalar>(ws, info.weights),
3413 info.segmentMask)),
3414 ft, isVolatile, SkPathConvexity::kUnknown, SkPathFirstDirection::kUnknown);
3415 }
3416
Rect(const SkRect & r,SkPathDirection dir,unsigned startIndex)3417 SkPath SkPath::Rect(const SkRect& r, SkPathDirection dir, unsigned startIndex) {
3418 return SkPathBuilder().addRect(r, dir, startIndex).detach();
3419 }
3420
Oval(const SkRect & r,SkPathDirection dir)3421 SkPath SkPath::Oval(const SkRect& r, SkPathDirection dir) {
3422 return SkPathBuilder().addOval(r, dir).detach();
3423 }
3424
Oval(const SkRect & r,SkPathDirection dir,unsigned startIndex)3425 SkPath SkPath::Oval(const SkRect& r, SkPathDirection dir, unsigned startIndex) {
3426 return SkPathBuilder().addOval(r, dir, startIndex).detach();
3427 }
3428
Circle(SkScalar x,SkScalar y,SkScalar r,SkPathDirection dir)3429 SkPath SkPath::Circle(SkScalar x, SkScalar y, SkScalar r, SkPathDirection dir) {
3430 return SkPathBuilder().addCircle(x, y, r, dir).detach();
3431 }
3432
RRect(const SkRRect & rr,SkPathDirection dir)3433 SkPath SkPath::RRect(const SkRRect& rr, SkPathDirection dir) {
3434 return SkPathBuilder().addRRect(rr, dir).detach();
3435 }
3436
RRect(const SkRRect & rr,SkPathDirection dir,unsigned startIndex)3437 SkPath SkPath::RRect(const SkRRect& rr, SkPathDirection dir, unsigned startIndex) {
3438 return SkPathBuilder().addRRect(rr, dir, startIndex).detach();
3439 }
3440
RRect(const SkRect & r,SkScalar rx,SkScalar ry,SkPathDirection dir)3441 SkPath SkPath::RRect(const SkRect& r, SkScalar rx, SkScalar ry, SkPathDirection dir) {
3442 return SkPathBuilder().addRRect(SkRRect::MakeRectXY(r, rx, ry), dir).detach();
3443 }
3444
Polygon(const SkPoint pts[],int count,bool isClosed,SkPathFillType ft,bool isVolatile)3445 SkPath SkPath::Polygon(const SkPoint pts[], int count, bool isClosed,
3446 SkPathFillType ft, bool isVolatile) {
3447 return SkPathBuilder().addPolygon(pts, count, isClosed)
3448 .setFillType(ft)
3449 .setIsVolatile(isVolatile)
3450 .detach();
3451 }
3452
3453 //////////////////////////////////////////////////////////////////////////////////////////////////
3454
IsRectContour(const SkPath & path,bool allowPartial,int * currVerb,const SkPoint ** ptsPtr,bool * isClosed,SkPathDirection * direction,SkRect * rect)3455 bool SkPathPriv::IsRectContour(const SkPath& path, bool allowPartial, int* currVerb,
3456 const SkPoint** ptsPtr, bool* isClosed, SkPathDirection* direction,
3457 SkRect* rect) {
3458 int corners = 0;
3459 SkPoint closeXY; // used to determine if final line falls on a diagonal
3460 SkPoint lineStart; // used to construct line from previous point
3461 const SkPoint* firstPt = nullptr; // first point in the rect (last of first moves)
3462 const SkPoint* lastPt = nullptr; // last point in the rect (last of lines or first if closed)
3463 SkPoint firstCorner;
3464 SkPoint thirdCorner;
3465 const SkPoint* pts = *ptsPtr;
3466 const SkPoint* savePts = nullptr; // used to allow caller to iterate through a pair of rects
3467 lineStart.set(0, 0);
3468 signed char directions[] = {-1, -1, -1, -1, -1}; // -1 to 3; -1 is uninitialized
3469 bool closedOrMoved = false;
3470 bool autoClose = false;
3471 bool insertClose = false;
3472 int verbCnt = path.fPathRef->countVerbs();
3473 while (*currVerb < verbCnt && (!allowPartial || !autoClose)) {
3474 uint8_t verb = insertClose ? (uint8_t) SkPath::kClose_Verb : path.fPathRef->atVerb(*currVerb);
3475 switch (verb) {
3476 case SkPath::kClose_Verb:
3477 savePts = pts;
3478 autoClose = true;
3479 insertClose = false;
3480 [[fallthrough]];
3481 case SkPath::kLine_Verb: {
3482 if (SkPath::kClose_Verb != verb) {
3483 lastPt = pts;
3484 }
3485 SkPoint lineEnd = SkPath::kClose_Verb == verb ? *firstPt : *pts++;
3486 SkVector lineDelta = lineEnd - lineStart;
3487 if (lineDelta.fX && lineDelta.fY) {
3488 return false; // diagonal
3489 }
3490 if (!lineDelta.isFinite()) {
3491 return false; // path contains infinity or NaN
3492 }
3493 if (lineStart == lineEnd) {
3494 break; // single point on side OK
3495 }
3496 int nextDirection = rect_make_dir(lineDelta.fX, lineDelta.fY); // 0 to 3
3497 if (0 == corners) {
3498 directions[0] = nextDirection;
3499 corners = 1;
3500 closedOrMoved = false;
3501 lineStart = lineEnd;
3502 break;
3503 }
3504 if (closedOrMoved) {
3505 return false; // closed followed by a line
3506 }
3507 if (autoClose && nextDirection == directions[0]) {
3508 break; // colinear with first
3509 }
3510 closedOrMoved = autoClose;
3511 if (directions[corners - 1] == nextDirection) {
3512 if (3 == corners && SkPath::kLine_Verb == verb) {
3513 thirdCorner = lineEnd;
3514 }
3515 lineStart = lineEnd;
3516 break; // colinear segment
3517 }
3518 directions[corners++] = nextDirection;
3519 // opposite lines must point in opposite directions; xoring them should equal 2
3520 switch (corners) {
3521 case 2:
3522 firstCorner = lineStart;
3523 break;
3524 case 3:
3525 if ((directions[0] ^ directions[2]) != 2) {
3526 return false;
3527 }
3528 thirdCorner = lineEnd;
3529 break;
3530 case 4:
3531 if ((directions[1] ^ directions[3]) != 2) {
3532 return false;
3533 }
3534 break;
3535 default:
3536 return false; // too many direction changes
3537 }
3538 lineStart = lineEnd;
3539 break;
3540 }
3541 case SkPath::kQuad_Verb:
3542 case SkPath::kConic_Verb:
3543 case SkPath::kCubic_Verb:
3544 return false; // quadratic, cubic not allowed
3545 case SkPath::kMove_Verb:
3546 if (allowPartial && !autoClose && directions[0] >= 0) {
3547 insertClose = true;
3548 *currVerb -= 1; // try move again afterwards
3549 goto addMissingClose;
3550 }
3551 if (!corners) {
3552 firstPt = pts;
3553 } else {
3554 closeXY = *firstPt - *lastPt;
3555 if (closeXY.fX && closeXY.fY) {
3556 return false; // we're diagonal, abort
3557 }
3558 }
3559 lineStart = *pts++;
3560 closedOrMoved = true;
3561 break;
3562 default:
3563 SkDEBUGFAIL("unexpected verb");
3564 break;
3565 }
3566 *currVerb += 1;
3567 addMissingClose:
3568 ;
3569 }
3570 // Success if 4 corners and first point equals last
3571 if (corners < 3 || corners > 4) {
3572 return false;
3573 }
3574 if (savePts) {
3575 *ptsPtr = savePts;
3576 }
3577 // check if close generates diagonal
3578 closeXY = *firstPt - *lastPt;
3579 if (closeXY.fX && closeXY.fY) {
3580 return false;
3581 }
3582 if (rect) {
3583 rect->set(firstCorner, thirdCorner);
3584 }
3585 if (isClosed) {
3586 *isClosed = autoClose;
3587 }
3588 if (direction) {
3589 *direction = directions[0] == ((directions[1] + 1) & 3) ?
3590 SkPathDirection::kCW : SkPathDirection::kCCW;
3591 }
3592 return true;
3593 }
3594
3595
IsNestedFillRects(const SkPath & path,SkRect rects[2],SkPathDirection dirs[2])3596 bool SkPathPriv::IsNestedFillRects(const SkPath& path, SkRect rects[2], SkPathDirection dirs[2]) {
3597 SkDEBUGCODE(path.validate();)
3598 int currVerb = 0;
3599 const SkPoint* pts = path.fPathRef->points();
3600 SkPathDirection testDirs[2];
3601 SkRect testRects[2];
3602 if (!IsRectContour(path, true, &currVerb, &pts, nullptr, &testDirs[0], &testRects[0])) {
3603 return false;
3604 }
3605 if (IsRectContour(path, false, &currVerb, &pts, nullptr, &testDirs[1], &testRects[1])) {
3606 if (testRects[0].contains(testRects[1])) {
3607 if (rects) {
3608 rects[0] = testRects[0];
3609 rects[1] = testRects[1];
3610 }
3611 if (dirs) {
3612 dirs[0] = testDirs[0];
3613 dirs[1] = testDirs[1];
3614 }
3615 return true;
3616 }
3617 if (testRects[1].contains(testRects[0])) {
3618 if (rects) {
3619 rects[0] = testRects[1];
3620 rects[1] = testRects[0];
3621 }
3622 if (dirs) {
3623 dirs[0] = testDirs[1];
3624 dirs[1] = testDirs[0];
3625 }
3626 return true;
3627 }
3628 }
3629 return false;
3630 }
3631
3632 ///////////////////////////////////////////////////////////////////////////////////////////////////
3633
3634 #include "src/core/SkEdgeClipper.h"
3635
3636 struct SkHalfPlane {
3637 SkScalar fA, fB, fC;
3638
evalSkHalfPlane3639 SkScalar eval(SkScalar x, SkScalar y) const {
3640 return fA * x + fB * y + fC;
3641 }
operator ()SkHalfPlane3642 SkScalar operator()(SkScalar x, SkScalar y) const { return this->eval(x, y); }
3643
normalizeSkHalfPlane3644 bool normalize() {
3645 double a = fA;
3646 double b = fB;
3647 double c = fC;
3648 double dmag = sqrt(a * a + b * b);
3649 // length of initial plane normal is zero
3650 if (dmag == 0) {
3651 fA = fB = 0;
3652 fC = SK_Scalar1;
3653 return true;
3654 }
3655 double dscale = sk_ieee_double_divide(1.0, dmag);
3656 a *= dscale;
3657 b *= dscale;
3658 c *= dscale;
3659 // check if we're not finite, or normal is zero-length
3660 if (!sk_float_isfinite(a) || !sk_float_isfinite(b) || !sk_float_isfinite(c) ||
3661 (a == 0 && b == 0)) {
3662 fA = fB = 0;
3663 fC = SK_Scalar1;
3664 return false;
3665 }
3666 fA = a;
3667 fB = b;
3668 fC = c;
3669 return true;
3670 }
3671
3672 enum Result {
3673 kAllNegative,
3674 kAllPositive,
3675 kMixed
3676 };
testSkHalfPlane3677 Result test(const SkRect& bounds) const {
3678 // check whether the diagonal aligned with the normal crosses the plane
3679 SkPoint diagMin, diagMax;
3680 if (fA >= 0) {
3681 diagMin.fX = bounds.fLeft;
3682 diagMax.fX = bounds.fRight;
3683 } else {
3684 diagMin.fX = bounds.fRight;
3685 diagMax.fX = bounds.fLeft;
3686 }
3687 if (fB >= 0) {
3688 diagMin.fY = bounds.fTop;
3689 diagMax.fY = bounds.fBottom;
3690 } else {
3691 diagMin.fY = bounds.fBottom;
3692 diagMax.fY = bounds.fTop;
3693 }
3694 SkScalar test = this->eval(diagMin.fX, diagMin.fY);
3695 SkScalar sign = test*this->eval(diagMax.fX, diagMax.fY);
3696 if (sign > 0) {
3697 // the path is either all on one side of the half-plane or the other
3698 if (test < 0) {
3699 return kAllNegative;
3700 } else {
3701 return kAllPositive;
3702 }
3703 }
3704 return kMixed;
3705 }
3706 };
3707
3708 // assumes plane is pre-normalized
3709 // If we fail in our calculations, we return the empty path
clip(const SkPath & path,const SkHalfPlane & plane)3710 static SkPath clip(const SkPath& path, const SkHalfPlane& plane) {
3711 SkMatrix mx, inv;
3712 SkPoint p0 = { -plane.fA*plane.fC, -plane.fB*plane.fC };
3713 mx.setAll( plane.fB, plane.fA, p0.fX,
3714 -plane.fA, plane.fB, p0.fY,
3715 0, 0, 1);
3716 if (!mx.invert(&inv)) {
3717 return SkPath();
3718 }
3719
3720 SkPath rotated;
3721 path.transform(inv, &rotated);
3722 if (!rotated.isFinite()) {
3723 return SkPath();
3724 }
3725
3726 SkScalar big = SK_ScalarMax;
3727 SkRect clip = {-big, 0, big, big };
3728
3729 struct Rec {
3730 SkPathBuilder fResult;
3731 SkPoint fPrev = {0,0};
3732 } rec;
3733
3734 SkEdgeClipper::ClipPath(rotated, clip, false,
3735 [](SkEdgeClipper* clipper, bool newCtr, void* ctx) {
3736 Rec* rec = (Rec*)ctx;
3737
3738 bool addLineTo = false;
3739 SkPoint pts[4];
3740 SkPath::Verb verb;
3741 while ((verb = clipper->next(pts)) != SkPath::kDone_Verb) {
3742 if (newCtr) {
3743 rec->fResult.moveTo(pts[0]);
3744 rec->fPrev = pts[0];
3745 newCtr = false;
3746 }
3747
3748 if (addLineTo || pts[0] != rec->fPrev) {
3749 rec->fResult.lineTo(pts[0]);
3750 }
3751
3752 switch (verb) {
3753 case SkPath::kLine_Verb:
3754 rec->fResult.lineTo(pts[1]);
3755 rec->fPrev = pts[1];
3756 break;
3757 case SkPath::kQuad_Verb:
3758 rec->fResult.quadTo(pts[1], pts[2]);
3759 rec->fPrev = pts[2];
3760 break;
3761 case SkPath::kCubic_Verb:
3762 rec->fResult.cubicTo(pts[1], pts[2], pts[3]);
3763 rec->fPrev = pts[3];
3764 break;
3765 default: break;
3766 }
3767 addLineTo = true;
3768 }
3769 }, &rec);
3770
3771 rec.fResult.setFillType(path.getFillType());
3772 SkPath result = rec.fResult.detach().makeTransform(mx);
3773 if (!result.isFinite()) {
3774 result = SkPath();
3775 }
3776 return result;
3777 }
3778
3779 // true means we have written to clippedPath
PerspectiveClip(const SkPath & path,const SkMatrix & matrix,SkPath * clippedPath)3780 bool SkPathPriv::PerspectiveClip(const SkPath& path, const SkMatrix& matrix, SkPath* clippedPath) {
3781 if (!matrix.hasPerspective()) {
3782 return false;
3783 }
3784
3785 SkHalfPlane plane {
3786 matrix[SkMatrix::kMPersp0],
3787 matrix[SkMatrix::kMPersp1],
3788 matrix[SkMatrix::kMPersp2] - kW0PlaneDistance
3789 };
3790 if (plane.normalize()) {
3791 switch (plane.test(path.getBounds())) {
3792 case SkHalfPlane::kAllPositive:
3793 return false;
3794 case SkHalfPlane::kMixed: {
3795 *clippedPath = clip(path, plane);
3796 return true;
3797 } break;
3798 default: break; // handled outside of the switch
3799 }
3800 }
3801 // clipped out (or failed)
3802 *clippedPath = SkPath();
3803 return true;
3804 }
3805
GenIDChangeListenersCount(const SkPath & path)3806 int SkPathPriv::GenIDChangeListenersCount(const SkPath& path) {
3807 return path.fPathRef->genIDChangeListenerCount();
3808 }
3809
IsAxisAligned(const SkPath & path)3810 bool SkPathPriv::IsAxisAligned(const SkPath& path) {
3811 // Conservative (quick) test to see if all segments are axis-aligned.
3812 // Multiple contours might give a false-negative, but for speed, we ignore that
3813 // and just look at the raw points.
3814
3815 const SkPoint* pts = path.fPathRef->points();
3816 const int count = path.fPathRef->countPoints();
3817
3818 for (int i = 1; i < count; ++i) {
3819 if (pts[i-1].fX != pts[i].fX && pts[i-1].fY != pts[i].fY) {
3820 return false;
3821 }
3822 }
3823 return true;
3824 }
3825