本文整理汇总了C++中element函数的典型用法代码示例。如果您正苦于以下问题:C++ element函数的具体用法?C++ element怎么用?C++ element使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了element函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的C++代码示例。
示例1: element
void ImageLoader::updateFromElement()
{
// If we're not making renderers for the page, then don't load images. We don't want to slow
// down the raw HTML parsing case by loading images we don't intend to display.
Document& document = element().document();
if (!document.hasLivingRenderTree())
return;
AtomicString attr = element().imageSourceURL();
if (attr == m_failedLoadURL)
return;
// Do not load any image if the 'src' attribute is missing or if it is
// an empty string.
CachedResourceHandle<CachedImage> newImage = 0;
if (!attr.isNull() && !stripLeadingAndTrailingHTMLSpaces(attr).isEmpty()) {
CachedResourceRequest request(ResourceRequest(document.completeURL(sourceURI(attr))));
request.setInitiator(&element());
String crossOriginMode = element().fastGetAttribute(HTMLNames::crossoriginAttr);
if (!crossOriginMode.isNull()) {
StoredCredentials allowCredentials = equalIgnoringCase(crossOriginMode, "use-credentials") ? AllowStoredCredentials : DoNotAllowStoredCredentials;
updateRequestForAccessControl(request.mutableResourceRequest(), document.securityOrigin(), allowCredentials);
}
if (m_loadManually) {
bool autoLoadOtherImages = document.cachedResourceLoader()->autoLoadImages();
document.cachedResourceLoader()->setAutoLoadImages(false);
newImage = new CachedImage(request.resourceRequest(), m_element.document().page()->sessionID());
newImage->setLoading(true);
newImage->setOwningCachedResourceLoader(document.cachedResourceLoader());
document.cachedResourceLoader()->m_documentResources.set(newImage->url(), newImage.get());
document.cachedResourceLoader()->setAutoLoadImages(autoLoadOtherImages);
} else
newImage = document.cachedResourceLoader()->requestImage(request);
// If we do not have an image here, it means that a cross-site
// violation occurred, or that the image was blocked via Content
// Security Policy, or the page is being dismissed. Trigger an
// error event if the page is not being dismissed.
if (!newImage && !pageIsBeingDismissed(document)) {
m_failedLoadURL = attr;
m_hasPendingErrorEvent = true;
errorEventSender().dispatchEventSoon(*this);
} else
clearFailedLoadURL();
} else if (!attr.isNull()) {
// Fire an error event if the url is empty.
m_failedLoadURL = attr;
m_hasPendingErrorEvent = true;
errorEventSender().dispatchEventSoon(*this);
}
CachedImage* oldImage = m_image.get();
if (newImage != oldImage) {
if (m_hasPendingBeforeLoadEvent) {
beforeLoadEventSender().cancelEvent(*this);
m_hasPendingBeforeLoadEvent = false;
}
if (m_hasPendingLoadEvent) {
loadEventSender().cancelEvent(*this);
m_hasPendingLoadEvent = false;
}
// Cancel error events that belong to the previous load, which is now cancelled by changing the src attribute.
// If newImage is null and m_hasPendingErrorEvent is true, we know the error event has been just posted by
// this load and we should not cancel the event.
// FIXME: If both previous load and this one got blocked with an error, we can receive one error event instead of two.
if (m_hasPendingErrorEvent && newImage) {
errorEventSender().cancelEvent(*this);
m_hasPendingErrorEvent = false;
}
m_image = newImage;
m_hasPendingBeforeLoadEvent = !document.isImageDocument() && newImage;
m_hasPendingLoadEvent = newImage;
m_imageComplete = !newImage;
if (newImage) {
if (!document.isImageDocument()) {
if (!document.hasListenerType(Document::BEFORELOAD_LISTENER))
dispatchPendingBeforeLoadEvent();
else
beforeLoadEventSender().dispatchEventSoon(*this);
} else
updateRenderer();
// If newImage is cached, addClient() will result in the load event
// being queued to fire. Ensure this happens after beforeload is
// dispatched.
newImage->addClient(this);
}
if (oldImage)
oldImage->removeClient(this);
}
if (RenderImageResource* imageResource = renderImageResource())
imageResource->resetAnimation();
//.........这里部分代码省略.........
开发者ID:chenbk85,项目名称:webkit2-wincairo,代码行数:101,代码来源:ImageLoader.cpp
示例2: FloatRect
void RenderSVGImage::paint(PaintInfo& paintInfo, int parentX, int parentY)
{
if (paintInfo.context->paintingDisabled() || (paintInfo.phase != PaintPhaseForeground) || style()->visibility() == HIDDEN)
return;
paintInfo.context->save();
paintInfo.context->concatCTM(AffineTransform().translate(parentX, parentY));
paintInfo.context->concatCTM(localTransform());
paintInfo.context->concatCTM(translationForAttributes());
FloatRect boundingBox = FloatRect(0, 0, width(), height());
SVGElement* svgElement = static_cast<SVGElement*>(element());
ASSERT(svgElement && svgElement->document() && svgElement->isStyled());
SVGStyledElement* styledElement = static_cast<SVGStyledElement*>(svgElement);
const SVGRenderStyle* svgStyle = style()->svgStyle();
AtomicString filterId(SVGURIReference::getTarget(svgStyle->filter()));
AtomicString clipperId(SVGURIReference::getTarget(svgStyle->clipPath()));
AtomicString maskerId(SVGURIReference::getTarget(svgStyle->maskElement()));
#if ENABLE(SVG_EXPERIMENTAL_FEATURES)
SVGResourceFilter* filter = getFilterById(document(), filterId);
#endif
SVGResourceClipper* clipper = getClipperById(document(), clipperId);
SVGResourceMasker* masker = getMaskerById(document(), maskerId);
#if ENABLE(SVG_EXPERIMENTAL_FEATURES)
if (filter)
filter->prepareFilter(paintInfo.context, boundingBox);
else if (!filterId.isEmpty())
svgElement->document()->accessSVGExtensions()->addPendingResource(filterId, styledElement);
#endif
if (clipper) {
clipper->addClient(styledElement);
clipper->applyClip(paintInfo.context, boundingBox);
} else if (!clipperId.isEmpty())
svgElement->document()->accessSVGExtensions()->addPendingResource(clipperId, styledElement);
if (masker) {
masker->addClient(styledElement);
masker->applyMask(paintInfo.context, boundingBox);
} else if (!maskerId.isEmpty())
svgElement->document()->accessSVGExtensions()->addPendingResource(maskerId, styledElement);
float opacity = style()->opacity();
if (opacity < 1.0f) {
paintInfo.context->clip(enclosingIntRect(boundingBox));
paintInfo.context->beginTransparencyLayer(opacity);
}
PaintInfo pi(paintInfo);
pi.rect = absoluteTransform().inverse().mapRect(pi.rect);
SVGImageElement* imageElt = static_cast<SVGImageElement*>(node());
FloatRect destRect(m_x, m_y, contentWidth(), contentHeight());
FloatRect srcRect(0, 0, image()->width(), image()->height());
if (imageElt->preserveAspectRatio()->align() != SVGPreserveAspectRatio::SVG_PRESERVEASPECTRATIO_NONE)
adjustRectsForAspectRatio(destRect, srcRect, imageElt->preserveAspectRatio());
paintInfo.context->drawImage(image(), destRect, srcRect);
#if ENABLE(SVG_EXPERIMENTAL_FEATURES)
if (filter)
filter->applyFilter(paintInfo.context, boundingBox);
#endif
if (opacity < 1.0f)
paintInfo.context->endTransparencyLayer();
paintInfo.context->restore();
}
开发者ID:jackiekaon,项目名称:owb-mirror,代码行数:76,代码来源:RenderSVGImage.cpp
示例3: accessKeyAction
void BaseChooserOnlyDateAndTimeInputType::accessKeyAction(bool sendMouseEvents)
{
BaseDateAndTimeInputType::accessKeyAction(sendMouseEvents);
BaseClickableWithKeyInputType::accessKeyAction(element(), sendMouseEvents);
}
开发者ID:ericwilligers,项目名称:blink,代码行数:5,代码来源:BaseChooserOnlyDateAndTimeInputType.cpp
示例4: ignoresLoadRequest
bool ScriptLoader::ignoresLoadRequest() const
{
return m_alreadyStarted || m_isExternalScript || m_parserInserted || !element() || !element()->inDocument();
}
开发者ID:kingysu,项目名称:blink-crosswalk,代码行数:4,代码来源:ScriptLoader.cpp
示例5: document
FloatRect RenderPath::drawMarkersIfNeeded(GraphicsContext* context, const FloatRect&, const Path& path) const
{
Document* doc = document();
SVGElement* svgElement = static_cast<SVGElement*>(element());
ASSERT(svgElement && svgElement->document() && svgElement->isStyled());
SVGStyledElement* styledElement = static_cast<SVGStyledElement*>(svgElement);
const SVGRenderStyle* svgStyle = style()->svgStyle();
AtomicString startMarkerId(svgStyle->startMarker());
AtomicString midMarkerId(svgStyle->midMarker());
AtomicString endMarkerId(svgStyle->endMarker());
SVGResourceMarker* startMarker = getMarkerById(doc, startMarkerId);
SVGResourceMarker* midMarker = getMarkerById(doc, midMarkerId);
SVGResourceMarker* endMarker = getMarkerById(doc, endMarkerId);
if (!startMarker && !startMarkerId.isEmpty())
svgElement->document()->accessSVGExtensions()->addPendingResource(startMarkerId, styledElement);
else if (startMarker)
startMarker->addClient(styledElement);
if (!midMarker && !midMarkerId.isEmpty())
svgElement->document()->accessSVGExtensions()->addPendingResource(midMarkerId, styledElement);
else if (midMarker)
midMarker->addClient(styledElement);
if (!endMarker && !endMarkerId.isEmpty())
svgElement->document()->accessSVGExtensions()->addPendingResource(endMarkerId, styledElement);
else if (endMarker)
endMarker->addClient(styledElement);
if (!startMarker && !midMarker && !endMarker)
return FloatRect();
double strokeWidth = SVGRenderStyle::cssPrimitiveToLength(this, svgStyle->strokeWidth(), 1.0f);
DrawMarkersData data(context, startMarker, midMarker, strokeWidth);
path.apply(&data, drawStartAndMidMarkers);
data.previousMarkerData.marker = endMarker;
data.previousMarkerData.type = End;
drawMarkerWithData(context, data.previousMarkerData);
// We know the marker boundaries, only after they're drawn!
// Otherwhise we'd need to do all the marker calculation twice
// once here (through paint()) and once in absoluteClippedOverflowRect().
FloatRect bounds;
if (startMarker)
bounds.unite(startMarker->cachedBounds());
if (midMarker)
bounds.unite(midMarker->cachedBounds());
if (endMarker)
bounds.unite(endMarker->cachedBounds());
return bounds;
}
开发者ID:jackiekaon,项目名称:owb-mirror,代码行数:61,代码来源:RenderPath.cpp
示例6: element
void NumberInputType::setValueAsDecimal(const Decimal& newValue, TextFieldEventBehavior eventBehavior, ExceptionState& exceptionState) const
{
element().setValue(serializeForNumberType(newValue), eventBehavior);
}
开发者ID:venkatarajasekhar,项目名称:Qt,代码行数:4,代码来源:NumberInputType.cpp
示例7: ASSERT
bool NumberInputType::typeMismatch() const
{
ASSERT(!typeMismatchFor(element().value()));
return false;
}
开发者ID:venkatarajasekhar,项目名称:Qt,代码行数:5,代码来源:NumberInputType.cpp
示例8: parseToDoubleForNumberType
double NumberInputType::valueAsDouble() const
{
return parseToDoubleForNumberType(element().value());
}
开发者ID:venkatarajasekhar,项目名称:Qt,代码行数:4,代码来源:NumberInputType.cpp
示例9: asString
TPZString asString() const
{ return TPZString(timeStamp()) + " " + element().asString(); }
开发者ID:cortexsim,项目名称:tpzsimul,代码行数:2,代码来源:TPZPriorityQueue.hpp
示例10: LayoutSearchField
LayoutObject* SearchInputType::createLayoutObject(const ComputedStyle&) const
{
return new LayoutSearchField(&element());
}
开发者ID:howardroark2018,项目名称:chromium,代码行数:4,代码来源:SearchInputType.cpp
示例11: localizeValue
String NumberInputType::visibleValue() const
{
return localizeValue(element().value());
}
开发者ID:venkatarajasekhar,项目名称:Qt,代码行数:4,代码来源:NumberInputType.cpp
示例12: emitError
bool XSAXMLScanner::scanStartTag(bool& gotData)
{
// Assume we will still have data until proven otherwise. It will only
// ever be false if this is the root and its empty.
gotData = true;
// Reset element content
fContent.reset();
// The current position is after the open bracket, so we need to read in
// in the element name.
int prefixColonPos;
if (!fReaderMgr.getQName(fQNameBuf, &prefixColonPos))
{
if (fQNameBuf.isEmpty())
emitError(XMLErrs::ExpectedElementName);
else
emitError(XMLErrs::InvalidElementName, fQNameBuf.getRawBuffer());
fReaderMgr.skipToChar(chOpenAngle);
return false;
}
// See if its the root element
const bool isRoot = fElemStack.isEmpty();
// Skip any whitespace after the name
fReaderMgr.skipPastSpaces();
// First we have to do the rawest attribute scan. We don't do any
// normalization of them at all, since we don't know yet what type they
// might be (since we need the element decl in order to do that.)
const XMLCh* qnameRawBuf = fQNameBuf.getRawBuffer();
bool isEmpty;
XMLSize_t attCount = rawAttrScan(qnameRawBuf, *fRawAttrList, isEmpty);
// save the contentleafname and currentscope before addlevel, for later use
ContentLeafNameTypeVector* cv = 0;
XMLContentModel* cm = 0;
unsigned int currentScope = Grammar::TOP_LEVEL_SCOPE;
bool laxThisOne = false;
if (!isRoot)
{
// schema validator will have correct type if validating
SchemaElementDecl* tempElement = (SchemaElementDecl*)
fElemStack.topElement()->fThisElement;
SchemaElementDecl::ModelTypes modelType = tempElement->getModelType();
ComplexTypeInfo *currType = 0;
if (fValidate)
{
currType = ((SchemaValidator*)fValidator)->getCurrentTypeInfo();
if (currType)
modelType = (SchemaElementDecl::ModelTypes)currType->getContentType();
else // something must have gone wrong
modelType = SchemaElementDecl::Any;
}
else {
currType = tempElement->getComplexTypeInfo();
}
if ((modelType == SchemaElementDecl::Mixed_Simple)
|| (modelType == SchemaElementDecl::Mixed_Complex)
|| (modelType == SchemaElementDecl::Children))
{
cm = currType->getContentModel();
cv = cm->getContentLeafNameTypeVector();
currentScope = fElemStack.getCurrentScope();
}
else if (modelType == SchemaElementDecl::Any) {
laxThisOne = true;
}
}
// Now, since we might have to update the namespace map for this element,
// but we don't have the element decl yet, we just tell the element stack
// to expand up to get ready.
XMLSize_t elemDepth = fElemStack.addLevel();
fElemStack.setValidationFlag(fValidate);
fElemStack.setPrefixColonPos(prefixColonPos);
// Make an initial pass through the list and find any xmlns attributes or
// schema attributes.
if (attCount)
scanRawAttrListforNameSpaces(attCount);
// Resolve the qualified name to a URI and name so that we can look up
// the element decl for this element. We have now update the prefix to
// namespace map so we should get the correct element now.
unsigned int uriId = resolveQNameWithColon
(
qnameRawBuf, fPrefixBuf, ElemStack::Mode_Element, prefixColonPos
);
//if schema, check if we should lax or skip the validation of this element
bool parentValidation = fValidate;
if (cv) {
QName element(fPrefixBuf.getRawBuffer(), &qnameRawBuf[prefixColonPos + 1], uriId, fMemoryManager);
// elementDepth will be > 0, as cv is only constructed if element is not
// root.
laxThisOne = laxElementValidation(&element, cv, cm, elemDepth - 1);
//.........这里部分代码省略.........
开发者ID:AmesianX,项目名称:Sigil,代码行数:101,代码来源:XSAXMLScanner.cpp
示例13: convertFromVisibleValue
bool NumberInputType::hasBadInput() const
{
String standardValue = convertFromVisibleValue(element().innerEditorValue());
return !standardValue.isEmpty() && !std::isfinite(parseToDoubleForNumberType(standardValue));
}
开发者ID:venkatarajasekhar,项目名称:Qt,代码行数:5,代码来源:NumberInputType.cpp
示例14: calculateLocalTransform
bool RenderPath::calculateLocalTransform()
{
TransformationMatrix oldTransform = m_localTransform;
m_localTransform = static_cast<SVGStyledTransformableElement*>(element())->animatedLocalTransform();
return (m_localTransform != oldTransform);
}
开发者ID:jackiekaon,项目名称:owb-mirror,代码行数:6,代码来源:RenderPath.cpp
示例15: operator
const T& operator()(const int nn) const
{
return element(nn);
}
开发者ID:andyras,项目名称:SplitOp,代码行数:4,代码来源:polynomial.hpp
示例16: handleKeypressEvent
void BaseChooserOnlyDateAndTimeInputType::handleKeypressEvent(KeyboardEvent* event)
{
BaseClickableWithKeyInputType::handleKeypressEvent(element(), event);
}
开发者ID:ericwilligers,项目名称:blink,代码行数:4,代码来源:BaseChooserOnlyDateAndTimeInputType.cpp
示例17: copy_n
polynomial& operator=(const polynomial<T>& o)
{
vals = std::make_shared<std::vector<T>>(o.size());
copy_n(&o(0),o.size(),&element(0));
return *this;
}
开发者ID:andyras,项目名称:SplitOp,代码行数:6,代码来源:polynomial.hpp
示例18: element
void BaseChooserOnlyDateAndTimeInputType::didChooseValue(const String& value)
{
element().setValue(value, DispatchInputAndChangeEvent);
}
开发者ID:ericwilligers,项目名称:blink,代码行数:4,代码来源:BaseChooserOnlyDateAndTimeInputType.cpp
示例19: clone
void qt_dbtreemodel_impl::_find_updated_rows( list_row* it, const string& sql )
{
if ( !( _dbconn.get() && _dbconn->valid() && _root && _parent && it ) ) return;
auto_ptr<list_row> clone( new list_row( _dbconn.get(), it->rowkeyfield(), it->level(), it->parent() ) );
clone->exec( sql.c_str() );
size_t num = 0;
list_row::iterator unit = clone->begin();
bool setparent = false;
QModelIndex unit_parent;
while( unit != clone->end() )
{
if( !setparent )
{ // определяем родителя один раз
unit_parent = parent(*unit);
setparent = true;
}
list_row::iterator upd = find_if( it->begin(), it->end(), prow_eq(*unit) );
if( upd != it->end() )
{ // найден строка -- проверить на предмет изменений
bool for_update = false;
for( int i = 0; i < (*upd)->size(); ++i )
{
if( (**upd)[i] != (**unit)[i] )
{
for_update = true;
break;
}
}
list_row *children = (*upd)->children();
if (children)
{
_find_updated_rows( children, children->sql() );
}
if (for_update)
{
tree_element element( upd - it->begin(), *unit, unit_parent );
_updated[it].push_back( element );
unit = clone->erase( unit );
++num;
continue;
}
}
else
{
tree_element element( num, *unit, unit_parent );
tree_elements :: iterator p = find( _inserted[it].begin(), _inserted[it].end(), element );
if( p == _inserted[it].end() )
{
_inserted[it].push_back( element );
unit = clone->erase( unit );
++num;
continue;
}
}
++num;
++unit;
}
std::sort( _updated[it].begin(), _updated[it].end() );
std::sort( _inserted[it].begin(), _inserted[it].end() );
}
开发者ID:sblab,项目名称:libeast,代码行数:66,代码来源:qt_dbtreemodel_impl.cpp
示例20: warnIfValueIsInvalid
void DateTimeLocalInputType::warnIfValueIsInvalid(const String& value) const
{
if (value != element().sanitizeValue(value))
addWarningToConsole("The specified value %s does not conform to the required format. The format is \"yyyy-MM-ddThh:mm\" followed by optional \":ss\" or \":ss.SSS\".", value);
}
开发者ID:aobzhirov,项目名称:ChromiumGStreamerBackend,代码行数:5,代码来源:DateTimeLocalInputType.cpp
注:本文中的element函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论