gecko-dev/layout/generic/nsImageMap.cpp

Ignoring revisions in .git-blame-ignore-revs. Click here to bypass and see the normal blame view.

881 строка
26 KiB
C++
Исходник Обычный вид История

/* -*- Mode: C++; tab-width: 8; indent-tabs-mode: nil; c-basic-offset: 2 -*- */
/* vim: set ts=8 sts=2 et sw=2 tw=80: */
2012-05-21 15:12:37 +04:00
/* 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/. */
/* code for HTML client-side image maps */
#include "nsImageMap.h"
#include "mozilla/dom/Element.h"
#include "mozilla/dom/Event.h" // for Event
#include "mozilla/dom/HTMLAreaElement.h"
#include "mozilla/gfx/PathHelpers.h"
#include "mozilla/UniquePtr.h"
1998-04-14 00:24:54 +04:00
#include "nsString.h"
#include "nsReadableUtils.h"
#include "nsPresContext.h"
#include "nsNameSpaceManager.h"
#include "nsGkAtoms.h"
#include "nsImageFrame.h"
#include "nsCoord.h"
#include "nsIContentInlines.h"
#include "nsIScriptError.h"
#include "nsIStringBundle.h"
#include "nsContentUtils.h"
#include "ImageLayers.h"
#ifdef ACCESSIBILITY
# include "nsAccessibilityService.h"
#endif
using namespace mozilla;
using namespace mozilla::gfx;
using namespace mozilla::dom;
1998-04-14 00:24:54 +04:00
class Area {
public:
explicit Area(HTMLAreaElement* aArea);
1998-04-14 00:24:54 +04:00
virtual ~Area();
virtual void ParseCoords(const nsAString& aSpec);
1998-04-14 00:24:54 +04:00
virtual bool IsInside(nscoord x, nscoord y) const = 0;
virtual void Draw(nsIFrame* aFrame, DrawTarget& aDrawTarget,
const ColorPattern& aColor,
const StrokeOptions& aStrokeOptions) = 0;
virtual void GetRect(nsIFrame* aFrame, nsRect& aRect) = 0;
1998-04-14 00:24:54 +04:00
void HasFocus(bool aHasFocus);
1998-04-14 00:24:54 +04:00
RefPtr<HTMLAreaElement> mArea;
UniquePtr<nscoord[]> mCoords;
int32_t mNumCoords;
bool mHasFocus;
1998-04-14 00:24:54 +04:00
};
Area::Area(HTMLAreaElement* aArea) : mArea(aArea) {
MOZ_COUNT_CTOR(Area);
MOZ_ASSERT(mArea, "How did that happen?");
1998-04-14 00:24:54 +04:00
mNumCoords = 0;
mHasFocus = false;
1998-04-14 00:24:54 +04:00
}
Area::~Area() { MOZ_COUNT_DTOR(Area); }
1998-04-14 00:24:54 +04:00
#include <stdlib.h>
inline bool is_space(char c) {
return (c == ' ' || c == '\f' || c == '\n' || c == '\r' || c == '\t' ||
c == '\v');
}
1998-04-14 00:24:54 +04:00
static void logMessage(nsIContent* aContent, const nsAString& aCoordsSpec,
int32_t aFlags, const char* aMessageName) {
nsContentUtils::ReportToConsole(
aFlags, NS_LITERAL_CSTRING("Layout: ImageMap"), aContent->OwnerDoc(),
nsContentUtils::eLAYOUT_PROPERTIES, aMessageName,
nsTArray<nsString>(), /* params */
nullptr,
PromiseFlatString(NS_LITERAL_STRING("coords=\"") + aCoordsSpec +
NS_LITERAL_STRING("\""))); /* source line */
}
2008-09-06 19:52:33 +04:00
void Area::ParseCoords(const nsAString& aSpec) {
Bug 1402247 - Use encoding_rs for XPCOM string encoding conversions. r=Nika,erahm,froydnj. Correctness improvements: * UTF errors are handled safely per spec instead of dangerously truncating strings. * There are fewer converter implementations. Performance improvements: * The old code did exact buffer length math, which meant doing UTF math twice on each input string (once for length calculation and another time for conversion). Exact length math is more complicated when handling errors properly, which the old code didn't do. The new code does UTF math on the string content only once (when converting) but risks allocating more than once. There are heuristics in place to lower the probability of reallocation in cases where the double math avoidance isn't enough of a saving to absorb an allocation and memcpy. * Previously, in UTF-16 <-> UTF-8 conversions, an ASCII prefix was optimized but a single non-ASCII code point pessimized the rest of the string. The new code tries to get back on the fast ASCII path. * UTF-16 to Latin1 conversion guarantees less about handling of out-of-range input to eliminate an operation from the inner loop on x86/x86_64. * When assigning to a pre-existing string, the new code tries to reuse the old buffer instead of first releasing the old buffer and then allocating a new one. * When reallocating from the new code, the memcpy covers only the data that is part of the logical length of the old string instead of memcpying the whole capacity. (For old callers old excess memcpy behavior is preserved due to bogus callers. See bug 1472113.) * UTF-8 strings in XPConnect that are in the Latin1 range are passed to SpiderMonkey as Latin1. New features: * Conversion between UTF-8 and Latin1 is added in order to enable faster future interop between Rust code (or otherwise UTF-8-using code) and text node and SpiderMonkey code that uses Latin1. MozReview-Commit-ID: JaJuExfILM9
2018-07-06 10:44:43 +03:00
char* cp = ToNewUTF8String(aSpec);
2008-09-06 19:52:33 +04:00
if (cp) {
char* tptr;
char* n_str;
int32_t i, cnt;
1998-04-14 00:24:54 +04:00
/*
2008-09-06 19:52:33 +04:00
* Nothing in an empty list
1998-04-14 00:24:54 +04:00
*/
2008-09-06 19:52:33 +04:00
mNumCoords = 0;
mCoords = nullptr;
2008-09-06 19:52:33 +04:00
if (*cp == '\0') {
free(cp);
2008-09-06 19:52:33 +04:00
return;
1998-04-14 00:24:54 +04:00
}
/*
2008-09-06 19:52:33 +04:00
* Skip beginning whitespace, all whitespace is empty list.
1998-04-14 00:24:54 +04:00
*/
2008-09-06 19:52:33 +04:00
n_str = cp;
while (is_space(*n_str)) {
n_str++;
}
1998-04-14 00:24:54 +04:00
if (*n_str == '\0') {
free(cp);
2008-09-06 19:52:33 +04:00
return;
1998-04-14 00:24:54 +04:00
}
/*
2008-09-06 19:52:33 +04:00
* Make a pass where any two numbers separated by just whitespace
* are given a comma separator. Count entries while passing.
1998-04-14 00:24:54 +04:00
*/
2008-09-06 19:52:33 +04:00
cnt = 0;
while (*n_str != '\0') {
bool has_comma;
2008-09-06 19:52:33 +04:00
/*
* Skip to a separator
*/
tptr = n_str;
while (!is_space(*tptr) && *tptr != ',' && *tptr != '\0') {
tptr++;
}
n_str = tptr;
/*
* If no more entries, break out here
*/
if (*n_str == '\0') {
break;
}
/*
* Skip to the end of the separator, noting if we have a
* comma.
*/
has_comma = false;
2008-09-06 19:52:33 +04:00
while (is_space(*tptr) || *tptr == ',') {
if (*tptr == ',') {
if (!has_comma) {
has_comma = true;
2008-09-06 19:52:33 +04:00
} else {
break;
}
1998-04-14 00:24:54 +04:00
}
2008-09-06 19:52:33 +04:00
tptr++;
}
/*
* If this was trailing whitespace we skipped, we are done.
*/
if ((*tptr == '\0') && !has_comma) {
2008-09-06 19:52:33 +04:00
break;
}
/*
* Else if the separator is all whitespace, and this is not the
* end of the string, add a comma to the separator.
*/
else if (!has_comma) {
2008-09-06 19:52:33 +04:00
*n_str = ',';
1998-04-14 00:24:54 +04:00
}
2008-09-06 19:52:33 +04:00
/*
* count the entry skipped.
*/
cnt++;
n_str = tptr;
1998-04-14 00:24:54 +04:00
}
/*
2008-09-06 19:52:33 +04:00
* count the last entry in the list.
1998-04-14 00:24:54 +04:00
*/
2008-09-06 19:52:33 +04:00
cnt++;
1998-04-14 00:24:54 +04:00
/*
2008-09-06 19:52:33 +04:00
* Allocate space for the coordinate array.
1998-04-14 00:24:54 +04:00
*/
UniquePtr<nscoord[]> value_list = MakeUnique<nscoord[]>(cnt);
2008-09-06 19:52:33 +04:00
if (!value_list) {
free(cp);
2008-09-06 19:52:33 +04:00
return;
1998-04-14 00:24:54 +04:00
}
/*
2008-09-06 19:52:33 +04:00
* Second pass to copy integer values into list.
1998-04-14 00:24:54 +04:00
*/
2008-09-06 19:52:33 +04:00
tptr = cp;
for (i = 0; i < cnt; i++) {
char* ptr;
2008-09-06 19:52:33 +04:00
ptr = strchr(tptr, ',');
if (ptr) {
*ptr = '\0';
}
/*
* Strip whitespace in front of number because I don't
* trust atoi to do it on all platforms.
*/
while (is_space(*tptr)) {
tptr++;
}
if (*tptr == '\0') {
value_list[i] = 0;
} else {
2008-09-06 19:52:33 +04:00
value_list[i] = (nscoord)::atoi(tptr);
}
if (ptr) {
*ptr = ',';
tptr = ptr + 1;
}
}
1998-04-14 00:24:54 +04:00
2008-09-06 19:52:33 +04:00
mNumCoords = cnt;
mCoords = std::move(value_list);
free(cp);
1999-10-28 18:33:34 +04:00
}
1998-04-14 00:24:54 +04:00
}
void Area::HasFocus(bool aHasFocus) { mHasFocus = aHasFocus; }
1998-04-14 00:24:54 +04:00
//----------------------------------------------------------------------
class DefaultArea final : public Area {
1998-04-14 00:24:54 +04:00
public:
explicit DefaultArea(HTMLAreaElement* aArea);
1998-04-14 00:24:54 +04:00
virtual bool IsInside(nscoord x, nscoord y) const override;
virtual void Draw(nsIFrame* aFrame, DrawTarget& aDrawTarget,
const ColorPattern& aColor,
const StrokeOptions& aStrokeOptions) override;
virtual void GetRect(nsIFrame* aFrame, nsRect& aRect) override;
1998-04-14 00:24:54 +04:00
};
DefaultArea::DefaultArea(HTMLAreaElement* aArea) : Area(aArea) {}
1998-04-14 00:24:54 +04:00
bool DefaultArea::IsInside(nscoord x, nscoord y) const { return true; }
1998-04-14 00:24:54 +04:00
void DefaultArea::Draw(nsIFrame* aFrame, DrawTarget& aDrawTarget,
const ColorPattern& aColor,
const StrokeOptions& aStrokeOptions) {
if (mHasFocus) {
nsRect r(nsPoint(0, 0), aFrame->GetSize());
const nscoord kOnePixel = nsPresContext::CSSPixelsToAppUnits(1);
r.width -= kOnePixel;
r.height -= kOnePixel;
Rect rect = ToRect(nsLayoutUtils::RectToGfxRect(
r, aFrame->PresContext()->AppUnitsPerDevPixel()));
StrokeSnappedEdgesOfRect(rect, aDrawTarget, aColor, aStrokeOptions);
}
1998-04-14 00:24:54 +04:00
}
void DefaultArea::GetRect(nsIFrame* aFrame, nsRect& aRect) {
aRect = aFrame->GetRect();
aRect.MoveTo(0, 0);
}
1998-04-14 00:24:54 +04:00
//----------------------------------------------------------------------
class RectArea final : public Area {
1998-04-14 00:24:54 +04:00
public:
explicit RectArea(HTMLAreaElement* aArea);
1998-04-14 00:24:54 +04:00
virtual void ParseCoords(const nsAString& aSpec) override;
virtual bool IsInside(nscoord x, nscoord y) const override;
virtual void Draw(nsIFrame* aFrame, DrawTarget& aDrawTarget,
const ColorPattern& aColor,
const StrokeOptions& aStrokeOptions) override;
virtual void GetRect(nsIFrame* aFrame, nsRect& aRect) override;
1998-04-14 00:24:54 +04:00
};
RectArea::RectArea(HTMLAreaElement* aArea) : Area(aArea) {}
1998-04-14 00:24:54 +04:00
void RectArea::ParseCoords(const nsAString& aSpec) {
Area::ParseCoords(aSpec);
bool saneRect = true;
int32_t flag = nsIScriptError::warningFlag;
if (mNumCoords >= 4) {
if (mCoords[0] > mCoords[2]) {
// x-coords in reversed order
nscoord x = mCoords[2];
mCoords[2] = mCoords[0];
mCoords[0] = x;
saneRect = false;
}
if (mCoords[1] > mCoords[3]) {
// y-coords in reversed order
nscoord y = mCoords[3];
mCoords[3] = mCoords[1];
mCoords[1] = y;
saneRect = false;
}
if (mNumCoords > 4) {
// Someone missed the concept of a rect here
saneRect = false;
}
} else {
saneRect = false;
flag = nsIScriptError::errorFlag;
}
if (!saneRect) {
logMessage(mArea, aSpec, flag, "ImageMapRectBoundsError");
}
}
bool RectArea::IsInside(nscoord x, nscoord y) const {
if (mNumCoords >= 4) { // Note: > is for nav compatibility
1998-04-14 00:24:54 +04:00
nscoord x1 = mCoords[0];
nscoord y1 = mCoords[1];
nscoord x2 = mCoords[2];
nscoord y2 = mCoords[3];
NS_ASSERTION(x1 <= x2 && y1 <= y2,
"Someone screwed up RectArea::ParseCoords");
1998-04-14 00:24:54 +04:00
if ((x >= x1) && (x <= x2) && (y >= y1) && (y <= y2)) {
return true;
1998-04-14 00:24:54 +04:00
}
}
return false;
1998-04-14 00:24:54 +04:00
}
void RectArea::Draw(nsIFrame* aFrame, DrawTarget& aDrawTarget,
const ColorPattern& aColor,
const StrokeOptions& aStrokeOptions) {
if (mHasFocus) {
if (mNumCoords >= 4) {
nscoord x1 = nsPresContext::CSSPixelsToAppUnits(mCoords[0]);
nscoord y1 = nsPresContext::CSSPixelsToAppUnits(mCoords[1]);
nscoord x2 = nsPresContext::CSSPixelsToAppUnits(mCoords[2]);
nscoord y2 = nsPresContext::CSSPixelsToAppUnits(mCoords[3]);
NS_ASSERTION(x1 <= x2 && y1 <= y2,
"Someone screwed up RectArea::ParseCoords");
nsRect r(x1, y1, x2 - x1, y2 - y1);
Rect rect = ToRect(nsLayoutUtils::RectToGfxRect(
r, aFrame->PresContext()->AppUnitsPerDevPixel()));
StrokeSnappedEdgesOfRect(rect, aDrawTarget, aColor, aStrokeOptions);
}
}
}
void RectArea::GetRect(nsIFrame* aFrame, nsRect& aRect) {
1998-04-14 00:24:54 +04:00
if (mNumCoords >= 4) {
nscoord x1 = nsPresContext::CSSPixelsToAppUnits(mCoords[0]);
nscoord y1 = nsPresContext::CSSPixelsToAppUnits(mCoords[1]);
nscoord x2 = nsPresContext::CSSPixelsToAppUnits(mCoords[2]);
nscoord y2 = nsPresContext::CSSPixelsToAppUnits(mCoords[3]);
NS_ASSERTION(x1 <= x2 && y1 <= y2,
"Someone screwed up RectArea::ParseCoords");
aRect.SetRect(x1, y1, x2, y2);
1998-04-14 00:24:54 +04:00
}
}
//----------------------------------------------------------------------
class PolyArea final : public Area {
1998-04-14 00:24:54 +04:00
public:
explicit PolyArea(HTMLAreaElement* aArea);
1998-04-14 00:24:54 +04:00
virtual void ParseCoords(const nsAString& aSpec) override;
virtual bool IsInside(nscoord x, nscoord y) const override;
virtual void Draw(nsIFrame* aFrame, DrawTarget& aDrawTarget,
const ColorPattern& aColor,
const StrokeOptions& aStrokeOptions) override;
virtual void GetRect(nsIFrame* aFrame, nsRect& aRect) override;
1998-04-14 00:24:54 +04:00
};
PolyArea::PolyArea(HTMLAreaElement* aArea) : Area(aArea) {}
1998-04-14 00:24:54 +04:00
void PolyArea::ParseCoords(const nsAString& aSpec) {
Area::ParseCoords(aSpec);
if (mNumCoords >= 2) {
if (mNumCoords & 1U) {
logMessage(mArea, aSpec, nsIScriptError::warningFlag,
"ImageMapPolyOddNumberOfCoords");
}
} else {
logMessage(mArea, aSpec, nsIScriptError::errorFlag,
"ImageMapPolyWrongNumberOfCoords");
}
}
bool PolyArea::IsInside(nscoord x, nscoord y) const {
1998-04-14 00:24:54 +04:00
if (mNumCoords >= 6) {
int32_t intersects = 0;
1998-04-14 00:24:54 +04:00
nscoord wherex = x;
nscoord wherey = y;
int32_t totalv = mNumCoords / 2;
int32_t totalc = totalv * 2;
1998-04-14 00:24:54 +04:00
nscoord xval = mCoords[totalc - 2];
nscoord yval = mCoords[totalc - 1];
int32_t end = totalc;
int32_t pointer = 1;
1998-04-14 00:24:54 +04:00
if ((yval >= wherey) != (mCoords[pointer] >= wherey)) {
if ((xval >= wherex) == (mCoords[0] >= wherex)) {
1998-04-14 00:24:54 +04:00
intersects += (xval >= wherex) ? 1 : 0;
} else {
1998-04-14 00:24:54 +04:00
intersects += ((xval - (yval - wherey) * (mCoords[0] - xval) /
(mCoords[pointer] - yval)) >= wherex)
? 1
: 0;
}
}
1998-04-14 00:24:54 +04:00
// XXX I wonder what this is doing; this is a translation of ptinpoly.c
while (pointer < end) {
yval = mCoords[pointer];
pointer += 2;
if (yval >= wherey) {
while ((pointer < end) && (mCoords[pointer] >= wherey)) pointer += 2;
if (pointer >= end) break;
if ((mCoords[pointer - 3] >= wherex) ==
(mCoords[pointer - 1] >= wherex)) {
intersects += (mCoords[pointer - 3] >= wherex) ? 1 : 0;
} else {
intersects +=
((mCoords[pointer - 3] -
(mCoords[pointer - 2] - wherey) *
(mCoords[pointer - 1] - mCoords[pointer - 3]) /
(mCoords[pointer] - mCoords[pointer - 2])) >= wherex)
? 1
: 0;
}
} else {
while ((pointer < end) && (mCoords[pointer] < wherey)) pointer += 2;
if (pointer >= end) break;
if ((mCoords[pointer - 3] >= wherex) ==
(mCoords[pointer - 1] >= wherex)) {
intersects += (mCoords[pointer - 3] >= wherex) ? 1 : 0;
} else {
intersects +=
((mCoords[pointer - 3] -
(mCoords[pointer - 2] - wherey) *
(mCoords[pointer - 1] - mCoords[pointer - 3]) /
(mCoords[pointer] - mCoords[pointer - 2])) >= wherex)
? 1
: 0;
}
}
}
if ((intersects & 1) != 0) {
return true;
1998-04-14 00:24:54 +04:00
}
}
return false;
1998-04-14 00:24:54 +04:00
}
void PolyArea::Draw(nsIFrame* aFrame, DrawTarget& aDrawTarget,
const ColorPattern& aColor,
const StrokeOptions& aStrokeOptions) {
if (mHasFocus) {
if (mNumCoords >= 6) {
// Where possible, we want all horizontal and vertical lines to align on
// pixel rows or columns, and to start at pixel boundaries so that one
// pixel dashing neatly sits on pixels to give us neat lines. To achieve
// that we draw each line segment as a separate path, snapping it to
// device pixels if applicable.
nsPresContext* pc = aFrame->PresContext();
Point p1(pc->CSSPixelsToDevPixels(mCoords[0]),
pc->CSSPixelsToDevPixels(mCoords[1]));
Point p2, p1snapped, p2snapped;
for (int32_t i = 2; i < mNumCoords; i += 2) {
p2.x = pc->CSSPixelsToDevPixels(mCoords[i]);
p2.y = pc->CSSPixelsToDevPixels(mCoords[i + 1]);
p1snapped = p1;
p2snapped = p2;
SnapLineToDevicePixelsForStroking(p1snapped, p2snapped, aDrawTarget,
aStrokeOptions.mLineWidth);
aDrawTarget.StrokeLine(p1snapped, p2snapped, aColor, aStrokeOptions);
p1 = p2;
}
p2.x = pc->CSSPixelsToDevPixels(mCoords[0]);
p2.y = pc->CSSPixelsToDevPixels(mCoords[1]);
p1snapped = p1;
p2snapped = p2;
SnapLineToDevicePixelsForStroking(p1snapped, p2snapped, aDrawTarget,
aStrokeOptions.mLineWidth);
aDrawTarget.StrokeLine(p1snapped, p2snapped, aColor, aStrokeOptions);
}
}
}
void PolyArea::GetRect(nsIFrame* aFrame, nsRect& aRect) {
1998-04-14 00:24:54 +04:00
if (mNumCoords >= 6) {
nscoord x1, x2, y1, y2, xtmp, ytmp;
x1 = x2 = nsPresContext::CSSPixelsToAppUnits(mCoords[0]);
y1 = y2 = nsPresContext::CSSPixelsToAppUnits(mCoords[1]);
for (int32_t i = 2; i < mNumCoords; i += 2) {
xtmp = nsPresContext::CSSPixelsToAppUnits(mCoords[i]);
ytmp = nsPresContext::CSSPixelsToAppUnits(mCoords[i + 1]);
x1 = x1 < xtmp ? x1 : xtmp;
y1 = y1 < ytmp ? y1 : ytmp;
x2 = x2 > xtmp ? x2 : xtmp;
y2 = y2 > ytmp ? y2 : ytmp;
1998-04-14 00:24:54 +04:00
}
aRect.SetRect(x1, y1, x2, y2);
1998-04-14 00:24:54 +04:00
}
}
//----------------------------------------------------------------------
class CircleArea final : public Area {
1998-04-14 00:24:54 +04:00
public:
explicit CircleArea(HTMLAreaElement* aArea);
1998-04-14 00:24:54 +04:00
virtual void ParseCoords(const nsAString& aSpec) override;
virtual bool IsInside(nscoord x, nscoord y) const override;
virtual void Draw(nsIFrame* aFrame, DrawTarget& aDrawTarget,
const ColorPattern& aColor,
const StrokeOptions& aStrokeOptions) override;
virtual void GetRect(nsIFrame* aFrame, nsRect& aRect) override;
1998-04-14 00:24:54 +04:00
};
CircleArea::CircleArea(HTMLAreaElement* aArea) : Area(aArea) {}
1998-04-14 00:24:54 +04:00
void CircleArea::ParseCoords(const nsAString& aSpec) {
Area::ParseCoords(aSpec);
bool wrongNumberOfCoords = false;
int32_t flag = nsIScriptError::warningFlag;
if (mNumCoords >= 3) {
if (mCoords[2] < 0) {
logMessage(mArea, aSpec, nsIScriptError::errorFlag,
"ImageMapCircleNegativeRadius");
}
if (mNumCoords > 3) {
wrongNumberOfCoords = true;
}
} else {
wrongNumberOfCoords = true;
flag = nsIScriptError::errorFlag;
}
if (wrongNumberOfCoords) {
logMessage(mArea, aSpec, flag, "ImageMapCircleWrongNumberOfCoords");
}
}
bool CircleArea::IsInside(nscoord x, nscoord y) const {
// Note: > is for nav compatibility
1998-04-14 00:24:54 +04:00
if (mNumCoords >= 3) {
nscoord x1 = mCoords[0];
nscoord y1 = mCoords[1];
nscoord radius = mCoords[2];
if (radius < 0) {
return false;
1998-04-14 00:24:54 +04:00
}
nscoord dx = x1 - x;
nscoord dy = y1 - y;
nscoord dist = (dx * dx) + (dy * dy);
if (dist <= (radius * radius)) {
return true;
1998-04-14 00:24:54 +04:00
}
}
return false;
1998-04-14 00:24:54 +04:00
}
void CircleArea::Draw(nsIFrame* aFrame, DrawTarget& aDrawTarget,
const ColorPattern& aColor,
const StrokeOptions& aStrokeOptions) {
if (mHasFocus) {
if (mNumCoords >= 3) {
Point center(aFrame->PresContext()->CSSPixelsToDevPixels(mCoords[0]),
aFrame->PresContext()->CSSPixelsToDevPixels(mCoords[1]));
Float diameter =
2 * aFrame->PresContext()->CSSPixelsToDevPixels(mCoords[2]);
if (diameter <= 0) {
return;
}
Bug 1207245 - part 6 - rename nsRefPtr<T> to RefPtr<T>; r=ehsan; a=Tomcat The bulk of this commit was generated with a script, executed at the top level of a typical source code checkout. The only non-machine-generated part was modifying MFBT's moz.build to reflect the new naming. CLOSED TREE makes big refactorings like this a piece of cake. # The main substitution. find . -name '*.cpp' -o -name '*.cc' -o -name '*.h' -o -name '*.mm' -o -name '*.idl'| \ xargs perl -p -i -e ' s/nsRefPtr\.h/RefPtr\.h/g; # handle includes s/nsRefPtr ?</RefPtr</g; # handle declarations and variables ' # Handle a special friend declaration in gfx/layers/AtomicRefCountedWithFinalize.h. perl -p -i -e 's/::nsRefPtr;/::RefPtr;/' gfx/layers/AtomicRefCountedWithFinalize.h # Handle nsRefPtr.h itself, a couple places that define constructors # from nsRefPtr, and code generators specially. We do this here, rather # than indiscriminantly s/nsRefPtr/RefPtr/, because that would rename # things like nsRefPtrHashtable. perl -p -i -e 's/nsRefPtr/RefPtr/g' \ mfbt/nsRefPtr.h \ xpcom/glue/nsCOMPtr.h \ xpcom/base/OwningNonNull.h \ ipc/ipdl/ipdl/lower.py \ ipc/ipdl/ipdl/builtin.py \ dom/bindings/Codegen.py \ python/lldbutils/lldbutils/utils.py # In our indiscriminate substitution above, we renamed # nsRefPtrGetterAddRefs, the class behind getter_AddRefs. Fix that up. find . -name '*.cpp' -o -name '*.h' -o -name '*.idl' | \ xargs perl -p -i -e 's/nsRefPtrGetterAddRefs/RefPtrGetterAddRefs/g' if [ -d .git ]; then git mv mfbt/nsRefPtr.h mfbt/RefPtr.h else hg mv mfbt/nsRefPtr.h mfbt/RefPtr.h fi --HG-- rename : mfbt/nsRefPtr.h => mfbt/RefPtr.h
2015-10-18 08:24:48 +03:00
RefPtr<PathBuilder> builder = aDrawTarget.CreatePathBuilder();
AppendEllipseToPath(builder, center, Size(diameter, diameter));
Bug 1207245 - part 6 - rename nsRefPtr<T> to RefPtr<T>; r=ehsan; a=Tomcat The bulk of this commit was generated with a script, executed at the top level of a typical source code checkout. The only non-machine-generated part was modifying MFBT's moz.build to reflect the new naming. CLOSED TREE makes big refactorings like this a piece of cake. # The main substitution. find . -name '*.cpp' -o -name '*.cc' -o -name '*.h' -o -name '*.mm' -o -name '*.idl'| \ xargs perl -p -i -e ' s/nsRefPtr\.h/RefPtr\.h/g; # handle includes s/nsRefPtr ?</RefPtr</g; # handle declarations and variables ' # Handle a special friend declaration in gfx/layers/AtomicRefCountedWithFinalize.h. perl -p -i -e 's/::nsRefPtr;/::RefPtr;/' gfx/layers/AtomicRefCountedWithFinalize.h # Handle nsRefPtr.h itself, a couple places that define constructors # from nsRefPtr, and code generators specially. We do this here, rather # than indiscriminantly s/nsRefPtr/RefPtr/, because that would rename # things like nsRefPtrHashtable. perl -p -i -e 's/nsRefPtr/RefPtr/g' \ mfbt/nsRefPtr.h \ xpcom/glue/nsCOMPtr.h \ xpcom/base/OwningNonNull.h \ ipc/ipdl/ipdl/lower.py \ ipc/ipdl/ipdl/builtin.py \ dom/bindings/Codegen.py \ python/lldbutils/lldbutils/utils.py # In our indiscriminate substitution above, we renamed # nsRefPtrGetterAddRefs, the class behind getter_AddRefs. Fix that up. find . -name '*.cpp' -o -name '*.h' -o -name '*.idl' | \ xargs perl -p -i -e 's/nsRefPtrGetterAddRefs/RefPtrGetterAddRefs/g' if [ -d .git ]; then git mv mfbt/nsRefPtr.h mfbt/RefPtr.h else hg mv mfbt/nsRefPtr.h mfbt/RefPtr.h fi --HG-- rename : mfbt/nsRefPtr.h => mfbt/RefPtr.h
2015-10-18 08:24:48 +03:00
RefPtr<Path> circle = builder->Finish();
aDrawTarget.Stroke(circle, aColor, aStrokeOptions);
}
}
}
void CircleArea::GetRect(nsIFrame* aFrame, nsRect& aRect) {
1998-04-14 00:24:54 +04:00
if (mNumCoords >= 3) {
nscoord x1 = nsPresContext::CSSPixelsToAppUnits(mCoords[0]);
nscoord y1 = nsPresContext::CSSPixelsToAppUnits(mCoords[1]);
nscoord radius = nsPresContext::CSSPixelsToAppUnits(mCoords[2]);
1998-04-14 00:24:54 +04:00
if (radius < 0) {
return;
}
aRect.SetRect(x1 - radius, y1 - radius, x1 + radius, y1 + radius);
1998-04-14 00:24:54 +04:00
}
}
//----------------------------------------------------------------------
nsImageMap::nsImageMap() : mImageFrame(nullptr), mConsiderWholeSubtree(false) {}
1998-04-14 00:24:54 +04:00
nsImageMap::~nsImageMap() {
NS_ASSERTION(mAreas.Length() == 0, "Destroy was not called");
1998-04-14 00:24:54 +04:00
}
NS_IMPL_ISUPPORTS(nsImageMap, nsIMutationObserver, nsIDOMEventListener)
nsresult nsImageMap::GetBoundsForAreaContent(nsIContent* aContent,
nsRect& aBounds) {
NS_ENSURE_TRUE(aContent && mImageFrame, NS_ERROR_INVALID_ARG);
// Find the Area struct associated with this content node, and return bounds
for (auto& area : mAreas) {
if (area->mArea == aContent) {
aBounds = nsRect();
area->GetRect(mImageFrame, aBounds);
return NS_OK;
}
}
return NS_ERROR_FAILURE;
}
void nsImageMap::AreaRemoved(HTMLAreaElement* aArea) {
if (aArea->GetPrimaryFrame() == mImageFrame) {
aArea->SetPrimaryFrame(nullptr);
}
aArea->RemoveSystemEventListener(NS_LITERAL_STRING("focus"), this, false);
aArea->RemoveSystemEventListener(NS_LITERAL_STRING("blur"), this, false);
}
void nsImageMap::FreeAreas() {
for (UniquePtr<Area>& area : mAreas) {
AreaRemoved(area->mArea);
1998-04-14 00:24:54 +04:00
}
mAreas.Clear();
1998-04-14 00:24:54 +04:00
}
void nsImageMap::Init(nsImageFrame* aImageFrame, nsIContent* aMap) {
MOZ_ASSERT(aMap);
MOZ_ASSERT(aImageFrame);
mImageFrame = aImageFrame;
mMap = aMap;
mMap->AddMutationObserver(this);
// "Compile" the areas in the map into faster access versions
UpdateAreas();
1998-04-14 00:24:54 +04:00
}
void nsImageMap::SearchForAreas(nsIContent* aParent) {
// Look for <area> elements.
for (nsIContent* child = aParent->GetFirstChild(); child;
child = child->GetNextSibling()) {
if (auto* area = HTMLAreaElement::FromNode(child)) {
AddArea(area);
// Continue to next child. This stops mConsiderWholeSubtree from
// getting set. It also makes us ignore children of <area>s which
// is consistent with how we react to dynamic insertion of such
// children.
continue;
}
if (child->IsElement()) {
mConsiderWholeSubtree = true;
SearchForAreas(child);
}
}
}
void nsImageMap::UpdateAreas() {
// Get rid of old area data
FreeAreas();
mConsiderWholeSubtree = false;
SearchForAreas(mMap);
#ifdef ACCESSIBILITY
if (nsAccessibilityService* accService = GetAccService()) {
accService->UpdateImageMap(mImageFrame);
}
#endif
1998-04-14 00:24:54 +04:00
}
void nsImageMap::AddArea(HTMLAreaElement* aArea) {
static Element::AttrValuesArray strings[] = {
nsGkAtoms::rect, nsGkAtoms::rectangle,
nsGkAtoms::circle, nsGkAtoms::circ,
nsGkAtoms::_default, nsGkAtoms::poly,
nsGkAtoms::polygon, nullptr};
UniquePtr<Area> area;
switch (aArea->FindAttrValueIn(kNameSpaceID_None, nsGkAtoms::shape, strings,
eIgnoreCase)) {
case Element::ATTR_VALUE_NO_MATCH:
case Element::ATTR_MISSING:
case 0:
case 1:
area = MakeUnique<RectArea>(aArea);
break;
case 2:
case 3:
area = MakeUnique<CircleArea>(aArea);
break;
case 4:
area = MakeUnique<DefaultArea>(aArea);
break;
case 5:
case 6:
area = MakeUnique<PolyArea>(aArea);
break;
default:
area = nullptr;
MOZ_ASSERT_UNREACHABLE("FindAttrValueIn returned an unexpected value.");
break;
}
// Add focus listener to track area focus changes
aArea->AddSystemEventListener(NS_LITERAL_STRING("focus"), this, false, false);
aArea->AddSystemEventListener(NS_LITERAL_STRING("blur"), this, false, false);
// This is a nasty hack. It needs to go away: see bug 135040. Once this is
// removed, the code added to RestyleManager::RestyleElement,
// nsCSSFrameConstructor::ContentRemoved (both hacks there), and
// RestyleManager::ProcessRestyledFrames to work around this issue can
// be removed.
aArea->SetPrimaryFrame(mImageFrame);
nsAutoString coords;
aArea->GetAttr(kNameSpaceID_None, nsGkAtoms::coords, coords);
area->ParseCoords(coords);
mAreas.AppendElement(std::move(area));
1998-04-14 00:24:54 +04:00
}
HTMLAreaElement* nsImageMap::GetArea(nscoord aX, nscoord aY) const {
NS_ASSERTION(mMap, "Not initialized");
for (const auto& area : mAreas) {
if (area->IsInside(aX, aY)) {
return area->mArea;
1998-04-14 00:24:54 +04:00
}
}
return nullptr;
1998-04-14 00:24:54 +04:00
}
HTMLAreaElement* nsImageMap::GetAreaAt(uint32_t aIndex) const {
return mAreas.ElementAt(aIndex)->mArea;
}
void nsImageMap::Draw(nsIFrame* aFrame, DrawTarget& aDrawTarget,
const ColorPattern& aColor,
const StrokeOptions& aStrokeOptions) {
for (auto& area : mAreas) {
area->Draw(aFrame, aDrawTarget, aColor, aStrokeOptions);
1998-04-14 00:24:54 +04:00
}
}
void nsImageMap::MaybeUpdateAreas(nsIContent* aContent) {
if (aContent == mMap || mConsiderWholeSubtree) {
UpdateAreas();
}
}
void nsImageMap::AttributeChanged(dom::Element* aElement, int32_t aNameSpaceID,
nsAtom* aAttribute, int32_t aModType,
const nsAttrValue* aOldValue) {
// If the parent of the changing content node is our map then update
// the map. But only do this if the node is an HTML <area> or <a>
// and the attribute that's changing is "shape" or "coords" -- those
// are the only cases we care about.
if ((aElement->NodeInfo()->Equals(nsGkAtoms::area) ||
aElement->NodeInfo()->Equals(nsGkAtoms::a)) &&
aElement->IsHTMLElement() && aNameSpaceID == kNameSpaceID_None &&
(aAttribute == nsGkAtoms::shape || aAttribute == nsGkAtoms::coords)) {
MaybeUpdateAreas(aElement->GetParent());
} else if (aElement == mMap && aNameSpaceID == kNameSpaceID_None &&
(aAttribute == nsGkAtoms::name || aAttribute == nsGkAtoms::id) &&
mImageFrame) {
// ID or name has changed. Let ImageFrame recreate ImageMap.
mImageFrame->DisconnectMap();
}
}
void nsImageMap::ContentAppended(nsIContent* aFirstNewContent) {
MaybeUpdateAreas(aFirstNewContent->GetParent());
}
void nsImageMap::ContentInserted(nsIContent* aChild) {
MaybeUpdateAreas(aChild->GetParent());
}
static UniquePtr<Area> TakeArea(nsImageMap::AreaList& aAreas,
HTMLAreaElement* aArea) {
UniquePtr<Area> result;
size_t index = 0;
for (UniquePtr<Area>& area : aAreas) {
if (area->mArea == aArea) {
result = std::move(area);
break;
}
index++;
}
if (result) {
aAreas.RemoveElementAt(index);
}
return result;
}
void nsImageMap::ContentRemoved(nsIContent* aChild,
nsIContent* aPreviousSibling) {
if (aChild->GetParent() != mMap && !mConsiderWholeSubtree) {
return;
}
auto* areaElement = HTMLAreaElement::FromNode(aChild);
if (!areaElement) {
return;
}
UniquePtr<Area> area = TakeArea(mAreas, areaElement);
if (!area) {
return;
}
AreaRemoved(area->mArea);
#ifdef ACCESSIBILITY
if (nsAccessibilityService* accService = GetAccService()) {
accService->UpdateImageMap(mImageFrame);
}
#endif
}
void nsImageMap::ParentChainChanged(nsIContent* aContent) {
NS_ASSERTION(aContent == mMap, "Unexpected ParentChainChanged notification!");
if (mImageFrame) {
mImageFrame->DisconnectMap();
}
}
nsresult nsImageMap::HandleEvent(Event* aEvent) {
nsAutoString eventType;
aEvent->GetType(eventType);
bool focus = eventType.EqualsLiteral("focus");
MOZ_ASSERT(focus == !eventType.EqualsLiteral("blur"),
"Unexpected event type");
// Set which one of our areas changed focus
nsCOMPtr<nsIContent> targetContent = do_QueryInterface(aEvent->GetTarget());
if (!targetContent) {
return NS_OK;
}
for (auto& area : mAreas) {
if (area->mArea == targetContent) {
// Set or Remove internal focus
area->HasFocus(focus);
// Now invalidate the rect
if (mImageFrame) {
mImageFrame->InvalidateFrame();
}
break;
}
}
return NS_OK;
}
void nsImageMap::Destroy() {
FreeAreas();
mImageFrame = nullptr;
mMap->RemoveMutationObserver(this);
}