/* -*- Mode: C++; tab-width: 20; indent-tabs-mode: nil; c-basic-offset: 2 -*- * This Source Code Form is subject to the terms of the Mozilla Public * License, v. 2.0. If a copy of the MPL was not distributed with this * file, You can obtain one at http://mozilla.org/MPL/2.0/. */ #include #include "BorrowedContext.h" #include "DataSurfaceHelpers.h" #include "DrawTargetCG.h" #include "Logging.h" #include "SourceSurfaceCG.h" #include "Rect.h" #include "ScaledFontMac.h" #include "Tools.h" #include "PathHelpers.h" #include #include #include "MacIOSurface.h" #include "FilterNodeSoftware.h" #include "mozilla/Assertions.h" #include "mozilla/FloatingPoint.h" #include "mozilla/Types.h" // for decltype #include "mozilla/Vector.h" using namespace std; //CG_EXTERN void CGContextSetCompositeOperation (CGContextRef, PrivateCGCompositeMode); #define CG_TIGER #ifdef CG_TIGER extern "C" { // This is for 10.4, because it doesn't properly support this in CGContext.h. // These private methods have existed since at least 10.3.9. enum PrivateCGCompositeMode { kPrivateCGCompositeClear = 0, kPrivateCGCompositeCopy = 1, kPrivateCGCompositeSourceOver = 2, kPrivateCGCompositeSourceIn = 3, kPrivateCGCompositeSourceOut = 4, kPrivateCGCompositeSourceAtop = 5, kPrivateCGCompositeDestinationOver = 6, kPrivateCGCompositeDestinationIn = 7, kPrivateCGCompositeDestinationOut = 8, kPrivateCGCompositeDestinationAtop = 9, kPrivateCGCompositeXOR = 10, kPrivateCGCompositePlusDarker = 11, // (max (0, (1-d) + (1-s))) kPrivateCGCompositePlusLighter = 12, // (min (1, s + d)) // Although these exist in CGContext.h in 10.4, 10.4 requires these // blend modes be handled differently, so we import them in here. // These must be in the same order! kPrivateCGBlendModeNormal, kPrivateCGBlendModesStartHere = kPrivateCGBlendModeNormal, kPrivateCGBlendModeMultiply, kPrivateCGBlendModeScreen, kPrivateCGBlendModeOverlay, kPrivateCGBlendModeDarken, kPrivateCGBlendModeLighten, kPrivateCGBlendModeColorDodge, kPrivateCGBlendModeColorBurn, kPrivateCGBlendModeSoftLight, kPrivateCGBlendModeHardLight, kPrivateCGBlendModeDifference, kPrivateCGBlendModeExclusion, kPrivateCGBlendModeHue, kPrivateCGBlendModeSaturation, kPrivateCGBlendModeColor, kPrivateCGBlendModeLuminosity }; typedef enum PrivateCGCompositeMode PrivateCGCompositeMode; extern "C" void CGContextSetCompositeOperation (CGContextRef, PrivateCGCompositeMode); extern "C" void CGContextSetCTM(CGContextRef, CGAffineTransform); } // Finally include 10.4's hidden CoreText support #include "../thebes/PhonyCoreText.h" // and dlsym() so that we can find secret functions with variable names #include // and our CTGradient library, through the CTGradientCPP C++ bridge object #include "CTGradientCPP.h" #else // A private API that Cairo has been using for a long time CG_EXTERN void CGContextSetCTM(CGContextRef, CGAffineTransform); #endif namespace mozilla { namespace gfx { template static CGRect RectToCGRect(const T& r) { return CGRectMake(r.x, r.y, r.width, r.height); } #ifdef CG_TIGER // in same order as gfx/2d/Types.h PrivateCGCompositeMode BlendModes[] = { kPrivateCGBlendModeNormal, kPrivateCGCompositePlusLighter, kPrivateCGCompositeSourceAtop, kPrivateCGCompositeSourceOut, kPrivateCGCompositeSourceIn, kPrivateCGCompositeCopy, kPrivateCGCompositeDestinationIn, kPrivateCGCompositeDestinationOut, kPrivateCGCompositeDestinationOver, kPrivateCGCompositeSourceAtop, kPrivateCGCompositeXOR, kPrivateCGBlendModeMultiply, kPrivateCGBlendModeScreen, kPrivateCGBlendModeOverlay, kPrivateCGBlendModeDarken, kPrivateCGBlendModeLighten, kPrivateCGBlendModeColorDodge, kPrivateCGBlendModeColorBurn, kPrivateCGBlendModeHardLight, kPrivateCGBlendModeSoftLight, kPrivateCGBlendModeDifference, kPrivateCGBlendModeExclusion, kPrivateCGBlendModeHue, kPrivateCGBlendModeSaturation, kPrivateCGBlendModeColor, kPrivateCGBlendModeLuminosity, kPrivateCGBlendModeNormal }; // Stub SetBlendMode to SetCompositeOperation. This works on 10.4 and 10.5. // However, we must account for the case where we get a documented (supported) // blend mode. static void inline this_CGContextSetBlendMode(CGContextRef cg, CompositionOp op) { PrivateCGCompositeMode pcm = BlendModes[(int)op]; if (MOZ_LIKELY(pcm < kPrivateCGBlendModesStartHere)) // This is a private composite operator. CGContextSetCompositeOperation(cg, pcm); else // This is a supported blend operator. CGContextSetBlendMode(cg, (CGBlendMode)(pcm - kPrivateCGBlendModesStartHere)); } #else static void inline this_CGContextSetBlendMode(CGContextRef cg, CGBlendMode m) { CGContextSetBlendMode(cg, m); } CGBlendMode ToOldBlendMode(CompositionOp op) { CGBlendMode mode; switch (op) { case CompositionOp::OP_OVER: mode = kCGBlendModeNormal; break; case CompositionOp::OP_ADD: mode = kCGBlendModePlusLighter; break; case CompositionOp::OP_ATOP: mode = kCGBlendModeSourceAtop; break; case CompositionOp::OP_OUT: mode = kCGBlendModeSourceOut; break; case CompositionOp::OP_IN: mode = kCGBlendModeSourceIn; break; case CompositionOp::OP_SOURCE: mode = kCGBlendModeCopy; break; case CompositionOp::OP_DEST_IN: mode = kCGBlendModeDestinationIn; break; case CompositionOp::OP_DEST_OUT: mode = kCGBlendModeDestinationOut; break; case CompositionOp::OP_DEST_OVER: mode = kCGBlendModeDestinationOver; break; case CompositionOp::OP_DEST_ATOP: mode = kCGBlendModeDestinationAtop; break; case CompositionOp::OP_XOR: mode = kCGBlendModeXOR; break; case CompositionOp::OP_MULTIPLY: mode = kCGBlendModeMultiply; break; case CompositionOp::OP_SCREEN: mode = kCGBlendModeScreen; break; case CompositionOp::OP_OVERLAY: mode = kCGBlendModeOverlay; break; case CompositionOp::OP_DARKEN: mode = kCGBlendModeDarken; break; case CompositionOp::OP_LIGHTEN: mode = kCGBlendModeLighten; break; case CompositionOp::OP_COLOR_DODGE: mode = kCGBlendModeColorDodge; break; case CompositionOp::OP_COLOR_BURN: mode = kCGBlendModeColorBurn; break; case CompositionOp::OP_HARD_LIGHT: mode = kCGBlendModeHardLight; break; case CompositionOp::OP_SOFT_LIGHT: mode = kCGBlendModeSoftLight; break; case CompositionOp::OP_DIFFERENCE: mode = kCGBlendModeDifference; break; case CompositionOp::OP_EXCLUSION: mode = kCGBlendModeExclusion; break; case CompositionOp::OP_HUE: mode = kCGBlendModeHue; break; case CompositionOp::OP_SATURATION: mode = kCGBlendModeSaturation; break; case CompositionOp::OP_COLOR: mode = kCGBlendModeColor; break; case CompositionOp::OP_LUMINOSITY: mode = kCGBlendModeLuminosity; break; /* case OP_CLEAR: mode = kCGBlendModeClear; break;*/ default: mode = kCGBlendModeNormal; } return mode; } #endif static CGInterpolationQuality InterpolationQualityFromFilter(Filter aFilter) { switch (aFilter) { default: case Filter::LINEAR: return kCGInterpolationLow; case Filter::POINT: return kCGInterpolationNone; case Filter::GOOD: return kCGInterpolationLow; } } // TenFourFox issue 453 // There is no bounds-checking on CoreGraphics paths. // Also, Facebook can suck me. static inline bool this_CGContextAddPath(CGContextRef aContext, CGPathRef aPath) { // Empty paths are always acceptable (and shouldn't be added anyway). if (CGPathIsEmpty(aPath)) return true; // Non-empty paths need to be bounds-checked. CGRect r = CGPathGetBoundingBox(aPath); if (MOZ_UNLIKELY(CGRectIsNull(r))) return true; // should have been caught above? if (MOZ_UNLIKELY(r.origin.x >= INT_MAX || r.origin.x <= INT_MIN)) return false; if (MOZ_UNLIKELY(r.origin.y >= INT_MAX || r.origin.y <= INT_MIN)) return false; if (MOZ_UNLIKELY(r.size.height >= INT_MAX)) return false; if (MOZ_UNLIKELY(r.size.width >= INT_MAX)) return false; CGContextAddPath(aContext, aPath); return true; } DrawTargetCG::DrawTargetCG() : mColorSpace(nullptr) , mCg(nullptr) , mMayContainInvalidPremultipliedData(false) { #ifdef CG_TIGER // Figure out which pointer we use for bounding boxes. Try 10.5 first. CGFontGetGlyphBBoxesPtr = dlsym(RTLD_DEFAULT, "CGFontGetGlyphBBoxes"); if (!CGFontGetGlyphBBoxesPtr) { // 10.4 CGFontGetGlyphBBoxesPtr = dlsym(RTLD_DEFAULT, "CGFontGetGlyphBoundingBoxes"); } MOZ_ASSERT(CGFontGetGlyphBBoxesPtr, "can't find bounding box function"); #endif } DrawTargetCG::~DrawTargetCG() { if (mSnapshot) { if (mSnapshot->refCount() > 1) { // We only need to worry about snapshots that someone else knows about mSnapshot->DrawTargetWillGoAway(); } mSnapshot = nullptr; } // Both of these are OK with nullptr arguments, so we do not // need to check (these could be nullptr if Init fails) CGColorSpaceRelease(mColorSpace); CGContextRelease(mCg); } DrawTargetType DrawTargetCG::GetType() const { #ifndef CG_TIGER return GetBackendType() == BackendType::COREGRAPHICS_ACCELERATED ? DrawTargetType::HARDWARE_RASTER : DrawTargetType::SOFTWARE_RASTER; #else // All software, all the time. return DrawTargetType::SOFTWARE_RASTER; #endif } BackendType DrawTargetCG::GetBackendType() const { // 10.4 does not have IOSurfaces, so it's never accelerated. #ifndef CG_TIGER // def MOZ_WIDGET_COCOA // It may be worth spliting Bitmap and IOSurface DrawTarget // into seperate classes. if (GetContextType(mCg) == CG_CONTEXT_TYPE_IOSURFACE) { return BackendType::COREGRAPHICS_ACCELERATED; } else { return BackendType::COREGRAPHICS; } #else return BackendType::COREGRAPHICS; #endif } already_AddRefed DrawTargetCG::Snapshot() { // I said, 10.4 doesn't have IOSurfaces. if (!mSnapshot) { #ifndef CG_TIGER // def MOZ_WIDGET_COCOA if (GetContextType(mCg) == CG_CONTEXT_TYPE_IOSURFACE) { return MakeAndAddRef(this); } Flush(); #endif mSnapshot = new SourceSurfaceCGBitmapContext(this); } RefPtr snapshot(mSnapshot); return snapshot.forget(); } already_AddRefed DrawTargetCG::CreateSimilarDrawTarget(const IntSize &aSize, SurfaceFormat aFormat) const { // XXX: in thebes we use CGLayers to do this kind of thing. It probably makes sense // to add that in somehow, but at a higher level RefPtr newTarget = new DrawTargetCG(); if (MOZ_LIKELY(newTarget->Init(GetBackendType(), aSize, aFormat))) { return newTarget.forget(); } return nullptr; } already_AddRefed DrawTargetCG::CreateSourceSurfaceFromData(unsigned char *aData, const IntSize &aSize, int32_t aStride, SurfaceFormat aFormat) const { RefPtr newSurf = new SourceSurfaceCG(); if (MOZ_UNLIKELY(!newSurf->InitFromData(aData, aSize, aStride, aFormat))) { return nullptr; } return newSurf.forget(); } static void releaseDataSurface(void* info, const void *data, size_t size) { static_cast(info)->Release(); } // This function returns a retained CGImage that needs to be released after // use. The reason for this is that we want to either reuse an existing CGImage // or create a new one. static CGImageRef GetRetainedImageFromSourceSurface(SourceSurface *aSurface) { switch(aSurface->GetType()) { case SurfaceType::COREGRAPHICS_IMAGE: return CGImageRetain(static_cast(aSurface)->GetImage()); case SurfaceType::COREGRAPHICS_CGCONTEXT: return CGImageRetain(static_cast(aSurface)->GetImage()); default: { RefPtr data = aSurface->GetDataSurface(); if (!data) { MOZ_CRASH("GFX: unsupported source CG surface"); } data.get()->AddRef(); return CreateCGImage(releaseDataSurface, data.get(), data->GetData(), data->GetSize(), data->Stride(), data->GetFormat()); } } } already_AddRefed DrawTargetCG::OptimizeSourceSurface(SourceSurface *aSurface) const { RefPtr surface(aSurface); return surface.forget(); } class UnboundnessFixer { CGRect mClipBounds; CGLayerRef mLayer; CGContextRef mLayerCg; public: UnboundnessFixer() : mLayerCg(nullptr) {} CGContextRef Check(DrawTargetCG* dt, CompositionOp blend, const Rect* maskBounds = nullptr) { MOZ_ASSERT(dt->mCg); if (!IsOperatorBoundByMask(blend)) { // The clip bounding box will be in user space so we need to clear our transform first CGContextSetCTM(dt->mCg, dt->mOriginalTransform); mClipBounds = CGContextGetClipBoundingBox(dt->mCg); // If we're entirely clipped out or if the drawing operation covers the entire clip then // we don't need to create a temporary surface. if (CGRectIsEmpty(mClipBounds) || (maskBounds && maskBounds->Contains(CGRectToRect(mClipBounds)))) { CGContextConcatCTM(dt->mCg, GfxMatrixToCGAffineTransform(dt->mTransform)); return dt->mCg; } // TransparencyLayers aren't blended using the blend mode so // we are forced to use CGLayers //XXX: The size here is in default user space units, of the layer relative to the graphics context. // is the clip bounds still correct if, for example, we have a scale applied to the context? mLayer = CGLayerCreateWithContext(dt->mCg, mClipBounds.size, nullptr); mLayerCg = CGLayerGetContext(mLayer); // CGContext's default to have the origin at the bottom left // so flip it to the top left and adjust for the origin // of the layer if (MOZ2D_ERROR_IF(!mLayerCg)) { return nullptr; } CGContextTranslateCTM(mLayerCg, -mClipBounds.origin.x, mClipBounds.origin.y + mClipBounds.size.height); CGContextScaleCTM(mLayerCg, 1, -1); CGContextConcatCTM(mLayerCg, GfxMatrixToCGAffineTransform(dt->mTransform)); return mLayerCg; } else { return dt->mCg; } } void Fix(DrawTargetCG *dt) { if (mLayerCg) { // we pushed a layer so draw it to dt->mCg MOZ_ASSERT(dt->mCg); CGContextTranslateCTM(dt->mCg, 0, mClipBounds.size.height); CGContextScaleCTM(dt->mCg, 1, -1); mClipBounds.origin.y *= -1; CGContextDrawLayerAtPoint(dt->mCg, mClipBounds.origin, mLayer); CGContextRelease(mLayerCg); // Reset the transform CGContextConcatCTM(dt->mCg, GfxMatrixToCGAffineTransform(dt->mTransform)); } } }; void DrawTargetCG::DrawSurface(SourceSurface *aSurface, const Rect &aDest, const Rect &aSource, const DrawSurfaceOptions &aSurfOptions, const DrawOptions &aDrawOptions) { if (MOZ2D_ERROR_IF(!mCg)) { return; } MarkChanged(); CGContextSaveGState(mCg); this_CGContextSetBlendMode(mCg, aDrawOptions.mCompositionOp); UnboundnessFixer fixer; CGContextRef cg = fixer.Check(this, aDrawOptions.mCompositionOp, &aDest); if (MOZ2D_ERROR_IF(!cg)) { return; } CGContextSetAlpha(cg, aDrawOptions.mAlpha); CGContextSetShouldAntialias(cg, aDrawOptions.mAntialiasMode != AntialiasMode::NONE); CGContextSetInterpolationQuality(cg, InterpolationQualityFromFilter(aSurfOptions.mFilter)); CGImageRef image = GetRetainedImageFromSourceSurface(aSurface); if (aSurfOptions.mFilter == Filter::POINT) { CGImageRef subimage = CGImageCreateWithImageInRect(image, RectToCGRect(aSource)); CGImageRelease(image); CGContextScaleCTM(cg, 1, -1); CGRect flippedRect = CGRectMake(aDest.x, -(aDest.y + aDest.height), aDest.width, aDest.height); CGContextDrawImage(cg, flippedRect, subimage); CGImageRelease(subimage); } else { CGRect destRect = CGRectMake(aDest.x, aDest.y, aDest.width, aDest.height); CGContextClipToRect(cg, destRect); float xScale = aSource.width / aDest.width; float yScale = aSource.height / aDest.height; CGContextTranslateCTM(cg, aDest.x - aSource.x / xScale, aDest.y - aSource.y / yScale); CGRect adjustedDestRect = CGRectMake(0, 0, CGImageGetWidth(image) / xScale, CGImageGetHeight(image) / yScale); CGContextTranslateCTM(cg, 0, CGRectGetHeight(adjustedDestRect)); CGContextScaleCTM(cg, 1, -1); CGContextDrawImage(cg, adjustedDestRect, image); CGImageRelease(image); } fixer.Fix(this); CGContextRestoreGState(mCg); } already_AddRefed DrawTargetCG::CreateFilter(FilterType aType) { return FilterNodeSoftware::Create(aType); } void DrawTargetCG::DrawFilter(FilterNode *aNode, const Rect &aSourceRect, const Point &aDestPoint, const DrawOptions &aOptions) { FilterNodeSoftware* filter = static_cast(aNode); filter->Draw(this, aSourceRect, aDestPoint, aOptions); } static CGColorRef ColorToCGColor(CGColorSpaceRef aColorSpace, const Color& aColor) { CGFloat components[4] = {aColor.r, aColor.g, aColor.b, aColor.a}; return CGColorCreate(aColorSpace, components); } class GradientStopsCG : public GradientStops { public: MOZ_DECLARE_REFCOUNTED_VIRTUAL_TYPENAME(GradientStopsCG) GradientStopsCG(CGColorSpaceRef aColorSpace, const std::vector& aStops, ExtendMode aExtendMode) : mGradient(nullptr) { // This all works fine with empty aStops vector mExtend = aExtendMode; if (aExtendMode == ExtendMode::CLAMP) { size_t numStops = aStops.size(); std::vector colors; std::vector offsets; colors.reserve(numStops*4); offsets.reserve(numStops); for (size_t i = 0; i < numStops; i++) { colors.push_back(aStops[i].color.r); colors.push_back(aStops[i].color.g); colors.push_back(aStops[i].color.b); colors.push_back(aStops[i].color.a); offsets.push_back(aStops[i].offset); } #ifndef CG_TIGER mGradient = CGGradientCreateWithColorComponents(aColorSpace, &colors.front(), &offsets.front(), offsets.size()); #else // 10.4 does not have the CGGradient convenience functions, so we use a // modified version of the very convenient CTGradient by Chad Weider // (hat tip) and wrap it in a bridge class to make C++ calls to it. mGradient = new CTGradientCPP(aColorSpace, &colors.front(), &offsets.front(), offsets.size()); #endif } else { mStops = aStops; } } #ifndef CG_TIGER virtual ~GradientStopsCG() { // CGGradientRelease is OK with nullptr argument CGGradientRelease(mGradient); } // Will always report BackendType::COREGRAPHICS, but it is compatible // with BackendType::COREGRAPHICS_ACCELERATED BackendType GetBackendType() const { return BackendType::COREGRAPHICS; } // XXX this should be a union CGGradientRef mGradient; #else virtual ~GradientStopsCG() { if(mGradient) delete mGradient; } void DrawTigerAxialGradient(CGContextRef cg, CGPoint startPoint, CGPoint endPoint) { mGradient->DrawAxial(cg, startPoint, endPoint); } void DrawTigerRadialGradient(CGContextRef cg, CGPoint startCenter, CGFloat startRadius, CGPoint endCenter, CGFloat endRadius) { mGradient->DrawRadial(cg, startCenter, startRadius, endCenter, endRadius); } BackendType GetBackendType() const { return BackendType::COREGRAPHICS; } CTGradientCPP *mGradient; // This is the bridge class. #endif std::vector mStops; ExtendMode mExtend; }; already_AddRefed DrawTargetCG::CreateGradientStops(GradientStop *aStops, uint32_t aNumStops, ExtendMode aExtendMode) const { std::vector stops(aStops, aStops+aNumStops); return MakeAndAddRef(mColorSpace, stops, aExtendMode); } static void UpdateLinearParametersToIncludePoint(double *min_t, double *max_t, CGPoint *start, double dx, double dy, double x, double y) { MOZ_ASSERT(IsFinite(x) && IsFinite(y)); /** * Compute a parameter t such that a line perpendicular to the (dx,dy) * vector, passing through (start->x + dx*t, start->y + dy*t), also * passes through (x,y). * * Let px = x - start->x, py = y - start->y. * t is given by * (px - dx*t)*dx + (py - dy*t)*dy = 0 * * Solving for t we get * numerator = dx*px + dy*py * denominator = dx^2 + dy^2 * t = numerator/denominator * * In CalculateRepeatingGradientParams we know the length of (dx,dy) * is not zero. (This is checked in DrawLinearRepeatingGradient.) */ double px = x - start->x; double py = y - start->y; double numerator = dx * px + dy * py; double denominator = dx * dx + dy * dy; double t = numerator / denominator; if (*min_t > t) { *min_t = t; } if (*max_t < t) { *max_t = t; } } /** * Repeat the gradient line such that lines extended perpendicular to the * gradient line at both start and end would completely enclose the drawing * extents. */ static void CalculateRepeatingGradientParams(CGPoint *aStart, CGPoint *aEnd, CGRect aExtents, int *aRepeatStartFactor, int *aRepeatEndFactor) { double t_min = INFINITY; double t_max = -INFINITY; double dx = aEnd->x - aStart->x; double dy = aEnd->y - aStart->y; double bounds_x1 = aExtents.origin.x; double bounds_y1 = aExtents.origin.y; double bounds_x2 = aExtents.origin.x + aExtents.size.width; double bounds_y2 = aExtents.origin.y + aExtents.size.height; UpdateLinearParametersToIncludePoint(&t_min, &t_max, aStart, dx, dy, bounds_x1, bounds_y1); UpdateLinearParametersToIncludePoint(&t_min, &t_max, aStart, dx, dy, bounds_x2, bounds_y1); UpdateLinearParametersToIncludePoint(&t_min, &t_max, aStart, dx, dy, bounds_x2, bounds_y2); UpdateLinearParametersToIncludePoint(&t_min, &t_max, aStart, dx, dy, bounds_x1, bounds_y2); MOZ_ASSERT(!isinf(t_min) && !isinf(t_max), "The first call to UpdateLinearParametersToIncludePoint should have made t_min and t_max non-infinite."); // Move t_min and t_max to the nearest usable integer to try to avoid // subtle variations due to numerical instability, especially accidentally // cutting off a pixel. Extending the gradient repetitions is always safe. t_min = floor (t_min); t_max = ceil (t_max); aEnd->x = aStart->x + dx * t_max; aEnd->y = aStart->y + dy * t_max; aStart->x = aStart->x + dx * t_min; aStart->y = aStart->y + dy * t_min; *aRepeatStartFactor = t_min; *aRepeatEndFactor = t_max; } #ifndef CG_TIGER static CGGradientRef #else static CTGradientCPP * #endif CreateRepeatingGradient(CGColorSpaceRef aColorSpace, CGContextRef cg, GradientStopsCG* aStops, int aRepeatStartFactor, int aRepeatEndFactor, bool aReflect) { int repeatCount = aRepeatEndFactor - aRepeatStartFactor; uint32_t stopCount = aStops->mStops.size(); double scale = 1./repeatCount; std::vector colors; std::vector offsets; colors.reserve(stopCount*repeatCount*4); offsets.reserve(stopCount*repeatCount); for (int j = aRepeatStartFactor; j < aRepeatEndFactor; j++) { bool isReflected = aReflect && (j % 2) != 0; for (uint32_t i = 0; i < stopCount; i++) { uint32_t stopIndex = isReflected ? stopCount - i - 1 : i; colors.push_back(aStops->mStops[stopIndex].color.r); colors.push_back(aStops->mStops[stopIndex].color.g); colors.push_back(aStops->mStops[stopIndex].color.b); colors.push_back(aStops->mStops[stopIndex].color.a); CGFloat offset = aStops->mStops[stopIndex].offset; if (isReflected) { offset = 1 - offset; } offsets.push_back((offset + (j - aRepeatStartFactor)) * scale); } } #ifndef CG_TIGER CGGradientRef gradient = CGGradientCreateWithColorComponents(aColorSpace, &colors.front(), &offsets.front(), repeatCount*stopCount); return gradient; #else return new CTGradientCPP(aColorSpace, &colors.front(), &offsets.front(), repeatCount*stopCount); #endif } static void DrawLinearRepeatingGradient(CGColorSpaceRef aColorSpace, CGContextRef cg, const LinearGradientPattern &aPattern, const CGRect &aExtents, bool aReflect) { GradientStopsCG *stops = static_cast(aPattern.mStops.get()); CGPoint startPoint = { aPattern.mBegin.x, aPattern.mBegin.y }; CGPoint endPoint = { aPattern.mEnd.x, aPattern.mEnd.y }; int repeatStartFactor = 0, repeatEndFactor = 1; // if we don't have a line then we can't extend it if (aPattern.mEnd.x != aPattern.mBegin.x || aPattern.mEnd.y != aPattern.mBegin.y) { CalculateRepeatingGradientParams(&startPoint, &endPoint, aExtents, &repeatStartFactor, &repeatEndFactor); } #ifndef CG_TIGER CGGradientRef gradient = CreateRepeatingGradient(aColorSpace, cg, stops, repeatStartFactor, repeatEndFactor, aReflect); CGContextDrawLinearGradient(cg, gradient, startPoint, endPoint, kCGGradientDrawsBeforeStartLocation | kCGGradientDrawsAfterEndLocation); CGGradientRelease(gradient); #else CTGradientCPP *gradient = CreateRepeatingGradient(aColorSpace, cg, stops, repeatStartFactor, repeatEndFactor, aReflect); gradient->DrawAxial(cg, startPoint, endPoint); #endif } static CGPoint CGRectTopLeft(CGRect a) { return a.origin; } static CGPoint CGRectBottomLeft(CGRect a) { return CGPointMake(a.origin.x, a.origin.y + a.size.height); } static CGPoint CGRectTopRight(CGRect a) { return CGPointMake(a.origin.x + a.size.width, a.origin.y); } static CGPoint CGRectBottomRight(CGRect a) { return CGPointMake(a.origin.x + a.size.width, a.origin.y + a.size.height); } static CGFloat CGPointDistance(CGPoint a, CGPoint b) { return hypot(a.x-b.x, a.y-b.y); } static void DrawRadialRepeatingGradient(CGColorSpaceRef aColorSpace, CGContextRef cg, const RadialGradientPattern &aPattern, const CGRect &aExtents, bool aReflect) { GradientStopsCG *stops = static_cast(aPattern.mStops.get()); CGPoint startCenter = { aPattern.mCenter1.x, aPattern.mCenter1.y }; CGFloat startRadius = aPattern.mRadius1; CGPoint endCenter = { aPattern.mCenter2.x, aPattern.mCenter2.y }; CGFloat endRadius = aPattern.mRadius2; // find the maximum distance from endCenter to a corner of aExtents CGFloat minimumEndRadius = endRadius; minimumEndRadius = max(minimumEndRadius, CGPointDistance(endCenter, CGRectTopLeft(aExtents))); minimumEndRadius = max(minimumEndRadius, CGPointDistance(endCenter, CGRectBottomLeft(aExtents))); minimumEndRadius = max(minimumEndRadius, CGPointDistance(endCenter, CGRectTopRight(aExtents))); minimumEndRadius = max(minimumEndRadius, CGPointDistance(endCenter, CGRectBottomRight(aExtents))); CGFloat length = endRadius - startRadius; int repeatStartFactor = 0, repeatEndFactor = 1; while (endRadius < minimumEndRadius) { endRadius += length; repeatEndFactor++; } while (startRadius-length >= 0) { startRadius -= length; repeatStartFactor--; } #ifndef CG_TIGER CGGradientRef gradient = CreateRepeatingGradient(aColorSpace, cg, stops, repeatStartFactor, repeatEndFactor, aReflect); //XXX: are there degenerate radial gradients that we should avoid drawing? CGContextDrawRadialGradient(cg, gradient, startCenter, startRadius, endCenter, endRadius, kCGGradientDrawsBeforeStartLocation | kCGGradientDrawsAfterEndLocation); CGGradientRelease(gradient); #else //XXX: no idea, Jeff CTGradientCPP *gradient = CreateRepeatingGradient(aColorSpace, cg, stops, repeatStartFactor, repeatEndFactor, aReflect); gradient->DrawRadial(cg, startCenter, startRadius, endCenter, endRadius); #endif } static void DrawGradient(CGColorSpaceRef aColorSpace, CGContextRef cg, const Pattern &aPattern, const CGRect &aExtents) { if (MOZ2D_ERROR_IF(!cg)) { return; } if (CGRectIsEmpty(aExtents)) { return; } if (aPattern.GetType() == PatternType::LINEAR_GRADIENT) { const LinearGradientPattern& pat = static_cast(aPattern); GradientStopsCG *stops = static_cast(pat.mStops.get()); CGAffineTransform patternMatrix = GfxMatrixToCGAffineTransform(pat.mMatrix); CGContextConcatCTM(cg, patternMatrix); CGRect extents = CGRectApplyAffineTransform(aExtents, CGAffineTransformInvert(patternMatrix)); if (stops->mExtend == ExtendMode::CLAMP) { // XXX: we should take the m out of the properties of LinearGradientPatterns CGPoint startPoint = { pat.mBegin.x, pat.mBegin.y }; CGPoint endPoint = { pat.mEnd.x, pat.mEnd.y }; // Canvas spec states that we should avoid drawing degenerate gradients (XXX: should this be in common code?) //if (startPoint.x == endPoint.x && startPoint.y == endPoint.y) // return; #ifndef CG_TIGER CGContextDrawLinearGradient(cg, stops->mGradient, startPoint, endPoint, kCGGradientDrawsBeforeStartLocation | kCGGradientDrawsAfterEndLocation); #else MOZ_ASSERT(stops->mGradient); stops->mGradient->DrawAxial(cg, startPoint, endPoint); #endif } else { DrawLinearRepeatingGradient(aColorSpace, cg, pat, extents, stops->mExtend == ExtendMode::REFLECT); } } else if (aPattern.GetType() == PatternType::RADIAL_GRADIENT) { const RadialGradientPattern& pat = static_cast(aPattern); CGAffineTransform patternMatrix = GfxMatrixToCGAffineTransform(pat.mMatrix); CGContextConcatCTM(cg, patternMatrix); CGRect extents = CGRectApplyAffineTransform(aExtents, CGAffineTransformInvert(patternMatrix)); GradientStopsCG *stops = static_cast(pat.mStops.get()); if (stops->mExtend == ExtendMode::CLAMP) { // XXX: we should take the m out of the properties of RadialGradientPatterns CGPoint startCenter = { pat.mCenter1.x, pat.mCenter1.y }; CGFloat startRadius = pat.mRadius1; CGPoint endCenter = { pat.mCenter2.x, pat.mCenter2.y }; CGFloat endRadius = pat.mRadius2; //XXX: are there degenerate radial gradients that we should avoid drawing? #ifndef CG_TIGER CGContextDrawRadialGradient(cg, stops->mGradient, startCenter, startRadius, endCenter, endRadius, kCGGradientDrawsBeforeStartLocation | kCGGradientDrawsAfterEndLocation); #else MOZ_ASSERT(stops->mGradient); stops->mGradient->DrawRadial(cg, startCenter, startRadius, endCenter, endRadius); #endif } else { DrawRadialRepeatingGradient(aColorSpace, cg, pat, extents, stops->mExtend == ExtendMode::REFLECT); } } else { assert(0); } } static void drawPattern(void *info, CGContextRef context) { CGImageRef image = static_cast(info); CGRect rect = {{0, 0}, {static_cast(CGImageGetWidth(image)), static_cast(CGImageGetHeight(image))}}; CGContextDrawImage(context, rect, image); } static void releaseInfo(void *info) { CGImageRef image = static_cast(info); CGImageRelease(image); } CGPatternCallbacks patternCallbacks = { 0, drawPattern, releaseInfo }; static bool isGradient(const Pattern &aPattern) { return aPattern.GetType() == PatternType::LINEAR_GRADIENT || aPattern.GetType() == PatternType::RADIAL_GRADIENT; } static bool isNonRepeatingSurface(const Pattern& aPattern) { if (aPattern.GetType() != PatternType::SURFACE) { return false; } const SurfacePattern& surfacePattern = static_cast(aPattern); return surfacePattern.mExtendMode != ExtendMode::REPEAT && surfacePattern.mExtendMode != ExtendMode::REPEAT_X && surfacePattern.mExtendMode != ExtendMode::REPEAT_Y; } /* CoreGraphics patterns ignore the userspace transform so * we need to multiply it in */ static CGPatternRef CreateCGPattern(const Pattern &aPattern, CGAffineTransform aUserSpace) { const SurfacePattern& pat = static_cast(aPattern); // XXX: is .get correct here? CGImageRef image = GetRetainedImageFromSourceSurface(pat.mSurface.get()); Matrix patTransform = pat.mMatrix; if (!pat.mSamplingRect.IsEmpty()) { CGImageRef temp = CGImageCreateWithImageInRect(image, RectToCGRect(pat.mSamplingRect)); CGImageRelease(image); image = temp; patTransform.PreTranslate(pat.mSamplingRect.x, pat.mSamplingRect.y); } CGFloat xStep, yStep; switch (pat.mExtendMode) { case ExtendMode::CLAMP: // The 1 << 22 comes from Webkit see Pattern::createPlatformPattern() in PatternCG.cpp for more info xStep = static_cast(1 << 22); yStep = static_cast(1 << 22); break; case ExtendMode::REFLECT: assert(0); case ExtendMode::REPEAT: xStep = static_cast(CGImageGetWidth(image)); yStep = static_cast(CGImageGetHeight(image)); // webkit uses wkCGPatternCreateWithImageAndTransform a wrapper around CGPatternCreateWithImage2 // this is done to avoid pixel-cracking along pattern boundaries // (see https://bugs.webkit.org/show_bug.cgi?id=53055) // typedef enum { // wkPatternTilingNoDistortion, // wkPatternTilingConstantSpacingMinimalDistortion, // wkPatternTilingConstantSpacing // } wkPatternTiling; // extern CGPatternRef (*wkCGPatternCreateWithImageAndTransform)(CGImageRef, CGAffineTransform, int); break; case ExtendMode::REPEAT_X: xStep = static_cast(CGImageGetWidth(image)); yStep = static_cast(1 << 22); break; case ExtendMode::REPEAT_Y: yStep = static_cast(CGImageGetHeight(image)); xStep = static_cast(1 << 22); break; } //XXX: We should be using CGContextDrawTiledImage when we can. Even though it // creates a pattern, it seems to go down a faster path than using a delegate // like we do below CGRect bounds = { {0, 0,}, {static_cast(CGImageGetWidth(image)), static_cast(CGImageGetHeight(image))} }; CGAffineTransform transform = CGAffineTransformConcat(CGAffineTransformConcat(CGAffineTransformMakeScale(1, -1), GfxMatrixToCGAffineTransform(patTransform)), aUserSpace); transform = CGAffineTransformTranslate(transform, 0, -static_cast(CGImageGetHeight(image))); return CGPatternCreate(image, bounds, transform, xStep, yStep, kCGPatternTilingConstantSpacing, true, &patternCallbacks); } static void SetFillFromPattern(CGContextRef cg, CGColorSpaceRef aColorSpace, const Pattern &aPattern) { if (MOZ2D_ERROR_IF(!cg)) { return; } //assert(!isGradient(aPattern)); if (aPattern.GetType() == PatternType::COLOR) { const Color& color = static_cast(aPattern).mColor; //XXX: we should cache colors CGColorRef cgcolor = ColorToCGColor(aColorSpace, color); CGContextSetFillColorWithColor(cg, cgcolor); CGColorRelease(cgcolor); } else if (aPattern.GetType() == PatternType::SURFACE) { CGColorSpaceRef patternSpace; patternSpace = CGColorSpaceCreatePattern (nullptr); CGContextSetFillColorSpace(cg, patternSpace); CGColorSpaceRelease(patternSpace); CGPatternRef pattern = CreateCGPattern(aPattern, CGContextGetCTM(cg)); const SurfacePattern& pat = static_cast(aPattern); CGContextSetInterpolationQuality(cg, InterpolationQualityFromFilter(pat.mFilter)); CGFloat alpha = 1.; CGContextSetFillPattern(cg, pattern, &alpha); CGPatternRelease(pattern); } } static void SetStrokeFromPattern(CGContextRef cg, CGColorSpaceRef aColorSpace, const Pattern &aPattern) { //assert(!isGradient(aPattern)); if (aPattern.GetType() == PatternType::COLOR) { const Color& color = static_cast(aPattern).mColor; //XXX: we should cache colors CGColorRef cgcolor = ColorToCGColor(aColorSpace, color); CGContextSetStrokeColorWithColor(cg, cgcolor); CGColorRelease(cgcolor); } else if (aPattern.GetType() == PatternType::SURFACE) { CGColorSpaceRef patternSpace; patternSpace = CGColorSpaceCreatePattern (nullptr); CGContextSetStrokeColorSpace(cg, patternSpace); CGColorSpaceRelease(patternSpace); CGPatternRef pattern = CreateCGPattern(aPattern, CGContextGetCTM(cg)); const SurfacePattern& pat = static_cast(aPattern); CGContextSetInterpolationQuality(cg, InterpolationQualityFromFilter(pat.mFilter)); CGFloat alpha = 1.; CGContextSetStrokePattern(cg, pattern, &alpha); CGPatternRelease(pattern); } } void DrawTargetCG::MaskSurface(const Pattern &aSource, SourceSurface *aMask, Point aOffset, const DrawOptions &aDrawOptions) { if (MOZ2D_ERROR_IF(!mCg)) { return; } MarkChanged(); CGContextSaveGState(mCg); this_CGContextSetBlendMode(mCg, aDrawOptions.mCompositionOp); UnboundnessFixer fixer; CGContextRef cg = fixer.Check(this, aDrawOptions.mCompositionOp); if (MOZ2D_ERROR_IF(!cg)) { return; } CGContextSetAlpha(cg, aDrawOptions.mAlpha); CGContextSetShouldAntialias(cg, aDrawOptions.mAntialiasMode != AntialiasMode::NONE); CGImageRef image = GetRetainedImageFromSourceSurface(aMask); // use a negative-y so that the mask image draws right ways up CGContextScaleCTM(cg, 1, -1); IntSize size = aMask->GetSize(); CGContextClipToMask(cg, CGRectMake(aOffset.x, -(aOffset.y + size.height), size.width, size.height), image); CGContextScaleCTM(cg, 1, -1); if (isGradient(aSource)) { // we shouldn't need to clip to an additional rectangle // as the cliping to the mask should be sufficient. DrawGradient(mColorSpace, cg, aSource, CGRectMake(aOffset.x, aOffset.y, size.width, size.height)); } else { SetFillFromPattern(cg, mColorSpace, aSource); CGContextFillRect(cg, CGRectMake(aOffset.x, aOffset.y, size.width, size.height)); } CGImageRelease(image); fixer.Fix(this); CGContextRestoreGState(mCg); } void DrawTargetCG::SetTransform(const Matrix &aTransform) { mTransform = aTransform; CGContextSetCTM(mCg, mOriginalTransform); CGContextConcatCTM(mCg, GfxMatrixToCGAffineTransform(aTransform)); } void DrawTargetCG::FillRect(const Rect &aRect, const Pattern &aPattern, const DrawOptions &aDrawOptions) { if (MOZ2D_ERROR_IF(!mCg)) { return; } MarkChanged(); CGContextSaveGState(mCg); UnboundnessFixer fixer; CGContextRef cg = fixer.Check(this, aDrawOptions.mCompositionOp, &aRect); if (MOZ2D_ERROR_IF(!cg)) { return; } CGContextSetAlpha(mCg, aDrawOptions.mAlpha); CGContextSetShouldAntialias(cg, aDrawOptions.mAntialiasMode != AntialiasMode::NONE); this_CGContextSetBlendMode(mCg, aDrawOptions.mCompositionOp); if (isGradient(aPattern)) { CGContextClipToRect(cg, RectToCGRect(aRect)); CGRect clipBounds = CGContextGetClipBoundingBox(cg); DrawGradient(mColorSpace, cg, aPattern, clipBounds); } else if (isNonRepeatingSurface(aPattern)) { // SetFillFromPattern can handle this case but using CGContextDrawImage // should give us better performance, better output, smaller PDF and // matches what cairo does. const SurfacePattern& pat = static_cast(aPattern); CGImageRef image = GetRetainedImageFromSourceSurface(pat.mSurface.get()); Matrix transform = pat.mMatrix; if (!pat.mSamplingRect.IsEmpty()) { CGImageRef temp = CGImageCreateWithImageInRect(image, RectToCGRect(pat.mSamplingRect)); CGImageRelease(image); image = temp; transform.PreTranslate(pat.mSamplingRect.x, pat.mSamplingRect.y); } CGContextClipToRect(cg, RectToCGRect(aRect)); CGContextConcatCTM(cg, GfxMatrixToCGAffineTransform(transform)); CGContextTranslateCTM(cg, 0, CGImageGetHeight(image)); CGContextScaleCTM(cg, 1, -1); CGRect imageRect = CGRectMake(0, 0, CGImageGetWidth(image), CGImageGetHeight(image)); CGContextSetInterpolationQuality(cg, InterpolationQualityFromFilter(pat.mFilter)); CGContextDrawImage(cg, imageRect, image); CGImageRelease(image); } else { SetFillFromPattern(cg, mColorSpace, aPattern); CGContextFillRect(cg, RectToCGRect(aRect)); } fixer.Fix(this); CGContextRestoreGState(mCg); } static Float DashPeriodLength(const StrokeOptions& aStrokeOptions) { Float length = 0; for (size_t i = 0; i < aStrokeOptions.mDashLength; i++) { length += aStrokeOptions.mDashPattern[i]; } if (aStrokeOptions.mDashLength & 1) { // "If an odd number of values is provided, then the list of values is // repeated to yield an even number of values." // Double the length. length += length; } return length; } inline Float RoundDownToMultiple(Float aValue, Float aFactor) { return floorf(aValue / aFactor) * aFactor; } static Rect UserSpaceStrokeClip(const Rect &aDeviceClip, const Matrix &aTransform, const StrokeOptions &aStrokeOptions) { Matrix inverse = aTransform; if (!inverse.Invert()) { return Rect(); } Rect deviceClip = aDeviceClip; deviceClip.Inflate(MaxStrokeExtents(aStrokeOptions, aTransform)); return inverse.TransformBounds(deviceClip); } static Rect ShrinkClippedStrokedRect(const Rect &aStrokedRect, const Rect &aDeviceClip, const Matrix &aTransform, const StrokeOptions &aStrokeOptions) { Rect userSpaceStrokeClip = UserSpaceStrokeClip(aDeviceClip, aTransform, aStrokeOptions); Rect intersection = aStrokedRect.Intersect(userSpaceStrokeClip); Float dashPeriodLength = DashPeriodLength(aStrokeOptions); if (intersection.IsEmpty() || dashPeriodLength == 0.0f) { return intersection; } // Reduce the rectangle side lengths in multiples of the dash period length // so that the visible dashes stay in the same place. Margin insetBy = aStrokedRect - intersection; insetBy.top = RoundDownToMultiple(insetBy.top, dashPeriodLength); insetBy.right = RoundDownToMultiple(insetBy.right, dashPeriodLength); insetBy.bottom = RoundDownToMultiple(insetBy.bottom, dashPeriodLength); insetBy.left = RoundDownToMultiple(insetBy.left, dashPeriodLength); Rect shrunkRect = aStrokedRect; shrunkRect.Deflate(insetBy); return shrunkRect; } // Liang-Barsky // This algorithm was chosen for its code brevity, with the hope that its // performance is good enough. // Sets aStart and aEnd to floats between 0 and the line length, or returns // false if the line is completely outside the rect. static bool IntersectLineWithRect(const Point& aP1, const Point& aP2, const Rect& aClip, Float* aStart, Float* aEnd) { Float t0 = 0.0f; Float t1 = 1.0f; Point vector = aP2 - aP1; for (uint32_t edge = 0; edge < 4; edge++) { Float p, q; switch (edge) { case 0: p = -vector.x; q = aP1.x - aClip.x; break; case 1: p = vector.x; q = aClip.XMost() - aP1.x; break; case 2: p = -vector.y; q = aP1.y - aClip.y; break; case 3: p = vector.y; q = aClip.YMost() - aP1.y; break; } if (p == 0.0f) { // Line is parallel to the edge. if (q < 0.0f) { return false; } continue; } Float r = q / p; if (p < 0) { t0 = std::max(t0, r); } else { t1 = std::min(t1, r); } if (t0 > t1) { return false; } } Float length = vector.Length(); *aStart = t0 * length; *aEnd = t1 * length; return true; } // Adjusts aP1 and aP2 to a shrunk line, or returns false if the line is // completely outside the clip. static bool ShrinkClippedStrokedLine(Point &aP1, Point& aP2, const Rect &aDeviceClip, const Matrix &aTransform, const StrokeOptions &aStrokeOptions) { Rect userSpaceStrokeClip = UserSpaceStrokeClip(aDeviceClip, aTransform, aStrokeOptions); Point vector = aP2 - aP1; Float length = vector.Length(); if (length == 0.0f) { return true; } Float start = 0; Float end = length; if (!IntersectLineWithRect(aP1, aP2, userSpaceStrokeClip, &start, &end)) { return false; } Float dashPeriodLength = DashPeriodLength(aStrokeOptions); if (dashPeriodLength > 0.0f) { // Shift the line points by multiples of dashPeriodLength so that the // dashes stay in the same place. start = RoundDownToMultiple(start, dashPeriodLength); end = length - RoundDownToMultiple(length - end, dashPeriodLength); } Point startPoint = aP1; aP1 = Point(startPoint.x + start * vector.x / length, startPoint.y + start * vector.y / length); aP2 = Point(startPoint.x + end * vector.x / length, startPoint.y + end * vector.y / length); return true; } void DrawTargetCG::StrokeLine(const Point &aP1, const Point &aP2, const Pattern &aPattern, const StrokeOptions &aStrokeOptions, const DrawOptions &aDrawOptions) { if (!std::isfinite(aP1.x) || !std::isfinite(aP1.y) || !std::isfinite(aP2.x) || !std::isfinite(aP2.y)) { return; } if (MOZ2D_ERROR_IF(!mCg)) { return; } Point p1 = aP1; Point p2 = aP2; Rect deviceClip(0, 0, mSize.width, mSize.height); if (!ShrinkClippedStrokedLine(p1, p2, deviceClip, mTransform, aStrokeOptions)) { return; } MarkChanged(); CGContextSaveGState(mCg); UnboundnessFixer fixer; CGContextRef cg = fixer.Check(this, aDrawOptions.mCompositionOp); if (MOZ2D_ERROR_IF(!cg)) { return; } CGContextSetAlpha(mCg, aDrawOptions.mAlpha); CGContextSetShouldAntialias(cg, aDrawOptions.mAntialiasMode != AntialiasMode::NONE); this_CGContextSetBlendMode(mCg, aDrawOptions.mCompositionOp); CGContextBeginPath(cg); CGContextMoveToPoint(cg, p1.x, p1.y); CGContextAddLineToPoint(cg, p2.x, p2.y); SetStrokeOptions(cg, aStrokeOptions); if (isGradient(aPattern)) { CGContextReplacePathWithStrokedPath(cg); CGRect extents = CGContextGetPathBoundingBox(cg); //XXX: should we use EO clip here? CGContextClip(cg); DrawGradient(mColorSpace, cg, aPattern, extents); } else { SetStrokeFromPattern(cg, mColorSpace, aPattern); CGContextStrokePath(cg); } fixer.Fix(this); CGContextRestoreGState(mCg); } static bool IsInteger(Float aValue) { return floorf(aValue) == aValue; } static bool IsPixelAlignedStroke(const Rect& aRect, Float aLineWidth) { Float halfWidth = aLineWidth/2; return IsInteger(aLineWidth) && IsInteger(aRect.x - halfWidth) && IsInteger(aRect.y - halfWidth) && IsInteger(aRect.XMost() - halfWidth) && IsInteger(aRect.YMost() - halfWidth); } void DrawTargetCG::StrokeRect(const Rect &aRect, const Pattern &aPattern, const StrokeOptions &aStrokeOptions, const DrawOptions &aDrawOptions) { if (MOZ2D_ERROR_IF(!mCg)) { return; } if (!aRect.IsFinite()) { return; } // Stroking large rectangles with dashes is expensive with CG (fixed // overhead based on the number of dashes, regardless of whether the dashes // are visible), so we try to reduce the size of the stroked rectangle as // much as possible before passing it on to CG. Rect rect = aRect; if (!rect.IsEmpty()) { Rect deviceClip(0, 0, mSize.width, mSize.height); rect = ShrinkClippedStrokedRect(rect, deviceClip, mTransform, aStrokeOptions); if (rect.IsEmpty()) { return; } } MarkChanged(); CGContextSaveGState(mCg); UnboundnessFixer fixer; CGContextRef cg = fixer.Check(this, aDrawOptions.mCompositionOp); if (MOZ2D_ERROR_IF(!cg)) { return; } CGContextSetAlpha(mCg, aDrawOptions.mAlpha); this_CGContextSetBlendMode(mCg, aDrawOptions.mCompositionOp); // Work around Quartz bug where antialiasing causes corner pixels to be off by // 1 channel value (e.g. rgb(1,1,1) values appear at the corner of solid // black stroke), by turning off antialiasing when the edges of the stroke // are pixel-aligned. Note that when a transform's components are all // integers, it maps integers coordinates to integer coordinates. bool pixelAlignedStroke = mTransform.IsAllIntegers() && mTransform.PreservesAxisAlignedRectangles() && aPattern.GetType() == PatternType::COLOR && IsPixelAlignedStroke(rect, aStrokeOptions.mLineWidth); CGContextSetShouldAntialias(cg, aDrawOptions.mAntialiasMode != AntialiasMode::NONE && !pixelAlignedStroke); SetStrokeOptions(cg, aStrokeOptions); if (isGradient(aPattern)) { // There's no CGContextClipStrokeRect so we do it by hand CGContextBeginPath(cg); CGContextAddRect(cg, RectToCGRect(rect)); CGContextReplacePathWithStrokedPath(cg); CGRect extents = CGContextGetPathBoundingBox(cg); //XXX: should we use EO clip here? CGContextClip(cg); DrawGradient(mColorSpace, cg, aPattern, extents); } else { SetStrokeFromPattern(cg, mColorSpace, aPattern); // We'd like to use CGContextStrokeRect(cg, RectToCGRect(rect)); // Unfortunately, newer versions of OS X no longer start at the top-left // corner and stroke clockwise as older OS X versions and all the other // Moz2D backends do. (Newer versions start at the top right-hand corner // and stroke counter-clockwise.) For consistency we draw the rect by hand. CGContextBeginPath(cg); CGContextMoveToPoint(cg, rect.x, rect.y); CGContextAddLineToPoint(cg, rect.XMost(), rect.y); CGContextAddLineToPoint(cg, rect.XMost(), rect.YMost()); CGContextAddLineToPoint(cg, rect.x, rect.YMost()); CGContextClosePath(cg); CGContextStrokePath(cg); } fixer.Fix(this); CGContextRestoreGState(mCg); } void DrawTargetCG::ClearRect(const Rect &aRect) { if (MOZ2D_ERROR_IF(!mCg)) { return; } MarkChanged(); CGContextClearRect(mCg, RectToCGRect(aRect)); } void DrawTargetCG::Stroke(const Path *aPath, const Pattern &aPattern, const StrokeOptions &aStrokeOptions, const DrawOptions &aDrawOptions) { if (MOZ2D_ERROR_IF(!mCg)) { return; } if (!aPath->GetBounds().IsFinite()) { return; } MarkChanged(); CGContextSaveGState(mCg); UnboundnessFixer fixer; CGContextRef cg = fixer.Check(this, aDrawOptions.mCompositionOp); if (MOZ2D_ERROR_IF(!cg)) { return; } CGContextSetAlpha(mCg, aDrawOptions.mAlpha); CGContextSetShouldAntialias(cg, aDrawOptions.mAntialiasMode != AntialiasMode::NONE); this_CGContextSetBlendMode(mCg, aDrawOptions.mCompositionOp); CGContextBeginPath(cg); //assert(aPath->GetBackendType() == BackendType::COREGRAPHICS); const PathCG *cgPath = static_cast(aPath); if (MOZ_UNLIKELY(!this_CGContextAddPath(cg, cgPath->GetPath()))) { fprintf(stderr, "Warning: TenFourFox DrawTargetCG::Stroke received an illegal path coordinate.\n"); fixer.Fix(this); CGContextRestoreGState(mCg); return; } SetStrokeOptions(cg, aStrokeOptions); if (isGradient(aPattern)) { CGContextReplacePathWithStrokedPath(cg); CGRect extents = CGContextGetPathBoundingBox(cg); //XXX: should we use EO clip here? CGContextClip(cg); DrawGradient(mColorSpace, cg, aPattern, extents); } else { // XXX: we could put fill mode into the path fill rule if we wanted SetStrokeFromPattern(cg, mColorSpace, aPattern); CGContextStrokePath(cg); } fixer.Fix(this); CGContextRestoreGState(mCg); } void DrawTargetCG::Fill(const Path *aPath, const Pattern &aPattern, const DrawOptions &aDrawOptions) { if (MOZ2D_ERROR_IF(!mCg)) { return; } MarkChanged(); //assert(aPath->GetBackendType() == BackendType::COREGRAPHICS); CGContextSaveGState(mCg); this_CGContextSetBlendMode(mCg, aDrawOptions.mCompositionOp); UnboundnessFixer fixer; CGContextRef cg = fixer.Check(this, aDrawOptions.mCompositionOp); if (MOZ2D_ERROR_IF(!cg)) { return; } CGContextSetAlpha(cg, aDrawOptions.mAlpha); CGContextSetShouldAntialias(cg, aDrawOptions.mAntialiasMode != AntialiasMode::NONE); CGContextBeginPath(cg); // XXX: we could put fill mode into the path fill rule if we wanted const PathCG *cgPath = static_cast(aPath); if (isGradient(aPattern)) { // setup a clip to draw the gradient through CGRect extents; if (CGPathIsEmpty(cgPath->GetPath())) { // Adding an empty path will cause us not to clip // so clip everything explicitly CGContextClipToRect(mCg, CGRectZero); extents = CGRectZero; } else { if (MOZ_UNLIKELY(!this_CGContextAddPath(cg, cgPath->GetPath()))) { fprintf(stderr, "Warning: TenFourFox DrawTargetCG::Fill received an illegal path coordinate.\n"); fixer.Fix(this); CGContextRestoreGState(mCg); return; } extents = CGContextGetPathBoundingBox(cg); if (cgPath->GetFillRule() == FillRule::FILL_EVEN_ODD) CGContextEOClip(mCg); else CGContextClip(mCg); } DrawGradient(mColorSpace, cg, aPattern, extents); } else { if (MOZ_UNLIKELY(!this_CGContextAddPath(cg, cgPath->GetPath()))) { fprintf(stderr, "Warning: TenFourFox DrawTargetCG::Fill received an illegal path coordinate.\n"); fixer.Fix(this); CGContextRestoreGState(mCg); return; } SetFillFromPattern(cg, mColorSpace, aPattern); if (cgPath->GetFillRule() == FillRule::FILL_EVEN_ODD) CGContextEOFillPath(cg); else CGContextFillPath(cg); } fixer.Fix(this); CGContextRestoreGState(mCg); } CGRect ComputeGlyphsExtents(CGRect *bboxes, CGPoint *positions, CFIndex count, float scale) { CGFloat x1, x2, y1, y2; if (count < 1) return CGRectZero; x1 = bboxes[0].origin.x + positions[0].x; x2 = bboxes[0].origin.x + positions[0].x + scale*bboxes[0].size.width; y1 = bboxes[0].origin.y + positions[0].y; y2 = bboxes[0].origin.y + positions[0].y + scale*bboxes[0].size.height; // accumulate max and minimum coordinates for (int i = 1; i < count; i++) { x1 = min(x1, bboxes[i].origin.x + positions[i].x); y1 = min(y1, bboxes[i].origin.y + positions[i].y); x2 = max(x2, bboxes[i].origin.x + positions[i].x + scale*bboxes[i].size.width); y2 = max(y2, bboxes[i].origin.y + positions[i].y + scale*bboxes[i].size.height); } CGRect extents = {{x1, y1}, {x2-x1, y2-y1}}; return extents; } typedef void (*CGContextSetFontSmoothingBackgroundColorFunc) (CGContextRef cgContext, CGColorRef color); static CGContextSetFontSmoothingBackgroundColorFunc GetCGContextSetFontSmoothingBackgroundColorFunc() { static CGContextSetFontSmoothingBackgroundColorFunc func = nullptr; static bool lookedUpFunc = false; if (!lookedUpFunc) { func = (CGContextSetFontSmoothingBackgroundColorFunc)dlsym( RTLD_DEFAULT, "CGContextSetFontSmoothingBackgroundColor"); lookedUpFunc = true; } return func; } void DrawTargetCG::FillGlyphs(ScaledFont *aFont, const GlyphBuffer &aBuffer, const Pattern &aPattern, const DrawOptions &aDrawOptions, const GlyphRenderingOptions *aGlyphRenderingOptions) { if (MOZ2D_ERROR_IF(!mCg)) { return; } MarkChanged(); //assert(aBuffer.mNumGlyphs); CGContextSaveGState(mCg); if (aGlyphRenderingOptions && aGlyphRenderingOptions->GetType() == FontType::MAC) { Color fontSmoothingBackgroundColor = static_cast(aGlyphRenderingOptions)->FontSmoothingBackgroundColor(); if (fontSmoothingBackgroundColor.a > 0) { CGContextSetFontSmoothingBackgroundColorFunc setFontSmoothingBGColorFunc = GetCGContextSetFontSmoothingBackgroundColorFunc(); if (setFontSmoothingBGColorFunc) { CGColorRef color = ColorToCGColor(mColorSpace, fontSmoothingBackgroundColor); setFontSmoothingBGColorFunc(mCg, color); CGColorRelease(color); // Font rendering with a non-transparent font smoothing background color // can leave pixels in our buffer where the rgb components exceed the alpha // component. When this happens we need to clean up the data afterwards. // The purpose of this is probably the following: Correct compositing of // subpixel anti-aliased fonts on transparent backgrounds requires // different alpha values per RGB component. Usually, premultiplied color // values are derived by multiplying all components with the same per-pixel // alpha value. However, if you multiply each component with a *different* // alpha, and set the alpha component of the pixel to, say, the average // of the alpha values that you used during the premultiplication of the // RGB components, you can trick OVER compositing into doing a simplified // form of component alpha compositing. (You just need to make sure to // clamp the components of the result pixel to [0,255] afterwards.) mMayContainInvalidPremultipliedData = true; } } } this_CGContextSetBlendMode(mCg, aDrawOptions.mCompositionOp); UnboundnessFixer fixer; CGContextRef cg = fixer.Check(this, aDrawOptions.mCompositionOp); if (MOZ2D_ERROR_IF(!cg)) { return; } CGContextSetAlpha(cg, aDrawOptions.mAlpha); CGContextSetShouldAntialias(cg, aDrawOptions.mAntialiasMode != AntialiasMode::NONE); if (aDrawOptions.mAntialiasMode != AntialiasMode::DEFAULT) { CGContextSetShouldSmoothFonts(cg, aDrawOptions.mAntialiasMode == AntialiasMode::SUBPIXEL); } ScaledFontMac* macFont = static_cast(aFont); #ifndef CG_TIGER // This code can execute millions of times in short periods, so we want to // avoid heap allocation whenever possible. So we use an inline vector // capacity of 64 elements, which is enough to typically avoid heap // allocation in ~99% of cases. Vector glyphs; Vector positions; if (!glyphs.resizeUninitialized(aBuffer.mNumGlyphs) || !positions.resizeUninitialized(aBuffer.mNumGlyphs)) { gfxDevCrash(LogReason::GlyphAllocFailedCG) << "glyphs/positions allocation failed"; return; } // Handle the flip CGContextScaleCTM(cg, 1, -1); // CGContextSetTextMatrix works differently with kCGTextClip && kCGTextFill // It seems that it transforms the positions with TextFill and not with TextClip // Therefore we'll avoid it. See also: // http://cgit.freedesktop.org/cairo/commit/?id=9c0d761bfcdd28d52c83d74f46dd3c709ae0fa69 for (unsigned int i = 0; i < aBuffer.mNumGlyphs; i++) { glyphs[i] = aBuffer.mGlyphs[i].mIndex; // XXX: CGPointMake might not be inlined positions[i] = CGPointMake(aBuffer.mGlyphs[i].mPosition.x, -aBuffer.mGlyphs[i].mPosition.y); } //XXX: CGContextShowGlyphsAtPositions is 10.5+ for older versions use CGContextShowGlyphsWithAdvances if (isGradient(aPattern)) { CGContextSetTextDrawingMode(cg, kCGTextClip); CGRect extents; if (ScaledFontMac::CTFontDrawGlyphsPtr != nullptr) { CGRect *bboxes = new CGRect[aBuffer.mNumGlyphs]; CTFontGetBoundingRectsForGlyphs(macFont->mCTFont, kCTFontDefaultOrientation, glyphs.begin(), bboxes, aBuffer.mNumGlyphs); extents = ComputeGlyphsExtents(bboxes, positions.begin(), aBuffer.mNumGlyphs, 1.0f); ScaledFontMac::CTFontDrawGlyphsPtr(macFont->mCTFont, glyphs.begin(), positions.begin(), aBuffer.mNumGlyphs, cg); delete[] bboxes; } else { CGRect *bboxes = new CGRect[aBuffer.mNumGlyphs]; CGFontGetGlyphBBoxes(macFont->mFont, glyphs.begin(), aBuffer.mNumGlyphs, bboxes); extents = ComputeGlyphsExtents(bboxes, positions.begin(), aBuffer.mNumGlyphs, macFont->mSize); CGContextSetFont(cg, macFont->mFont); CGContextSetFontSize(cg, macFont->mSize); CGContextShowGlyphsAtPositions(cg, glyphs.begin(), positions.begin(), aBuffer.mNumGlyphs); delete[] bboxes; } CGContextScaleCTM(cg, 1, -1); DrawGradient(mColorSpace, cg, aPattern, extents); } else { //XXX: with CoreGraphics we can stroke text directly instead of going // through GetPath. It would be nice to add support for using that CGContextSetTextDrawingMode(cg, kCGTextFill); SetFillFromPattern(cg, mColorSpace, aPattern); if (ScaledFontMac::CTFontDrawGlyphsPtr != nullptr) { ScaledFontMac::CTFontDrawGlyphsPtr(macFont->mCTFont, glyphs.begin(), positions.begin(), aBuffer.mNumGlyphs, cg); } else { CGContextSetFont(cg, macFont->mFont); CGContextSetFontSize(cg, macFont->mSize); CGContextShowGlyphsAtPositions(cg, glyphs.begin(), positions.begin(), aBuffer.mNumGlyphs); } } #else CGGlyph it[1]; // Set up the mirrored text matrix. (WTF, Apple.) CGAffineTransform xform = CGAffineTransformMake(1, 0, 0, -1, 0, 0); CGContextSetTextMatrix(cg, xform); // Set the font. We don't use CoreText, so ScaledFontMac::CTFontDrawGlyphsPtr // is always null. CGContextSetFont(cg, macFont->mFont); CGContextSetFontSize(cg, macFont->mSize); // So we have glyphs and positions. So let's dump them where they are. // We use two different loops so that we can speed up regular text and // avoid branching inside the loop. Make the fast path the typical path. if (MOZ_LIKELY(!isGradient(aPattern))) { CGContextSetTextDrawingMode(cg, kCGTextFill); SetFillFromPattern(cg, mColorSpace, aPattern); for (unsigned int i = 0; i < aBuffer.mNumGlyphs; i++) { // CGContextShowGlyphsWithAdvances requires too much setup // and most runs are below 200 characters. There is no // particular size pattern which lends itself to unrolling. it[0] = aBuffer.mGlyphs[i].mIndex; CGContextShowGlyphsAtPoint(cg, aBuffer.mGlyphs[i].mPosition.x, aBuffer.mGlyphs[i].mPosition.y, it, 1); } } else { // XXX: Fix these to use the same Vector code as above to avoid // heap allocations, but this situation is much less common. std::vector glyphs; std::vector positions; CGRect extents; glyphs.resize(aBuffer.mNumGlyphs); positions.resize(aBuffer.mNumGlyphs); for (unsigned int i = 0; i < aBuffer.mNumGlyphs; i++) { glyphs[i] = aBuffer.mGlyphs[i].mIndex; // XXX: CGPointMake might not be inlined positions[i] = CGPointMake(aBuffer.mGlyphs[i].mPosition.x, -aBuffer.mGlyphs[i].mPosition.y); } CGRect *bboxes = new CGRect[aBuffer.mNumGlyphs]; CGFontGetGlyphBBoxesPtr(macFont->mFont, &glyphs.front(), aBuffer.mNumGlyphs, bboxes); extents = ComputeGlyphsExtents(bboxes, &positions.front(), aBuffer.mNumGlyphs, macFont->mSize); for (unsigned int i = 0; i < aBuffer.mNumGlyphs; i++) { CGContextSaveGState(cg); // push the "non-clip" on the stack CGContextSetTextDrawingMode(cg, kCGTextClip); it[0] = aBuffer.mGlyphs[i].mIndex; CGContextShowGlyphsAtPoint(cg, aBuffer.mGlyphs[i].mPosition.x, aBuffer.mGlyphs[i].mPosition.y, it, 1); DrawGradient(mColorSpace, cg, aPattern, extents); CGContextRestoreGState(cg); // pop the clip off } } #endif fixer.Fix(this); CGContextRestoreGState(mCg); } extern "C" { void CGContextResetClip(CGContextRef); }; void DrawTargetCG::CopySurface(SourceSurface *aSurface, const IntRect& aSourceRect, const IntPoint &aDestination) { if (MOZ2D_ERROR_IF(!mCg)) { return; } MarkChanged(); CGImageRef image = GetRetainedImageFromSourceSurface(aSurface); // XXX: it might be more efficient for us to do the copy directly if we have access to the bits CGContextSaveGState(mCg); CGContextSetCTM(mCg, mOriginalTransform); // CopySurface ignores the clip, so we need to use private API to temporarily reset it CGContextResetClip(mCg); CGRect destRect = CGRectMake(aDestination.x, aDestination.y, aSourceRect.width, aSourceRect.height); CGContextClipToRect(mCg, destRect); #ifndef CG_TIGER CGContextSetBlendMode(mCg, kCGBlendModeCopy); #else this_CGContextSetBlendMode(mCg, CompositionOp::OP_SOURCE); #endif // XXX: https://benoitgirard.wordpress.com/2010/03/09/optimizing-cgcontextdrawimage/ CGContextScaleCTM(mCg, 1, -1); CGRect flippedRect = CGRectMake(aDestination.x - aSourceRect.x, -(aDestination.y - aSourceRect.y + double(CGImageGetHeight(image))), CGImageGetWidth(image), CGImageGetHeight(image)); // Quartz seems to copy A8 surfaces incorrectly if we don't initialize them // to transparent first. if (MOZ_UNLIKELY(mFormat == SurfaceFormat::A8)) { CGContextClearRect(mCg, flippedRect); } CGContextDrawImage(mCg, flippedRect, image); CGContextRestoreGState(mCg); CGImageRelease(image); } void DrawTargetCG::DrawSurfaceWithShadow(SourceSurface *aSurface, const Point &aDest, const Color &aColor, const Point &aOffset, Float aSigma, CompositionOp aOperator) { if (MOZ2D_ERROR_IF(!mCg)) { return; } MarkChanged(); CGImageRef image = GetRetainedImageFromSourceSurface(aSurface); IntSize size = aSurface->GetSize(); CGContextSaveGState(mCg); CGContextSetCTM(mCg, mOriginalTransform); //XXX do we need to do the fixup here? this_CGContextSetBlendMode(mCg, aOperator); CGContextScaleCTM(mCg, 1, -1); CGRect flippedRect = CGRectMake(aDest.x, -(aDest.y + size.height), size.width, size.height); CGColorRef color = ColorToCGColor(mColorSpace, aColor); CGSize offset = {aOffset.x, -aOffset.y}; // CoreGraphics needs twice sigma as it's amount of blur CGContextSetShadowWithColor(mCg, offset, 2*aSigma, color); CGColorRelease(color); CGContextDrawImage(mCg, flippedRect, image); CGImageRelease(image); CGContextRestoreGState(mCg); } bool DrawTargetCG::Init(BackendType aType, unsigned char* aData, const IntSize &aSize, int32_t aStride, SurfaceFormat aFormat) { // XXX: we should come up with some consistent semantics for dealing // with zero area drawtargets if (MOZ_UNLIKELY(aSize.width <= 0 || aSize.height <= 0 || size_t(aSize.width) > GetMaxSurfaceSize() || size_t(aSize.height) > GetMaxSurfaceSize())) { gfxWarning() << "Failed to Init() DrawTargetCG because of bad size."; mColorSpace = nullptr; mCg = nullptr; return false; } //XXX: handle SurfaceFormat //XXX: we'd be better off reusing the Colorspace across draw targets mColorSpace = CGColorSpaceCreateDeviceRGB(); if (aData == nullptr /* && aType != BackendType::COREGRAPHICS_ACCELERATED */) { // XXX: Currently, Init implicitly clears, that can often be a waste of time size_t bufLen = BufferSizeFromStrideAndHeight(aStride, aSize.height); if (bufLen == 0) { mColorSpace = nullptr; mCg = nullptr; return false; } static_assert(sizeof(decltype(mData[0])) == 1, "mData.Realloc() takes an object count, so its objects must be 1-byte sized if we use bufLen"); mData.Realloc(/* actually an object count */ bufLen, true); aData = static_cast(mData); } mSize = aSize; // Always false on 10.4 #ifndef CG_TIGER // def MOZ_WIDGET_COCOA if (aType == BackendType::COREGRAPHICS_ACCELERATED) { RefPtr ioSurface = MacIOSurface::CreateIOSurface(aSize.width, aSize.height); mCg = ioSurface->CreateIOSurfaceContext(); // If we don't have the symbol for 'CreateIOSurfaceContext' mCg will be null // and we will fallback to software below } #endif mFormat = SurfaceFormat::B8G8R8A8; #ifndef CG_TIGER if (!mCg || aType == BackendType::COREGRAPHICS) { #else { #endif int bitsPerComponent = 8; CGBitmapInfo bitinfo; if (aFormat == SurfaceFormat::A8) { if (mColorSpace) CGColorSpaceRelease(mColorSpace); mColorSpace = nullptr; bitinfo = kCGImageAlphaOnly; mFormat = SurfaceFormat::A8; } else { bitinfo = kCGBitmapByteOrder32Host; if (aFormat == SurfaceFormat::B8G8R8X8) { bitinfo |= kCGImageAlphaNoneSkipFirst; mFormat = aFormat; } else { bitinfo |= kCGImageAlphaPremultipliedFirst; } } // XXX: what should we do if this fails? mCg = CGBitmapContextCreate (aData, mSize.width, mSize.height, bitsPerComponent, aStride, mColorSpace, bitinfo); } //assert(mCg); if (MOZ_UNLIKELY(!mCg)) { gfxCriticalError() << "Failed to create CG context" << mSize << ", " << aStride; return false; } // CGContext's default to have the origin at the bottom left // so flip it to the top left CGContextTranslateCTM(mCg, 0, mSize.height); CGContextScaleCTM(mCg, 1, -1); mOriginalTransform = CGContextGetCTM(mCg); // See Bug 722164 for performance details // Medium or higher quality lead to expensive interpolation // for canvas we want to use low quality interpolation // to have competitive performance with other canvas // implementation. // XXX: Create input parameter to control interpolation and // use the default for content. CGContextSetInterpolationQuality(mCg, kCGInterpolationLow); // Never occurs on Tiger. #ifndef CG_TIGER if (aType == BackendType::COREGRAPHICS_ACCELERATED) { // The bitmap backend uses callac to clear, we can't do that without // reading back the surface. This should trigger something equivilent // to glClear. ClearRect(Rect(0, 0, mSize.width, mSize.height)); } #endif return true; } // XXX: Only called by Flush() and not for 10.4 #if(0) static void EnsureValidPremultipliedData(CGContextRef aContext) { if (CGBitmapContextGetBitsPerPixel(aContext) != 32 || CGBitmapContextGetAlphaInfo(aContext) != kCGImageAlphaPremultipliedFirst) { return; } uint8_t* bitmapData = (uint8_t*)CGBitmapContextGetData(aContext); int w = CGBitmapContextGetWidth(aContext); int h = CGBitmapContextGetHeight(aContext); int stride = CGBitmapContextGetBytesPerRow(aContext); for (int y = 0; y < h; y++) { for (int x = 0; x < w; x++) { int i = y * stride + x * 4; uint8_t a = bitmapData[i + 3]; // Clamp rgb components to the alpha component. if (bitmapData[i + 0] > a) { bitmapData[i + 0] = a; } if (bitmapData[i + 1] > a) { bitmapData[i + 1] = a; } if (bitmapData[i + 2] > a) { bitmapData[i + 2] = a; } } } } #endif void DrawTargetCG::Flush() { // This never occurs for Tiger. #ifndef CG_TIGER // def MOZ_WIDGET_COCOA if (GetContextType(mCg) == CG_CONTEXT_TYPE_IOSURFACE) { CGContextFlush(mCg); } else if (GetContextType(mCg) == CG_CONTEXT_TYPE_BITMAP && mMayContainInvalidPremultipliedData) { // We can't guarantee that all our users can handle pixel data where an RGB // component value exceeds the pixel's alpha value. In particular, the // color conversion that CG does when we draw a CGImage snapshot of this // context into a context that has a different color space throws up on // invalid premultiplied data and creates completely wrong colors. // Sanitizing the data means that we lose some of the fake component alpha // behavior that font rendering tries to give us, but the result still // looks good enough to prefer it over grayscale font anti-aliasing. EnsureValidPremultipliedData(mCg); mMayContainInvalidPremultipliedData = false; } #else //TODO #endif } bool DrawTargetCG::Init(CGContextRef cgContext, const IntSize &aSize) { // XXX: we should come up with some consistent semantics for dealing // with zero area drawtargets if (aSize.width == 0 || aSize.height == 0) { mColorSpace = nullptr; mCg = nullptr; return false; } //XXX: handle SurfaceFormat //XXX: we'd be better off reusing the Colorspace across draw targets mColorSpace = CGColorSpaceCreateDeviceRGB(); mSize = aSize; mCg = cgContext; CGContextRetain(mCg); //assert(mCg); if (MOZ_UNLIKELY(!mCg)) { gfxCriticalError() << "Invalid CG context at Init " << aSize; return false; } // CGContext's default to have the origin at the bottom left. // However, currently the only use of this function is to construct a // DrawTargetCG around a CGContextRef from a cairo quartz surface which // already has it's origin adjusted. // // CGContextTranslateCTM(mCg, 0, mSize.height); // CGContextScaleCTM(mCg, 1, -1); mOriginalTransform = CGContextGetCTM(mCg); mFormat = SurfaceFormat::B8G8R8A8; // The below is never true for 10.4 (in fact, it bugs out badly if it // enters the code path). #ifndef CG_TIGER // def MOZ_WIDGET_COCOA if (GetContextType(mCg) == CG_CONTEXT_TYPE_BITMAP) { CGColorSpaceRef colorspace; CGBitmapInfo bitinfo = CGBitmapContextGetBitmapInfo(mCg); colorspace = CGBitmapContextGetColorSpace (mCg); if (CGColorSpaceGetNumberOfComponents(colorspace) == 1) { mFormat = SurfaceFormat::A8; } else if ((bitinfo & kCGBitmapAlphaInfoMask) == kCGImageAlphaNoneSkipFirst) { mFormat = SurfaceFormat::B8G8R8X8; } } #endif return true; } bool DrawTargetCG::Init(BackendType aType, const IntSize &aSize, SurfaceFormat &aFormat) { int32_t stride = GetAlignedStride<16>(aSize.width * BytesPerPixel(aFormat)); // Calling Init with aData == nullptr will allocate. return Init(aType, nullptr, aSize, stride, aFormat); } already_AddRefed DrawTargetCG::CreatePathBuilder(FillRule aFillRule) const { return MakeAndAddRef(aFillRule); } void* DrawTargetCG::GetNativeSurface(NativeSurfaceType aType) { // Dammit, I said 10.4 doesn't have IOSurfaces! #ifndef CG_TIGER // def MOZ_WIDGET_COCOA if ((aType == NativeSurfaceType::CGCONTEXT && GetContextType(mCg) == CG_CONTEXT_TYPE_BITMAP) || (aType == NativeSurfaceType::CGCONTEXT_ACCELERATED && GetContextType(mCg) == CG_CONTEXT_TYPE_IOSURFACE)) { return mCg; } else { return nullptr; } #else return mCg; #endif } void DrawTargetCG::Mask(const Pattern &aSource, const Pattern &aMask, const DrawOptions &aDrawOptions) { MOZ_CRASH("not completely implemented"); #if(0) MarkChanged(); CGContextSaveGState(mCg); if (isGradient(aMask)) { assert(0); } else { if (aMask.GetType() == PatternType::COLOR) { DrawOptions drawOptions(aDrawOptions); const Color& color = static_cast(aMask).mColor; drawOptions.mAlpha *= color.a; assert(0); // XXX: we need to get a rect that when transformed covers the entire surface //Rect //FillRect(rect, aSource, drawOptions); } else if (aMask.GetType() == PatternType::SURFACE) { const SurfacePattern& pat = static_cast(aMask); CGImageRef mask = GetRetainedImageFromSourceSurface(pat.mSurface.get()); MOZ_ASSERT(pat.mSamplingRect.IsEmpty(), "Sampling rect not supported with masks!"); Rect rect(0,0, CGImageGetWidth(mask), CGImageGetHeight(mask)); // XXX: probably we need to do some flipping of the image or something CGContextClipToMask(mCg, RectToCGRect(rect), mask); FillRect(rect, aSource, aDrawOptions); CGImageRelease(mask); } } CGContextRestoreGState(mCg); #endif } void DrawTargetCG::PushClipRect(const Rect &aRect) { if (MOZ2D_ERROR_IF(!mCg)) { return; } CGContextSaveGState(mCg); CGContextClipToRect(mCg, RectToCGRect(aRect)); } void DrawTargetCG::PushClip(const Path *aPath) { if (MOZ2D_ERROR_IF(!mCg)) { return; } CGContextSaveGState(mCg); CGContextBeginPath(mCg); //assert(aPath->GetBackendType() == BackendType::COREGRAPHICS); const PathCG *cgPath = static_cast(aPath); // Weirdly, CoreGraphics clips empty paths as all shown // but emtpy rects as all clipped. We detect this situation and // workaround it appropriately if (CGPathIsEmpty(cgPath->GetPath())) { // XXX: should we return here? CGContextClipToRect(mCg, CGRectZero); } /* We go through a bit of trouble to temporarilly set the transform * while we add the path. XXX: this could be improved if we keep * the CTM as resident state on the DrawTarget. */ CGContextSaveGState(mCg); if (MOZ_UNLIKELY(!this_CGContextAddPath(mCg, cgPath->GetPath()))) { fprintf(stderr, "Warning: TenFourFox DrawTargetCG::PushClip received an illegal coordinate.\n"); return; } CGContextRestoreGState(mCg); if (cgPath->GetFillRule() == FillRule::FILL_EVEN_ODD) CGContextEOClip(mCg); else CGContextClip(mCg); } void DrawTargetCG::PopClip() { CGContextRestoreGState(mCg); } void DrawTargetCG::MarkChanged() { if (mSnapshot) { if (mSnapshot->refCount() > 1) { // We only need to worry about snapshots that someone else knows about mSnapshot->DrawTargetWillChange(); } mSnapshot = nullptr; } } CGContextRef BorrowedCGContext::BorrowCGContextFromDrawTarget(DrawTarget *aDT) { if (MOZ_LIKELY((aDT->GetBackendType() == BackendType::COREGRAPHICS /* || aDT->GetBackendType() == BackendType::COREGRAPHICS_ACCELERATED */ ) && !aDT->IsTiledDrawTarget() && !aDT->IsDualDrawTarget())) { DrawTargetCG* cgDT = static_cast(aDT); cgDT->Flush(); cgDT->MarkChanged(); // swap out the context CGContextRef cg = cgDT->mCg; if (MOZ2D_ERROR_IF(!cg)) { return nullptr; } cgDT->mCg = nullptr; // save the state to make it easier for callers to avoid mucking with things CGContextSaveGState(cg); return cg; } return nullptr; } void BorrowedCGContext::ReturnCGContextToDrawTarget(DrawTarget *aDT, CGContextRef cg) { DrawTargetCG* cgDT = static_cast(aDT); CGContextRestoreGState(cg); cgDT->mCg = cg; } } // namespace gfx } // namespace mozilla