Search completed in 1.31 seconds.
  
   
    XPathEvaluator.evaluate() - Web APIs
    
 the 
evaluate() method of the xpath
evaluator interface executes an xpath expression on the given node or document and returns an xpathresult.
...  syntax  xpathresult xpath
evaluator.
evaluate(expression, contextnode, resolver, type, result);   parameters    expression  a domstring representing the xpath expression to be parsed and 
evaluated.
...  contextnode  a node representing the context to use for 
evaluating the expression.
...And 7 more matches
   
 
   
    eval() - JavaScript
    
it is far too easy for a bad actor to run arbitrary code when you use 
eval().
... see never use 
eval()!, below.
...   the 
eval() function 
evaluates javascript code represented as a string.
...And 44 more matches
   
 
   
    Appendix C: Avoiding using eval in Add-ons - Archive of obsolete content
    
 using 
eval in add-ons is almost always unnecessary, and many times even a security vulnerability.
... moreover, code using 
eval is harder to parse for a human mind, is often pretty complex, and relies on assumptions that are not necessarily true in the future or even now.
...  this article is aimed at presenting alternatives to common 
eval uses in add-ons and other javascript code.
...And 16 more matches
   
 
   
    CSSPrimitiveValue - Web APIs
    
 the cssprimitiv
evalue interface derives from the cssvalue interface and represents the current computed value of a css property.
...a cssprimitiv
evalue object only occurs in a context of a css property.
...50" fill="#fff" stroke="#d4dde4" stroke-width="2px" /><text  x="41" y="30" font-size="12px" font-family="consolas,monaco,andale mono,monospace" fill="#4d4e53" text-anchor="middle" alignment-baseline="middle">cssvalue</text></a><polyline points="81,25  91,20  91,30  81,25" stroke="#d4dde4" fill="none"/><line x1="91" y1="25" x2="121" y2="25" stroke="#d4dde4"/><a xlink:href="/docs/web/api/cssprimitiv
evalue" target="_top"><rect x="121" y="1" width="170" height="50" fill="#f4f7f8" stroke="#d4dde4" stroke-width="2px" /><text  x="206" y="30" font-size="12px" font-family="consolas,monaco,andale mono,monospace" fill="#4d4e53" text-anchor="middle" alignment-baseline="middle">cssprimitiv
evalue</text></a></svg></div>     a:hover text { fill: #0095dd; pointer-events: all;}       properties  inherits proper...
...And 9 more matches
   
 
   
    EvalError - JavaScript
    
 the 
evalerror object indicates an error regarding the global 
eval() function.
... this exception is not thrown by javascript anymore, however the 
evalerror object remains for compatibility.
...  constructor    
evalerror()  creates a new 
evalerror object.
...And 9 more matches
   
 
   
    Components.utils.evalInSandbox
    
        the 
evalinsandbox() function enables you to 
evaluate javascript code inside a sandbox you've previously created using the components.utils.sandbox constructor.
...  note: it's not safe to use 
evalinsandbox() to 
evaluate json strings; instead, use the techniques discussed in the article on json.
... use  to use 
evalinsandbox(), you must first create a sandbox object using its constructor, components.utils.sandbox.
...And 6 more matches
   
 
   
    Document.evaluate() - Web APIs
    
 syntax  var xpathresult = document.
evaluate(   xpathexpression,   contextnode,   namespaceresolver,   resulttype,   result );   	xpathexpression is a string representing the xpath to be 
evaluated.
...null is the most common and will create a new xpathresult   example  var headings = document.
evaluate("/html/body//h2", document, null, xpathresult.any_type, null); /* search the document for all h2 elements.
...this is because the 
evaluation of the query spends does not waste time visiting unnecessary nodes.
...And 6 more matches
   
 
   
    XPathExpression.evaluate() - Web APIs
    
 the 
evaluate() method of the xpathexpression interface executes an xpath expression on the given node or document and returns an xpathresult.
...  syntax  xpathresult node.
evaluate(contextnode, type, result);   parameters    contextnode  a node representing the context to use for 
evaluating the expression.
...  type optional  specifies the type of result to be returned by 
evaluating the expression.
...And 6 more matches
   
 
   
    JS::Evaluate
    
  syntax  // added in spidermonkey 45  bool js::
evaluate(jscontext *cx,              const js::readonlycompileoptions &options,              js::sourcebufferholder &srcbuf, js::mutablehandl
evalue rval);  bool js::
evaluate(jscontext *cx,              const js::readonlycompileoptions &options,              const char16_t *chars, size_t length, js::mutablehandl
evalue rval);  bool js::
evaluate(jscontext *cx,              const js::readonlycompileoptions &options,              const char *bytes, size_t length, js::mutablehandl
evalue rval);  bool js::
evaluate(jscontext *cx,              const js::readonlycompileoptions &options,              const char *filename, js::mutablehandl
evalue rval);  ...
...bool js::
evaluate(jscontext *cx, js::autoobjectvector &scopechain,              const readonlycompileoptions &options,              const char16_t *chars, size_t length, js::mutablehandl
evalue rval);  // added in spidermonkey 17  bool js::
evaluate(jscontext *cx, js::autoobjectvector &scopechain,              const js::readonlycompileoptions &options,              js::sourcebufferholder &srcbuf, js::mutablehandl
evalue rval);  // obsolete since jsapi 39  bool js::
evaluate(jscontext *cx, js::handleobject obj,              const js::readonlycompileoptions &options,              js::sourcebufferholder &srcbuf, js::mutablehandl
evalue rval);  bool js::
evaluate(jscontext *cx, js::handleobject obj,              const js::readonlycompileoptions &options,              const char16_t *chars, size_t length...
..., js::mutablehandl
evalue rval);  bool js::
evaluate(jscontext *cx, js::handleobject obj,              const js::readonlycompileoptions &options,              const char *bytes, size_t length, js::mutablehandl
evalue rval);  bool js::
evaluate(jscontext *cx, js::handleobject obj,              const js::readonlycompileoptions &options,              const char *filename, js::mutablehandl
evalue rval);            name    type    description          cx    jscontext *    the context in which to run the script.
...And 5 more matches
   
 
   
    Components.utils.evalInWindow
    
 this function enables code running in a more-privileged javascript context to 
evaluate a string in a less-privileged javascript context.
...even so, while the code is being 
evaluated it is in the content's context, so the caller has to be prepared for the possibility that the content could have redefined behavior (for example, a setter in the script may have been redefined to do something unexpected).
...syntax var result = components.utils.
evalinwindow(script, window);  parameters      script : string     the script to 
evaluate in the other window.
...And 5 more matches
   
 
   
    nsIDOMXPathEvaluator
    
         dom/interfaces/xpath/nsidomxpath
evaluator.idlscriptable   this interface is used to 
evaluate xpath expressions against a dom node.
...    inherits from: nsisupports last changed in gecko 1.7   implemented by: @mozilla.org/dom/xpath-
evaluator;1.
... to create an instance, use: var domxpath
evaluator = components.classes["@mozilla.org/dom/xpath-
evaluator;1"]                         .createinstance(components.interfaces.nsidomxpath
evaluator);  method overview          nsidomxpathexpression createexpression(in domstring expression, in nsidomxpathnsresolver resolver)          nsidomxpathnsresolver creatensresolver(in nsidomnode noderesolver);          nsisupports 
evaluate(in domstring expression, in nsidomnode contextnode, in nsidomxpathnsresolver resolver, in unsigned short type, in nsisupports result)       methods createexpression() creates an nsidomxpathexpression which can then be used for (repeated) 
evaluations.
...And 5 more matches
   
 
   
    JS_EvaluateScript
    
  syntax  jsbool js_
evaluatescript(jscontext *cx, jsobject *obj,     const char *src, unsigned int length, const char *filename,     unsigned int lineno, jsval *rval);  jsbool js_
evaluateucscript(jscontext *cx, jsobject *obj,     const jschar *src, unsigned int length, const char *filename,     unsigned int lineno, jsval *rval);            name    type    description          cx    jscontext *    the context in which to run the script.
...       description  js_
evaluatescript compiles and executes a script in the specified scope, obj.
... js_
evaluateucscript is the unicode version of the function.
...And 3 more matches
   
 
   
    JS_EvaluateScriptForPrincipals
    
  syntax  jsbool js_
evaluatescriptforprincipals(jscontext *cx, jsobject *obj,     jsprincipals *principals, const char *src, unsigned int length,     const char *filename, unsigned int lineno, jsval *rval);  jsbool js_
evaluatescriptucforprincipals(jscontext *cx, jsobject *obj,     jsprincipals *principals, const jschar *src, unsigned int length,     const char *filename, unsigned int lineno, jsval *rval);  jsbool js_
evaluatescriptforprincipalsversion(jscontext *cx, jsobject *obj,     jsprincipals *principals, const char *bytes, unsigned int length,     const...
... char *filename, unsigned int lineno, jsval *rval, jsversion version);  jsbool js_
evaluateucscriptforprincipalsversion(jscontext *cx, jsobject *obj,     jsprincipals *principals, const jschar *chars, unsigned int length,     const char *filename, unsigned int lineno, jsval *rval, jsversion version);              name    type    description          cx    jscontext *    the context in which to run the script.
...       description  js_
evaluatescriptforprincipals compiles and executes a script in the specified scope, obj.
...And 3 more matches
   
 
   
    Node.nodeValue - Web APIs
    
 the nod
evalue property of the node interface returns or sets the value of the current node.
...  syntax  str = node.nod
evalue; node.nod
evalue = str;   value  str is a string containing the value of the current node, if any.
... for the document itself, nod
evalue returns null.
...And 3 more matches
   
 
   
    XPathEvaluator - Web APIs
    
 the xpath
evaluator interface allows to compile and 
evaluate xpath expressions.
... methods    xpath
evaluator.createexpression()  creates a parsed xpath expression with resolved namespaces.
...  xpath
evaluator.creatensresolver()  adapts any dom node to resolve namespaces allowing the xpath expression to be 
evaluated relative to the context of the node where it appeared within the document.
...And 3 more matches
   
 
   
  
   
    NPN_Evaluate - Archive of obsolete content
    
         « gecko plugin api reference « scripting plugins  summary 
evaluates a script in the scope of the specified npobject.
... syntax #include <npruntime.h>  bool npn_
evaluate(npp npp, npobject *npobj, npstring *script,                   npvariant *result);  parameters the function has the following parameters:         npp        the npp indicating which plugin instance's window to 
evaluate the script in.
...       script        the script to 
evaluate.
...And 2 more matches
   
 
   
    JS::HandleValueArray
    
  syntax  js::handl
evaluearray(const js::rootedvalue& value); js::handl
evaluearray(const js::autovaluevector& values); js::handl
evaluearray(const js::autovaluearray<n>& values); js::handl
evaluearray(const js::callargs& args);  js::handl
evaluearray::frommarkedlocation(size_t len, const js::value *elements); js::handl
evaluearray::subarray(const js::handl
evaluearray& values,                                size_t startindex, size_t len); js::handl
evaluearray::empty();            name    type    description          value    js::rootedvalue &    an element of newly created 1-length array.
...         values    js::handl
evaluearray    (subarray only) an array to get sub array.
...         js::handl
evalue operator[](size_t i) const    returns i-th element of the array.
...And 2 more matches
   
 
   
    JS_SameValue
    
      this article covers features introduced in spidermonkey 1.8.1    determines if two jsvals are the same, as determined by the sam
evalue algorithm in ecmascript 262, 5th edition.
...   sam
evalue slightly differs from strict equality (===) in that +0 and -0 are not the same and in that nan is the same as nan.
... the sam
evalue algorithm is equivalent to the following javascript:  function sam
evalue(v1, v2) {   if (v1 === 0 && v2 === 0)     return 1 / v1 === 1 / v2;   if (v1 !== v1 && v2 !== v2)     return true;   return v1 === v2; }   syntax  // added in spidermonkey 45  bool js_sam
evalue(jscontext *cx, js::handle<js::value> v1, js::handle<js::value> v2,              bool *same);  // obsolete since jsapi 39  bool js_sam
evalue(jscontext *cx, jsval v1, jsval v2, bool *same);            name    type    description          cx    jscontext *    pointer to a js context from which to derive runtime information.
...And 2 more matches
   
 
   
    CSSStyleValue - Web APIs
    
   the cssstyl
evalue interface of the the css typed object model api is the base class of all css values accessible through the typed om api.
... interfaces based on cssstyl
evalue  below is a list of interfaces based on the cssstyl
evalue interface.
...    	cssimag
evalue 	csskeywordvalue 	cssnumericvalue 	csspositionvalue 	csstransformvalue 	cssunparsedvalue    methods   	cssstyl
evalue.parse() 	sets a specific css property to the specified values and returns the first value as a cssstyl
evalue object.
...And 2 more matches
   
 
   
    CSSVariableReferenceValue - Web APIs
    
    the cssvariablereferenc
evalue interface of the css typed object model api allows you to create a custom name for a built-in css value.
... constructor    cssvariablereferenc
evalue.cssvariablereferenc
evalue()  creates a new cssvariablereferenc
evalue object.
...   properties    cssvariablereferenc
evalue.variable  returns the custom name passed to the constructor.
...And 2 more matches
   
 
   
    XPathEvaluator.createExpression() - Web APIs
    
 this method compiles an xpathexpression which can then be used for (repeated) 
evaluations of the xpath expression.
...  syntax  xpathexpression xpath
evaluator.createexpression(expression, resolver);   parameters    expression  a domstring representing representing the xpath expression to be created.
... exceptions  invalid_expression_err  if the expression is not legal according to the rules of the xpath
evaluator, an xpathexception of type invalid_expression_err is raised.
...And 2 more matches
   
 
   
    EvalError() constructor - JavaScript
    
 the 
evalerror constructor creates a new error regarding the global 
eval() function.
... this exception is not thrown by javascript anymore, however the 
evalerror object remains for compatibility.
...  syntax  new 
evalerror([message[, filename[, linenumber]]])  parameters    message  optional.
...And 2 more matches
   
 
   
    Object.prototype.eval() - Archive of obsolete content
    
           the object.
eval() method used to 
evaluate a string of javascript code in the context of an object, however, this method has been removed.
...  syntax  obj.
eval(string)  parameters    string  any string representing a javascript expression, statement, or sequence of statements.
...  description  the 
eval method can no longer be used as a method of an object.
... use the top-level 
eval() function instead.
   
 
   
    FC_GetAttributeValue
    
           name  fc_getattribut
evalue - get the value of attributes of an object.
...   syntax  ck_rv fc_getattribut
evalue(   ck_session_handle hsession,   ck_object_handle hobject,   ck_attribute_ptr ptemplate,   ck_ulong uscount );   parameters  hsession [in] session handle.
...  description  fc_getattribut
evalue gets the value of one or more attributes of an object.
...  return value   examples   see also   nsc_getattribut
evalue                                 ...
   
 
   
    FC_SetAttributeValue
    
           name  fc_setattribut
evalue - set the values of attributes of an object.
...   syntax  ck_rv fc_setattribut
evalue(   ck_session_handle hsession,   ck_object_handle hobject,   ck_attribute_ptr ptemplate,   ck_ulong uscount );   parameters  hsession [in] session handle.
...  description  fc_setattribut
evalue sets the value of one or more attributes of an object.
...  return value   examples   see also   nsc_setattribut
evalue                                 ...
   
 
   
    JS_IsBuiltinEvalFunction
    
      this article covers features introduced in spidermonkey 17    return whether the given function is the global 
eval function.
...   syntax  bool js_isbuiltin
evalfunction(jsfunction *fun);            name    type    description          obj    jsfunction *    pointer to the function to test.
...        description  js_isbuiltin
evalfunction returns whether the given function is the global 
eval function.
...  see also    mxr id search for js_isbuiltin
evalfunction  js_isbuiltinfunctionconstructor  bug 638312                    ...
   
 
   
    JS_NewDoubleValue
    
  create a floating-point jsval  syntax jsbool js_newdoubl
evalue(jscontext *cx, jsdouble d, jsval *rval);           name    type    description          cx    jscontext *    the context in which to create the new number.
...      description js_newdoubl
evalue creates a floating-point jsval.
...if it is, js_newdoubl
evalue creates a bad jsval that might behave as desired in some cases but not others.
...on success, js_newdoubl
evalue stores a numeric jsval in *rval and returns js_true.
   
 
   
    writeValue() - Web APIs
    
   the bluetoothremotegattdescriptor.writ
evalue() method sets the value property to the bytes contained in an arraybuffer and returns a promise.
...  syntax  bluetoothremotegattdescriptor.writ
evalue(array[]).then(function() { ...
... specifications           specification    status    comment          web bluetooththe definition of 'writ
evalue()' in that specification.
... desktopmobilechromeedgefirefoxinternet exploreroperasafariandroid webviewchrome for androidfirefox for androidopera for androidsafari on iossamsung internetwrit
evalue experimentalchrome                 full support                              57notes                  full support                              57notes notes macos only.
   
 
   
    CSSStyleValue.parse() - Web APIs
    
   the parse() method of the cssstyl
evalue interface sets a specific css property to the specified values and returns the first value as a cssstyl
evalue object.
...  syntax  cssstyl
evalue.parse(property, csstext)  parameters    property  a css property to set.
...  return value  a cssstyl
evalue object containing the first supplied value.
... const css = cssstyl
evalue.parse(     'transform', 'translate3d(10px,10px,0) scale(0.5)');  csstransformvalue {0: csstranslate, 1: cssscale, length: 2, is2d: false}  specifications           specification    status    comment          css typed om level 1the definition of 'parse()' in that specification.
   
 
   
    XPathResult.singleNodeValue - Web APIs
    
 the read-only singlenod
evalue property of the xpathresult interface returns a node value or null in case no node was matched of a result with xpathresult.resulttype being any_unordered_node_type or first_ordered_node_type.
... syntax  var value = result.singlenod
evalue;   return value  the return value is the node value of the xpathresult returned by document.
evaluate().
... example  the following example shows the use of the singlenod
evalue property.
...  html  <div>xpath example</div> <div>tag name of the element having the text content 'xpath example': <output></output></div>   javascript  var xpath = "//*[text()='xpath example']"; var result = document.
evaluate(xpath, document, null, xpathresult.first_ordered_node_type, null); document.queryselector("output").textcontent = result.singlenod
evalue.localname;   result    specifications           specification    status    comment          document object model (dom) level 3 xpath specificationthe definition of 'xpathresult.singlenod
evalue' in that specification.
   
 
   
  
   
    uneval() - JavaScript
    
   the un
eval() function creates a string representation of the source code of an object.
...  syntax  un
eval(object)  parameters    object  a javascript expression or statement.
... description  un
eval() is a top-level function and is not associated with any object.
...  examples  using un
eval  var a = 1; un
eval(a); // returns a string containing 1  var b = '1'; un
eval(b); // returns a string containing "1"  un
eval(function foo() {}); // returns "(function foo(){})"   var a = un
eval(function foo() { return 'hi'; }); var foo = 
eval(a); foo(); // returns "hi"   specifications  not part of any standard.
   
 
   
    tableValues - SVG: Scalable Vector Graphics
    
 the tabl
evalues attribute defines a list of numbers defining a lookup table of values for a for a color component transfer function.
...radient id="gradient" gradientunits="userspaceonuse"         x1="0" y1="0" x2="200" y2="0">       <stop offset="0" stop-color="#ff0000" />       <stop offset="0.5" stop-color="#00ff00" />       <stop offset="1" stop-color="#0000ff" />     </lineargradient>   </defs>    <filter id="componenttransfer1" x="0" y="0" width="100%" height="100%">     <fecomponenttransfer>       <fefuncr type="table" tabl
evalues="0 1"/>       <fefuncg type="table" tabl
evalues="0 1"/>       <fefuncb type="table" tabl
evalues="0 1"/>     </fecomponenttransfer>   </filter>   <filter id="componenttransfer2" x="0" y="0" width="100%" height="100%">     <fecomponenttransfer>       <fefuncr type="table" tabl
evalues="1 0"/>       <fefuncg type="table" tabl
evalues="1 0"/>       <fefuncb type="table" tabl
evalues="1 0"/>     </fec...
...  specifications           specification    status    comment              filter effects module level 1the definition of 'tabl
evalues' in that specification.
...    working draft    no change          scalable vector graphics (svg) 1.1 (second edition)the definition of 'tabl
evalues' in that specification.
   
 
   
    Mozilla’s UAAG evaluation report
    
this uaag 
evaluation report covers nightly builds of the mozilla web browser itself, running on windows 2000, as of february 20, 2002.
...this 
evaluation does not cover mailnews or composer.
...(p1)    nr         some end user docs are under help, help contents in mozilla     here is the main page for mozilla end user documentation     none of these resources have been 
evaluated for wcag compliance              12.2 document accessibility features.
   
 
   
    JS::DoubleValue
    
  syntax  js::value js::doubl
evalue(double dbl)            name    type    description          dbl    double    c double to convert.
...        description  js::doubl
evalue converts a c floating-point number of type double to js::value, the type of javascript values.
... see also    mxr id search for js::doubl
evalue  js::value  js::int32value  js::float32value  js::numbervalue  js_numbervalue                    ...
   
 
   
    mozIStorageValueArray
    
        the mozistorag
evaluearray interface obtains provides methods to obtain data from a given result.
...  storage/public/mozistorag
evaluearray.idlscriptable   please add a summary to this article.
...    return value  one of the constants mozistorag
evaluearray.value_type_null, mozistorag
evaluearray.value_type_integer, mozistorag
evaluearray.value_type_float, mozistorag
evaluearray.value_type_text, or mozistorag
evaluearray.value_type_blob describing the type aindex is.
   
 
   
    Debug eval sources - Firefox Developer Tools
    
 you can debug javascript code that is 
evaluated dynamically, either as a string passed to 
eval() or as a string passed to the function constructor.
...  in the video below, we load a page containing a source like this:  var script = `function foo() {                console.log('called foo');              }              //# sourceurl=my-foo.js`;  
eval(script);  var button = document.getelementbyid("foo"); button.addeventlistener("click", foo, false);   the 
evaluated string is given the name "my-foo.js" using the //# sourceurl directive.
... the debugger will also stop at debugger; statements in unnamed 
eval sources.
   
 
   
    BluetoothRemoteGATTCharacteristic.writeValue() - Web APIs
    
   the bluetoothremotegattcharacteristic.writ
evalue() method sets the value property to the bytes contained in an arraybuffer and returns a promise.
...  syntax  bluetoothremotegattcharacteristic.writ
evalue(value).then(function() { ...
...   specifications           specification    status    comment          web bluetooththe definition of 'writ
evalue()' in that specification.
   
 
   
    CSSImageValue - Web APIs
    
           the cssimag
evalue interface of the css typed object model api represents values for properties that take an image, for example background-image, list-style-image, or border-image-source.
... the cssimag
evalue object represents an <image> that involves an url, such as url() or image(), but not linear-gradient() or element() .
...we then get() the background-image from the stylemap and stringify it:  // get the element const button = document.queryselector( 'button' );  // retrieve all computed styles with computedstylemap() const allcomputedstyles = button.computedstylemap();  // return the cssimag
evalue example console.log( allcomputedstyles.get('background-image') ); console.log( allcomputedstyles.get('background-image').tostring() );     specifications           specification    status    comment          css typed om level 1the definition of 'cssimag
evalue' in that specification.
   
 
   
    CSSPrimitiveValue.getCounterValue() - Web APIs
    
 the getcountervalue() method of the cssprimitiv
evalue interface is used to get the counter value.
... syntax  var countervalue = cssprimitiv
evalue.getcountervalue();  return value  a counter object representing the counter value.
...       specifications           specification    status    comment          document object model (dom) level 2 style specificationthe definition of 'cssprimitiv
evalue.getcountervalue' in that specification.
   
 
   
    CSSPrimitiveValue.getFloatValue() - Web APIs
    
 the getfloatvalue() method of the cssprimitiv
evalue interface is used to get a float value in a specified unit.
... syntax  var floatvalue = cssprimitiv
evalue.getfloatvalue(unit);  parameters    unittype  an unsigned short representing the code for the unit type, in which the value should be returned.
...       example  var cs = window.getcomputedstyle(document.body); var cssvalue = cs.getpropertycssvalue("margin-top"); console.log(cssvalue.getfloatvalue(cssprimitiv
evalue.css_cm));  specifications           specification    status    comment          document object model (dom) level 2 style specificationthe definition of 'cssprimitiv
evalue.getfloatvalue' in that specification.
   
 
   
    CSSPrimitiveValue.getRGBColorValue() - Web APIs
    
 the getrgbcolorvalue() method of the cssprimitiv
evalue interface is used to get an rgb color value.
... syntax  var rgbcolorvalue = cssprimitiv
evalue.getrgbcolorvalue();  return value  an rgbcolor object representing the color value.
...       example  var cs = window.getcomputedstyle(document.body); var cssvalue = cs.getpropertycssvalue("color"); console.log(cssvalue.getrgbcolorvalue());  specifications           specification    status    comment          document object model (dom) level 2 style specificationthe definition of 'cssprimitiv
evalue.getrgbcolorvalue' in that specification.
   
 
   
    CSSPrimitiveValue.getRectValue() - Web APIs
    
 the getrectvalue() method of the cssprimitiv
evalue interface is used to get a rect value.
... syntax  var rectvalue = cssprimitiv
evalue.getrectvalue();  return value  a rect object representing the rect value.
...       example  var cs = window.getcomputedstyle(document.getelementbyid("clippeddiv")); var cssvalue = cs.getpropertycssvalue("clip"); console.log(cssvalue.getrectvalue());  specifications           specification    status    comment          document object model (dom) level 2 style specificationthe definition of 'cssprimitiv
evalue.getrectvalue' in that specification.
   
 
   
    CSSPrimitiveValue.getStringValue() - Web APIs
    
 the getstringvalue() method of the cssprimitiv
evalue interface is used to get a string value.
... syntax  var stringvalue = cssprimitiv
evalue.getstringvalue();  return value  a string value.
...       example  var cs = window.getcomputedstyle(document.body); var cssvalue = cs.getpropertycssvalue("display"); console.log(cssvalue.getstringvalue());  specifications           specification    status    comment          document object model (dom) level 2 style specificationthe definition of 'cssprimitiv
evalue.getstringvalue' in that specification.
   
 
   
    CSSPrimitiveValue.primitiveType - Web APIs
    
 the primitivetype read-only property of the cssprimitiv
evalue interface represents the type of a css value.
...  syntax  type = cssprimitiv
evalue.primitivetype;   value  an unsigned short representing the type of the value.
...       example  var cs = window.getcomputedstyle(document.body); var cssvalue = cs.getpropertycssvalue("color"); console.log(cssvalue.primitivetype);   specifications           specification    status    comment          document object model (dom) level 2 style specificationthe definition of 'cssprimitiv
evalue.primitivetype' in that specification.
   
 
   
    CSSPrimitiveValue.setFloatValue() - Web APIs
    
 the setfloatvalue() method of the cssprimitiv
evalue interface is used to set a float value.
... syntax  cssprimitiv
evalue.setfloatvalue(unittype, floatvalue);  parameters    unittype  an unsigned short representing the code for the unit type, in which the value should be returned.
...       specifications           specification    status    comment          document object model (dom) level 2 style specificationthe definition of 'cssprimitiv
evalue.setfloatvalue' in that specification.
   
 
   
  
   
    CSSPrimitiveValue.setStringValue() - Web APIs
    
 the setstringvalue() method of the cssprimitiv
evalue interface is used to set a string value.
... syntax  cssprimitiv
evalue.setstringvalue(stringtype, stringvalue);  parameters    stringtype  an unsigned short representing the type of the value.
...       specifications           specification    status    comment          document object model (dom) level 2 style specificationthe definition of 'cssprimitiv
evalue.setstringvalue' in that specification.
   
 
   
    CSSStyleValue.parseAll() - Web APIs
    
   the parseall() method of the cssstyl
evalue interface sets all occurences of a specific css property to the specified value and returns an array of cssstyl
evalue objects, each containing one of the supplied values.
...  syntax  cssstyl
evalue.parseall(property, value)  parameters   	property 	a css property to set.
...  return value  an array of cssstyl
evalue objects, each containing one of the supplied values.
   
 
   
    CSSVariableReferenceValue() - Web APIs
    
    creates a new cssvariablereferenc
evalue.
...  syntax  new cssvariablereferenc
evalue(variable[, fallback]])   parameters    variable    a custom property name.
...    specifications           specification    status    comment              css typed om level 1the definition of 'cssvariablereferenc
evalue()' in that specification.
   
 
   
    XPathEvaluator.createNSResolver() - Web APIs
    
 this method adapts any dom node to resolve namespaces so that an xpath expression can be easily 
evaluated relative to the context of the node where it appeared within the document.
... syntax  xpathnsresolver xpath
evaluator.creatensresolver(noderesolver);   parameters    noderesolver  a node to be used as a context for namespace resolution.
... specifications           specification    status    comment          document object model (dom) level 3 xpath specificationthe definition of 'xpath
evaluator.creatensresolver()' in that specification.
   
 
   
    deleteValue - Archive of obsolete content
    
        delet
evalue removes the value of an arbitrary key.
... method of winreg object syntax int delet
evalue ( string subkey, string valname);  parameters the delet
evalue method has the following parameters:         subkey        the key path to the appropriate location in the key hierarchy, such as "software\\netscape\\navigator\\mail".
   
 
   
    PL_CompareValues
    
 syntax  #include <plhash.h>  printn pl_compar
evalues(const   void *v1,   const void *v2);   description  pl_compar
evalues compares the two void * values v1 and v2 numerically, i.e., it returns the value of the expression v1 == v2.
...  pl_compar
evalues can be used as the comparator function for integer or pointer-valued key or entry value.
   
 
   
    JS::FalseValue
    
  syntax  js::value js::fals
evalue()   description  js::fals
evalue creates a js::value that represents the javascript value false.
...  see also    mxr id search for js::fals
evalue  js::value  js::booleanvalue  js::tru
evalue                    ...
   
 
   
    JS::NullHandleValue
    
  syntax  const js::handl
evalue js::nullhandl
evalue;   description  js::nullhandl
evalue is a js::handl
evalue constant that represents the javascript value null.
...  see also    mxr id search for js::nullhandl
evalue  js::undefinedhandl
evalue  js::truehandl
evalue  js::falsehandl
evalue  bug 865969                    ...
   
 
   
    JS::TrueHandleValue
    
  syntax  const js::handl
evalue js::truehandl
evalue; const js::handl
evalue js::falsehandl
evalue;   description  js::truehandl
evalue and js::falsehandl
evalue are js::handl
evalue constants that represent the javascript values true and false.
...  see also    mxr id search for js::truehandl
evalue  mxr id search for js::falsehandl
evalue  js::nullhandl
evalue  js::undefinedhandl
evalue  bug 959787                    ...
   
 
   
    JS::TrueValue
    
  syntax  js::value js::tru
evalue()   description  js::tru
evalue creates a js::value that represents the javascript value true.
...  see also    mxr id search for js::tru
evalue  js::value  js::booleanvalue  js::fals
evalue                    ...
   
 
   
    JS::UndefinedHandleValue
    
  syntax  const js::handl
evalue js::undefinedhandl
evalue;   description  js::undefinedhandl
evalue is a js::handl
evalue constant that represents the javascript value undefined.
...  see also    mxr id search for js::undefinedhandl
evalue  js::nullhandl
evalue  js::truehandl
evalue  js::falsehandl
evalue  bug 865969                    ...
   
 
   
    IAccessibleValue
    
         other-licenses/ia2/accessibl
evalue.idlnot scriptable   this interface gives access to a single numerical value.
...         1.0    66        introduced gecko 1.9     inherits from: iunknown last changed in gecko 1.9 (firefox 3)  the iaccessibl
evalue interface represents a single numerical value and should be implemented by any class that supports numerical value like progress bars and spin boxes.
   
 
   
    CSSVariableReferenceValue.fallback - Web APIs
    
    the fallback read-only property of the cssvariablereferenc
evalue interface returns the custom property fallback value of the cssvariablereferenc
evalue.
...  syntax  var fallback = cssvariablereferenc
evalue.fallback;  value  a cssunparsedvalue.
   
 
   
    CSSVariableReferenceValue.variable - Web APIs
    
    the variable property of the cssvariablereferenc
evalue interface returns the custom property name of the cssvariablereferenc
evalue.
...  syntax  var variable = cssvariablereferenc
evalue.variable;  value  a usvstring beginning with -- (that is, a custom property name).
   
 
   
    SVGAnimatedString.baseVal - Web APIs
    
 bas
eval gets or sets the base value of the given attribute before any animations are applied.the base value of the given attribute before applying any animations.
... desktopmobilechromeedgefirefoxinternet exploreroperasafariandroid webviewchrome for androidfirefox for androidopera for androidsafari on iossamsung internetbas
evalchrome                 full support                              yesedge                 full support                              12firefox                 full support                              yesie                 no support                              noopera                 full support                              yessafari                 full support                              yeswe...
   
 
   
  
   
   
   
   
    nsIAccessibleRetrieval
    
         accessible/public/nsiaccessibleretri
eval.idlscriptable   an interface for in-process accessibility clients wishing to get an nsiaccessible or nsiaccessnode for a given dom node.
   
 
   
    nsIAccessibleValue
    
         accessible/public/nsiaccessibl
evalue.idlscriptable   please add a summary to this article.
   
 
   
    nsMsgSearchTypeValue
    
        defined in comm-central/ mailnews/ base/ search/ public/ nsmsgsearchcore.idl  used to specify type of search to be performed [scriptable,uuid(964b7f32-304e-11d3-ae13-00a0c900d445)] interface nsmsgsearchtype {   const nsmsgsearchtyp
evalue none = 0;   const nsmsgsearchtyp
evalue rootdse = 1;   const nsmsgsearchtyp
evalue normal = 2;   const nsmsgsearchtyp
evalue ldapvlv = 3;   const nsmsgsearchtyp
evalue namecompletion = 4; };                                 ...
   
 
   
    Bytecode Descriptions
    
  double  operands: (double val) stack: ⇒ val push the 64-bit floating-point immediate operand as a doubl
evalue.
...implements: relational operators: 
evaluation.
...format: jof_ic    conversions  topropertykey  stack: propertynam
evalue ⇒ propertykey convert a value to a property key.
...And 42 more matches
   
 
   
    Index - Web APIs
    
       332     bluetoothremotegattcharacteristic.writ
evalue()     api, bluetooth, bluetoothremotegattcharacteristic, experimental, property, reference, web bluetooth api, writ
evalue       the bluetoothremotegattcharacteristic.writ
evalue() method sets the value property to the bytes contained in an arraybuffer and returns a promise.
...       338     writ
evalue()     api, bluetooth, bluetoothgattdescriptor, bluetoothremotegattdescriptor, experimental, property, reference, web bluetooth api, writ
evalue()       the bluetoothremotegattdescriptor.writ
evalue() method sets the value property to the bytes contained in an arraybuffer and returns a promise.
...       406     cssimag
evalue     api, css typed object model api, cssimag
evalue, experimental, houdini, interface, reference       the cssimag
evalue interface of the css typed object model api represents values for properties that take an image, for example background-image, list-style-image, or border-image-source.
...And 39 more matches
   
 
   
    Introduction to using XPath in JavaScript - XPath
    
 the main interface to using xpath is the 
evaluate function of the document object.
...  document.
evaluate  this method 
evaluates xpath expressions against an xml based document (including html documents), and returns a xpathresult object, which can be a single node or a set of nodes.
... the existing documentation for this method is located at document.
evaluate, but it is rather sparse for our needs at the moment; a more comprehensive examination will be given below.
...And 28 more matches
   
 
   
    Expressions and operators - JavaScript
    
 when chaining these expressions, each assignment is 
evaluated right-to-left.
...~x 
evaluates to the same value that -x - 1 
evaluates to.
...       examples of expressions that can be converted to false are those that 
evaluate to null, 0, nan, the empty string (""), or undefined.
...And 19 more matches
   
 
   
    LiveConnect Overview - Archive of obsolete content
    
the forname method throws an exception if the value you pass it does not 
evaluate to the name of a java class.
... place the forname assignment statement in a try block to handle the exception, as follows: function getclass(javaclassname) {    try {       var theclass = java.lang.class.forname(javaclassname);    } catch (e) {       return ("the java exception is " + e);    }    return theclass; }  in this example, if javaclassname 
evaluates to a legal class name, such as "java.lang.string", the assignment succeeds.
... if javaclassname 
evaluates to an invalid class name, such as "string", the getclass function catches the exception and returns something similar to the following: the java exception is java.lang.classnotfoundexception: string  for specialized handling based on the exception type, use the instanceof operator: try {   // ...
...And 14 more matches
   
 
   
    Debugger.Frame - Firefox Developer Tools
    
gee and debugger share the same javascript stack, frames pushed for spidermonkey’s calls to handler methods to report events in the debuggee are never considered visible frames.)  invocation functions and “debugger” frames  aninvocation function is any function in this interface that allows the debugger to invoke code in the debuggee: debugger.object.prototype.call, debugger.frame.prototype.
eval, and so on.
...for example, debugger.frame.prototype.
eval pushes an "
eval" frame for code it runs, whereas debugger.object.prototype.call pushes a "call" frame.
...(we may not be able to obtain frames for calls to host functions.) 		 		 		"
eval": a frame running code passed to 
eval.
...And 14 more matches
   
 
   
    Index
    
this is typically used for local variables being passed to function which requires js::handl
evaluearray or a pointer to js::value array.
...       40     js::doubl
evalue     jsapi reference, reference, référence(2), spidermonkey       js::doubl
evalue converts a c floating-point number of type double to js::value, the type of javascript values.
...        41     js::
evaluate     jsapi reference, reference, référence(2), spidermonkey       js::
evaluate compiles and executes a script in the specified scope, obj or scopechain.
...And 13 more matches
   
 
   
    nsIMsgDBView
    
 method overview           void open(in nsimsgfolder folder, in nsmsgviewsorttyp
evalue sorttype, in nsmsgviewsortordervalue sortorder, in nsmsgviewflagstyp
evalue viewflags, out long count);          void openwithhdrs(in nsisimpleenumerator aheaders, in nsmsgviewsorttyp
evalue asorttype, in nsmsgviewsortordervalue asortorder, in nsmsgviewflagstyp
evalue aviewflags, out long acount);          void close();          void init(in nsimessenger amessengerinstance, in nsimsgwindow amsgwin...
...dow, in nsimsgdbviewcommandupdater acommandupdater);          void sort(in nsmsgviewsorttyp
evalue sorttype, in nsmsgviewsortordervalue sortorder);          void docommand(in nsmsgviewcommandtyp
evalue command);          void docommandwithfolder(in nsmsgviewcommandtyp
evalue command, in nsimsgfolder destfolder);          void getcommandstatus(in nsmsgviewcommandtyp
evalue command, out boolean selectable_p, out nsmsgviewcommandcheckstat
evalue selected_p);          void viewnavigate(in nsmsgnavigationtyp
evalue motion, out nsmsgkey resultid, out nsmsgviewindex resultindex, out nsmsgviewindex threadindex, in boolean wrap);          boolean navigatestatus(in nsmsgnavigationtyp
evalue motion);          nsmsgkey getkeyat(in nsmsgviewindex index);          nsimsgdbhdr getmsghdrat(in nsmsgviewindex index); ...
...     void expandandselectthreadbyindex(in nsmsgviewindex aindex, in boolean aaugment);          void addcolumnhandler(in astring acolumn, in nsimsgcustomcolumnhandler ahandler);          void removecolumnhandler(in astring acolumn);          nsimsgcustomcolumnhandler getcolumnhandler(in astring acolumn);        attributes           attribute    type    description          viewtype    nsmsgviewtyp
evalue    readonly: type of view.
...And 12 more matches
   
 
   
    Shell global objects
    
 console  an object that has following property:     log   
evaluate and print expressions to stdout.
... 
evaluate(code[, options])  
evaluate code as though it were the contents of a file.
... print([exp ...])  
evaluate and print expressions to stdout.
...And 11 more matches
   
 
   
  
   
    Debugger.Object - Firefox Developer Tools
    
 while most debugger.object instances are created by spidermonkey in the process of exposing debuggee’s behavior and state to the debugger, the debugger can use debugger.object.prototype.makedebugge
evalue to create debugger.object instances for given debuggee objects, or use debugger.object.prototype.copy and debugger.object.prototype.create to create new objects in debuggee compartments, allocated as if by particular debuggee globals.
...  this accessor returns whatever name appeared after the function keyword in the source code, regardless of whether the function is the result of instantiating a function declaration (which binds the function to its name in the enclosing scope) or 
evaluating a function expression (which binds the function to its name only within the function’s body).
...   promis
evalue    return a debuggee value representing the value the promise has been fulfilled with.
...And 11 more matches
   
 
   
    Strict mode - JavaScript
    
eval code, function code, event handler attributes, strings passed to windowtimers.settimeout(), and related functions are entire scripts, and invoking strict mode in them works as expected.
...changes generally fall into these categories: changes converting mistakes into errors (as syntax errors or at runtime), changes simplifying how the particular variable for a given use of a name is computed, changes simplifying 
eval and arguments, changes making it easier to write "secure" javascript, and changes anticipating future ecmascript evolution.
... second, 
eval of strict mode code does not introduce new variables into the surrounding scope.
...And 11 more matches
   
 
   
    JSAPI reference
    
   locale callback types:    jslocaletouppercase  jslocaletolowercase  jslocalecompare  jslocaletounicode   scripts  just running some javascript code is straightforward:    class js::compileoptions added in spidermonkey 17  class js::owningcompileoptions added in spidermonkey 31  class js::readonlycompileoptions added in spidermonkey 31  class js::sourcebufferholder added in spidermonkey 31  js::
evaluate added in spidermonkey 17     js_
evaluatescript obsolete since jsapi 36  js_
evaluateucscript obsolete since jsapi 36  js_
evaluatescriptforprincipals obsolete since jsapi 30  js_
evaluateucscriptforprincipals obsolete since jsapi 30  js_
evaluatescriptforprincipalsversion obsolete since jsapi 30  js_
evaluateucscriptforprincipalsversion obsolete since jsapi 30   you can instead compile javascript ...
...ropexceptionstate   these functions translate errors into exceptions and vice versa:    js_reportpendingexception  js_errorfromexception     js_throwreportederror obsolete since jsapi 29   values and types    typedef jsval    js::value   js::value constructors:    js::nullvalue added in spidermonkey 24  js::undefinedvalue added in spidermonkey 24  js::booleanvalue added in spidermonkey 24  js::tru
evalue added in spidermonkey 24  js::fals
evalue added in spidermonkey 24  js::numbervalue added in spidermonkey 24  js::int32value added in spidermonkey 24  js::doubl
evalue added in spidermonkey 24  js::float32value added in spidermonkey 24  js::stringvalue added in spidermonkey 24  js::objectvalue added in spidermonkey 24  js::objectornullvalue added in spidermonkey 24  js::symbolvalue added in spide...
...rmonkey 38   js::value constants:    js::nullhandl
evalue added in spidermonkey 24  js::undefinedhandl
evalue added in spidermonkey 24  js::truehandl
evalue added in spidermonkey 38  js::falsehandl
evalue added in spidermonkey 38   jsval constants:    jsval_null obsolete since jsapi 42  jsval_void obsolete since jsapi 42  jsval_true obsolete since jsapi 42  jsval_false obsolete since jsapi 42  jsval_zero obsolete since jsapi 42  jsval_one obsolete since jsapi 42   function and macros for checking the type of a jsval:    enum jstype  js_typeofvalue   all of the following are deprecated.
...And 9 more matches
   
 
   
    Index
    
       31     components.utils.sandbox     needsmarkupwork, reference, référence(2), xpcom:language bindings, xpconnect       components.utils.sandbox is used to create a sandbox object for use with 
evalinsandbox().
...       34     components.utils.
evalinsandbox     add-ons, developing mozilla, extensions, javascript, xpcom:language bindings, xpconnect       the 
evalinsandbox() function enables you to 
evaluate javascript code inside a sandbox you've previously created using the components.utils.sandbox constructor.
...        35     components.utils.
evalinwindow            this function enables code running in a more-privileged javascript context to 
evaluate a string in a less-privileged javascript context.
...And 9 more matches
   
 
   
    Debugger.Object - Firefox Developer Tools
    
 while most debugger.object instances are created by spidermonkey in the process of exposing debuggee's behavior and state to the debugger, the debugger can use debugger.object.prototype.makedebugge
evalue to create debugger.object instances for given debuggee objects, or use debugger.object.prototype.copy and debugger.object.prototype.create to create new objects in debuggee compartments, allocated as if by particular debuggee globals.
...  this accessor returns whatever name appeared after the function keyword in the source code, regardless of whether the function is the result of instantiating a function declaration (which binds the function to its name in the enclosing scope) or 
evaluating a function expression (which binds the function to its name only within the function's body).
...   setproperty(name,value)    stor
evalue as the value of the referent's property namedname, creating the property if it does not exist.name must be a string;value must be a debuggee value.
...And 9 more matches
   
 
   
    XPath snippets - XPath
    
 node-specific 
evaluator function  the following custom utility function can be used to 
evaluate xpath expressions on given xml nodes.
... example: defining a custom node-specific 
evaluatexpath() utility function  // 
evaluate an xpath expression aexpression against a given dom node // or document object (anode), returning the results as an array // thanks wanderingstan at morethanwarm dot mail dot com for the // initial work.
... function 
evaluatexpath(anode, aexpr) {   var xpe = new xpath
evaluator();   var nsresolver = xpe.creatensresolver(anode.ownerdocument == null ?
...And 9 more matches
   
 
   
    loader/sandbox - Archive of obsolete content
    
 usage  create a sandbox  to create a sandbox:  const { sandbox, 
evaluate, load } = require("sdk/loader/sandbox"); let scope = sandbox('http://example.com');  the argument passed to the sandbox defines its privileges.
... 
evaluate code  module provides 
evaluate function that lets you execute code in the given sandbox:  
evaluate(scope, 'var a = 5;'); 
evaluate(scope, 'a + 2;'); //=> 7  more details about 
evaluated script may be passed via optional arguments that may improve exception reporting:  // 
evaluate code as if it was loaded from 'http://foo.com/bar.js' and // start from 2nd line.
... 
evaluate(scope, 'a ++', 'http://foo.com/bar.js', 2);  version of javascript can be also specified via an optional argument:  
evaluate(scope, 'let b = 2;', 'bar.js', 1, '1.5'); // throws cause `let` is not defined in js 1.5.
...And 8 more matches
   
 
   
    nsIXPConnect
    
          nsistackframe createstackframelocation(in pruint32 alanguage, in string afilename, in string afunctionname, in print32 alinenumber, in nsistackframe acaller);          void debugdump(in short depth);          void debugdump
evalinjsstackframe(in pruint32 aframenumber, in string asourcetext);          void debugdumpjsstack(in prbool showargs, in prbool showlocals, in prbool showthisprops);          void debugdumpobject(in nsisupports acomobj, in short depth);          [noscript,notxpcom] prbool definedomquickstubs(in jscontextptr cx, in jsobjectptr proto, in pruint32 flags, in pruint32 interfacecount, [array, size_is(inte...
...rfacecount)] in nsiidptr interfacearray);           jsval 
evalinsandboxobject(in astring source, in jscontextptr cx, in nsixpconnectjsobjectholder sandbox, in prbool returnstringonly); native code only!
... exceptions thrown    missing exception  missing description   native code only!createsandbox    create a sandbox for 
evaluating code in isolation using 
evalinsandboxobject().
...And 8 more matches
   
 
   
    Web Console remoting - Firefox Developer Tools
    
 the new web console actors are:    the webconsoleactor allows js 
evaluation, autocomplete, start/stop listeners, etc.
... javascript 
evaluation  the 
evaluatejs request and response packets  the web console client provides the 
evaluatejs(requestid, string, onresponse) method which sends the following packet:  {   "to": "conn0.console9",   "type": "
evaluatejs",   "text": "document",   "bindobjectactor": null,   "frameactor": null,   "url": null,   "selectednodeactor": null, }   the bindobjectactor property is an optional objectactor ...
...this option allows you to bind _self to the debugger.object of the given object actor, during string 
evaluation.
...And 8 more matches
   
 
   
    Using the CSS Typed Object Model - Web APIs
    
 there are other types available:    an <image> will return a cssimag
evalue.
...  a <color> would return a cssstyl
evalue.
...for example, the parameters for a csspositionvalue is one to two cssunitvalues or csskeywordvalues, or one of each:  let position = new csspositionvalue(     new csskeywordvalue("center"),     new cssunitvalue(10, "px"));  cssstyl
evalue  the cssstyl
evalue interface of the the css typed object model api is the base class of all css values accessible through the typed om api, including cssimag
evalue, csskeywordvalue, cssnumericvalue, csspositionvalue, csstransformvalue, and cssunparsedvalue.
...And 8 more matches
   
 
   
    Equality comparisons and sameness - JavaScript
    
 there are four equality algorithms in es2015:    abstract equality comparison (==)  strict equality comparison (===): used by array.prototype.indexof, array.prototype.lastindexof, and case-matching  sam
evaluezero: used by %typedarray% and arraybuffer constructors, as well as map and set operations, and also string.prototype.includes and array.prototype.includes since es2016  sam
evalue: used in all other places   javascript provides three different value-comparison operations:    === - strict equality comparison ("strict equality", "identity", "triple equals")  == - abstract equality comparison ("loose equality", "double equals")  object.is provides sam
evalue (new in es2015).
...for any non-primitive objects x and y which have the same structure but are distinct objects themselves, all of the above forms will 
evaluate to false.
...loose equality is one such context: null == a and undefined == a 
evaluate to true if, and only if, a is an object that emulates undefined.
...And 8 more matches
   
 
   
    Appendix D: Loading Scripts - Archive of obsolete content
    
 <?xml version="1.0" encoding="utf-8"?>  <!doctype overlay>  <overlay id="script-overlay"          xmlns="http://www.mozilla.org/keymaster/gatekeeper/there.is.only.xul">      <script type="application/javascript;version=1.8" src="overlay.js"/>  </overlay>  
evalinsandbox  the components.utils.
evalinsandbox method may be used to load arbitrary code into components.utils.sandbox objects.
... advantages    namespacing: since scripts executed via 
evalinsandbox run in a defined namespace, global namespace contamination and the resultant extension compatibility issues are not usually a problem.
...  flexibility: the 
evalinsandbox method accepts several parameters, including the url, line number, and javascript version of the file from which the code being 
evaluated was extracted.
...And 7 more matches
   
 
   
    Assert.jsm
    
 undefined ok(   actual,   message );   parameters    actual  test subject to be 
evaluated as truthy  message  short explanation of the expected result   equal()  the equality assertion tests shallow, coercive equality with ==.
...  undefined equal(   actual,   expected,   message );   parameters    actual  test subject to be 
evaluated as equivalent to expected  expected  test reference to 
evaluate against actual  message  short explanation of the expected result   notequal()  the non-equality assertion tests for whether two objects are not equal with !=.
...  undefined notequal(   actual,   expected,   message );   parameters    actual  test subject to be 
evaluated as not equivalent to expected  expected  test reference to 
evaluate against actual  message  short explanation of the expected result   deepequal()  the equivalence assertion tests a deep equality relation.
...And 7 more matches
   
 
   
    nsIDOMXPathResult
    
         dom/interfaces/xpath/nsidomxpathresult.idlscriptable   this interface describes an xpath result returned by  nsidomxpath
evaluator or document.
evaluate    inherits from: nsisupports last changed in gecko 1.7   method overview          nsidomnode iteratenext();          nsidomnode snapshotitem(in unsigned long index);       attributes          attribute    type    description          booleanvalue    boolean    if resulttype is boolean_type, the boolean value.
...         singlenod
evalue    nsidomnode    if resulttype is any_unordered_node_type or first_ordered_node_type, a single dom node.
...      constants type constants          constant    value    description          any_type    0    used when 
evaluating an xpath expression; the 
evaluator will return the most appropriate type.
...And 7 more matches
   
 
   
    Cache-Control - HTTP
    
 cache-control: must-r
evalidate cache-control: no-cache cache-control: no-store cache-control: no-transform cache-control: public cache-control: private cache-control: proxy-r
evalidate cache-control: max-age=<seconds> cache-control: s-maxage=<seconds>   extension cache-control directives  extension cache-control directives are not part of the core http caching standards document.
... cache-control: immutable cache-control: stale-while-r
evalidate=<seconds> cache-control: stale-if-error=<seconds>   directives  cacheability  a response is normally cached by the browser if:    it has a status code of 301, 302, 307, 308, or 410 and  cache-control does not have no-store, or if proxy, does not have private and  authorization is unset  either       has a status code of 301, 302, 307, 308, or 410 or    has public, max-age or s-maxage in cache-control or    has expires set          public  the response may be stored by any cache, even if the response is normally non-cacheable.
...setting must-r
evalidate does not make sense because in order to go through r
evalidation you need the response to be stored in a cache, which no-store prevents.
...And 7 more matches
   
 
   
  
   
    Proxy Auto-Configuration (PAC) file - HTTP
    
 examples:  function alert_
eval(str) { alert(str + ' is ' + 
eval(str)) } function findproxyforurl(url, host) {   alert_
eval('isinnet(host, "63.245.213.24", "255.255.255.255")')   // "pac-alert: isinnet(host, "63.245.213.24", "255.255.255.255") is true" }   dnsresolve()  dnsresolve(host)  parameters    host  hostname to resolve.
... examples  shexpmatch("http://home.netscape.com/people/ari/index.html"     , "*/ari/*"); // returns true shexpmatch("http://home.netscape.com/people/montulli/index.html", "*/ari/*"); // returns false  weekdayrange()  syntax  weekdayrange(wd1, wd2, [gmt])   note: (before firefox 49) wd1 must be less than wd2 if you want the function to 
evaluate these parameters as a range.
...  the order of the days matters; before firefox 49, weekdayrange("sun", "sat") will always 
evaluate to true.
...And 7 more matches
   
 
   
    Microsummary XML grammar reference - Archive of obsolete content
    
when a generator is examined to determine whether or not it is able to summarize a page, the regular expressions provided by the child elements are 
evaluated against the url of the page.
...white space between the child element tags and the regular expressions they contain is also not significant; it is not considered part of the regular expression, and it does not affect 
evaluation of the expressions.
... child elements:         <condition> (optional)        an xpath boolean expression along with a conditional interval of time, in minutes, that must elapse between updates if the expression 
evaluates to true.
...And 6 more matches
   
 
   
    JSAPI User Guide
    
each time the application runs a js script (using, for example, js_
evaluatescript), it provides the global object for that script to use.
...similarly, you can create a js::value wrapping a jsobject, double, or jsstring pointer to a js::value using js::objectvalue(jsobject&), js::doubl
evalue(double), or js::stringvalue(jsstring*).
... error reports  todo your custom errorreporter  todo when errors are reported  automatic handling of uncaught exceptions  the js_compile*, js_call*, js_execute*, and js_
evaluate* functions automatically pass exceptions to the error reporter in certain cases.
...And 6 more matches
   
 
   
    Working with Multiple Versions of Interfaces
    
to do this i used the accessibility framework:  hwnd gethwnd(nsidomnode *node){   hwnd self = null;   nsresult rv;   nscomptr<nsiaccessibleretri
eval> refp;   refp = do_createinstance( "@mozilla.org/accessibleretri
eval;1", &rv);   if (ns_failed(rv)){ return self; } //line 6.
...this is because the call to  do_createinstance(acid, aouter, error);  will eventually evolve into a request for an object supporting the interface with iid ns_get_iid(nsiaccessibleretri
eval).
... hwnd gethwndb(nsidomnode *node){   hwnd self = null;   nsresult rv;   nscomptr<nsicomponentmanager> compmgr;   rv = ns_getcomponentmanager(getter_addrefs(compmgr));   if (ns_failed(rv)){ return self; }   nscomptr<nsiaccessibleretri
eval> refp;   rv = compmgr->createinstancebycontractid(accretcid, 0, iar_iid_old, getter_addrefs(refp));   if (ns_failed(rv)){ return  self; }   nscomptr<nsiaccessible> accnode;   rv = refp->getaccessiblefor(node, getter_addrefs(accnode));   if(ns_failed(rv)){ return self; }   void *wh = null;   nscomptr<nsiaccessibledocument> accdocnode;   rv = accnode->queryinterface(iad_iid_old, getter_addrefs(accd...
...And 6 more matches
   
 
   
    Control flow and error handling - JavaScript
    
 an if statement looks like this:  if (condition) {   statement_1; } else {   statement_2; }  here, the condition can be any expression that 
evaluates to true or false.
... (see boolean for an explanation of what 
evaluates to true and false.)  if condition 
evaluates to true, statement_1 is executed.
... you can also compound the statements using else if to have multiple conditions tested in sequence, as follows:  if (condition_1) {   statement_1; } else if (condition_2) {   statement_2; } else if (condition_n) {   statement_n; } else {   statement_last; }   in the case of multiple conditions, only the first logical condition which 
evaluates to true will be executed.
...And 6 more matches
   
 
   
    Operator precedence - JavaScript
    
it is interesting to note that, the order of 
evaluation is always left-to-right irregardless of associativity.
...           code    output                function echo(name, num) {     console.log("
evaluating the " + name + " side");     return num; } // notice the division operator (/) console.log(echo("left", 6) / echo("right", 2));               
evaluating the left side 
evaluating the right side 3                     function echo(name, num) {     console.log("
evaluating the " + name + " side");     return num; } // notice the exponentiation operator (**) console.log(echo("left", 2) ** echo("right", 3));              
evaluating the left side 
evaluating the right side 8            the difference in associativity comes into play when there are multiple operators of the same precedence.
...          code    output                function echo(name, num) {     console.log("
evaluating the " + name + " side");     return num; } // notice the division operator (/) console.log(echo("left", 6) / echo("middle", 2) / echo("right", 3));               
evaluating the left side 
evaluating the middle side 
evaluating the right side 1                     function echo(name, num) {     console.log("
evaluating the " + name + " side");     return num; } // notice the exponentiation operator (**) console.log(echo("left", 2) ** echo("middle", 3) ** echo("ri...
...And 6 more matches
   
 
   
    jspage - Archive of obsolete content
    
rguments")?[b]:b):[];}var $time=date.now||function(){return +new date;};function $try(){for(var b=0,a=arguments.length;b<a; b++){try{return arguments[b]();}catch(c){}}return null;}function $type(a){if(a==undefined){return false;}if(a.$family){return(a.$family.name=="number"&&!isfinite(a))?false:a.$family.name; }if(a.nodename){switch(a.nodetype){case 1:return"element";case 3:return(/\s/).test(a.nod
evalue)?"textnode":"whitespace";}}else{if(typeof a.length=="number"){if(a.callee){return"arguments"; }else{if(a.item){return"collection";}}}}return typeof a;}function $unlink(c){var b;switch($type(c)){case"object":b={};for(var e in c){b[e]=$unlink(c[e]); }break;case"hash":b=new hash(c);break;case"array":b=[];for(var d=0,a=c.length;d<a;d++){b[d]=$unlink(c[d]);}break;default:return c;}return b;}var brow...
...ser=$merge({engine:{name:"unknown",version:0},platform:{name:(window.orientation!=undefined)?"ipod":(navigator.platform.match(/mac|win|linux/i)||["other"])[0].tolowercase()},features:{xpath:!!(document.
evaluate),air:!!(window.runtime),query:!!(document.queryselector)},plugins:{},engines:{presto:function(){return(!window.opera)?false:((arguments.callee.caller)?960:((document.getelementsbyclassname)?950:925)); },trident:function(){return(!window.activexobject)?false:((window.xmlhttprequest)?((document.queryselectorall)?6:5):4);},webkit:function(){return(navigator.taintenabled)?false:((browser.features.xpath)?((browser.features.query)?525:420):419); },gecko:function(){return(!document.getboxobjectfor&&window.mozinnerscreenx==null)?false:((document.getelementsbyclassname)?19:18);}}},browser||{});b...
...,function(e,d){var c=json.encode(e);if(c){a.push(json.encode(d)+":"+c);}});return"{"+a+"}";case"number":case"boolean":return string(b); case false:return"null";}return null;},decode:function(string,secure){if($type(string)!="string"||!string.length){return null;}if(secure&&!(/^[,:{}\[\]0-9.\-+eaeflnr-u \n\r\t]*$/).test(string.replace(/\\./g,"@").replace(/"[^"\\\n\r]*"/g,""))){return null; }return 
eval("("+string+")");}});native.implement([hash,array,string,number],{tojson:function(){return json.encode(this);}});var cookie=new class({implements:options,options:{path:false,domain:false,duration:false,secure:false,document:document},initialize:function(b,a){this.key=b; this.setoptions(a);},write:function(b){b=encodeuricomponent(b);if(this.options.domain){b+="; domain="+this.options.domain;}if(thi...
...And 5 more matches
   
 
   
    NPVariant - Archive of obsolete content
    
  syntax  typedef struct _npvariant {   npvarianttype type;   union {     bool boolvalue;     int32_t intvalue;     double_t doubl
evalue;     npstring stringvalue;     npobject *objectvalue;   } value; } npvariant;    fields the data structure has the following fields:    type   a member of the npvarianttype enumeration specifying the data type contained in the npvariant.
...value()   npn_getstringidentifier()   npn_getstringidentifiers()   npn_getintidentifier()   npn_identifierisstring()   npn_utf8fromidentifier()   npn_intfromidentifier()    macros plugin developers are not expected to directly manipulate or access the members of the npvariant instance, instead, the function npn_releasevariantvalue(), and the following macros are provided:    npvariant_is_void()   
evaluates to true if v is of type npvarianttype_void.
...   npvariant_is_null()   
evaluates to true if v is of type npvarianttype_null.
...And 5 more matches
   
 
   
    HTTP Cache
    
  this can only be engaged for resumable responses that (bug 960902) don't need r
evalidation.
... the consumer then indicates the cache entry needs to be r
evalidated by returning entry_needs_r
evalidation from oncacheentrycheck.
...  lifetime of an existing entry that doesn't pass server r
evalidation    such a cache entry is first examined in the nsicacheentryopencallback.oncacheentrycheck callback, where the consumer finds out it must be r
evalidated with the server before use.
...And 5 more matches
   
 
   
    Examples
    
 components.utils.import("resource://gre/modules/promise.jsm");  var mypromise = myuserdefinedpromise(); mypromise.then(   function(asuccessreason) {     alert('mypromise was succesful and reason was = "' + asuccessreason + '"');   },   function(arejectreason) {     alert('mypromise failed for reason = "' + un
eval(arejectreason) + '"');   } );  function myuserdefinedpromise() {   try {     //var myvariscommented = 'hi'; // i commented this out s oit is undefined, this will cause rejected     alert(myvariscommented);      return promise.resolve('yay success'); // this makes the success function trigger with asuccessreason being 'yay success' but because i commented out the var 2 lines above, it will error o...
...variscommented)` with `throw new error('i feel like rejecting this promise')` like this:  components.utils.import("resource://gre/modules/promise.jsm");  var mypromise = myuserdefinedpromise(); mypromise.then(   function(asuccessreason) {     alert('mypromise was succesful and reason was = "' + asuccessreason + '"');   },   function(arejectreason) {     alert('mypromise failed for reason = "' + un
eval(arejectreason) + '"');   } );  function myuserdefinedpromise() {   try {     var myvariscommented = 'hi';     alert(myvariscommented);     throw new error('i feel like rejecting this promise');     return promise.resolve('yay success'); // this makes the success function trigger with asuccessreason being 'yay success' but because i commented out the var 2 lines above, it will error out on the thr...
... this copy/paste code here will complete succesfully:  components.utils.import("resource://gre/modules/promise.jsm");  var mypromise = myuserdefinedpromise(); mypromise.then(   function(asuccessreason) {     alert('mypromise was succesful and reason was = "' + asuccessreason + '"');   },   function(arejectreason) {     alert('mypromise failed for reason = "' + un
eval(arejectreason) + '"');   } );  function myuserdefinedpromise() {   try {     var myvariscommented = 'hi';     alert(myvariscommented);     // throw new error('i feel like rejecting this promise');     return promise.resolve('yay success'); // this takes place   } catch(ex) {     return promise.reject(ex);   } }  you must return `promise.resolve` in order to make the promise complete successfuly.
...And 5 more matches
   
 
   
    Functions
    
there are four variations that affect how nameexpressions are 
evaluated.
...when a name is 
evaluated that doesn't refer to a local variable, the interpreter consults the scope chain to find the variable.
... when with or 
eval are used, we have to do this for correctness.
...And 5 more matches
   
 
   
    Introduction to the JavaScript shell
    
it is the javascript equivalent of python's interactive prompt, the lisp read-
eval-print loop, or ruby's irb.
... 
evalcx(string[, object])  
evaluates the javascript code in string.
... if string is empty and object is not specified, 
evalcx() returns a new object with eager standard classes.
...And 5 more matches
   
 
   
    for - JavaScript
    
 syntax  for ([initialization]; [condition]; [final-expression])    statement    initialization  an expression (including assignment expressions) or variable declaration 
evaluated once before the loop begins.
... condition  an expression to be 
evaluated before each loop iteration.
... if this expression 
evaluates to true, statement is executed.
...And 5 more matches
   
 
   
    boolean - XPath
    
             xslt/xpath reference: xslt elements, exslt functions, xpath functions, xpath axes   the boolean function 
evaluates an expression and returns true or false.
...  syntax  boolean( expression )   arguments     expression   the expression to be 
evaluated.
...  returns  boolean true or false after 
evaluating expression.
...And 5 more matches
   
 
   
    Index - XPath
    
       18     boolean     xslt, xslt_reference       the boolean function 
evaluates an expression and returns true or false.
...        19     ceiling     xslt, xslt_reference         the ceiling function 
evaluates a decimal number and returns the smallest integer greater than or equal to the decimal number.
...       28     floor     xslt, xslt_reference         the floor function 
evaluates a decimal number and returns the largest integer less than or equal to the decimal number.
...And 5 more matches
   
 
   
  
   
    Index - Archive of obsolete content
    
once the content has been downloaded, the extension authors proceed to use  
eval() to decode the string content into javascript objects.
...       274     appendix c: avoiding using 
eval in add-ons            no summary!
...       1409     dat
evalue     xul properties, xul reference       no summary!
...And 4 more matches
   
 
   
    Implementation Status - Archive of obsolete content
    
processing model (events)                section       title       status       notes       bugs                 4       processing model (events)       partial       the xforms-recalculate, xforms-r
evalidate, and xforms-refresh events are not as separated as they should be.
...s-model-construct-done       supported                                 4.2.3       xforms-ready       supported                                 4.2.4       xforms-model-destruct       supported                                 4.3.1       xforms-rebuild       supported                                 4.3.2       xforms-recalculate       supported                                 4.3.3       xforms-r
evalidate       supported                                 4.3.4       xforms-refresh       supported                                 4.3.5       xforms-reset       supported                                 4.3.6       xforms-next xforms-previous       supported                                 4.3.7       xforms-focus       supported                                 4.3.8       xforms-help xforms-hint  ...
...nd element       unsupported                                 4.8       dom interface for access to instance data       supported                                 4.8.1       getinstancedocument()       supported                                 4.8.2       rebuild()       supported                                 4.8.3       recalculate()       supported                                 4.8.4       r
evalidate()       supported                                 4.8.5       refresh()       supported                                 4.9       feature string for the hasfeature method call       supported                          5.
...And 4 more matches
   
 
   
    JS::CompileOptions
    
tattributename(jsstring *p)          owningcompileoptions &setintroductionscript(jsscript *s)          owningcompileoptions &setmutederrors(bool mute)          owningcompileoptions &setversion(jsversion v)          owningcompileoptions &setutf8(bool u)          owningcompileoptions &setcolumn(unsigned c)          owningcompileoptions &setcompileandgo(bool cng)          owningcompileoptions &setfor
eval(bool 
eval)          owningcompileoptions &setnoscriptrval(bool nsr)          owningcompileoptions &setselfhostingmode(bool shm)          owningcompileoptions &setcanlazilyparse(bool clp)          owningcompileoptions &setsourceislazy(bool l)          owningcompileoptions &setintroductiontype(const char *t)          bool setintroductioninfo(jscontext *cx, const char *introducerfn, const char *intr...
...ect *e)          compileoptions &setelementattributename(jsstring *p)          compileoptions &setintroductionscript(jsscript *s)          compileoptions &setmutederrors(bool mute)          compileoptions &setversion(jsversion v)          compileoptions &setutf8(bool u)          compileoptions &setcolumn(unsigned c)          compileoptions &setcompileandgo(bool cng)          compileoptions &setfor
eval(bool 
eval)          compileoptions &setnoscriptrval(bool nsr)          compileoptions &setselfhostingmode(bool shm)          compileoptions &setcanlazilyparse(bool clp)          compileoptions &setsourceislazy(bool l)          compileoptions &setintroductiontype(const char *t)          compileoptions &setintroductioninfo(const char *introducerfn, const char *intro, unsigned line, jsscript *script...
...         compileandgo    bool    true if the code is going to be 
evaluated soon after the compile (e.g., false for function constructor and event handler).
...And 4 more matches
   
 
   
    The JavaScript input interpreter - Firefox Developer Tools
    
 instant 
evaluation   this feature is available in firefox nightly, in versions labeled 74 and later.
...   when the "instant 
evaluation" feature is enabled, the interpreter displays results of expressions as you're typing them in single-line mode.
...expressions that have side effects are not 
evaluated.
...And 4 more matches
   
 
   
    while - JavaScript
    
 the while statement creates a loop that executes a specified statement as long as the test condition 
evaluates to true.
... the condition is 
evaluated before executing the statement.
... syntax  while (condition)   statement     condition  an expression 
evaluated before each pass through the loop.
...And 4 more matches
   
 
   
    Security best practices in extensions - Archive of obsolete content
    
one of the best ways to do this is to use components.utils.
evalinsandbox().
...for more information, refer to the 
evalinsandbox section.
... using 
eval() in an extension  using the built-in javascript 
eval function is frowned upon in the context of extensions.
...And 3 more matches
   
 
   
    JSObject - Archive of obsolete content
    
(what's the problem with == ?)     
eval   evaluates a javascript expression.
...in javascript 1.3 and earlier versions, you can use either the equals method of java.lang.object or the == operator to 
evaluate two jsobject objects.
... 
eval  method.
...And 3 more matches
   
 
   
    Mozilla's Section 508 Compliance
    
                 functional performance criteria                        requirement         windows         linux/unix         mac os                                 requirement         windows         linux/unix         mac os                                 a) at least one mode of operation and information retri
eval that does not require user vision shall be provided, or support for assistive technology used by people who are blind or visually impaired shall be provided.
...gnopernicus support in beta         no screen reader support on mac os x                       b) at least one mode of operation and information retri
eval that does not require visual acuity greater than 20/70 shall be provided in audio and enlarged print output working together or independently, or support for assistive technology used by people who are visually impaired shall be provided.
...works with gnome-mag         no magnifier support on mac os x                       c) at least one mode of operation and information retri
eval that does not require user hearing shall be provided, or support for assistive technology used by people who are deaf or hard of hearing shall be provided.
...And 3 more matches
   
 
   
    Tutorial: Embedding Rhino
    
 in this document:    runscript: a simple embedding        entering a context    initializing standard objects    collecting the arguments    
evaluating a script    printing the result    exiting the context       expose java apis       using java apis    implementing interfaces    adding java objects       using javascript objects from java       using javascript variables    calling javascript functions       javascript host objects       defining host objects    counter example           counter's constructors      class name      dynami...
... string s = ""; for (int i=0; i < args.length; i++) {     s += args[i]; }   
evaluating a script  the code  object result = cx.
evaluatestring(scope, s, "<cmd>", 1, null);   uses the context cx to 
evaluate a string.
... 
evaluation of the script looks up variables in scope, and errors will be reported with the filename <cmd> and line number 1.
...And 3 more matches
   
 
   
    JS::Call
    
  syntax  bool js::call(jscontext *cx, js::handleobject thisobj, js::handlefunction fun,          const js::handl
evaluearray &args, js::mutablehandl
evalue rval);  bool js::call(jscontext *cx, js::handleobject thisobj, const char *name,          const js::handl
evaluearray& args, js::mutablehandl
evalue rval);  bool js::call(jscontext *cx, js::handleobject thisobj, js::handl
evalue fun,          const js::handl
evaluearray& args, js::mutablehandl
evalue rval);  bool js::call(jscontext *cx, js::handl
evalue thisv, js::handl
evalue fun,          const js::handl
evaluearray& args, js::mutablehandl
evalue rval);  bool js::call(jscontext *cx, js::handl
evalue thisv, js::handleobject funobj,          const js::han...
...dl
evaluearray& args, js::mutablehandl
evalue rval);            name    type    description          cx    jscontext *    pointer to a js context from which to derive runtime information.
...         thisobj    js::handleobject / js::handl
evalue    the "current" object on which the function operates; the object specified here is "this" when the function executes.
...And 3 more matches
   
 
   
    JS::CallArgs
    
         js::mutablehandl
evalue operator[](unsigned i) const    returns the i-th zero-indexed argument.
...          js::handl
evalue get(unsigned i) const    returns the i-th zero-indexed argument, or undefined if there's no such argument.
...         js::handl
evalue calleev() const    returns the function being called, as a value.
...And 3 more matches
   
 
   
    nsIAccessNode
    
 method overview           nsiaccessnode getchildnodeat(in long childnum); obsolete since gecko 2.0          nsidomcssprimitiv
evalue getcomputedstylecssvalue(in domstring pseudoelt, in domstring propertyname);           domstring getcomputedstyl
evalue(in domstring pseudoelt, in domstring propertyname);          void scrollto(in unsigned long ascrolltype);           void scrolltopoint(in unsigned long acoordinatetype, in long ax, in long ay);         attributes  note: attempting to access the attributes of a node that is unat...
...  getcomputedstylecssvalue()  retrieve the computed style value as nsidomcssprimitiv
evalue for the dom node this access node is associated with.
... nsidomcssprimitiv
evalue getcomputedstylecssvalue(   in domstring pseudoelt,   in domstring propertyname );   parameters    pseudoelt  the pseudo element to retrieve style for, or empty string for general computed style information for the node.
...And 3 more matches
   
 
   
    nsIMsgIncomingServer
    
ko 1.8   void displayofflinemsg(in nsimsgwindow awindow);   boolean equals(in nsimsgincomingserver server);   void forgetpassword();   void forgetsessionpassword();   astring generateprettynameformigration();   boolean getboolattribute(in string name);   boolean getboolvalue(in string attr);   acstring getcharattribute(in string name);   acstring getcharvalue(in string attr);   nsilocalfile getfil
evalue(in string relpref, in string abspref);   nsimsgfilterlist getfilterlist(in nsimsgwindow amsgwindow);   long getintattribute(in string name);   long getintvalue(in string attr);   nsimsgfolder getmsgfolderfromuri(in nsimsgfolder afolderresource, in acstring auri);   void getnewmessages(in nsimsgfolder afolder, in nsimsgwindow amsgwindow, in nsiurllistener aurllistener);    acstring getpasswordwi...
...sgwindow amsgwindow);   void performexpand(in nsimsgwindow amsgwindow);   void removefiles();   void setboolattribute(in string name, in boolean value);   void setboolvalue(in string attr, in boolean value);   void setcharattribute(in string name, in acstring value);   void setcharvalue(in string attr, in acstring value);   void setdefaultlocalpath(in nsilocalfile adefaultlocalpath);   void setfil
evalue(in string relpref, in string abspref, in nsilocalfile avalue);   void setfilterlist(in nsimsgfilterlist afilterlist);   void setintattribute(in string name, in long value);   void setintvalue(in string attr, in long value);   void setunicharattribute(in string name, in astring value);   void setunicharvalue(in string attr, in astring value);   void shutdown();   void storepassword();   astring ...
...  downloadonbiff boolean     downloadsettings nsimsgdownloadsettings     emptytrashonexit boolean     filterscope nsmsgsearchscop
evalue read only.
...And 3 more matches
   
 
   
    nsIMsgSearchSession
    
erm(in nsimsgsearchterm term);          void registerlistener(in nsimsgsearchnotify listener);          void unregisterlistener(in nsimsgsearchnotify listener);          void getnthsearchterm(in long whichterm, in nsmsgsearchattribvalue attrib, in nsmsgsearchopvalue op, in nsimsgsearchvalue value);          long countsearchscopes();          void getnthsearchscope(in long which,out nsmsgsearchscop
evalue scopeid, out nsimsgfolder folder);          void addscopeterm(in nsmsgsearchscop
evalue scope, in nsimsgfolder folder);          void adddirectoryscopeterm(in nsmsgsearchscop
evalue scope);           void clearscopes();          [noscript] boolean scopeusescustomheaders(in nsmsgsearchscop
evalue scope, in voidptr selection, in boolean forfilters);          boolean isstringattribute(in nsmsgsearcha...
...ttribvalue attrib);          void addallscopes(in nsmsgsearchscop
evalue attrib);          void search(in nsimsgwindow awindow);          void interruptsearch();          void pausesearch();          void resumesearch();          [noscript] nsmsgsearchtype setsearchparam(in nsmsgsearchtype type, in voidptr param);          [noscript] void addresultelement(in nsmsgresultelement element);          boolean matchhdr(in nsimsgdbhdr amsghdr, in nsimsgdatabase adatabase);          void addsearchhit(in nsimsgdbhdr header, in nsimsgfolder folder);        attributes           attribute    type    description          searchterms    nsisupportsarray    readonly:           numsearchterms    unsigned long    readonly:           runningadapter    nsimsgsearchadapter    readonly:           searchparam    void...
...  countsearchscopes()   long countsearchscopes();   getnthsearchscope()   void getnthsearchscope(in long which,                         out nsmsgsearchscop
evalue scopeid,                         out nsimsgfolder folder);   parameters    which      return values    scopeid     folder      addscopeterm()  add a scope (e.g.
...And 3 more matches
   
 
   
    CSS Typed Object Model API - Web APIs
    
 interfaces  cssstyl
evalue  the cssstyl
evalue interface of the the css typed object model api is the base class of all css values accessible through the typed om api.
...    cssstyl
evalue.parse(property, csstext)    the parse() method of the cssstyl
evalue interface allows a cssnumericvalue to be constructed from a css string.
... it sets a specific css property to the specified values and returns the first value as a cssstyl
evalue object.
...And 3 more matches
   
 
   
  
   
    HTTP caching - HTTP
    
common forms of caching entries are:    successful results of a retri
eval request: a 200 (ok) response to a get request containing a resource like html documents, images or files.
... cache-control: no-store   cache but r
evalidate  a cache will send the request to the origin server for validation before releasing a cached copy.
... cache-control: max-age=31536000  validation  when using the "must-r
evalidate" directive, the cache must verify the status of the stale resources before using it and expired ones should not be used.
...And 3 more matches
   
 
   
    do...while - JavaScript
    
 the do...while statement creates a loop that executes a specified statement until the test condition 
evaluates to false.
... the condition is 
evaluated after executing the statement, resulting in the specified statement executing at least once.
... syntax  do    statement while (condition);     statement  a statement that is executed at least once and is re-executed each time the condition 
evaluates to true.
...And 3 more matches
   
 
   
    JXON - Archive of obsolete content
    
onode.nod
evalue.trim() : onode.nod
evalue; } // nodetype is "text" (3) or "cdatasection" (4)       else if (onode.nodetype === 1 && !onode.prefix) { // nodetype is "element" (1)         sprop = onode.nodename.tolowercase();         vcontent = new jxontree(onode);         if (this.hasownproperty(sprop)) {           if (this[sprop].constructor !== array) { this[sprop] = [this[sprop]]; }           this[sprop].push...
...onode.nod
evalue.trim() : onode.nod
evalue; }       else if (onode.nodetype === 1 && !onode.prefix) {         sprop = onode.nodename.tolowercase();         vcontent = new jxontree(onode);         if (this.hasownproperty(sprop)) {           if (this[sprop].constructor !== array) { this[sprop] = [this[sprop]]; }           this[sprop].push(vcontent);         } else { this[sprop] = vcontent; }       }     }     if (...
...length++) {       oattrib = oxmlparent.attributes.item(nlength);       vresult["@" + oattrib.name.tolowercase()] = parsetext(oattrib.value.trim());     }   }   if (oxmlparent.haschildnodes()) {     for (var onode, sprop, vcontent, nitem = 0; nitem < oxmlparent.childnodes.length; nitem++) {       onode = oxmlparent.childnodes.item(nitem);       if (onode.nodetype === 4) { scollectedtxt += onode.nod
evalue; } /* nodetype is "cdatasection" (4) */       else if (onode.nodetype === 3) { scollectedtxt += onode.nod
evalue.trim(); } /* nodetype is "text" (3) */       else if (onode.nodetype === 1 && !onode.prefix) { /* nodetype is "element" (1) */         if (nlength === 0) { vresult = {}; }         sprop = onode.nodename.tolowercase();         vcontent = getjxontree(onode);         if (vresult.hasownpr...
...And 2 more matches
   
 
   
    Introduction to Public-Key Cryptography - Archive of obsolete content
    
 like figure 4, figure 5 assumes that the user has already decided to trust the server and has requested a resource, and that the server has requested client authentication in the process of 
evaluating whether to grant access to the requested resource.
...the server then continues to 
evaluate whether the identified user is permitted to access the requested resource.
... this 
evaluation process can employ a variety of standard authorization mechanisms, potentially using additional information in an ldap directory, company databases, and so on.
...And 2 more matches
   
 
   
    Making decisions in your code — conditionals - Learn web development
    
when used in conditions, the first two do the following:    && — and; allows you to chain together two or more expressions so that all of them have to individually 
evaluate to true for the whole expression to return true.
...  || — or; allows you to chain together two or more expressions so that one or more of them have to individually 
evaluate to true for the whole expression to return true.
...for example:  if (x === 5 || 7 || 10 || 20) {   // run my code }  in this case the condition inside if(...)  will always 
evaluate to true since 7 (or any other non-zero value) always 
evaluates to true.
...And 2 more matches
   
 
   
    Dynamic behavior in Svelte: working with variables and props - Learn web development
    
 behind the scenes the svelte compiler will parse and analyze our code to make a dependency tree, then it will generate the javascript code to re-
evaluate each reactive statement whenever one of their dependencies is updated.
...so whenever either of them is modified, this code is re-
evaluated, updating newtodoid accordingly.
...if the value expression 
evaluates to truthy, the class name will be applied.
...And 2 more matches
   
 
   
    Localization sign-off reviews
    
 only 
evaluates new l10n work.
... 
evaluates new release revisions, not entire l10n repos.
... sign-off review criteria since the scope of each qa review process varies, the criteria used to 
evaluate a localizer's work also varies.
...And 2 more matches
   
 
   
    L20n Javascript API
    
a 404 error when fetching a resource file, or recursive import statements in resource files),             context.translationerror, when there is a missing translation in one of supported locales; the context instance will try to retrieve a fallback translation from the next locale in the fallback chain,             compiler.error, when l20n is unable to 
evaluate an entity to a string; there are two types of errors in this category: compiler.valueerror, when l20n can still try to use the literal source string of the entity as fallback, and compiler.indexerror otherwise.
... if passed, ctxdata is a simple hash object with a list of variables that extend the context data available for the 
evaluation of this entity.
... ctx.getentitysync(id: string, ctxdata: object?)  retrieve an object with data 
evaluated from an entity called id.
...And 2 more matches
   
 
   
    Introduction to NSPR
    
this requirement implies that when a thread first enters the monitor, an 
evaluation of the invariant expression must yield a true.
...therefore, 
evaluation of the expression must also yield a true at that point in execution.
... note: 
evaluation of the invariant expression is a conceptual requirement and is rarely done in practice.
...And 2 more matches
   
 
   
    How to embed the JavaScript engine
    
s_newglobalobject(cx, &global_class, nullptr));       if (!global)           return 1;        js::rootedvalue rval(cx);        { // scope for jsautocompartment         jsautocompartment ac(cx, global);         js_initstandardclasses(cx, global);          const char *script = "'hello'+'world, it is '+new date()";         const char *filename = "noname";         int lineno = 1;         bool ok = js_
evaluatescript(cx, global, script, strlen(script), filename, lineno, rval.address());         if (!ok)           return 1;       }        jsstring *str = rval.tostring();       printf("%s\n", js_encodestring(cx, str));     }      js_destroycontext(cx);     js_destroyruntime(rt);     js_shutdown();     return 0; }   spidermonkey 31  // following code might be needed in some case // #define __stdc_limit...
...obal_class, nullptr, js::fireonnewglobalhook));       if (!global)           return 1;        js::rootedvalue rval(cx);        { // scope for jsautocompartment         jsautocompartment ac(cx, global);         js_initstandardclasses(cx, global);          const char *script = "'hello'+'world, it is '+new date()";         const char *filename = "noname";         int lineno = 1;         bool ok = js_
evaluatescript(cx, global, script, strlen(script), filename, lineno, &rval);         if (!ok)           return 1;       }        jsstring *str = rval.tostring();       printf("%s\n", js_encodestring(cx, str));     }      js_destroycontext(cx);     js_destroyruntime(rt);     js_shutdown();     return 0; }   spidermonkey 38  // following code might be needed in some case // #define __stdc_limit_macros /...
...;        js::rootedvalue rval(cx);        { // scope for jsautocompartment         jsautocompartment ac(cx, global);         js_initstandardclasses(cx, global);          const char *script = "'hello'+'world, it is '+new date()";         const char *filename = "noname";         int lineno = 1;         js::compileoptions opts(cx);         opts.setfileandline(filename, lineno);         bool ok = js::
evaluate(cx, global, opts, script, strlen(script), &rval);         if (!ok)           return 1;       }        jsstring *str = rval.tostring();       printf("%s\n", js_encodestring(cx, str));     }      js_destroycontext(cx);     js_destroyruntime(rt);     js_shutdown();     return 0; }   spidermonkey 45  // following code might be needed in some case // #define __stdc_limit_macros // #include <stdint...
...And 2 more matches
   
 
   
    Web Replay
    
  devtools.recordreplay.fastlogpoints when enabled, firefox web replay 
evaluates logpoints consecutively.
... these operations may be property accesses, 
evals, or object calls, and an example is accessing the font property of a canvasrenderingcontext2d.
... operations on the debuggee which have side effects — 
eval("x.f = 3") — should be avoided.
...And 2 more matches
   
 
   
    Components.utils.Sandbox
    
 components.utils.sandbox is used to create a sandbox object for use with 
evalinsandbox().
...you can then use it with 
evalinsandbox() to make it the global scope object for the specified script.
...   wantexporthelpers     a boolean: if true, then createobjectin(), 
evalinwindow(), and exportfunction() are available in the sandbox.
...And 2 more matches
   
 
   
    jsdIStackFrame
    
makes 
eval() use the last object on its 'obj' param's scope chain as the ecma 'variables object'.
...method overview    boolean 
eval(in astring bytes, in autf8string filename, in unsigned long line, out jsdivalue result);    attributes    attribute type description   callee jsdivalue function object running in this stack frame.
...  isdebugger boolean true if stack frame represents a frame created as a result of a debugger 
evaluation.
...And 2 more matches
   
 
   
    nsIJetpack
    
*/);   void registerreceiver(in astring amessagename, in jsval areceiver);   void unregisterreceiver(in astring amessagename, in jsval areceiver);   void unregisterreceivers(in astring amessagename);   void 
evalscript(in astring ascript);   nsivariant createhandle();   void destroy();    methods sendmessage() this method asynchronously sends a message to the jetpack process.
... 
evalscript() this asynchronously sends code to the jetpack process for 
evaluation.
... the code will be 
evaluated using at least javascript 1.8.1.
...And 2 more matches
   
 
   
    XPCOM Interface Reference
    
 component; nsiprefbranchextensionmanager (toolkit)iaccessible2iaccessibleactioniaccessibleapplicationiaccessiblecomponentiaccessibleeditabletextiaccessiblehyperlinkiaccessiblehypertextiaccessibleimageiaccessiblerelationiaccessibletableiaccessibletable2iaccessibletablecelliaccessibletextiaccessibl
evalueidispatchijsdebuggeramiinstallcallbackamiinstalltriggeramiwebinstallinfoamiwebinstalllisteneramiwebinstallpromptamiwebinstallerimgicacheimgicontainerimgicontainerobserverimgidecoderimgidecoderobserverimgiencoderimgiloaderimgirequestinidomutilsjsdistackframemoziasyncfaviconsmoziasynchistorymozicoloranalyzermozijssubscriptloadermozipersonaldictionarymoziplaceinfomoziplacesautocompletemoziregistrymozirepresentativ...
...toragebindingparamsmozistoragebindingparamsarraymozistoragecompletioncallbackmozistorageconnectionmozistorageerrormozistoragefunctionmozistoragependingstatementmozistorageprogresshandlermozistorageresultsetmozistoragerowmozistorageservicemozistoragestatementmozistoragestatementcallbackmozistoragestatementparamsmozistoragestatementrowmozistoragestatementwrappermozistoragevacuumparticipantmozistorag
evaluearraymozitxttohtmlconvmozithirdpartyutilmozivisitinfomozivisitinfocallbackmozivisitstatuscallbacknsiabcardnsiaboutmodulensiabstractworkernsiaccelerometerupdatensiaccessnodensiaccessibilityservicensiaccessiblensiaccessiblecaretmoveeventnsiaccessiblecoordinatetypensiaccessibledocumentnsiaccessibleeditabletextnsiaccessibleeventnsiaccessiblehyperlinknsiaccessiblehypertextnsiaccessibleimagensiaccessi...
...bleprovidernsiaccessiblerelationnsiaccessibleretri
evalnsiaccessiblerolensiaccessiblescrolltypensiaccessibleselectablensiaccessiblestatechangeeventnsiaccessiblestatesnsiaccessibletablensiaccessibletablecellnsiaccessibletablechangeeventnsiaccessibletextnsiaccessibletextchangeeventnsiaccessibletreecachensiaccessibl
evaluensiaccessiblewin32objectnsialertsservicensiannotationobservernsiannotationservicensiappshellnsiappshellservicensiappstartupnsiappstartup_mozilla_2_0nsiapplicationcachensiapplicationcachechannelnsiapplicationcachecontainernsiapplicationcachenamespacensiapplicationcacheservicensiapplicationupdateservicensiarraynsiasyncinputstreamnsiasyncoutputstreamnsiasyncstreamcopiernsiasyncverifyredirectcallbacknsiauthinformationnsiauthmodulensiauthpromptnsiauthprompt2nsiauthpromptadapterfactoryn...
...And 2 more matches
   
 
   
  
   
    WebIDL bindings
    
 so for example, given this idl:  interface myinterface {   [pure, storeinslot] attribute long myattribute; };   the c++ implementation of myinterface would clear the cached value by calling mozilla::dom::myinterface_binding::clearcachedmyattribut
evalue(cx, this).
... so for example, given this idl:  interface myinterface {   [pure, storeinslot] attribute long myattribute; };   the c++ implementation of myinterface would clear the cached value by calling mozilla::dom::myinterface_binding::clearcachedmyattribut
evalue(this).
... js-implemented webidl can clear the cached value by calling this.__dom_impl__._clearcachedmyattribut
evalue().
...And 2 more matches
   
 
   
    Debugger.Script - Firefox Developer Tools
    
      the code passed to a single call to 
eval, excluding the bodies of any functions that code defines.
... note that spidermonkey may use the same debugger.script instances for equivalent functions or 
evaluated code—that is, scripts representing the same source code, at the same position in the same source file, 
evaluated in the same lexical environment.
... currently only entire modules 
evaluated via new webassembly.module are represented.
...And 2 more matches
   
 
   
    Basic animations - Web APIs
    
assname("keypress")[0].classlist.toggle("hide")     }     var t = new date + "",         d = void 0,         cc = document.getelementsbytagname("canvas")[0],         c = cc.getcontext("2d");     key = {}, key.keydown = function (t) {         var e = document.createevent("keyboardevent");         object.defineproperty(e, "keycode", {             get: function () {                 return this.keycod
eval             }         }), object.defineproperty(e, "key", {             get: function () {                 return 37 == this.keycod
eval ?
... "arrowleft" : 38 == this.keycod
eval ?
... "arrowup" : 39 == this.keycod
eval ?
...And 2 more matches
   
 
   
    WindowOrWorkerGlobalScope.setTimeout() - Web APIs
    
this syntax is not recommended for the same reasons that make using 
eval() a security risk.
...owser, including ie 9 and below, you can either use javascript conditional comments:  /*@cc_on   // conditional ie < 9 only fix   @if (@_jscript_version <= 9)   (function(f){      window.settimeout = f(window.settimeout);      window.setinterval = f(window.setinterval);   })(function(f){return function(c,t){var a=[].slice.call(arguments,2);return f(function(){c instanceof function?c.apply(this,a):
eval(c)},t)}});   @end @*/   ...
... or go for a very clean approach based on the ie html conditional feature:  <!--[if lte ie 9]><script> (function(f){ window.settimeout=f(window.settimeout); window.setinterval=f(window.setinterval); })(function(f){return function(c,t){ var a=[].slice.call(arguments,2);return f(function(){c instanceof function?c.apply(this,a):
eval(c)},t)} }); </script><![endif]-->   workarounds  another possibility is to use an anonymous function to call your callback, but this solution is a bit more expensive.
...And 2 more matches
   
 
   
    Linear-gradient Generator - CSS: Cascading Style Sheets
    
'hsl' : 'hsv'; 		this.color.setformat(this.picker_mode);  		this.createpickingarea(); 		this.createhuearea();  		this.newinputcomponent('h', 'hue', this.inputchangehue.bind(this)); 		this.newinputcomponent('s', 'saturation', this.inputchangesaturation.bind(this)); 		this.newinputcomponent('v', 'value', this.inputchang
evalue.bind(this)); 		this.newinputcomponent('l', 'lightness', this.inputchangelightness.bind(this));  		this.createalphaarea();  		this.newinputcomponent('r', 'red', this.inputchangered.bind(this)); 		this.newinputcomponent('g', 'green', this.inputchangegreen.bind(this)); 		this.newinputcomponent('b', 'blue', this.inputchangeblue.bind(this));  		this.createpreviewbox(); 		this.createchangemodebutton(...
...pe.inputchangehue = function inputchangehue(e) { 		var value = parseint(e.target.value); 		this.sethue(value); 		this.updatehuepicker(); 	};  	colorpicker.prototype.inputchangesaturation = function inputchangesaturation(e) { 		var value = parseint(e.target.value); 		this.color.setsaturation(value); 		e.target.value = this.color.saturation; 		this.updateslv(); 	};  	colorpicker.prototype.inputchang
evalue = function inputchang
evalue(e) { 		var value = parseint(e.target.value); 		this.color.setvalue(value); 		e.target.value = this.color.value; 		this.updateslv(); 	};  	colorpicker.prototype.inputchangelightness = function inputchangelightness(e) { 		var value = parseint(e.target.value); 		this.color.setlightness(value); 		e.target.value = this.color.lightness; 		this.updateslv(); 	};  	colorpicke...
...';  		while (node.firstelementchild !== null) { 			option = node.firstelementchild; 			option_value = option.getattribute('data-value');  			if (option_value === null) 				option.setattribute('data-value', uval);  			list.appendchild(node.firstelementchild); 			uval++; 		}  		node.appendchild(select); 		node.appendchild(list);  		select.onclick = this.toggle.bind(this); 		list.onclick = this.updat
evalue.bind(this); 		document.addeventlistener('click', clickout);  		this.state = 0; 		this.time = 0; 		this.dropmenu = list; 		this.select = select; 		this.toggle(false); 		this.value = {}; 		this.topic = topic;  		if (label) 			select.textcontent = label; 		else 			this.setnod
evalue(list.children[selected]);  		dropdowns[topic] = this;  	};  	dropdown.prototype.toggle = function toggle(state) { 		i...
...And 2 more matches
   
 
   
    <script>: The Script element - HTML: Hypertext Markup Language
    
   asynchtml5    for classic scripts, if the async attribute is present, then the classic script will be fetched in parallel to parsing and 
evaluated as soon as it is available.
...   for module scripts, if the async attribute is present then the scripts and all their dependencies will be executed in the defer queue, therefore they will get fetched in parallel to parsing and 
evaluated as soon as they are available.
...   this attribute allows the elimination of parser-blocking javascript where the browser would have to load and 
evaluate scripts before continuing to parse.
...And 2 more matches
   
 
   
    Loops and iteration - JavaScript
    
 the statements for loops provided in javascript are:    for statement  do...while statement  while statement  labeled statement  break statement  continue statement  for...in statement  for...of statement   for statement  a for loop repeats until a specified condition 
evaluates to false.
... the conditionexpression expression is 
evaluated.
...ct.options.length; i++) {     if (selectobject.options[i].selected) {       numberselected++;     }   }   return numberselected; }  let btn = document.getelementbyid('btn'); btn.addeventlistener('click', function() {   alert('number of options selected: ' + howmany(document.selectform.musictypes)); }); </script>    do...while statement  the do...while statement repeats until a specified condition 
evaluates to false.
...And 2 more matches
   
 
   
    Error.prototype.stack - JavaScript
    
while an object (or array, etc.) would appear in the converted form "[object object]", and as such could not be 
evaluated back into the actual objects, scalar values could be retrieved (though it may be — it is still possible in firefox 14 — easier to use arguments.callee.caller.arguments, as could the function name be retrieved by arguments.callee.caller.name).
...9:  trace@file:///c:/example.html:9 b@file:///c:/example.html:16 a@file:///c:/example.html:19 @file:///c:/example.html:21  firefox 13 and earlier would instead produce the following text:  error("myerror")@:0 trace()@file:///c:/example.html:9 b(3,4,"\n\n",(void 0),[object object])@file:///c:/example.html:16 a("first call, firstarg")@file:///c:/example.html:19 @file:///c:/example.html:21  stack of 
eval'ed code  starting with firefox 30, the error stack of code in function() and 
eval() calls, now produces stacks with more detailed information about the line and column numbers inside these calls.
... function calls are indicated with "> function" and 
eval calls with "> 
eval".
...And 2 more matches
   
 
   
    Nullish coalescing operator (??) - JavaScript
    
lc); // 42  assigning a default value to a variable  earlier, when one wanted to assign a default value to a variable, a common pattern was to use the logical or operator (||):  let foo;  //  foo is never assigned any value so it is still undefined let somedummytext = foo || 'hello!';  however, due to || being a boolean logical operator, the left hand-side operand was coerced to a boolean for the 
evaluation and any falsy value (0, '', nan, null, undefined) was not returned.
... let count = 0; let text = "";  let qty = count || 42; let message = text || "hi!"; console.log(qty);     // 42 and not 0 console.log(message); // "hi!" and not ""   the nullish coalescing operator avoids this pitfall by only returning the second operand when the first one 
evaluates to either null or undefined (but no other falsy values):  let mytext = ''; // an empty string (which is also a falsy value)  let notfalsytext = mytext || 'hello world'; console.log(notfalsytext); // hello world  let preservingfalsy = mytext ??
... 'hi neighborhood'; console.log(preservingfalsy); // '' (as mytext is neither undefined nor null)   short-circuiting  like the or and and logical operators, the right-hand side expression is not 
evaluated if the left-hand side proves to be neither null nor undefined.
...And 2 more matches
   
 
   
    Statements and declarations - JavaScript
    
 switch  
evaluates an expression, matching the expression's value to a case clause, and executes statements associated with that case.
...  iterations    do...while  creates a loop that executes a specified statement until the test condition 
evaluates to false.
... the condition is 
evaluated after executing the statement, resulting in the specified statement executing at least once.
...And 2 more matches
   
 
   
    Transitioning to strict mode - JavaScript
    
 differences from non-strict to strict  syntax errors  when adding 'use strict';, the following cases will throw a syntaxerror before the script is executing:    octal syntax var n = 023;  with statement  using delete on a variable name delete myvariable;  using 
eval or arguments as variable or function argument name  using one of the newly reserved keywords (in prevision for ecmascript 2015): implements, interface, let, package, private, protected, public, static, and yield  declaring function in blocks if (a < b) { function f() {} }  obvious errors       declaring twice the same name for a property name in an object literal {a: 1, b: 3, a: 7} this is no lon...
... change to 
eval  in strict mode code, 
eval doesn't create a new variable in the scope from which it was called.
... also, of course, in strict mode, the string is 
evaluated with strict mode rules.
...And 2 more matches
   
 
   
    Modules - Archive of obsolete content
    
however, the following example shows how it can be used to load scripts from other locations:  const {     classes: cc     interfaces: ci } = components;  var instance = cc["@mozilla.org/moz/jssubscript-loader;1"]; var loader = instance.getservice(ci.mozijssubscriptloader);  function loadscript(url) {     loader.loadsubscript(url); }  when a script is loaded, it is 
evaluated in the scope of the global object of the script that loaded it.
...a more serious problem with the loadscript function, however, is that it 
evaluates all scripts in the scope of the same global object.
...to prevent scripts from interfering with each other, loadscript should 
evaluate each script to be loaded in the scope of their own global object, and then return the global object as its result.
...the script loader we obtained from components allows us to do just that:  function loadscript(url) {     let global = {};     loader.loadsubscript(url, global);     return global; }  if present, the loadsubscript function 
evaluates the script to be loaded in the scope of the second argument.
   
 
   
    Finding window handles - Archive of obsolete content
    
per.gnome.org/gdk2/stable/gdk2-x-window-system-interaction.html#gdk-x11-get-server-time var gdk_x11_get_server_time = gdk.declare('gdk_x11_get_server_time', ctypes.default_abi, guint32, gdkwindow.ptr);  var browserwindow_madeintogdkwinptr = gdkwindow.ptr(ctypes.uint64(gdkwindowptrstring));  var rez_gst = gdk_x11_get_server_time(browserwindow_madeintogdkwinptr); console.info('rez_gst:', rez_gst, un
eval(rez_gst)); // return is a number of ms since the computer (xserver) was on  var rez_gwf = gdk_window_focus(browserwindow_madeintogdkwinptr, rez_gst); console.info('rez_gwf:', rez_gwf, un
eval(rez_gwf)); // return is void so this will be undefined  gdk.close();   gtk+  components.utils.import('resource://gre/modules/services.jsm'); var browserwindow = services.wm.getmostrecentwindow('navigator:brow...
...get-server-time var gdk_x11_get_server_time = gdk.declare('gdk_x11_get_server_time', ctypes.default_abi, guint32, gdkwindow.ptr);  var browserwindow_madeintogdkwinptr = gdkwindow.ptr(ctypes.uint64(gdkwindowptrstring));  var gptr = gpointer(); var rez_gwgud = gdk_window_get_user_data(browserwindow_madeintogdkwinptr, gptr.address()); console.info('rez_gwgud:', rez_gwgud, /*rez_gwgud.tostring(),*/ un
eval(rez_gwgud)); // return is void so cant do .tostring on it  var browserwindow_madeintogtkwindowptr = ctypes.cast(gptr, gtkwindow.ptr);  // focusing window this way is better, so it maintains proper history in case you or some other app want to focus "most recent window" by timestamp // var rez_gst = gdk_x11_get_server_time(browserwindow_madeintogdkwinptr); // console.info('rez_gst:', rez_gst, unev...
...al(rez_gst)); // return is a number of ms since the computer (xserver) was on // var rez_gwpwt = gtk_window_present_with_time(browserwindow_madeintogtkwindowptr, rez_gst); // console.info('rez_gwaf:', rez_gwpwt, un
eval(rez_gwpwt));  var rez_gwp = gtk_window_present(browserwindow_madeintogtkwindowptr); console.info('rez_gwaf:', rez_gwaf, un
eval(rez_gwaf));  gdk.close(); gtk.close();  x11   warning this example below does not focus a window yet, it does convert from a gdkwindow* to a xid and that's it, the code for focusing the window is soon to come.
...);   var browserwindow_madeintogdkwinptr = gdkwindow.ptr(ctypes.uint64(gdkwindowptrstring)); var browserwindow_madeintogdkdrawable = ctypes.cast(browserwindow_madeintogdkwinptr, gdkdrawable.ptr);  var browserwindow_madeintoxid = gdk_x11_drawable_get_xid(browserwindow_madeintogdkdrawable); console.info('browserwindow_madeintoxid:', browserwindow_madeintoxid, browserwindow_madeintoxid.tostring(), un
eval(browserwindow_madeintoxid));  // the code to focus the window is soon to come, its long and messy it needs to be made into a simple readable good for example.
   
 
   
    Downloading JSON and JavaScript in extensions - Archive of obsolete content
    
once the content has been downloaded, the extension authors proceed to use  
eval() to decode the string content into javascript objects.
... downloading json  if the extension is downloading json, then the developer should be using one of the json decoding methods discussed  here and not using 
eval() at all.
...use the json decoders, not 
eval()!
... sandboxing is done using components.utils.
evalinsandbox().
   
 
   
    Migrate apps from Internet Explorer to Mozilla - Archive of obsolete content
    
        entity reference node                      6        entity node                      7        processing instruction node                      8        comment node                      9        document node                      10        document type node                      11        document fragment node                      12        notation node                                nod
evalue    returns the value of the current node.
... the console also allows you to 
evaluate javascript.
... to 
evaluate the entered javascript syntax, type in 1+1 into the input field and press 
evaluate, as figure 2 shows.
...javascript console 
evaluating    mozilla's javascript engine has built-in support for debugging, and thus can provide powerful tools for javascript developers.
   
 
   
  
   
    Additional Navigation - Archive of obsolete content
    
the others won't be able to match when 
evaluating the triple.
... to look closer, here is the data network after only the member has been 
evaluated:  (?start = http://www.xulplanet.com/rdf/myphotos,  ?photo = http://www.xulplanet.com/ndeakin/images/t/palace.jpg) (?start = http://www.xulplanet.com/rdf/myphotos,  ?photo = http://www.xulplanet.com/ndeakin/images/t/canal.jpg) (?start = http://www.xulplanet.com/rdf/myphotos,  ?photo = http://www.xulplanet.com/ndeakin/images/t/obselisk.jpg)  when 
evaluating the triple, the template builder will iterate over the three potential results found so far.
... <query>   <content uri="?start"/>   <triple subject="?relateditem"           predicate="http://www.xulplanet.com/rdf/relateditem"           object="?start"/> </query>    the triple is 
evaluated in the same manner except that the value of the object can be filled in with the value of the ?start variable.
...the template builder doesn't know this either until the triple is 
evaluated and variable substitution is done.
   
 
   
    How to build custom form controls - Learn web development
    
// it takes two parameters: // select : the dom node with the class `select` containing the value to update // index  : the index of the value to be selected function updat
evalue(select, index) {   // we need to get the native control for the given custom control   // in our example, that native control is a sibling of the custom control   var nativewidget = select.previouselementsibling;    // we also need  to get the value placeholder of our custom control   var value = select.queryselector('.value');    // and we need the whole list of options   var optionlist = sele...
...   selectlist.foreach(function (select) {     var optionlist = select.queryselectorall('.option'),         selectedindex = getindex(select);      // we make our custom control focusable     select.tabindex = 0;      // we make the native control no longer focusable     select.previouselementsibling.tabindex = -1;      // we make sure that the default selected value is correctly displayed     updat
evalue(select, selectedindex);      // each time a user clicks on an option, we update the value accordingly     optionlist.foreach(function (option, index) {       option.addeventlistener('click', function (event) {         updat
evalue(select, index);       });     });      // each time a user uses their keyboard on a focused control, we update the value accordingly     select.addeventlistener('keyup...
...', function (event) {       var length = optionlist.length,           index  = getindex(select);        // when the user hits the down arrow, we jump to the next option       if (event.keycode === 40 && index < length - 1) { index++; }        // when the user hits the up arrow, we jump to the previous option       if (event.keycode === 38 && index > 0) { index--; }        updat
evalue(select, index);     });   }); });  in the code above, it's worth noting the use of the tabindex property.
...to that end, we need to revise our updat
evalue() function:  function updat
evalue(select, index) {   var nativewidget = select.previouselementsibling;   var value = select.queryselector('.value');   var optionlist = select.queryselectorall('[role="option"]');    // we make sure that all the options are not selected   optionlist.foreach(function (other) {     other.setattribute('aria-selected', 'false');   });    // we make sure the chosen op...
   
 
   
    How to implement a custom autocomplete search component
    
   * @return {string} the final value of the result at the given index    */   getfinalcomplet
evalueat: function(index) {     return this.getvalueat(index);   },    /**    * removes the value at the given index from the autocomplete results.
...   */   remov
evalueat: function(index, removefromdb) {     this._results.splice(index, 1);      if (this._comments)       this._comments.splice(index, 1);   },    getlabelat: function(index) { return this._results[index]; },    queryinterface: xpcomutils.generateqi([ ci.nsiautocompleteresult ]) };   /**  * @constructor  *  * @implements {nsiautocompletesearch}  */ function providerautocompletesearch() { }  providerautocompletesearch.prototype = {    classid: class_id,   classdescription : class_name,   contractid : contract_id,    /**    * searches for a given string and notifies a listener (either synchronously    * or asynchronously) of the result    *    * @param searchstring the string t...
...   * @return {string} the final value of the result at the given index    */   getfinalcomplet
evalueat: function(index) {     return this.getvalueat(index);   },    /**    * remove the value at the given index from the autocomplete results.
...   */   remov
evalueat: function(index, removefromdb) {     this._results.splice(index, 1);     this._comments.splice(index, 1);   },    queryinterface: function(aiid) {     if (!aiid.equals(ci.nsiautocompleteresult) && !aiid.equals(ci.nsisupports))         throw components.results.ns_error_no_interface;     return this;   } };   // implements nsiautocompletesearch function simpleautocompletesearch() { }  simpleautocompletesearch.prototype = {   /*    * search for a given string and notify a listener (either synchronously    * or asynchronously) of the result    *    * @param searchstring - the string to search for    * @param searchparam - an extra parameter    * @param previousresult - a pr...
   
 
   
    PR_Wait
    
it is the responsibility of the programmer to 
evaluate the data and act accordingly.
... this is usually done by 
evaluating a boolean expression involving the monitored data.
...the boolean expression must be 
evaluated while in the monitor and within a loop.
... resuming from the wait is merely an opportunity to 
evaluate the expression, not an assertion that the expression is true.
   
 
   
    sslfnc.html
    
(the value is normally pr_true.)                    isserver              pr_true means the callback function should 
evaluate the certificate as a server does, treating the remote end as a client.
... pr_false means the callback function should 
evaluate the certificate as a client does, treating the remote end as a server.
...(the value is normally pr_true.)                    isserver              pr_true means the callback function should 
evaluate the certificate as a server does, treating the remote end is a client.
... pr_false means the callback function should 
evaluate the certificate as a client does, treating the remote end as a server.
   
 
   
    Rhino Debugger
    
 the rhino javascript debugger can debug scripts running in multiple threads and provides facilities to set and clear breakpoints, control execution, view variables, and 
evaluate arbitrary javascript code in the current scope of an executing script.
...the expressions you enter are re-
evaluated in the current scope and their current values displayed each time control returns to the debugger or when you change the stack location in the context:  window.
...  
evaluation window  the 
evaluate  pane located in the lower-right (dockable) pane in the debugger main window contains an editable command line where you may enter arbitrary javascript code.
... the code is 
evaluated in the context of the current stack frame.
   
 
   
    GC Rooting Guide
    
 similarly to js::rooted<t>, there are typedefs available for the main types:           template class    typedef              js::handle<js::value>    js::handl
evalue          js::handle<jsobject*>    js::handleobject          js::handle<jsstring*>    js::handlestring          js::handle<jsscript*>    js::handlescript          js::handle<jsid>    js::handleid        you should use js::handle<t> for all function parameters taking gc thing pointers (except out-parameters, which are described below).
... there are typedefs for js::mutablehandle<t>, the same as for the other templates:           template class    typedef              js::mutablehandle<js::value>    js::mutablehandl
evalue          js::mutablehandle<jsobject*>    js::mutablehandleobject          js::mutablehandle<jsstring*>    js::mutablehandlestring          js::mutablehandle<jsscript*>    js::mutablehandlescript          js::mutablehandle<jsid>    js::mutablehandleid        js::mutablehandle<t> should be used for all out-parameters, for example instead of:  bool maybegetvalue(jscontext *cx, js::value* valueout)...
...}   you should write:  bool maybegetvalue(jscontext *cx, js::mutablehandl
evalue valueout) {     // ...
... for example, instead of this:  struct heapstruct {     jsobject*  msomeobject;     js::value  msom
evalue; };  you should write:  struct heapstruct {     js::heap<jsobject*>  msomeobject;     js::heap<js::value>  msom
evalue; };  tracing  js::nativeobject  all gc pointers stored on the heap must be traced.
   
 
   
    Hacking Tips
    
x=0x14f2640, native=0xf89960 , args=...) at js/src/jscntxtinlines.h:235 #2  0x0000000000c87625 in js::invoke(jscontext*, js::callargs const&, js::maybeconstruct) (cx=0x14f2640, args=..., construct=js::no_construct) at js/src/vm/interpreter.cpp:476 #3  0x000000000069bdcf in js::jit::docallfallback(jscontext*, js::jit::baselineframe*, js::jit::iccall_fallback*, uint32_t, js::value*, js::mutablehandl
evalue) (cx=0x14f2640, frame=0x7fffffff6ad8, stub_=0x1798838, argc=1, vp=0x7fffffff6a88, res=jsval_void) at js/src/jit/baselineic.cpp:6113 #4  0x00007ffff7f41395 in <<jitframe_exit>> () #5  0x00007ffff7f42223 in <<jitframe_baselinestub>> () #6  0x00007ffff7f4423d in <<jitframe_baselinejs>> () #7  0x00007ffff7f4222e in <<jitframe_baselinestub>> () #8  0x00007ffff7f4326a in <<jitframe_baselinejs>> () #9...
... since there isn't debug info for the jitted code, you will need to tell gdb that you are looking at arm code:  (gdb) set arm force-mode arm   or you can wrap the x command in your own command:  def xi     set arm force-mode arm     
eval "x/%di %d", $arg0, $arg1     set arm force-mode auto end    printing asm.js/wasm generated assembly code (from gdb)       set a breakpoint on js::wasm::instance::callexport (defined in wasminstance.cpp as of november 18th 2016).
... these benchmarks are publicly recognized benchmarks suggested by other companies and are used as a metric to 
evaluate how fast javascript engines.
... benchmarking with sub-milliseconds (js shell)  in the shell we have 2 simple ways to benchmark a script, we can either use the -b shell option (--print-timing) which will 
evaluate a script given on the command line without any need to instrument the benchmark and print an extra line showing the run-time of the script.
   
 
   
    SpiderMonkey Internals
    
there are a few special values: nullvalue(), undefinedvalue(), tru
evalue() and fals
evalue().
...  var sumofdivisors = new exprarray(n + 1, 1);   for (var divisor = 2; divisor <= n; divisor++) {     for (var j = divisor + divisor; j <= n; j += divisor) {       sumofdivisors[j] += " + " + divisor;     }     // at this point everything up to 'divisor' has its sumofdivisors     // expression calculated, so we can determine whether it's perfect     // already by 
evaluating.
...     if (
eval(sumofdivisors[divisor]) == divisor) {       print("" + divisor + " = " + sumofdivisors[divisor]);     }   }   delete sumofdivisors;   print("that's all."); }  the line number to pc and back mappings can be tested using the js program with the following script:  load("perfect.js"); print(perfect); dis(perfect); print(); for (var ln = 0; ln <= 40; ln++) {     var pc = line2pc(perfect, ln);     var ln2 = pc2line(perfect, pc);     print("\tline " + ln + " => pc " + pc + " => line " + ln2); }   the result of the for loop over lines 0 to 40 inclusive is:  line 0 => pc 0 => line 16 line 1 => pc 0 => line 16 line 2 => pc 0 => line 16 line 3 => pc 0 => line 16 line 4 => pc 0 => line 16 line 5 => pc 0 => line 16 line 6 => pc 0 => line 16 line 7 => pc 0 => line 16 line 8 => pc 0 => line 16 ...
...the js program built from this source provides a test vehicle for 
evaluating scripts and calling functions, trying out new debugger primitives, etc.
   
 
   
    JIT Optimization Strategies
    
the function containing the arguments.length is allowed to use the arguments object in the following ways without disabling this optimization:    access arguments.length  access arguments.callee  access individual args using arguments[i]  save arguments into variables, as long as those variables cannot be accessed by any nested function, and as long as there exists no 
eval anywhere within the function or nested function definitions.
...the function containing the arguments.callee is allowed to use the arguments object in the following ways without disabling this optimization:    access arguments.length  access arguments.callee  access individual args using arguments[i]  save arguments into variables, as long as those variables cannot be accessed by any nested function, and as long as there exists no 
eval anywhere within the function or nested function definitions.
...the function containing the arguments.length is allowed to use the arguments object in the following ways without disabling this optimization:    access arguments.length  access arguments.callee  access individual args using arguments[i]  save arguments into variables, as long as those variables cannot be accessed by any nested function, and as long as there exists no 
eval anywhere within the function or nested function definitions.
...the function containing the arguments.length is allowed to use the arguments object in the following ways without disabling this optimization:    access arguments.length  access arguments.callee  access individual args using arguments[i]  save arguments into variables, as long as those variables cannot be accessed by any nested function, and as long as there exists no 
eval anywhere within the function or nested function definitions.
   
 
   
    JS::AutoValueArray
    
this is typically used for local variables being passed to function which requires js::handl
evaluearray or a pointer to js::value array.
...*/ somefunction1(cx, 2, args.begin());   pass to function as js::handl
evaluearray.
...  bool somefunction2(jscontext *cx, const js::handl
evaluearray &args) {   /* ...
...*/ somefunction2(cx, args);   see also    mxr id search for js::autovaluearray  js::value  js::handl
evaluearray  bug 965830                    ...
   
 
   
    JS::Construct
    
  syntax  bool js::construct(jscontext *cx, js::handl
evalue fun,             const js::handl
evaluearray& args,             js::mutablehandl
evalue rval);            name    type    description          cx    jscontext *    pointer to a js context from which to derive runtime information.
...         fun    js::handl
evalue    pointer to the function to call.
...         args    js::handl
evaluearray &    arguments you are passing to the function.
...          rval    js::mutablehandl
evalue    out parameter.
   
 
   
    JS_CallFunction
    
 syntax  /* added in spidermonkey 31 */ bool js_callfunction(jscontext *cx, js::handleobject obj, js::handlefunction fun,                 const js::handl
evaluearray& args,                 js::mutablehandl
evalue rval);  bool js_callfunctionname(jscontext *cx, js::handleobject obj, const char *name,                     const js::handl
evaluearray& args, js::mutablehandl
evalue rval);  bool js_callfunctionvalue(jscontext *cx, js::handleobject obj, js::handl
evalue fval,                      const js::handl
evaluearray& args, js::mutablehandl
evalue rval);  /* obsolete since jsapi 30 */  bool js_callfunction(jscontext *cx, jsobject *obj, jsfunction *fun, unsigned argc,                 jsval *argv, jsval *rval);  bool js_callfunctionname(jscontext *cx, jsobject *obj, cons...
...         fval    js::handl
evalue    pointer to the function value to call.
...          args    const js::handl
evaluearray &    reference to the array of argument values to pass to the function.
...obsolete since jsapi 30          rval    js::mutablehandl
evalue    out parameter.
   
 
   
    JS_DefineProperty
    
  syntax  bool js_defineproperty(jscontext *cx, js::handleobject obj, const char *name, js::handl
evalue value,                   unsigned attrs,                   jsnative getter = nullptr, jsnative setter = nullptr);  bool js_defineproperty(jscontext *cx, js::handleobject obj, const char *name, js::handleobject value,                   unsigned attrs,                   jsnative getter = nullptr, jsnative setter = nullptr);  bool js_defineproperty(jscontext *cx, js::handleobject obj, const char *name, js::handlestring value,                   unsigned attrs,                   jsnative getter = nullptr, jsnative setter = nullptr);  bool js_defineproperty(jscontext *cx, js::handleobject obj, const char *name, int32_t value,                   unsigned attrs, ...
...               jsnative getter = nullptr, jsnative setter = nullptr);  bool js_defineproperty(jscontext *cx, js::handleobject obj, const char *name, double value,                   unsigned attrs,                   jsnative getter = nullptr, jsnative setter = nullptr);  bool js_defineucproperty(jscontext *cx, js::handleobject obj, const char16_t *name, size_t namelen,                     js::handl
evalue value, unsigned attrs,                     jsnative getter = nullptr, jsnative setter = nullptr);  bool js_defineucproperty(jscontext *cx, js::handleobject obj, const char16_t *name, size_t namelen,                     js::handleobject value, unsigned attrs,                     jsnative getter = nullptr, jsnative setter = nullptr);  bool js_defineucproperty(jscontext *cx, js::handleobject obj, ...
...cx, js::handleobject obj, js::handleid id,                       js::handle<jspropertydescriptor> desc);  bool js_defineucproperty(jscontext *cx, js::handleobject obj, const char16_t *name, size_t namelen,                     js::handle<jspropertydescriptor> desc);   // ---- added in spidermonkey 1.8.1 ----  bool js_definepropertybyid(jscontext *cx, js::handleobject obj, js::handleid id, js::handl
evalue value,                       unsigned attrs,                       jsnative getter = nullptr, jsnative setter = nullptr);  bool js_definepropertybyid(jscontext *cx, js::handleobject obj, js::handleid id, js::handleobject value,                       unsigned attrs,                       jsnative getter = nullptr, jsnative setter = nullptr);  bool js_definepropertybyid(jscontext *cx, js::handleo...
...         value    js::handl
evalue or js::handleobject or js::handlestring or int32_t or uint32_t or double    initial stored value for the new property.
   
 
   
    JS_ExecuteScript
    
  syntax  bool js_executescript(jscontext *cx, js::handlescript script,                  js::mutablehandl
evalue rval); // added in spidermonkey 45  bool js_executescript(jscontext *cx, js::handlescript script); // added in spidermonkey 45  bool js_executescript(jscontext *cx, js::autoobjectvector &scopechain,                  js::handlescript script, js::mutablehandl
evalue rval); // added in spidermonkey 36  bool js_executescript(jscontext *cx, js::autoobjectvector &scopechain,                  js::handlescript script); // added in spidermonkey 36  bool js_executescript(jscontext *cx, js::handleobject obj, js::handlescript script,                  js::mutablehandl
evalue rval); // obsolete since jsapi 39  bool js_executescript(jscontext *cx, js::handleobject obj, js...
...         rval    js::mutablehandl
evalue    out parameter.
... to execute a script that has not been compiled, use js::
evaluate instead.
...  see also    mxr id search for js_executescript  mxr id search for js::cloneandexecutescript  js::compile  js::
evaluate  bug 993438  bug 1145294 -- removed obj  from js::cloneandexecutescript.
   
 
   
  
   
    JS_SetElement
    
 syntax /* added in spidermonkey 31 */  bool js_setelement(jscontext *cx, js::handleobject obj, uint32_t index,               js::handl
evalue v);  bool js_setelement(jscontext *cx, js::handleobject obj, uint32_t index,               js::handleobject v);  bool js_setelement(jscontext *cx, js::handleobject obj, uint32_t index,               js::handlestring v);  bool js_setelement(jscontext *cx, js::handleobject obj, uint32_t index,               int32_t v);  bool js_setelement(jscontext *cx, js::handleobject obj, uint32_t index,               uint32_t v);  bool js_setelement(jscontext *cx, js::handleobject obj, uint32_t index,               double v);   /* obsolete since jsapi 29 */ bool js_setelement(jscontext *cx, js::handleobject...
... obj, uint32_t index,               js::mutablehandl
evalue vp);           name    type    description              cx    jscontext *    the context in which to set the element.
...         v    js::handl
evalue or js::handleobject or js::handlestring or int32_t or uint32_t or double    the value to assign to the element.
... added in spidermonkey 31           vp    js::mutablehandl
evalue    in/out parameter.
   
 
   
    SpiderMonkey 1.8.5
    
 js_newdouble, js_newdoubl
evalue, and js_newnumbervalue are gone.
...n  js_compileucfunctionforprincipalsversion  js_compileucscriptforprincipalsversion  js_consumejsontext (removed in future releases, replaced with js_parsejson)  js_decompilescriptobject  js_deepfreezeobject  js_definefunctionbyid  js_defineownproperty  js_definepropertybyid  js_deletepropertybyid  js_deletepropertybyid2  js_doubleisint32  js_encodestringtobuffer  js_entercrosscompartmentcall  js_
evaluatescriptforprincipalsversion  js_
evaluateucscriptforprincipalsversion  js_executeregexp  js_executeregexpnostatics  js_executescriptversion  js_forget_string_flatness  js_fileescapedstring  js_finishjsonparse (removed in future releases, replaced with js_parsejson)  js_flatstringequalsascii  js_flattenstring  js_flushcaches  js_freezeobject  js_getcompartmentprivate  js_getemptystring  js_getfla...
...root  js_clearnewbornroots – no longer needed  js_clearoperationcallback  js_clearregexproots  js_decompilescript  js_destroyscript  js_enterlocalrootscope  js_executescriptpart  js_forgetlocalroot  js_getfunctionname  js_getoperationlimit  js_getscriptobject  js_getstringbytes  js_getstringchars  js_isassigning  js_leavelocalrootscope  js_leavelocalrootscopewithresult  js_newdouble  js_newdoubl
evalue  js_newscriptobject  js_newstring  js_poparguments  js_pusharguments  js_pushargumentsva  js_removeroot  js_removerootrt  js_sealobject  js_setbranchcallback  js_setcallreturnvalue2  js_setcheckobjectaccesscallback  js_setobjectprincipalsfinder  js_setoperationlimit  js_setprincipalstranscoder  api changes operation callback js_setoperationcallback was introduced in js 1.8.0, replacing the bran...
...the jsval_to_double and double_to_jsval macros have been updated to work directly on jsdoubles rather than their pointers, and the js_newdoubl
evalue and js_newdouble interfaces have been removed.
   
 
   
    SpiderMonkey 38
    
   js::clonefunctionobject (bug 1088228)  interned_string_to_jsid (bug 1045900)  js::construct (bug 1017109)  js::createerror (bug 984048)  js::falsehandl
evalue (bug 959787)  js::handlesymbol (bug 645416)  js::identifystandardconstructor (bug 976148)  js::iscallable (bug 1065811)  js::isconstructor (bug 1065811)  js::mutablehandlesymbol (bug 645416)  js::ordinarytoprimitive (bug 1103152)  js::propertyspecnameequalsid (bug 1082672)  js::propertyspecnameissymbol (bug 1082672)  js::propertyspecnametopermanentid (bug 1082672)  js::protokeytoid (bug 987669)...
...  js::rootedsymbol (bug 645416)  js::truehandl
evalue (bug 959787)  jsconstintegerspec (bug 1066020)  jsid_is_symbol (bug 645416)  jsid_to_symbol (bug 645416)  jsprop_define_late (bug 825199)  jsprop_ignore_enumerate (bug 1037770)  jsprop_ignore_permanent (bug 1037770)  jsprop_ignore_readonly (bug 1037770)  jsprop_ignore_value (bug 1037770)  jsprop_propop_accessors (bug 1088002)  jsprop_redefine_nonconfigurable (bug 1101123)  js_addfinalizecallback (bug 996785)  js_defineconstintegers (bug 1066020)  js_getflatstringcharat (bug 1034627)  js_getfunctionscript (bug 1069694)  js_getlatin1flatstringchars (bug 1037869)  js_getlatin1internedstringchars (bug 1037869)  js_getlatin1stringcharsandlength (bug 1032726)  js_getstringcharat (bug 1034627)  js_gettwobyteexternalstringchars (bug 1034627)  js_get...
...ddnamedvalueroot (bug 1107639)  js::addnamedvaluerootrt (bug 1107639)  js::addobjectroot (bug 1107639)  js::addstringroot (bug 1107639)  js::addvalueroot (bug 1107639)  js::removeobjectroot (bug 1107639)  js::removeobjectrootrt (bug 1107639)  js::removescriptroot (bug 1107639)  js::removescriptrootrt (bug 1107639)  js::removestringroot (bug 1107639)  js::removestringrootrt (bug 1107639)  js::remov
evalueroot (bug 1107639)  js::remov
evaluerootrt (bug 1107639)  jsclass_new_enumerate (bug 1097267)  jsclass_new_resolve (bug 993026)  jsid_is_object (bug 915482)  jsnewresolveop (bug 993026)  jsval_is_boolean (bug 952650)  jsval_is_double (bug 952650)  jsval_is_gcthing (bug 952650)  jsval_is_int (bug 952650)  jsval_is_null (bug 952650)  jsval_is_number (bug 952650)  jsval_is_primitive (bug 952650)  js...
...t (bug 1043281)  js_clonefunctionobject (bug 1089026)  js_compilefunction (bug 1089026)  js_compileucfunction (bug 1089026)  js_convertarguments (bug 1125784)  js_convertargumentsva (bug 1125784)  js_convertstub (bug 1103152)  js_defineownproperty (bug 1017323)  js_deletepropertystub (bug 1103152)  js_doubletoint32 (bug 1112774)  js_doubletouint32 (bug 1112774)  js_enumeratestub (bug 1103152)  js_
evaluatescript (bug 1100579)  js_
evaluateucscript (bug 1100579)  js_executescriptversion (bug 1095660)  js_getflatstringchars (bug 1037869)  js_getfunctioncallback (bug 1103269)  js_getinternedstringchars (bug 1037869)  js_getinternedstringcharsandlength (bug 1037869)  js_getstringcharsandlength (bug 1037869)  js_getstringcharsz (bug 1037869)  js_getstringcharszandlength (bug 1037869)  js_gettypename ...
   
 
   
    Components.utils
    
         evalinsandbox()    runs javascript code in a sandbox, usually used to run code with restricted privileges.
...          
evalinwindow()              removed in gecko 34.
...            
evaluate javascript code in a less-privileged javascript context.
...       properties           property    type    description          sandbox    nsixpccomponents_utils_sandbox    creates sandbox objects for use with 
evalinsandbox().
   
 
   
    mozIStorageFunction
    
    last changed in gecko 1.9.1.4 (firefox 3.5.4)   inherits from: nsisupports  method overview           nsivariant onfunctioncall(in mozistorag
evaluearray afunctionarguments);        methods  onfunctioncall()  the implementation of the function.
...    nsivariant onfunctioncall(   in mozistorag
evaluearray afunctionarguments );    parameters    afunctionarguments  a mozistorag
evaluearray holding the arguments passed in to the function.
...class squarefunction : public mozistoragefunction { public:   ns_imethod onfunctioncall(mozistorag
evaluearray *aarguments,                             nsivariant **_result)   {     print32 value;     nsresult rv = aarguments->getint32(&value);     ns_ensure_success(rv, rv);      nscomptr<nsiwritablevariant> result =       do_createinstance("@mozilla.org/variant;1");     ns_ensure_true(result, ns_error_out_of_memory);      rv = result->setasint64(value * value);     ns_ensure_success(rv, rv);      ...
... mozistorag
evaluearray wraps an array of sql values, such as a result row.
   
 
   
    nsIDOMXPathExpression
    
         dom/interfaces/xpath/nsidomxpathexpression.idlscriptable   represents a compiled xpath query returned from nsidomxpath
evaluator.createexpression or document.createexpression    inherits from: nsisupports last changed in gecko 1.7   method overview          nsisupports 
evaluate(in nsidomnode contextnode, in unsigned short type, in nsisupports result)       methods 
evaluate() 
evaluate the xpath expression.
... nsisupports 
evaluate(   in nsidomnode contextnode,   in unsigned short type,   in nsisupports result );  parameters      contextnode     a dom node to 
evaluate the xpath expression against.
... to 
evaluate against a whole document, use the document.documentelement method to get the node to 
evaluate against.
...see also   introduction to using xpath in javascript  nsidomxpath
evaluator  document.
evaluate  document object model (dom) level 3 xpath specification  nsidomxpathresult                                 ...
   
 
   
    Xray vision
    
for example:    the detail property of a customevent fired by content could be a javascript object or date as well as a string or a primitive  the return value of 
evalinsandbox() and any properties attached to the sandbox object may be pure javascript objects   also, the webidl specifications are starting to use javascript types such as date and promise: since webidl definition is the basis of dom xrays, not having xrays for these javascript types starts to seem arbitrary.
...rate from their javascript representation, so the xray implementation can go straight to the c++ state and guarantee that the object will behave as its specification defines:  // chrome code  var sandboxscript = 'date.prototype.getfullyear = function() {return 1000};' +                     'var date = new date(); ';  var sandbox = components.utils.sandbox("https://example.org/"); components.utils.
evalinsandbox(sandboxscript, sandbox);  // date objects are xrayed console.log(sandbox.date.getfullyear()); // -> 2014  // but you can waive xray vision console.log(components.utils.waivexrays(sandbox.date).getfullyear()); // -> 1000   to test out examples like this, you can use the scratchpad in browser context for the code snippet, and the browser console to see the expected output.
...  these rules are demonstrated in the script below, which 
evaluates a script in a sandbox, then examines the object attached to the sandbox.
...  value: "smith"' +                     '});' +                     'object.defineproperty(me, "middlename", {' +                     '  enumerable: true,' +                     '  configurable: true,' +                     '  get: function() { return "wait, is this really a getter?"; }' +                     '});';  var sandbox = components.utils.sandbox("https://example.org/"); components.utils.
evalinsandbox(sandboxscript, sandbox);  // 1) trying to access properties in the prototype that have been redefined // (non-own properties) will show the original 'native' version // note that functions are not included in the output console.log("1) property redefined in the prototype:"); console.log(sandbox.me.tosource()); // -> "({firstname:"joe", address:{street:"main street"}, lastname:"smith"})" ...
   
 
   
    Debugger.Source - Firefox Developer Tools
    
 currently only entire modules 
evaluated via new webassembly.module are represented.
...for scripts created by 
eval or the function constructor, this may be a synthesized filename, starting with a valid url and followed by information tracking how the code was introduced into the system; the entire string is not a valid url.
...       (note that code passed to 
eval, the function constructor, or a similar function isnot considered to be loaded from a url; the url accessor on debugger.source instances for such sources should return undefined.)   if the instance refers to webassembly code, the url of the script that called new webassembly.module with the string "> wasm" appended.
...this accessor returns one of the following values:          "
eval", for code passed to 
eval.
   
 
   
    Debugger - Firefox Developer Tools
    
  global   the source must have been 
evaluated in the scope of the given global object.
...    note that the result may include sources that can no longer ever be used by the debuggee: say, 
eval code that has finished running, or source for unreachable functions.
...  note that the result may include debugger.script instances for scripts that can no longer ever be used by the debuggee, say, those for 
eval code that has finished running, or unreachable functions.
... adoptdebugge
evalue(value)    given a debuggee value value owned by an arbitrary debugger, return an equivalent debuggee value owned by this debugger.
   
 
   
    Tutorial: Set a breakpoint - Firefox Developer Tools
    
we use debugger to set a breakpoint in a function, and then 
evaluate an expression whenever it is hit.
...reportdo.script.setbreakpoint(0, {     hit: function (frame) {         console.log('hit breakpoint in ' + frame.callee.name);         console.log('what = ' + frame.
eval('what').return);     } });  console.log('finished setting breakpoint!');       in the scratchpad, ensure that no text is selected, and press the “run” button.
...then it 
evaluates the expression what in the given stack frame, and logs its result.
...   if debugger is unable to find the report function, or the console output does not appear, 
evaluate the expression tabs[0].content.document.location in the console to make sure that tabs[0] indeed refers to the html file you visited.
   
 
   
    Document - Web APIs
    
  the document interface is extended with the xpath
evaluator interface:    document.createexpression()  compiles an xpathexpression which can then be used for (repeated) 
evaluations.
... document.
evaluate()  
evaluates an xpath expression.
...   obsolete    supersede dom 2          document object model (dom) level 3 xpath specificationthe definition of 'xpath
evaluator' in that specification.
...    recommendation    define the xpath
evaluator interface which extend document.
   
 
   
    SubtleCrypto.verify() - Web APIs
    
*/ async function verifymessage(publickey) {   const signatur
evalue = document.queryselector(".rsassa-pkcs1 .signature-value");   signatur
evalue.classlist.remove("valid", "invalid");    let encoded = getmessageencoding();   let result = await window.crypto.subtle.verify(     "rsassa-pkcs1-v1_5",     publickey,     signature,     encoded   );    signatur
evalue.classlist.add(result ?
...*/ async function verifymessage(publickey) {   const signatur
evalue = document.queryselector(".rsa-pss .signature-value");   signatur
evalue.classlist.remove("valid", "invalid");    let encoded = getmessageencoding();   let result = await window.crypto.subtle.verify(     {       name: "rsa-pss",       saltlength: 32,     },     publickey,     signature,     encoded   );    signatur
evalue.classlist.add(result ?
...*/ async function verifymessage(publickey) {   const signatur
evalue = document.queryselector(".ecdsa .signature-value");   signatur
evalue.classlist.remove("valid", "invalid");    let encoded = getmessageencoding();   let result = await window.crypto.subtle.verify(     {       name: "ecdsa",       hash: {name: "sha-384"},     },     publickey,     signature,     encoded   );    signatur
evalue.classlist.add(result ?
...*/ async function verifymessage(key) {    const signatur
evalue = document.queryselector(".hmac .signature-value");    signatur
evalue.classlist.remove("valid", "invalid");     let encoded = getmessageencoding();    let result = await window.crypto.subtle.verify(      "hmac",      key,      signature,      encoded    );     signatur
evalue.classlist.add(result ?
   
 
   
    Using Web Workers - Web APIs
    
function declarations after the importscripts() method are also kept, since these are always 
evaluated before the rest of the code.
...so for example, suppose a document is served with the following header:  content-security-policy: script-src 'self'  among other things, this will prevent any scripts it includes from using 
eval().
... however, if the script constructs a worker, code running in the worker's context will be allowed to use 
eval().
... to illustrate this, let's create for didactical purpose a function named emulatemessage(), which will simulate the behavior of a value that is cloned and not shared during the passage from a worker to the main page or vice versa:  function emulatemessage(vval) {     return 
eval('(' + json.stringify(vval) + ')'); }  // tests  // test #1 var example1 = new number(3); console.log(typeof example1); // object console.log(typeof emulatemessage(example1)); // number  // test #2 var example2 = true; console.log(typeof example2); // boolean console.log(typeof emulatemessage(example2)); // boolean  // test #3 var example3 = new string('hello world'); console.log(typeof example3);...
   
 
   
    WindowOrWorkerGlobalScope.setInterval() - Web APIs
    
this syntax is not recommended for the same reasons that make using 
eval() a security risk.
...amap[npos]++ : bexit = true;        if (beraseandstop && (orel.ref.nodetype - 1 | 1) === 3 && orel.ref.nod
evalue) {         bexit = true;         ocurrent = orel.ref;         spart = ocurrent.nod
evalue;         ocurrent.nod
evalue = '';       }        osheet.ref.appendchild(orel.ref);       if (bexit) { return false; }     }      amap.length--;     return true;   }    function typewrite () {     if (spart.length === 0 && scroll(asheets[nidx], 0, true) && nidx++ === asheets.length - 1) { clean(); return; } ...
...     ocurrent.nod
evalue += spart.charat(0);     spart = spart.slice(1);   }    function sheet (onode) {     this.ref = onode;     if (!onode.haschildnodes()) { return; }     this.parts = array.prototype.slice.call(onode.childnodes);      for (var nchild = 0; nchild < this.parts.length; nchild++) {       onode.removechild(this.parts[nchild]);       this.parts[nchild] = new sheet(this.parts[nchild]);     }   }    var     nintervid, ocurrent = null, btyping = false, bstart = true,     nidx = 0, spart = "", asheets = [], amap = [];    this.rate = nrate || 100;    this.play = function () {     if (btyping) { return; }     if (bstart) {       var aitems = document.queryselectorall(sselector);        if (aitems.length === 0) { return; }       for (var nitem = 0; nitem < aitems.length; nitem++) {     ...
...       /* uncomment the following line if you have previously hidden your elements via css: */         // aitems[nitem].style.visibility = "visible";       }        bstart = false;     }      nintervid = setinterval(typewrite, this.rate);     btyping = true;   };    this.pause = function () {     clearinterval(nintervid);     btyping = false;   };    this.terminate = function () {     ocurrent.nod
evalue += spart;     spart = "";     for (nidx; nidx < asheets.length; scroll(asheets[nidx++], 0, false));     clean();   }; }  /* usage: */ var otwexample1 = new typewriter(/* elements: */ '#article, h1, #info, #copyleft', /* frame rate (optional): */ 15);  /* default frame rate is 100: */ var otwexample2 = new typewriter('#controls');  /* you can also change the frame rate value modifying the "rate"...
   
 
   
    XPathExpression - Web APIs
    
 this interface is a compiled xpath expression that can be 
evaluated on a document or specific node to return information from its dom tree.
... objects of this type are created by calling xpath
evaluator.createexpression().
...  methods    xpathexpression.
evaluate()  
evaluates the xpath expression on the given node or document.
... html  <div>xpath example</div> <div>number of <div>s: <output></output></div>   javascript  var xpath = "//div"; var 
evaluator = new xpath
evaluator(); var expression = 
evaluator.createexpression(xpath); var result = expression.
evaluate(document, xpathresult.ordered_node_snapshot_type); document.queryselector("output").textcontent = result.snapshotlength;   result    specifications           specification    status    comment          document object model (dom) level 3 xpath specificationthe definition of 'xpathexpression' in that specification.
   
 
   
  
   
    Accessibility Information for Web Authors - Accessibility
    
   wave 4.0 beta (web accessibility versatile 
evaluator) from webaim and sponsored by temple university institute on disabilities   wave 4.0 beta is another powerful, free online webpage accessibility validation service that identifies accessibility errors and reports accessibility warnings about webpage related to section 508 standards and/or the wcag guidelines.
... its purpose is to aid humans in the web accessibility 
evaluation process.
...   you can install a custom wave toolbar in firefox for a quick, easy and convenient 
evaluation of web pages directly within firefox.
...color contrast analyzer algorithm is based on the formula provided in techniques for accessibility 
evaluation and repair tools from w3c.
   
 
   
    Web Accessibility: Understanding Colors and Luminance - Accessibility
    
unless it is known that another color space will be used to process and display the content, authors should 
evaluate using srgb colorspace.
...generally speaking, most of the focus is on luminance when attempting to ensure that there is enough contrast between text and its background, or, in 
evaluating for the possibility of inducing seizures in those sensitive to photosensitive seizures.
...  measuring relative luminance  when 
evaluating luminance, bear in mind the w3c's wiki on relative luminance "almost all systems used today to view web content assume srgb encoding.
... unless it is known that another color space will be used to process and display the content, authors should 
evaluate using srgb colorspace.
   
 
   
    Functions - JavaScript
    
for example, the following function definition defines myfunc only if num equals 0:  var myfunc; if (num === 0) {   myfunc = function(theobject) {     theobject.make = 'toyota';   } }  in addition to defining functions as described here, you can also use the function constructor to create functions from a string at runtime, much like 
eval().
... in the following example, if no value is provided for b, its value would be undefined when 
evaluating a*b, and a call to multiply would normally have returned nan.
...thus, in the following code, the this within the function that is passed to setinterval has the same value as this in the enclosing function:  function person() {   this.age = 0;    setinterval(() => {     this.age++; // |this| properly refers to the person object   }, 1000); }  var p = new person();  predefined functions  javascript has several top-level, built-in functions:    
eval()    the 
eval() method 
evaluates javascript code represented as a string.
...    un
eval()    the un
eval() method creates a string representation of the source code of an object.
   
 
   
    Grammar and types - JavaScript
    
 evaluating variables  a variable declared using the var or let statement with no assigned value specified has the value of undefined.
...in the following code, the variable input is not assigned a value, and the if statement 
evaluates to true.
... var a; a + 2;  // 
evaluates to nan  when you 
evaluate a null variable, the null value behaves as 0 in numeric contexts and as false in boolean contexts.
...  if an array is created using a literal in a top-level script, javascript interprets the array each time it 
evaluates the expression containing the array literal.
   
 
   
    Date.prototype.setFullYear() - JavaScript
    
 syntax  dateobj.setfullyear(yearvalue[, monthvalue[, dat
evalue]])  parameters    yearvalue  an integer specifying the numeric value of the year, for example, 1995.
... dat
evalue  optional.
...if you specify the dat
evalue parameter, you must also specify the monthvalue.
... description  if you do not specify the monthvalue and dat
evalue parameters, the values returned from the getmonth() and getdate() methods are used.
   
 
   
    String - JavaScript
    
 let s_prim = 'foo' let s_obj = new string(s_prim)  console.log(typeof s_prim) // logs "string" console.log(typeof s_obj)  // logs "object"   string primitives and string objects also give different results when using 
eval().
... primitives passed to 
eval are treated as source code; string objects are treated as all other objects are, by returning the object.
... for example:  let s1 = '2 + 2'              // creates a string primitive let s2 = new string('2 + 2')  // creates a string object console.log(
eval(s1))         // returns the number 4 console.log(
eval(s2))         // returns the string "2 + 2"   for these reasons, the code may break when it encounters string objects when it expects a primitive string instead, although generally, authors need not worry about the distinction.
... console.log(
eval(s2.valueof()))  // returns the number 4   escape notation  special characters can be encoded using escape notation:           code    output              \xxx     (where xxx is 1–3 octal digits; range of 0–377)    iso-8859-1 character / unicode code point between u+0000 and u+00ff          \'    single quote          \"    double quote          \\    backslash          \n    new line          \r    carriage return          \v    vertical tab          \t    tab          \b    backspace          \f    form feed          \uxxxx (where xxxx is 4 hex digits; range of 0x0000–0xffff)    utf-16 code unit / unicode code point between u+0000 and u+ffff          \u{x} ...
   
 
   
    Comma operator (,) - JavaScript
    
 the comma operator (,) 
evaluates each of its operands (from left to right) and returns the value of the last operand.
... this lets you create a compound expression in which multiple expressions are 
evaluated, with the compound expression's final value being the value of the rightmost of its member expressions.
...in the following example, a is set to the value of b = 3 (which is 3), but the c = 4 expression still 
evaluates and its result returned to console (i.e., 4).
...as stated, only the last element will be returned but all others are going to be 
evaluated as well.
   
 
   
    Grouping operator ( ) - JavaScript
    
 the grouping operator ( ) controls the precedence of 
evaluation in expressions.
... syntax   ( )  description  the grouping operator consists of a pair of parentheses around an expression or sub-expression to override the normal operator precedence so that expressions with lower precedence can be 
evaluated before an expression with higher priority.
... examples  using the grouping operator  overriding multiplication and division first, then addition and subtraction to 
evaluate addition first.
...  var a = 1; var b = 2; var c = 3;  // default precedence a + b * c     // 7 // 
evaluated by default like this a + (b * c)   // 7  // now overriding precedence // addition before multiplication (a + b) * c   // 9  // which is equivalent to a * c + b * c // 9   specifications           specification          ecmascript (ecma-262)the definition of 'the grouping operator' in that specification.
   
 
   
    Logical OR (||) - JavaScript
    
 short-circuit 
evaluation  the logical or expression is 
evaluated left to right, it is tested for possible "short-circuit" 
evaluation using the following rule:  (some truthy expression) || expr is short-circuit 
evaluated to the truthy expression.
...  short circuit means that the expr part above is not 
evaluated, hence any side effects of doing so do not take effect (e.g., if expr is a function call, the calling never takes place).
... this happens because the value of the operator is already determined after the 
evaluation of the first operand.
...  conversion rules for booleans  converting and to or  the following operation involving booleans:  bcondition1 && bcondition2  is always equal to:  !(!bcondition1 || !bcondition2)  converting or to and  the following operation involving booleans:  bcondition1 || bcondition2  is always equal to:  !(!bcondition1 && !bcondition2)  removing nested parentheses  as logical expressions are 
evaluated left to right, it is always possible to remove parentheses from a complex expression following some rules.
   
 
   
    switch - JavaScript
    
 the switch statement 
evaluates an expression, matching the expression's value to a case clause, and executes statements associated with that case, as well as statements in cases that follow the matching case.
...  description  a switch statement first 
evaluates its expression.
... it then looks for the first case clause whose expression 
evaluates to the same value as the result of the input expression (using the strict comparison, ===) and transfers control to that clause, executing the associated statements.
... examples  using switch  in the following example, if expr 
evaluates to bananas, the program matches the value with case case 'bananas' and executes the associated statement.
   
 
   
    systemLanguage - SVG: Scalable Vector Graphics
    
 the attribute 
evaluates to "true" if one of the language tags indicated by user preferences is a case-insensitive match or prefix (followed by a "-") of one of the language tags given in the value of this parameter.
... otherwise it 
evaluates to "false".
... if the attribute is not present, then it implicitly 
evaluates to "true".
... if a null string or empty string value is given, the attribute 
evaluates to "false".
   
 
   
    /loader - Archive of obsolete content
    
  let sandbox = sandbox({   name: 'resource:///modules/foo/bar.js',   wantxrays: false,   prototype: {     console: {       log: dump.bind(dump, 'log: '),       info: dump.bind(dump, 'info: '),       warn: dump.bind(dump, 'warn: '),       error: dump.bind(dump, 'error: ')     }   } });  
evaluate()  
evaluates code in the supplied sandbox.
... if options.source is provided then its value is 
evaluated, otherwise source is read from the supplied uri.
...  // load script from the given location to a given sandbox: 
evaluate(sandbox, 'resource://path/to/script.js')  // 
evaluate `code` as if it was from `foo/bar.js`: 
evaluate(sandbox, 'foo/bar.js', {   source: code,   version: '1.7'   // you could also use other options described above.
   
 
   
    Modules - Archive of obsolete content
    
the use of 
eval() will probably not be of concern because it is only being used on the exported_symbols array which should not depend on user input.
...     // at the end of your code: (assuming neither 'i' nor 'thatobj' is being exported!)     for (var i=0; i < exported_symbols.length; i++) {thatobj[exported_symbols[i]] = 
eval(exported_symbols[i]);} }   or for one-time-only usage of a module:  (function (thatobj) {     thatobj = thatobj || window;      var exported_symbols = [     // put the symbols here     ];      // your code here...
...      // at the end of your code: (assuming neither 'i' nor 'thatobj' is being exported!)     for (var i=0; i < exported_symbols.length; i++) {thatobj[exported_symbols[i]] = 
eval(exported_symbols[i]);} })(); // can put an object argument here                                ...
   
 
   
    Connecting to Remote Content - Archive of obsolete content
    
 json used to be risky in terms of security because the favored way of parsing it was to use the javascript 
eval function.
... since 
eval executes any code contained in the string, workarounds had to be devised in order to close security holes.
....onload = function(aevent) {   let responsexml = aevent.target.responsexml;   let rootelement = responsexml.documentelement;    if (rootelement && "parseerror" != rootelement.tagname) {     let shopelements = rootelement.getelementsbytagname("shop");     let totalelement = rootelement.getelementsbytagname("total")[0];      window.alert(shopelements[1].getelementsbytagname("name")[0].firstchild.nod
evalue); // => orange     window.alert(totalelement.firstchild.nod
evalue);                                     // => 2   } };   using dom functions is good for simple xml documents, but dom manipulation code can become too complicated if the documents are more complex.
   
 
   
    Appendix E: DOM Building and Insertion (HTML & XUL) - Archive of obsolete content
    
for security reasons, and to prevent errors, care needs to be taken to avoid 
evaluating arbitrary text as html.
...utes should be used, one for each variable:  function clickify(elem, address) {     elem.setattribute("href", address);     elem.setattribute("onclick", "openwindow(this.getattribute('href'))"); }  escaping functions  when the code fragment in question is not an event handler attribute and there is no feasible way to pass the data through other means, they must be escaped with functions such as un
eval, string.quote, json.stringify, or number.
... function createscript(href, otherstuff) {     var script = function (href, otherstuff) {         dostuffwith(href);         dootherstuff();         for (var somestuff in otherstuff)             dosomemorestuffwith(somestuff);     }      return script.tosource() + "(" + [string.quote(href), un
eval(otherstuff)] + ")"; }  safely using remote html  in the above cases, we're working with text content that needs to appear in generated dom.
   
 
   
  
   
    Venkman Introduction - Archive of obsolete content
    
this will cause the source of function to be displayed in the source code view, the local variables view will change to display variables local to the selected stack frame, and script 
evaluated in the interactive session view will be relative to the selected frame.
...         in the interactive session's input field, enter this.fpaused    venkman 
evaluates the expression, giving you [boolean] false back.
... the best way to get to know venkman, of course, is to play around with it — to set it up in the way that makes the most sense to you, to try loading scripts and setting breakpoints, 
evaluating expressions in the interactive session view, watching the values of variables as they change when scripts are executed, getting profile data.
   
 
   
    Bindings - Archive of obsolete content
    
here is the data after the first <triple> has been 
evaluated.
...they are 
evaluated in a similar though simpler manner than the triples.
...the others will be 
evaluated in a similar way.
   
 
   
    datepicker - Archive of obsolete content
    
the dat
evalue property may be used to retrieve and set the date using a date object.
...   attributes  disabled, firstdayofweek, readonly, type, tabindex, value     properties  date, dateleadingzero, dat
evalue, disabled, month, monthleadingzero, open, readonly, tabindex, value, year, yearleadingzero   examples    <datepicker type="grid" value="2007-03-26"/>   attributes        disabled  type: boolean  indicates whether the element is disabled or not.
...          dat
evalue        type: date        the date that is currently entered or selected in the datepicker as a date object.
   
 
   
    timepicker - Archive of obsolete content
    
the value may be retrieved and changed using the value property or the dat
evalue property.
...    attributes   disabled, hideseconds, increment, readonly, tabindex, value        properties        amindicator, dat
evalue, disabled, hideseconds, hour, hourleadingzero, increment, is24hourclock, ispm, minute, minuteleadingzero, pmindicator, readonly, second, secondleadingzero, tabindex, value     examples <timepicker value="12:05"/>     attributes        disabled  type: boolean  indicates whether the element is disabled or not.
...          dat
evalue        type: date        the date that is currently entered or selected in the datepicker as a date object.
   
 
   
    Choosing Standards Compliance Over Proprietary Practices - Archive of obsolete content
    
when projects are proposed, they are 
evaluated to ensure compatibility with the overall business strategy.
... product marketing must then analyze the marketability of the application/product, and then conduct in-depth technical 
evaluations and market research studies.
...when auditors 
evaluate an organizations financial health, they do so by following the fasb rules.
   
 
   
    Example 4 - Learn web development
    
asslist.add('active'); };  function toggleoptlist(select, show) {   var optlist = select.queryselector('.optlist');    optlist.classlist.toggle('hidden'); }  function highlightoption(select, option) {   var optionlist = select.queryselectorall('.option');    optionlist.foreach(function (other) {     other.classlist.remove('highlight');   });    option.classlist.add('highlight'); };  function updat
evalue(select, index) {   var nativewidget = select.previouselementsibling;   var value = select.queryselector('.value');   var optionlist = select.queryselectorall('.option');    nativewidget.selectedindex = index;   value.innerhtml = optionlist[index].innerhtml;   highlightoption(select, optionlist[index]); };  function getindex(select) {   var nativewidget = select.previouselementsibling;    return...
... function (event) {       deactivateselect(select);     });   }); });  window.addeventlistener('load', function () {   var selectlist = document.queryselectorall('.select');    selectlist.foreach(function (select) {     var optionlist = select.queryselectorall('.option'),         selectedindex = getindex(select);      select.tabindex = 0;     select.previouselementsibling.tabindex = -1;      updat
evalue(select, selectedindex);      optionlist.foreach(function (option, index) {       option.addeventlistener('click', function (event) {         updat
evalue(select, index);       });     });      select.addeventlistener('keyup', function (event) {       var length = optionlist.length,           index  = getindex(select);        if (event.keycode === 27) { deactivateselect(select); }       if (event...
....keycode === 40 && index < length - 1) { index++; }       if (event.keycode === 38 && index > 0) { index--; }        updat
evalue(select, index);     });   }); });  result                                  ...
   
 
   
    Example 5 - Learn web development
    
asslist.add('active'); };  function toggleoptlist(select, show) {   var optlist = select.queryselector('.optlist');    optlist.classlist.toggle('hidden'); }  function highlightoption(select, option) {   var optionlist = select.queryselectorall('.option');    optionlist.foreach(function (other) {     other.classlist.remove('highlight');   });    option.classlist.add('highlight'); };  function updat
evalue(select, index) {   var nativewidget = select.previouselementsibling;   var value = select.queryselector('.value');   var optionlist = select.queryselectorall('.option');    optionlist.foreach(function (other) {     other.setattribute('aria-selected', 'false');   });    optionlist[index].setattribute('aria-selected', 'true');    nativewidget.selectedindex = index;   value.innerhtml = optionlist[...
...rm.classlist.remove("no-widget");   form.classlist.add("widget"); });  window.addeventlistener('load', function () {   var selectlist = document.queryselectorall('.select');    selectlist.foreach(function (select) {     var optionlist = select.queryselectorall('.option'),         selectedindex = getindex(select);      select.tabindex = 0;     select.previouselementsibling.tabindex = -1;      updat
evalue(select, selectedindex);      optionlist.foreach(function (option, index) {       option.addeventlistener('mouseover', function () {         highlightoption(select, option);       });        option.addeventlistener('click', function (event) {         updat
evalue(select, index);       });     });      select.addeventlistener('click', function (event) {       toggleoptlist(select);     });      se...
...('blur', function (event) {       deactivateselect(select);     });      select.addeventlistener('keyup', function (event) {       var length = optionlist.length,           index  = getindex(select);        if (event.keycode === 27) { deactivateselect(select); }       if (event.keycode === 40 && index < length - 1) { index++; }       if (event.keycode === 38 && index > 0) { index--; }        updat
evalue(select, index);     });   }); });   result                                  ...
   
 
   
    HTML table advanced features and accessibility - Learn web development
    
padding: 10px;         }          tbody {           font-size: 90%;           font-style: italic;         }          tfoot {           font-weight: bold;         }     </style>   </head>   <body>       <table>         <caption>how i chose to spend my money</caption>         <thead>           <tr>             <th>purchase</th>             <th>location</th>             <th>date</th>             <th>
evaluation</th>             <th>cost (€)</th>           </tr>         </thead>         <tfoot>           <tr>             <td colspan="4">sum</td>             <td>118</td>           </tr>         </tfoot>         <tbody>           <tr>             <td>haircut</td>             <td>hairdresser</td>             <td>12/09</td>             <td>great idea</td>             <td>30</td>           </tr>      ...
...looking back to our spending record example from earlier on, you could unambiguously define the column headers as column headers like this:  <thead>   <tr>     <th scope="col">purchase</th>     <th scope="col">location</th>     <th scope="col">date</th>     <th scope="col">
evaluation</th>     <th scope="col">cost (€)</th>   </tr> </thead>  and each row could have a header defined like this (if we added row headers as well as column headers):  <tr>   <th scope="row">haircut</th>   <td>hairdresser</td>   <td>12/09</td>   <td>great idea</td>   <td>30</td> </tr>  screenreaders will recognize markup structured like this, and allow their users to read out the entire column ...
... returning to our spending costs example, the previous two snippets could be rewritten like this:  <thead>   <tr>     <th id="purchase">purchase</th>     <th id="location">location</th>     <th id="date">date</th>     <th id="
evaluation">
evaluation</th>     <th id="cost">cost (€)</th>   </tr> </thead> <tbody> <tr>   <th id="haircut">haircut</th>   <td headers="location haircut">hairdresser</td>   <td headers="date haircut">12/09</td>   <td headers="
evaluation haircut">great idea</td>   <td headers="cost haircut">30</td> </tr>    ...
   
 
   
    Looping code - Learn web development
    
   a final-expression — this is always 
evaluated (or run) each time the loop has gone through a full iteration.
... {   font-size: 16px; }  .a11y-label {   margin: 0;   text-align: right;   font-size: 0.7rem;   width: 98%; }  body {   margin: 10px;   background: #f5f9fa; }    const textarea = document.getelementbyid('code'); const reset = document.getelementbyid('reset'); const solution = document.getelementbyid('solution'); let code = textarea.value; let userentry = textarea.value;  function updatecode() {   
eval(textarea.value); }  reset.addeventlistener('click', function() {   textarea.value = code;   userentry = textarea.value;   solutionentry = jssolution;   solution.value = 'show solution';   updatecode(); });  solution.addeventlistener('click', function() {   if(solution.value === 'show solution') {     textarea.value = solutionentry;     solution.value = 'hide solution';   } else {     textarea.val...
...h2 {   font-size: 16px; }  .a11y-label {   margin: 0;   text-align: right;   font-size: 0.7rem;   width: 98%; }  body {   margin: 10px;   background: #f5f9fa; }  const textarea = document.getelementbyid('code'); const reset = document.getelementbyid('reset'); const solution = document.getelementbyid('solution'); let code = textarea.value; let userentry = textarea.value;  function updatecode() {   
eval(textarea.value); }  reset.addeventlistener('click', function() {   textarea.value = code;   userentry = textarea.value;   solutionentry = jssolution;   solution.value = 'show solution';   updatecode(); });  solution.addeventlistener('click', function() {   if(solution.value === 'show solution') {     textarea.value = solutionentry;     solution.value = 'hide solution';   } else {     textarea.val...
   
 
   
    Video and Audio APIs - Learn web development
    
add the following at the bottom of your file:  function settime() {   let minutes = math.floor(media.currenttime / 60);   let seconds = math.floor(media.currenttime - minutes * 60);   let minut
evalue;   let secondvalue;    if (minutes < 10) {     minut
evalue = '0' + minutes;   } else {     minut
evalue = minutes;   }    if (seconds < 10) {     secondvalue = '0' + seconds;   } else {     secondvalue = seconds;   }    let mediatime = minut
evalue + ':' + secondvalue;   timer.textcontent = mediatime;    let barlength = timerwrapper.clientwidth * (media.currenttime/media.duration);   timerbar.sty...
... then we initialize two more variables — minut
evalue and secondvalue.
... the actual time value to display is set as minut
evalue plus a colon character plus secondvalue.
   
 
   
    Useful string methods - Learn web development
    
h2 {   font-size: 16px; }  .a11y-label {   margin: 0;   text-align: right;   font-size: 0.7rem;   width: 98%; }  body {   margin: 10px;   background: #f5f9fa; }  const textarea = document.getelementbyid('code'); const reset = document.getelementbyid('reset'); const solution = document.getelementbyid('solution'); let code = textarea.value; let userentry = textarea.value;  function updatecode() {   
eval(textarea.value); }  reset.addeventlistener('click', function() {   textarea.value = code;   userentry = textarea.value;   solutionentry = jssolution;   solution.value = 'show solution';   updatecode(); });  solution.addeventlistener('click', function() {   if(solution.value === 'show solution') {     textarea.value = solutionentry;     solution.value = 'hide solution';   } else {     textarea.val...
...h2 {   font-size: 16px; }  .a11y-label {   margin: 0;   text-align: right;   font-size: 0.7rem;   width: 98%; }  body {   margin: 10px;   background: #f5f9fa; }  const textarea = document.getelementbyid('code'); const reset = document.getelementbyid('reset'); const solution = document.getelementbyid('solution'); let code = textarea.value; let userentry = textarea.value;  function updatecode() {   
eval(textarea.value); }  reset.addeventlistener('click', function() {   textarea.value = code;   userentry = textarea.value;   solutionentry = jssolution;   solution.value = 'show solution';   updatecode(); });  solution.addeventlistener('click', function() {   if(solution.value === 'show solution') {     textarea.value = solutionentry;     solution.value = 'hide solution';   } else {     textarea.val...
...2 {   font-size: 16px; }  .a11y-label {   margin: 0;   text-align: right;   font-size: 0.7rem;   width: 98%; }  body {   margin: 10px;   background: #f5f9fa; }   const textarea = document.getelementbyid('code'); const reset = document.getelementbyid('reset'); const solution = document.getelementbyid('solution'); let code = textarea.value; let userentry = textarea.value;  function updatecode() {   
eval(textarea.value); }  reset.addeventlistener('click', function() {   textarea.value = code;   userentry = textarea.value;   solutionentry = jssolution;   solution.value = 'show solution';   updatecode(); });  solution.addeventlistener('click', function() {   if(solution.value === 'show solution') {     textarea.value = solutionentry;     solution.value = 'hide solution';   } else {     textarea.val...
   
 
   
    Gecko info for Windows accessibility vendors
    
            hresult get_nodeinfo(         /* [out] */ bstr *nodename,         // for elements, this is the tag name          /* [out] */ short *namespaceid,          /* [out] */ bstr *nod
evalue,          /* [out] */ unsigned int *numchildren,          /* [out] */ unsigned int *uniqueid, // see         description of unique id's in above section on events          /* [out] */ unsigned short *nodetype);     the get_attributes method returns the set of attribute, value pairs for a given node, as well as the namespace id for each attribute.
...     hresult get_computedstyle(  /* [in] */ unsigned short maxstyleproperties,  /* [in] */ boolean usealternateview,  // if true, returns properties for media  // as set in nsidomdocument::set_alternateviewmediatypes  /* [out] */ bstr *styleproperties,  /* [out] */ bstr *styl
evalues,  /* [out] */ unsigned short *numstyleproperties);     a variation on this method is get_computedstyleforproperties, which lets turns the styleproperties array into an [in] parameter, letting you specify only those style properties you're interested in.
...     hresult get_computedstyleforproperties(  /* [in] */ unsigned short numstyleproperties,  /* [in] */ boolean usealternateview, //  if true, returns properties for media  // as set in nsidomdocument::set_alternateviewmediatypes  /* [in] */ bstr *styleproperties,  /* [out] */ bstr *styl
evalues);     to scroll the document in order make a specific element visible in the window, use scrollto(boolean placetopleft).
   
 
   
    Debugging on Windows
    
.* ; might be too broad: (ns|promise)[^\:]*[ss]tring.* ...add common functions to this list   should probably make a .reg file for easy importing  obtaining stdout and other file handles  running the following command in the command window in visual studio returns the value of stdout, which can be used with various debugging methods (such as nsgenericelement::list) that take a file* param:  debug.
evaluatestatement {,,msvcr80d}(&__iob_func()[1])   (alternatively you can 
evaluate {,,msvcr80d}(&__iob_func()[1]) in the quickwatch window)  similarly, you can open a file on the disk using fopen:  >debug.
evaluatestatement {,,msvcr80d}fopen("c:\\123", "w") 0x10311dc0 { ..snip..
... } >debug.
evaluatestatement ((nsgenericelement*)0x03f0e710)->list((file*)0x10311dc0, 1) <void> >debug.
evaluatestatement {,,msvcr80d}fclose((file*)0x10311dc0) 0x00000000   note that you may not see the debugging output until you flush or close the file handle.
... for example, to print curent javascript stack to stdout, 
evaluate this in quickwatch window:  {,,xul}dumpjsstack()    note: visual c++ will show you something in the quick watch window, but not the stack, you have to look in the os console for the output.
   
 
   
    gettext
    
the second part is 
evaluated and the result of the 
evaluation is used to choose the right msgstr.
... in the rule above, if n equals 1, the expression is 
evaluated to false, or 0, so msgstr[0] will be used.
...1 : 2 is 
evaluated to 2, and so a msgstr[2] should be used.
   
 
   
    PR_STATIC_ASSERT
    
 syntax  #include <prlog.h>  pr_static_assert ( expression );   parameters  the macro has this parameter:    expression  any valid expression which 
evaluates at compile-time to true or false.
... an expression which cannot be 
evaluated at compile time will cause a compiler error; see pr_assert for a runtime alternative.
...   returns  nothing  description  this macro 
evaluates the specified expression.
   
 
   
  
   
    Index
    
  signver -v -s signature_file -i signed_file -d sql:/home/my/sharednssdb   signatur
evalid=yes    printing signature data     the -a option prints all of the information contained in a signature file.
...       259     fc_getattribut
evalue     nss       no summary!
...       278     fc_setattribut
evalue     nss       no summary!
   
 
   
    Performance Hints
    
 eval and new function  avoid calling 
eval when possible.
... calls to 
eval are slow because the script being executed must be compiled.
...for example, the code  function myobject(a) {     this.s = a;     this.tostring = new function("return this.s"); }   could be written more efficiently as  function myobject(a) {     this.s = a;     this.tostring = function () { return this.s } }   beginning with rhino 1.4 release 2, code passed to 
eval and new function will be interpreted rather than compiled to class files.
   
 
   
    Rhino scopes and contexts
    
you can create a scope using one context and then 
evaluate a script using that scope and another context (either by exiting the current context and entering another, or by executing on a different thread).
... we can now use newscope as a scope for calls to 
evaluate scripts.
...string loadme = "regexp; getclass; java; packages; javaadapter;"; cx.
evaluatestring(sealedsharedscope , loadme, "lazyload", 0, null); sealedsharedscope .sealobject();  dynamic scopes  there's one problem with the setup outlined above.
   
 
   
    Rhino shell
    
 print([expr ...])  
evaluate and print expressions.
... 
evaluates each expression, converts the result to a string, and prints it.
...the next invocation has no arguments, so the shell goes into interactive mode, reading and 
evaluating each line as it is typed in.
   
 
   
    JS_ConvertValue
    
  syntax  bool js_convertvalue(jscontext *cx, js::handl
evalue v, jstype type, js::mutablehandl
evalue vp);            name    type    description          cx    jscontext *    the context in which to perform the conversion.
...         v    js::handl
evalue    the value to convert.
...         vp    js::mutablehandl
evalue    out parameter.
   
 
   
    JS_GetProperty
    
  syntax  bool js_getproperty(jscontext *cx, js::handleobject obj, const char *name,                js::mutablehandl
evalue vp);  bool js_getucproperty(jscontext *cx, js::handleobject obj,                  const char16_t *name, size_t namelen,                  js::mutablehandl
evalue vp);  bool js_getpropertybyid(jscontext *cx, js::handleobject obj, js::handleid id,                    js::mutablehandl
evalue vp); // added in spidermonkey 1.8.1            name    type    description          cx    jscontext *    a context.
...         vp    js::mutablehandl
evalue    out parameter.
...  internally, property retri
eval, including all the behavior described above, is implemented by obj's jsobjectops.getproperty callback.
   
 
   
    JS_GetSecurityCallbacks
    
       callback structure struct jssecuritycallbacks {     jscsp
evalchecker           contentsecuritypolicyallows; // added in spidermonkey 1.8.5     jssubsumesop               subsumes; // added in spidermonkey 31      jscheckaccessop            checkobjectaccess;    // obsolete since jsapi 29      jsprincipalstranscoder     principalstranscoder; // obsolete since jsapi 13     jsobjectprincipalsfinder   findobjectprincipals; // obsolete since jsapi 13 };         ...
...   name    type    description          contentsecuritypolicyallows    jscsp
evalchecker    a pointer to the function which checks if a csp instance wants to disable 
eval() and friends.
...if the callbacks are default value, it returns null  see also   mxr id search for js_getsecuritycallbacks mxr id search for js_setsecuritycallbacks jsprincipals jscsp
evalchecker jssubsumesop bug 957688 - removed checkobjectaccess bug 924905 - added subsumes bug 728250 - added -js_getsecuritycallbacks and js_setsecuritycallbacks, removed js_setcontextsecuritycallbacks, js_getruntimesecuritycallbacks, and js_setruntimesecuritycallbacks                    ...
   
 
   
    JS_SetProperty
    
  syntax  bool js_setproperty(jscontext *cx, js::handleobject obj, const char *name,                js::handl
evalue v);  bool js_setucproperty(jscontext *cx, js::handleobject obj,                  const char16_t *name, size_t namelen,                  js::handl
evalue v);  bool js_setpropertybyid(jscontext *cx, js::handleobject obj, js::handleid id,                    js::handl
evalue v); // added in spidermonkey 1.8.1            name    type    description          cx    jscontext *    pointer to a js context from which to derive runtime information.
...         obj    js::handl
evalue    object to which the property to set belongs.
...         v    js::handl
evalue    in/out parameter.
   
 
   
    mozIStorageAggregateFunction
    
    last changed in gecko 1.9 (firefox 3)     inherits from: nsisupports  method overview           void onstep(in mozistorag
evaluearray afunctionarguments);          nsivariant onfinal();        methods  onstep()  this is called for each row of results returned by the query.
...    void onstep(   in mozistorag
evaluearray afunctionarguments );  parameters    afunctionarguments  a mozistorag
evaluearray holding the arguments passed in to the function.
...class standarddeviationfunc : public mozistorageaggregatefunction { public:   ns_imethod onstep(mozistorag
evaluearray *aarguments)   {     print32 value;     nsresult rv = aarguments->getint32(&value);     ns_ensure_success(rv, rv);      mnumbers.appendelement(value);   }    ns_imethod onfinal(nsivariant **_result)   {     print64 total = 0;     for (pruint32 i = 0; i < mnumbers.length(); i++)       total += mnumbers[i];     print32 mean = total / mnumbers.length();      nstarray<print64> data(mnumbers); ...
   
 
   
    mozIStorageStatement
    
   inherits from: mozistorag
evaluearray last changed in gecko 1.9.2 (firefox 3.6 / thunderbird 3.1 / fennec 1.0)   for an introduction on how to use this interface, see the storage overview document.
...row data may be accessed using mozistorag
evaluearray methods on the statement.
...  void execute();   see also    storage introduction and how-to article  mozistorageconnection database connection to a specific file or in-memory data storage  mozistorag
evaluearray wraps an array of sql values, such as a result row.
   
 
   
    nsIDictionary
    
method overview          boolean haskey(in string key);          void getkeys(out pruint32 count, [retval, array, size_is(count)] out string keys);          nsisupports getvalue(in string key);          void setvalue(in string key, in nsisupports value);          nsisupports delet
evalue(in string key);          void clear();       methods haskey() check if a given key is present in the dictionary.
... delet
evalue() find the value indicated by the key.
...   nsisupports delet
evalue(      in string key   );  parameters      key     the key indicating the pair to be removed.
   
 
   
    nsIMsgSearchCustomTerm
    
   *    * @return               true if enabled    */   boolean getenabled(in nsmsgsearchscop
evalue scope,                      in nsmsgsearchopvalue    op);  getavailable   /**    * is this custom term available?
...   *    * @return               true if available    */   boolean getavailable(in nsmsgsearchscop
evalue scope,                        in nsmsgsearchopvalue op);  getavailableoperators   /**    * list the valid operators for this term.
...    *    * @param scope          search scope (nsmsgsearchscope)    * @param length         object to hold array length    *    * @return               array of operators    */   void getavailableoperators(in nsmsgsearchscop
evalue scope,                              out unsigned long        length,                              [retval, array, size_is(length)]                              out nsmsgsearchopvalue   operators);  match   /**    * apply the custom search term to a message     *     * @param msghdr       header database reference representing the message     * @param searchvalue  user-set value to use in the search     * @param searchop     search operator (contains, ishigherthan, etc.)     *     * @return             true if the term matches the message, else false     */     boolea...
   
 
   
    nsIWindowsRegKey
    
ng relpath, in unsigned long mode);          nsiwindowsregkey openchild(in astring relpath, in unsigned long mode);          acstring readbinaryvalue(in astring name);          unsigned long long readint64value(in astring name);          unsigned long readintvalue(in astring name);          astring readstringvalue(in astring name);          void removechild(in astring relpath);          void remov
evalue(in astring name);          void startwatching(in boolean recurse);          void stopwatching();          void writebinaryvalue(in astring name, in acstring data);          void writeint64value(in astring name, in unsigned long long data);          void writeintvalue(in astring name, in unsigned long data);          void writestringvalue(in astring name, in astring data);       attributes      ...
... remov
evalue() this method removes the value with the given name.
... void remov
evalue(   in astring name );  parameters      name     the name of the value to be removed.
   
 
   
    nsIXFormsModelElement
    
        1.0    66        introduced gecko 1.8          obsolete    gecko 1.9.1     inherits from: nsisupports last changed in gecko 1.8 (firefox 1.5 / thunderbird 1.5 / seamonkey 1.0)  method overview    nsidomdocument getinstancedocument(in domstring instanceid);   void rebuild();   void recalculate();   void refresh();   void r
evalidate();    methods getinstancedocument() nsidomdocument getinstancedocument(   in domstring instanceid );  parameters  instanceid the id of the instance element to be returned.
...r
evalidate() signals the xforms processor to perform a full r
evalidation of the given xforms model.
... void r
evalidate();  parameters none.
   
 
   
    CData
    
 return value  a string that, ideally, should be able to be 
evaluated to produce a new cdata object containing a copy of the original object.
... in theory, in other words, the following javascript expression should return a copy of the original cdata object:  
eval(dataobject.tosource());   tostring()  returns a string identifying the data.
...6 (so 37 if count from 1), we see 183, and at 77 we see char code of 0 if casted to unsigned_char, if casted to char we see -73 at pos 36 but pos 77 still 0, if casted to jschar we see chineese characters in all spots expect spaces even null terminator is a chineese character         console.info('ptrasarr.length:', ptrasarr.length);         //console.log('debug-msg :: datacasted:', datacasted, un
eval(datacasted), datacasted.tostring());         var charcode = [];         var fromcharcode = []         for (var i=0; i<ptrasarr.length; i++) { //if known_len is correct, then will not hit null terminator so like in example of "_scratchpad/entehandle.js at master · noitidart/_scratchpad mdnfirefox" if you pass length of 77, then null term will not get hit by this loop as null term is at pos 77 and...
   
 
   
  
   
    Browser Console - Firefox Developer Tools
    
 at the bottom, a command line interpreter enables you to 
evaluate javascript expressions.
...  like the web console, the command line interpreter enables you to 
evaluate javascript expressions in real time:also like the web console's command line interpreter, this command line supports autocomplete, history, and various keyboard shortcuts and helper commands.
...you can confirm this by 
evaluating window:    this means you can control the browser: opening, closing tabs and windows and changing the content that they host, and modify the browser's ui by creating, changing and removing xul elements.
   
 
   
    Index - Firefox Developer Tools
    
we use debugger to set a breakpoint in a function, and then 
evaluate an expression whenever it is hit.
...       120     debug 
eval sources            you can debug javascript code that is 
evaluated dynamically, either as a string passed to 
eval() or as a string passed to the function constructor.
...when the program reaches the line, the debugger pauses only if the breakpoint's specified expression 
evaluates to true.
   
 
   
    BluetoothRemoteGATTDescriptor - Web APIs
    
value;   promise<arraybuffer> readvalue();   promise<void> writ
evalue(buffersource value); };  properties    bluetoothremotegattdescriptor.characteristicread only   returns the bluetoothremotegattcharacteristic this descriptor belongs to.
... bluetoothremotegattdescriptor.writ
evalue()  sets the value property to the bytes contained in an arraybuffer and returns a promise.
...                nochrome android                 full support                              57firefox android                 no support                              noopera android                 full support                              44safari ios                 no support                              nosamsung internet android                 full support                              7.0writ
evalue experimentalchrome                 full support                              57notes                  full support                              57notes notes macos only.
   
 
   
    CSS Object Model (CSSOM) - Web APIs
    
 reference     animationevent  caretposition  css  csscharsetrule  cssconditionrule  csscounterstylerule  cssfontfacerule  cssfontfeatur
evaluesmap  cssfontfeatur
evaluesrule  cssgroupingrule  cssimportrule  csskeyframerule  csskeyframesrule  cssmarginrule  cssmediarule  cssnamespacerule  csspagerule  cssrule  cssrulelist  cssstyledeclaration  cssstylesheet  cssstylerule  csssupportsrule  cssvariablesmap  cssviewportrule  elementcssinlinestyle  fontface  fontfaceset  fontfacesetloadevent  geometryutils  getstyleutils  linkstyle  medialist  mediaquerylist  mediaquerylistevent  mediaquerylis...
... css typed object model          cssimag
evalue    csskeywordvalue    cssmathinvert    cssmathmax    cssmathmin    cssmathnegate    cssmathproduct    cssmathsum    cssmathvalue    cssmatrixcomponent    cssnumericarray    cssnumericvalue    cssperspective    csspositionvalue    cssrotate    cssscale    cssskew    cssskewx    cssskewy    cssstyl
evalue    csstransformcomponent    csstransformvalue    csstranslate    cssunitvalue    cssunparsedvalue    cssvariablereferenc
evalue    stylepropertymap    stylepropertymapreadonly      obsolete cssom interfaces         ...
... cssprimitiv
evalue    cssvalue    cssvaluelist      tutorials    determining the dimensions of elements (it needs some updating as it was made in the dhtml/ajax era).
   
 
   
    Event.eventPhase - Web APIs
    
 the eventphase read-only property of the event interface indicates which phase of the event flow is currently being 
evaluated.
...  syntax  let phase = event.eventphase;   value  returns an integer value which specifies the current 
evaluation phase of the event flow.
... constants  event phase constants  these values describe which phase the event flow is currently being 
evaluated.
   
 
   
    EventTarget.addEventListener() - Web APIs
    
 html  <table id="outside">   <tr><td id="t1">one</td></tr>   <tr><td id="t2">two</td></tr> </table>   javascript  // function to change the content of t2 function modifytext() {   const t2 = document.getelementbyid("t2");   if (t2.firstchild.nod
evalue == "three") {     t2.firstchild.nod
evalue = "two";   } else {     t2.firstchild.nod
evalue = "three";   } }  // add event listener to table const el = document.getelementbyid("outside"); el.addeventlistener("click", modifytext, false);   in this code, modifytext() is a listener for click events registered using addeventlistener().
... html  <table id="outside">   <tr><td id="t1">one</td></tr>   <tr><td id="t2">two</td></tr> </table>  javascript  // function to change the content of t2 function modifytext(new_text) {   const t2 = document.getelementbyid("t2");   t2.firstchild.nod
evalue = new_text; }  // function to add event listener to table const el = document.getelementbyid("outside"); el.addeventlistener("click", function(){modifytext("four")}, false);   notice that the listener is an anonymous function that encapsulates code that is then, in turn, able to send parameters to the modifytext() function, which is responsible for actually responding to the event.
... html  <table id="outside">   <tr><td id="t1">one</td></tr>   <tr><td id="t2">two</td></tr> </table>   javascript  // function to change the content of t2 function modifytext(new_text) {   const t2 = document.getelementbyid("t2");   t2.firstchild.nod
evalue = new_text; }  // add event listener to table with an arrow function const el = document.getelementbyid("outside"); el.addeventlistener("click", () => { modifytext("four"); }, false);   result    please note that while anonymous and arrow functions are similar, they have different this bindings.
   
 
   
    Geolocation API - Web APIs
    
  in both cases, the method call takes up to three arguments:    a mandatory success callback: if the location retri
eval is successful, the callback executes with a geolocationposition object as its only parameter, providing access to the location data.
...  an optional error callback: if the location retri
eval is unsuccessful, the callback executes with a geolocationpositionerror object as its only parameter, providing access information on what went wrong.
...  an optional positionoptions object, which provides options for retri
eval of the position data.
   
 
   
    IDBKeyRange.bound() - Web APIs
    
here we declare a keyrang
evalue = idbkeyrange.bound("a", "f"); — a range between values of "a" and "f".
... we open a transaction (using idbtransaction) and an object store, and open a cursor with idbobjectstore.opencursor, declaring keyrang
evalue as its optional key range value.
...  note: for a more complete example allowing you to experiment with key range, have a look at the idbkeyrange directory in the indexeddb-examples repo (view the example live too.)   function displaydata() {   var keyrang
evalue = idbkeyrange.bound("a", "f");    var transaction = db.transaction(['fthings'], 'readonly');   var objectstore = transaction.objectstore('fthings');    objectstore.opencursor(keyrang
evalue).onsuccess = function(event) {     var cursor = event.target.result;       if(cursor) {         var listitem = document.createelement('li');         listitem.innerhtml = '<strong>' + cursor.value.fthing + '</...
   
 
   
    IDBKeyRange.lower - Web APIs
    
here we declare keyrang
evalue = idbkeyrange.upperbound("f", "w", true, true); — a range that includes everything between "f" and "w" but not including them — since both the upper and lower bounds have been declared as open (true).
... we open a transaction (using idbtransaction) and an object store, and open a cursor with idbobjectstore.opencursor, declaring keyrang
evalue as its optional key range value.
...  note: for a more complete example allowing you to experiment with key range, have a look at our idbkeyrange-example repo (view the example live too.)   function displaydata() {   var keyrang
evalue = idbkeyrange.bound("f", "w", true, true);   console.log(keyrang
evalue.lower);    var transaction = db.transaction(['fthings'], 'readonly');   var objectstore = transaction.objectstore('fthings');    objectstore.opencursor(keyrang
evalue).onsuccess = function(event) {     var cursor = event.target.result;       if(cursor) {         var listitem = document.createelement('li');         listitem.innerhtml = '<strong>' + cursor.value.fthing + '</strong>, ' + cursor.value.frating;         list.app...
   
 
   
    IDBKeyRange.lowerBound() - Web APIs
    
here we declare keyrang
evalue = idbkeyrange.lowerbound("f", false); — a range that includes the value "f" and everthing after it.
... we open a transaction (using idbtransaction) and an object store, and open a cursor with idbobjectstore.opencursor, declaring keyrang
evalue as its optional key range value.
...  note: for a more complete example allowing you to experiment with key range, have a look at our idbkeyrange-example repo (view the example live too.)   function displaydata() {   var keyrang
evalue = idbkeyrange.lowerbound("f");    var transaction = db.transaction(['fthings'], 'readonly');   var objectstore = transaction.objectstore('fthings');    objectstore.opencursor(keyrang
evalue).onsuccess = function(event) {     var cursor = event.target.result;       if(cursor) {         var listitem = document.createelement('li');         listitem.innerhtml = '<strong>' + cursor.value.fthing + '</...
   
 
   
    IDBKeyRange.lowerOpen - Web APIs
    
here we declare keyrang
evalue = idbkeyrange.upperbound("f", "w", true, true); — a range that includes everything between "f" and "w" but not including them — since both the upper and lower bounds have been declared as open (true).
... we open a transaction (using idbtransaction) and an object store, and open a cursor with idbobjectstore.opencursor, declaring keyrang
evalue as its optional key range value.
...  note: for a more complete example allowing you to experiment with key range, have a look at our idbkeyrange-example repo (view the example live too.)   function displaydata() {   var keyrang
evalue = idbkeyrange.bound("f", "w", true, true);   console.log(keyrang
evalue.loweropen);    var transaction = db.transaction(['fthings'], 'readonly');   var objectstore = transaction.objectstore('fthings');    objectstore.opencursor(keyrang
evalue).onsuccess = function(event) {     var cursor = event.target.result;       if(cursor) {         var listitem = document.createelement('li');         listitem.innerhtml = '<strong>' + curso...
   
 
   
    IDBKeyRange.only() - Web APIs
    
here we declare a keyrang
evalue = idbkeyrange.only("a"); — a range that only includes the value "a".
... we open a transaction (using idbtransaction) and an object store, and open a cursor with idbobjectstore.opencursor, declaring keyrang
evalue as its optional key range value.
...  note: for a more complete example allowing you to experiment with key range, have a look at our idbkeyrange repo (view the example live too.)   function displaydata() {   var keyrang
evalue = idbkeyrange.only("a");    var transaction = db.transaction(['fthings'], 'readonly');   var objectstore = transaction.objectstore('fthings');    objectstore.opencursor(keyrang
evalue).onsuccess = function(event) {     var cursor = event.target.result;       if(cursor) {         var listitem = document.createelement('li');         listitem.innerhtml = '<strong>' + cursor.value.fthing + '</strong>, ' + cursor.value.frating;         list.appendchild(listitem);          cursor.continue();       } else {         console.log('entri...
   
 
   
    IDBKeyRange.upper - Web APIs
    
here we declare keyrang
evalue = idbkeyrange.upperbound("f", "w", true, true); — a range that includes everything between "f" and "w" but not including them — since both the upper and lower bounds have been declared as open (true).
... we open a transaction (using idbtransaction) and an object store, and open a cursor with idbobjectstore.opencursor, declaring keyrang
evalue as its optional key range value.
...  note: for a more complete example allowing you to experiment with key range, have a look at our idbkeyrange-example repo (view the example live too.)   function displaydata() {   var keyrang
evalue = idbkeyrange.bound("f", "w", true, true);   console.log(keyrang
evalue.upper);    var transaction = db.transaction(['fthings'], 'readonly');   var objectstore = transaction.objectstore('fthings');    objectstore.opencursor(keyrang
evalue).onsuccess = function(event) {     var cursor = event.target.result;       if(cursor) {         var listitem = document.createelement('li');         listitem.innerhtml = '<strong>' + cursor.value.fthing + '</strong>, ' + cursor.value.frating;         list.app...
   
 
   
    IDBKeyRange.upperBound() - Web APIs
    
here we declare keyrang
evalue = idbkeyrange.upperbound("f"); — a range that includes the value "f" and everything before it.
... we open a transaction (using idbtransaction) and an object store, and open a cursor with idbobjectstore.opencursor, declaring keyrang
evalue as its optional key range value.
...  note: for a more complete example allowing you to experiment with key range, have a look at our idbkeyrange-example repo (view the example live too.)   function displaydata() {   var keyrang
evalue = idbkeyrange.upperbound("f");    var transaction = db.transaction(['fthings'], 'readonly');   var objectstore = transaction.objectstore('fthings');    objectstore.opencursor(keyrang
evalue).onsuccess = function(event) {     var cursor = event.target.result;       if(cursor) {         var listitem = document.createelement('li');         listitem.innerhtml = '<strong>' + cursor.value.fthing + '</strong>, ' + cursor.value.frating;         list.appendchild(listitem);          c...
   
 
   
    IDBKeyRange.upperOpen - Web APIs
    
here we declare keyrang
evalue = idbkeyrange.upperbound("f", "w", true, true); — a range that includes everything between "f" and "w" but not including them — since both the upper and lower bounds have been declared as open (true).
... we open a transaction (using idbtransaction) and an object store, and open a cursor with idbobjectstore.opencursor, declaring keyrang
evalue as its optional key range value.
...  note: for a more complete example allowing you to experiment with key range, have a look at our idbkeyrange-example repo (view the example live too.)   function displaydata() {   var keyrang
evalue = idbkeyrange.bound("f", "w", true, true);   console.log(keyrang
evalue.upperopen);    var transaction = db.transaction(['fthings'], 'readonly');   var objectstore = transaction.objectstore('fthings');    objectstore.opencursor(keyrang
evalue).onsuccess = function(event) {     var cursor = event.target.result;       if(cursor) {         var listitem = document.createelement('li');         listitem.innerhtml = '<strong>' + curso...
   
 
   
  
   
    IDBKeyRange - Web APIs
    
here we declare a keyrang
evalue as a range between values of "a" and "f".
... we open a transaction (using idbtransaction) and an object store, and open a cursor with idbobjectstore.opencursor, declaring keyrang
evalue as its optional key range value.
...  note: for a more complete example allowing you to experiment with key range, have a look at our idbkeyrange-example repo (view the example live too.)   function displaydata() {   var keyrang
evalue = idbkeyrange.bound("a", "f");    var transaction = db.transaction(['fthings'], 'readonly');   var objectstore = transaction.objectstore('fthings');    objectstore.opencursor(keyrang
evalue).onsuccess = function(event) {     var cursor = event.target.result;     if(cursor) {       var listitem = document.createelement('li');       listitem.innerhtml = '<strong>' + cursor.value.fthing + '</strong...
   
 
   
    SVGAnimatedAngle - Web APIs
    
 interface overview           also implement    none          methods    none          properties               readonly svgangle bas
eval      readonly svgangle animval                   normative document    svg 1.1 (2nd edition)        properties           name    type    description              bas
eval    svgangle    the base value of the given attribute before applying any animations.
...if the given attribute is not currently being animated, then the svgangle will have the same contents as bas
eval.
... the object referenced by animval will always be distinct from the one referenced by bas
eval, even when the attribute is not animated.
   
 
   
    SVGAnimatedLengthList - Web APIs
    
 interface overview           also implement    none          methods    none          properties               readonly svglengthlist bas
eval      readonly svglengthlist animval                   normative document    svg 1.1 (2nd edition)        properties           name    type    description              bas
eval    svglengthlist    the base value of the given attribute before applying any animations.
...if the given attribute is not currently being animated, then the svglengthlist will have the same contents as bas
eval.
... the object referenced by animval will always be distinct from the one referenced by bas
eval, even when the attribute is not animated.
   
 
   
    SVGAnimatedNumberList - Web APIs
    
 interface overview           also implement    none          methods    none          properties               readonly svgnumberlist bas
eval      readonly svgnumberlist animval                   normative document    svg 1.1 (2nd edition)        properties    svganimatednumberlist.bas
eval read only   is a svgnumberlist that represents the base value of the given attribute before applying any animations.
...if the given attribute is not currently being animated, then the svgnumberlist will have the same contents as bas
eval.
... the object referenced by animval will always be distinct from the one referenced by bas
eval, even when the attribute is not animated.
   
 
   
    SVGAnimatedPreserveAspectRatio - Web APIs
    
 interface overview           also implement    none          methods    none          properties               readonly float bas
eval      readonly float animval                   normative document    svg 1.1 (2nd edition)        properties   svganimatedpreserveaspectratio.bas
eval read only   is a svgpreserveaspectratio that represents the base value of the given attribute before applying any animations.
...if the given attribute is not currently being animated, then the svgpreserveaspectratio will have the same contents as bas
eval.
... the object referenced by animval is always distinct from the one referenced by bas
eval, even when the attribute is not animated.
   
 
   
    SVGAnimatedRect - Web APIs
    
 interface overview           also implement    none          methods    none          properties               readonly svgrect bas
eval      readonly svgrect animval                   normative document    svg 1.1 (2nd edition)        properties           name    type    description              bas
eval    svgrect    the base value of the given attribute before applying any animations.
...if the given attribute is not currently being animated, then the svgrect will have the same contents as bas
eval.
... the object referenced by animval will always be distinct from the one referenced by bas
eval, even when the attribute is not animated.
   
 
   
    SVGAnimatedString.animVal - Web APIs
    
 animval attribute or animval property contains the same value as the bas
eval property.if the given attribute or property is being animated, contains the current animated value of the attribute or property.
... if the given attribute or property is not currently being animated, then it contains the same value as bas
eval   the animval property is a read only property.
...as a result, the animval property contains the same value as the bas
eval property.
   
 
   
    SVGAnimatedString - Web APIs
    
if the given attribute or property is not currently being animated, it contains the same value as bas
eval.
...  svganimatedstring.bas
eval  this is a domstring representing the base value.
...              yeschrome android                 no support                              nofirefox android                 full support                              yesopera android                 full support                              yessafari ios                 full support                              yessamsung internet android                 no support                              nobas
evalchrome                 full support                              yesedge                 full support                              12firefox                 full support                              yesie                 no support                              noopera                 full support                              yessafari                 full support                              yeswe...
   
 
   
    SVGAnimatedTransformList - Web APIs
    
 interface overview           also implement    none          methods    none          properties               readonly svgtransformlist bas
eval      readonly svgtransformlist animval                   normative document    svg 1.1 (2nd edition)        properties           name    type    description              bas
eval    svgtransformlist    the base value of the given attribute before applying any animations.
...if the given attribute is not currently being animated, then the svgtransformlist will have the same contents as bas
eval.
... the object referenced by animval will always be distinct from the one referenced by bas
eval, even when the attribute is not animated.
   
 
   
    StylePropertyMapReadOnly.getAll() - Web APIs
    
   the getall() method of the stylepropertymapreadonly interface returns an array of cssstyl
evalue objects containing the values for the provided property.
...  syntax  var cssstyl
evalues[] = stylepropertymapreadonly.getall(property)  parameters    property  the name of the property to retrieve all values of.
...   return value  an array of cssstyl
evalue objects.
   
 
   
    Text.isElementContentWhitespace - Web APIs
    
    note: you may simply replace it with /\s+/.test(text.data), /\s+/.test(text.nod
evalue), or /\s+/.test(text.textcontent).
... var tn = document.createtextnode("hello world"); tn.iselementcontentwhitespace; /* 
evaluates to false */   for a node that is all whitespace characters, the iselementcontentwhitespace 
evaluates to true.
...  var ws = document.createtextnode("  \t \r\n   ") ws.iselementcontentwhitespace; /* 
evaluates to true */   ...
   
 
   
    XPathResult - Web APIs
    
 the xpathresult interface represents the results generated by 
evaluating an xpath expression within the context of a given node.
... xpathresult.singlenod
evalueread only   a node representing the value of the single node result, which may be null.
...  constants           result type defined constant    value    description              any_type    0    a result set containing whatever type naturally results from 
evaluation of the expression.
   
 
   
    Web APIs
    
tooth   bluetoothadvertisingdata     bluetoothcharacteristicproperties   bluetoothdevice   bluetoothremotegattcharacteristic   bluetoothremotegattdescriptor   bluetoothremotegattserver   bluetoothremotegattservice   body   broadcastchannel   budgetservice budgetstate buffersource bytelengthqueuingstrategy   bytestring  c cdatasection css cssconditionrule csscounterstylerule cssgroupingrule cssimag
evalue   csskeyframerule   csskeyframesrule   csskeywordvalue   cssmathproduct   cssmathsum   cssmathvalue   cssmediarule cssnamespacerule cssnumericvalue   cssomstring csspagerule csspositionvalue   cssprimitiv
evalue   csspseudoelement   cssrule cssrulelist cssstyledeclaration cssstylerule cssstylesheet cssstyl
evalue   csssupportsrule cssunitvalue   cssunparsedvalue   cssvalue   cssvaluelist   cssvar...
...iablereferenc
evalue   cache   cachestorage   canvascapturemediastreamtrack   canvasgradient canvasimagesource canvaspattern canvasrenderingcontext2d caretposition   channelmergernode channelsplitternode characterdata childnode   client   clients   clipboard clipboardevent   clipboarditem closeevent comment compositionevent constantsourcenode constrainboolean constraindomstring constraindouble constrainulong contentindex contentindexevent convolvernode countqueuingstrategy   crashreportbody   credential   credentialscontainer   crypto cryptokey cryptokeypair customelementregistry   customevent  d domconfiguration   domerror   domexception domhighrestimestamp domimplementation domimplementationlist   domlocator   dommatrix   dommatrixreadonly domobject   domparser dompoint dompointinit dompointr...
...ation webglvertexarrayobject webkitcssmatrix websocket wheelevent window windowclient   windoweventhandlers windoworworkerglobalscope worker workerglobalscope workerlocation workernavigator worklet   writablestream   writablestreamdefaultcontroller   writablestreamdefaultwriter    x xdomainrequest   xmldocument xmlhttprequest xmlhttprequesteventtarget xmlhttprequestresponsetype xmlserializer xpath
evaluator xpathexception xpathexpression xpathnsresolver xpathresult xrboundedreferencespace xrenvironmentblendmode xreye xrframe xrframerequestcallback xrhandedness xrinputsource   xrinputsourcearray xrinputsourceevent xrinputsourceeventinit xrinputsourceschangeevent xrinputsourceschangeeventinit xrpermissiondescriptor xrpermissionstatus xrpose xrreferencespace xrreferencespaceevent xrreferencespacee...
   
 
   
    Border-image generator - CSS: Cascading Style Sheets
    
';  		while (node.firstelementchild !== null) { 			option = node.firstelementchild; 			option_value = option.getattribute('data-value');  			if (option_value === null) 				option.setattribute('data-value', uval);  			list.appendchild(node.firstelementchild); 			uval++; 		}  		node.appendchild(select); 		node.appendchild(list);  		select.onclick = this.toggle.bind(this); 		list.onclick = this.updat
evalue.bind(this); 		document.addeventlistener('click', clickout);  		this.state = 0; 		this.time = 0; 		this.dropmenu = list; 		this.select = select; 		this.toggle(false); 		this.value = {}; 		this.topic = topic;  		if (label) 			select.textcontent = label; 		else 			this.setnod
evalue(list.children[selected]);  		dropdowns[topic] = this;  	};  	dropdown.prototype.toggle = function toggle(state) { 		i...
...if (active) 				active.toggle(false); 			active = this; 		}  		if (this.state === 0) 			this.dropmenu.setattribute('data-hidden', 'true'); 		else 			this.dropmenu.removeattribute('data-hidden');  	};  	var clickout = function clickout(e) { 		if (active.state === 0 || 			e.target === active.dropmenu || 			e.target === active.select) 			return;  		active.toggle(false); 	};  	dropdown.prototype.updat
evalue = function updat
evalue(e) {  		if (date.now() - this.time < 500) 			return;  		if (e.target.classname !== "ui-dropdown-list") { 			this.setnod
evalue(e.target); 			this.toggle(false); 		}  		this.time = date.now(); 	};  	dropdown.prototype.setnod
evalue = function setnod
evalue(node) { 		this.value['name'] = node.textcontent; 		this.value['value'] = node.getattribute('data-value');  		this.select.
...for (var i in options) { 			var x = document.createelement('div'); 			x.setattribute('data-value', i); 			x.textcontent = options[i]; 			dropdown.appendchild(x); 		}  		new dropdown(dropdown);  		return dropdown; 	};  	var setvalue = function setvalue(topic, index) { 		if (dropdowns[topic] === undefined || 			index >= dropdowns[topic].dropmenu.children.length) 			return;  		dropdowns[topic].setnod
evalue(dropdowns[topic].dropmenu.children[index]); 	};  	var subscribe = function subscribe(topic, callback) { 		if (subscribers[topic] === undefined) 			subscribers[topic] = []; 		subscribers[topic].push(callback); 	};  	var unsubscribe = function unsubscribe(topic, callback) { 		var index = subscribers[topic].indexof(callback); 		subscribers[topic].splice(index, 1); 	};  	var notify = function notif...
   
 
   
    Using media queries - CSS: Cascading Style Sheets
    
the not is 
evaluated last in the following query:  @media not all and (monochrome) { ...
...so that the above query is 
evaluated like this:  @media not (all and (monochrome)) { ...
...is 
evaluated like this:  @media (not (screen and (color))), print and (color) { ...
   
 
   
  
   
    filter - CSS: Cascading Style Sheets
    
2" xlink:href="/files/8467/test_form_4_irregular-shape_opacity-gradient.png" width="213px" height="161px"/>             </defs>             <filter id="drop-shadow2" x="-50%" y="-50%" width="200%" height="200%">               <feoffset dx="5" dy="5.5" in="sourcealpha"/>               <fegaussianblur stddeviation="2.5"/>               <fecomponenttransfer>                 <fefunca type="table" tabl
evalues="0 0.8"/>               </fecomponenttransfer>             </filter>             <use xlink:href="#myimage2" filter="url(#drop-shadow2)"/>             <use xlink:href="#myimage2"/>           </svg>         </div>       </td>       <td><img alt="test_form_4 distorded border drop shadow - static example" id="img14" class="internal default" src="/files/8469/test_form_4_irregular-shape_opacity-gra...
...7.jpeg" style="width: 100%;" /></td>       <td><img alt="test_form_7.jpg" id="img2" class="internal default" src="/files/3720/test_form_7.jpeg" style="width: 100%;" /></td>       <td><div class="svg-container"><svg xmlns="http://www.w3.org/2000/svg" id="img3" viewbox="0 0 183 276" color-interpolation-filters="srgb">  <filter id="invert">     <fecomponenttransfer>         <fefuncr type="table" tabl
evalues="1 0"/>         <fefuncg type="table" tabl
evalues="1 0"/>         <fefuncb type="table" tabl
evalues="1 0"/>     </fecomponenttransfer>  </filter>  <image xlink:href="/files/3720/test_form_7.jpeg" filter="url(#invert)" width="183px" height="276px" /> </svg><div></td>       <td><img alt="test_form_7_s.jpg" id="img4" class="internal default" src="/files/3721/test_form_7_s.jpg" style="width: 100%;...
...peg" style="width: 100%;" /></td>       <td><img alt="test_form_14.jpg" id="img2" class="internal default" src="/files/3725/test_form_14.jpeg" style="width: 100%;" /></td>       <td><div class="svg-container"><svg xmlns="http://www.w3.org/2000/svg" id="img3" viewbox="0 0 276 183" color-interpolation-filters="srgb">  <filter id="opacity">     <fecomponenttransfer>         <fefunca type="table" tabl
evalues="0 0.5">     </fecomponenttransfer>  </filter>  <image xlink:href="/files/3725/test_form_14.jpeg" filter="url(#opacity)" width="276px" height="183px" /> </svg><div></td>       <td><img alt="test_form_14_s.jpg" id="img4" class="internal default" src="/files/3726/test_form_14_s.jpg" style="width: 100%;" /></td>     </tr>   </tbody> </table>   html {   height:100%; } body {   font: 14px/1.286 "lu...
   
 
   
    HTML attribute: rel - HTML: Hypertext Markup Language
    
   link    link    link          manifest    web app manifest    link    not allowed    not allowed          modulepreload    tells to browser to preemptively fetch the script and store it in the document's module map for later 
evaluation.
... modulepreload  useful for improved performance, and relevant to the <link> anywhere in the document, setting rel="modulepreload" tells the browser to preemptively fetch the script (and dependencies) and store it in the document's module map for later 
evaluation.
... modulepreload links can ensure network fetching is done with the module ready (but not 
evaluated) in the module map before it is necessarily needed.
   
 
   
    CSP: script-src - HTTP
    
 'unsafe-
eval'  allows the use of 
eval() and similar methods for creating code from strings.
... <script>var inline = 1;</script>  unsafe 
eval expressions  the 'unsafe-
eval' source expression controls several script execution methods that create code from strings.
... if 'unsafe-
eval' isn't specified with the script-src directive, the following methods are blocked and won't have any effect:    
eval()  function()  when passing a string literal like to methods like: window.settimeout("alert(\"hello world!\");", 500);       window.settimeout    window.setinterval    window.setimmediate       window.execscript   (ie < 11 only)   strict-dynamic  the 'strict-dynamic' source expression specifies that the trust explicitly given to a script present in the markup, by accompanying it with a nonce or a hash, shall be propagated to all the scripts loaded by that root script.
   
 
   
    CSP: style-src - HTTP
    
 'unsafe-
eval'  allows the use of 
eval() and similar methods for creating code from strings.
... <style>#inline-style { background: red; }</style>  unsafe style expressions  the 'unsafe-
eval' source expression controls several style methods that create style declarations from strings.
... if 'unsafe-
eval' isn't specified with the style-src directive, the following methods are blocked and won't have any effect:    cssstylesheet.insertrule()  cssgroupingrule.insertrule()  cssstyledeclaration.csstext   specifications           specification    status    comment              content security policy level 3the definition of 'style-src' in that specification.
   
 
   
    Public class fields - JavaScript
    
they are added to the class constructor at the time of class 
evaluation using object.defineproperty().
... class classwithstaticmethod {   static staticmethod() {     return 'static method has been called.';   } }  console.log(classwithstaticmethod.staticmethod()); // expected output: "static method has been called."  the static methods are added to the class constructor with object.defineproperty() at class 
evaluation time.
... class classwithpublicinstancemethod {   publicmethod() {     return 'hello world'   } }  const instance = new classwithpublicinstancemethod() console.log(instance.publicmethod()) // expected output: "hello worl​d"  public instance methods are added to the class prototype at the time of class 
evaluation using object.defineproperty().
   
 
   
    Boolean - JavaScript
    
 any object of which the value is not undefined or null, including a boolean object whose value is false, 
evaluates to true when passed to a conditional statement.
... for example, the condition in the following if statement 
evaluates to true:  var x = new boolean(false); if (x) {   // this code is executed }   this behavior does not apply to boolean primitives.
... for example, the condition in the following if statement 
evaluates to false:  var x = false; if (x) {   // this code is not executed }   do not use a boolean object to convert a non-boolean value to a boolean value.
   
 
   
    Function() constructor - JavaScript
    
calling the constructor directly can create functions dynamically, but suffers from security and similar (but far less significant) performance issues to 
eval.
... however, unlike 
eval, the function constructor creates functions which execute in the global scope only.
...for example: "x", "th
evalue"—or "x,th
evalue".
   
 
   
    Function - JavaScript
    
calling the constructor directly can create functions dynamically but suffers from security and similar (but far less significant) performance issues to 
eval.
... however, unlike 
eval, the function constructor creates functions that execute in the global scope only.
...this is different from using 
eval with code for a function expression.
   
 
   
    GeneratorFunction - JavaScript
    
it could be obtained by 
evaluating the following code.
...each must be a string that corresponds to a valid javascript identifier or a list of such strings separated with a comma; for example "x", "th
evalue", or "a,b".
... this is different from using 
eval with code for a generator function expression.
   
 
   
    JSON.parse() - JavaScript
    
if that is so, then the text is safe for 
eval.
...          if (             rx_one.test(                 text                 .replace(rx_two, "@")                 .replace(rx_three, "]")                 .replace(rx_four, "")             )         ) {              // in the third stage we use the 
eval function to compile the text into a             // javascript structure.
...             j = 
eval("(" + text + ")");              // in the optional fourth stage, we recursively walk the new structure, passing             // each name/value pair to a reviver function for possible transformation.
   
 
   
    undefined - JavaScript
    
a method or statement also returns undefined if the variable that is being 
evaluated does not have an assigned value.
...in the following code, the variable x is not initialized, and the if statement 
evaluates to true.
... //  x has not been declared before if (typeof x === 'undefined') { //  
evaluates to true without errors    //  these statements execute }  if (x === undefined) { //  throws a referenceerror  }   however, there is another alternative.
   
 
   
    Logical AND (&&) - JavaScript
    
 short-circuit 
evaluation  the logical and expression is 
evaluated left to right, it is tested for possible "short-circuit" 
evaluation using the following rule:  (some falsy expression) && expr is short-circuit 
evaluated to the falsy expression;  short circuit means that the expr part above is not 
evaluated, hence any side effects of doing so do not take effect (e.g., if expr is a function call, the calling never ta...
...this happens because the value of the operator is already determined after the 
evaluation of the first operand.
...returns false  conversion rules for booleans  converting and to or  the following operation involving booleans:  bcondition1 && bcondition2  is always equal to:  !(!bcondition1 || !bcondition2)  converting or to and  the following operation involving booleans:  bcondition1 || bcondition2  is always equal to:  !(!bcondition1 && !bcondition2)  removing nested parentheses  as logical expressions are 
evaluated left to right, it is always possible to remove parentheses from a complex expression following some rules.
   
 
   
    Logical nullish assignment (??=) - JavaScript
    
 syntax  expr1 ??= expr2   description  short-circuit 
evaluation  the nullish coalescing operator is 
evaluated left to right, it is tested for possible short-circuit 
evaluation using the following rule:  (some expression that is neither null nor undefined) ??
... expr is short-circuit 
evaluated to the left-hand side expression if the left-hand side proves to be neither null nor undefined.
...  short circuit means that the expr part above is not 
evaluated, hence any side effects of doing so do not take effect (e.g., if expr is a function call, the calling never takes place).
   
 
   
    void operator - JavaScript
    
 the void operator 
evaluates the given expression and then returns undefined.
... syntax  void expression  description  this operator allows 
evaluating expressions that produce a value into places where an expression that 
evaluates to undefined is desired.
... javascript uris  when a browser follows a javascript: uri, it 
evaluates the code in the uri and then replaces the contents of the page with the returned value, unless the returned value is undefined.
   
 
   
    async function - JavaScript
    
progress continues, and the second await expression is 
evaluated.
...  return await promis
evalue vs.
... return promis
evalue  the implicit wrapping of return values in promise.resolve does not imply that return await promis
evalue is functionally equivalent to return promis
evalue.
   
 
   
  
   
    let - JavaScript
    
the other difference between var and let is that the latter is initialized to a value only when a parser 
evaluates it (see below).
... let x = 1;  switch(x) {   case 0: {     let foo;     break;   }   case 1: {     let foo;     break;   } }  temporal dead zone  unlike variables declared with var, which will start with the value undefined, let variables are not initialized until their definition is 
evaluated.
...ypeof operator to check for the type of a variable in that variable's temporal dead zone will throw a referenceerror:  // prints out 'undefined' console.log(typeof undeclaredvariable);  // results in a 'referenceerror' console.log(typeof i); let i = 10;  another example of temporal dead zone combined with lexical scoping  due to lexical scoping, the identifier foo inside the expression (foo + 55) 
evaluates to the if block's foo, and not the overlying variable foo with the value of 33.
   
 
   
    requiredExtensions - SVG: Scalable Vector Graphics
    
if all of the given extensions are supported, then the attribute 
evaluates to true; otherwise, the current element and its children are skipped and thus will not be rendered.
... if the attribute is not present, then it implicitly 
evaluates to "true".
... if a null string or empty string value is given, the attribute 
evaluates to "false".
   
 
   
    requiredFeatures - SVG: Scalable Vector Graphics
    
it determines whether or not all of the named features are supported by the browser; if all of them are supported, the attribute 
evaluates to true end the element is rendered; otherwise, the attribute 
evaluates to false and the current element and its children are skipped and thus will not be rendered.
... if the attribute is not present, then its implicit 
evaluated value is true.
... if a null string or empty string value is given to attribute requiredfeatures, the attribute is 
evaluate to false.
   
 
   
    SVG documentation index - SVG: Scalable Vector Graphics
    
it determines whether or not all of the named features are supported by the browser; if all of them are supported, the attribute 
evaluates to true end the element is rendered; otherwise, the attribute 
evaluates to false and the current element and its children are skipped and thus will not be rendered.
...       214     tabl
evalues     svg, svg attribute       the tabl
evalues attribute defines a list of numbers defining a lookup table of values for a for a color component transfer function.
...       369     <switch>     element, needsexample, svg, svg container       the <switch> svg element 
evaluates any requiredfeatures, requiredextensions and systemlanguage attributes on its direct child elements in order, and then renders the first child where these attributes 
evaluate to true.
   
 
   
    not - XPath
    
             xslt/xpath reference: xslt elements, exslt functions, xpath functions, xpath axes     the not function 
evaluates a boolean expression and returns the opposite value.
...  syntax  not(expression )   arguments    expression   the expression is 
evaluated exactly as if it were passed as an argument to the  boolean() function.
...   returns  true for an expression that 
evaluates to false; false for an expression that 
evaluates to true.
   
 
   
    test/assert - Archive of obsolete content
    
 methods  ok(guard, message)  tests whether an expression 
evaluates to true.
...  assert.ok(a == 1, "test that a is equal to one");  this is equivalent to:  assert.equal(a == 1, true, "test that a is equal to one");  parameters  guard : expression  the expression to 
evaluate.
   
 
   
    XPath - Archive of obsolete content
    
 notes and sample code for xpath and ajax  (the following was moved from document.
evaluate)  obj.
evaluate(xpathexpression,contextnode,namespaceresolver,resulttype,result);  //obj and contextnode should be the same object, if context is a ajax xml object (example: returnedxml)  this should be used as :   returnedxml.
evaluate(xpathexpression,returnedxml,namespaceresolver,returntype,result);  //contextnode should be used in the one in which it was created  //add by mooring 2008-11-15 16:00 china         var xhr = new ajax('post','demo.xml',parsexml,'xml'); //ajax is a class written by javascript  which return responsexml object to parsexml function  function parsexml(obj)//obj is the returnxml object now { 	if(!obj.documentelement) 	{ 		alert("your browser does't support this script!"); 		return;...
... 	} 	 	var fields = [];//store the results 	if(window.activexobject) 	{ 		var tobj = obj.documentelement.selectnodes("/root/field/item"); 		for(var i=0;i<tobj.length; i++) 		{ 			fields.push(tobj[i].text); 		} 	} 	else 	{ 		var tobj = obj.
evaluate("/root/field/item",obj.documentelement,null, xpathresult.any_type, null); 		var tmp = tobj.iteratenext(); 		while(tmp) 		{ 			fields.push(tmp.textcontent); 			tmp = tobj.iteratenext(); 		} 	}        alert(fields); } //here is the demo xml file for xpath <?xml version="1.0"?> <root> 	<field> 		<item>art_id</item> 		<item>psection</item> 		<item>qkind</item> 		<item>qtitle</item> 		<item>question</item> 		<item>pic</item> 		<item>answer1</item> 		<item>answer2</item> 		<item>answer3</item> 		<item>answer4</item> 	</field> </root>  //add by mooring 2008...
   
 
   
    Interaction between privileged and non-privileged pages - Archive of obsolete content
    
t>       var something = {         send_request: function(data, callback) { // analogue of chrome.extension.sendrequest           var request = document.createtextnode(json.stringify(data));            request.addeventlistener("something-response", function(event) {             request.parentnode.removechild(request);              if (callback) {               var response = json.parse(request.nod
evalue);               callback(response);             }           }, false);            document.head.appendchild(request);            var event = document.createevent("htmlevents");           event.initevent("something-query", true, false);           request.dispatchevent(event);         },          callback: function(response) {           return alert("response: " + (response ?
.../html>   overlay on browser.xul in your extension:  var something = {   listen_request: function(callback) { // analogue of chrome.extension.onrequest.addlistener     document.addeventlistener("something-query", function(event) {       var node = event.target;       if (!node || node.nodetype != node.text_node)         return;        var doc = node.ownerdocument;       callback(json.parse(node.nod
evalue), doc, function(response) {         node.nod
evalue = json.stringify(response);          var event = doc.createevent("htmlevents");         event.initevent("something-response", true, false);         return node.dispatchevent(event);       });     }, false, true);   },    callback: function(request, sender, callback) {     if (request.foo) {       return settimeout(function() {       callback({b...
   
 
   
    Jetpack Processes - Archive of obsolete content
    
privileged apis when script is 
evaluated in a jetpack process via a call to nsijetpack.
evalscript(), the script's global scope is endowed with the following privileged apis:  sendmessage(amessagename [, v1 [, v2 [, ...]]]) similar to nsijetpack.sendmessage(), this function asynchronously sends a message to the chrome process.
...
evalinsandbox(asandbox, ascript) 
evaluates the given script contents in the given sandbox's global scope.
   
 
   
    Chapter 2: Technologies used in developing extensions - Archive of obsolete content
    
 listing 1: xml syntax  <elementname someattribute="som
evalue">   content </elementname>  as shown in listing 1, xml uses elements, which consist of an opening tag, a closing tag, and content.
... nevertheless, the rise of web services like google maps, which used javascript and asynchronous communications, created an awareness of a set of technologies nicknamed ajax (asynchronous javascript and xml); that plus the advent of a number of libraries that paper over implementation differences between different web browsers has more recently led to a re-
evaluation of javascript as a programming language.
   
 
   
    Adding windows and dialogs - Archive of obsolete content
    
   let som
evalue = 2; let returnvalue = { accepted : false , result : "" };  window.opendialog(   "chrome://xulschoolhello/content/somedialog.xul",   "xulschoolhello-some-dialog", "chrome,centerscreen",   som
evalue, returnvalue); // you can send as many extra parameters as you need.
...  // if (returnvalue.accepted) { do stuff }    the optional parameters are available in the dialog code through the window.arguments property:    let som
evalue = window.arguments[0]; let returnvalue = window.arguments[1];  // returnvalue.accepted = true; // returnvalue.result = "something";     the parameter named returnvalue is an object that the dialog will modify to reflect what the user did in it.
   
 
   
    Index of archived content - Archive of obsolete content
    
                      xul school tutorial                             adding events and commands               adding toolbars and toolbar buttons               adding menus and submenus               adding sidebars               adding windows and dialogs               appendix a: add-on performance               appendix b: install and uninstall scripts               appendix c: avoiding using 
eval in add-ons               appendix d: loading scripts               appendix e: dom building and insertion (html & xul)               appendix f: monitoring dom changes               connecting to remote content               custom xul elements with xbl               getting started with firefox extensions               handling preferences               intercepting page loads               intr...
...                   browser-side plug-in api             npapi plug-in side api             npanycallbackstruct             npbyterange             npclass             npembedprint             npevent             npfullprint             npidentifier             npn newstream             npnvariable             npn_createobject             npn_destroystream             npn_enumerate             npn_
evaluate             npn_forceredraw             npn_getauthenticationinfo             npn_getintidentifier             npn_getproperty             npn_getstringidentifier             npn_getstringidentifiers             npn_geturl             npn_geturlnotify             npn_getvalue             npn_getvalueforurl             npn_hasmethod             npn_hasproperty             npn_identifierisstrin...
   
 
   
    Inner-browsing extending the browser navigation paradigm - Archive of obsolete content
    
  articletitle=article.getelementsbytagname("article").item(0).firstchild.nod
evalue;   // inserting the content into the container..
...(doc!=null) { 		tagname="article"; 		// ie fix                 if(document.all) tagname="nde:"+tagname; 		articles=doc.getelementsbytagname(tagname); 		for(i=0;i<articles.length;i++) { 			article=articles.item(i); 			 tagname="title";              	 	  // ie fix                           if(document.all) tagname="nde:"+tagname; 			valuee=article.getelementsbytagname(tagname).item(0).firstchild.nod
evalue;                		 tagname="summary";                           // ie fix                           if(document.all) tagname="nde:"+tagname;  			paraa=article.getelementsbytagname(tagname).item(0).firstchild.nod
evalue; 			linkk=article.getattribute("url"); 			strvalue="<div class='nde-blurb'><h3><a href='"+linkk+"'>"+valuee+"</a></h3><p>"+paraa+"</p></div>"; 			document.getelementbyid("containe...
   
 
   
    Editor Embedding Guide - Archive of obsolete content
    
   setbooleanvalue  setlongvalue  setdoubl
evalue  setstringvalue  setcstringvalue  setisupportsvalue  remov
evalue   each will take a name value pair.
...   first  getnext (returns the next name in the name/value pair list)  hasmoreelements  getvaluetype (numeric enum type see nsicommandparams for values)   if the name/value pair is known or it was obtained using the methods described above, it is possible to call the following methods:    getbooleanvalue  getlongvalue  getdoubl
evalue  getstringvalue  getcstringvalue  getisupportsvalue   all of these take pointers to values except for getstringvalue which demands a reference to an nsastring.
   
 
   
   
  
   
    Binding Implementations - Archive of obsolete content
    
the script is 
evaluated at the time of binding attachment and the resulting value is stored on the element.
...for example, a binding could override the setattribute method on element or the retri
eval of the value property for an htmlinputelement.
   
 
   
    Index - Archive of obsolete content
    
       678     dat
evalue     xul properties, xul reference       no summary!
...when 
evaluating the rule for a particular rdf resource, the variables are replaced with values from the resource.
   
 
   
    uri - Archive of obsolete content
    
when a rule is 
evaluated, it scans through each resource in the rdf datasource looking for a match.
...then, the other rules are 
evaluated for a match.
   
 
   
    Property - Archive of obsolete content
    
letedefaultindex   container   contentdocument   contentprincipal   contenttitle   contentview   contentvieweredit   contentviewerfile   contentwindow   contextmenu   control   controller   controllers   crop   current   currentindex   currentitem   currentnotification   currentpage   currentpane   currentset   currenturi   customtoolbarcount   database   datasources   date   dateleadingzero   dat
evalue   decimalplaces   decimalsymbol   defaultbutton   defaultvalue   description   dir   disableautocomplete   disableautocomplete   disableautoselect   disabled   disablekeynavigation   dlgtype   docshell   documentcharsetinfo   editable   editingcolumn   editingrow   editingsession   editor   editortype   emptytext  deprecated since gecko 2   enablecolumndrag   eventnode   firstordinalcolumn   fi...
...nt.clientheight   dom:element.clientleft   dom:element.clienttop   dom:element.clientwidth   dom:element.clonenode   dom:element.firstchild   dom:element.firstelementchild   dom:element.lastchild   dom:element.lastelementchild   dom:element.localname   dom:element.namespaceuri   dom:element.nextelementsibling   dom:element.nextsibling   dom:element.nodename   dom:element.nodetype   dom:element.nod
evalue   dom:element.ownerdocument   dom:element.parentnode   dom:element.prefix   dom:element.previouselementsibling   dom:element.previoussibling   dom:element.scrollheight   dom:element.scrollleft   dom:element.scrolltop   dom:element.scrollwidth   dom:element.tagname   dom:element.textcontent                                 ...
   
 
   
    Simple Example - Archive of obsolete content
    
the data network will now look like this:  (?start = http://www.xulplanet.com/rdf/myphotos,  ?photo = http://www.xulplanet.com/ndeakin/images/t/palace.jpg) (?start = http://www.xulplanet.com/rdf/myphotos,  ?photo = http://www.xulplanet.com/ndeakin/images/t/canal.jpg) (?start = http://www.xulplanet.com/rdf/myphotos,  ?photo = http://www.xulplanet.com/ndeakin/images/t/obselisk.jpg)  the triple is 
evaluated next, and it will be examined for each potential result found so far.
...for the first result, the value of the ?photo variable is known, so the triple will be 
evaluated like so:  <triple subject="http://www.xulplanet.com/ndeakin/images/t/palace.jpg"         predicate="http://purl.org/dc/elements/1.1/title"         object="?title"/>  the builder next calculates the value for ?title using the predicate 'http://purl.org/dc/elements/1.1/title'.
   
 
   
    Simple Query Syntax - Archive of obsolete content
    
first, it 
evaluates the default query as above, except that no variables are used, or at least, not ones that are used externally.
...after the default query statements are 
evaluated, the data network will look something like this:  (?1 = http://www.xulplanet.com/rdf/myphotos,  ?2 = http://www.xulplanet.com/ndeakin/images/t/palace.jpg) (?1 = http://www.xulplanet.com/rdf/myphotos,  ?2 = http://www.xulplanet.com/ndeakin/images/t/canal.jpg) (?1 = http://www.xulplanet.com/rdf/myphotos,  ?2 = http://www.xulplanet.com/ndeakin/images/t/obselisk.jpg)  the numbers are used here for the variable names, but they are really just randomly generated so you can't refer to them in any way.
   
 
   
    content - Archive of obsolete content
    
when a rule is 
evaluated, it scans through each resource in the rdf datasource looking for a match.
...then, the other rules are 
evaluated for a match.
   
 
   
    Vulnerabilities - Archive of obsolete content
    
an example is an input validation error, such as user-provided input not being properly 
evaluated for malicious character strings and overly long values associated with known attacks.
... however, trust assumptions are often implicit, such as creating a feature without first 
evaluating the risks it would introduce.
   
 
   
   
    Processing XML with E4X - Archive of obsolete content
    
variables and expressions can be used to create attribute values by simply wrapping them with braces ({}) and omitting quotation marks that would normally go around an attribute value, as the following example illustrates:   var a = 2;  var b = <foo bar={a}>"hi"</foo>;   upon execution the variable is 
evaluated and quotes are automatically added where appropriate.
...these filter operations are specified using an expression contained in parentheses:  var html = <html>   <p id="p1">first paragraph</p>   <p id="p2">second paragraph</p> </html>;  alert(html.p.(@id == "p1")); // alerts "first paragraph"   nodes matching the path before the expression (in this case the paragraph elements) are added to the scope chain before the expression is 
evaluated, as if they had been specified using the with statement.
   
 
   
   
    Archived JavaScript Reference - Archive of obsolete content
    
oft browsers (internet explorer, and in a few cases, microsoft edge) support a number of special microsoft extensions to the otherwise standard javascript apis.new in javascriptthis chapter contains information about javascript's version history and implementation status for mozilla/spidermonkey-based javascript applications, such as firefox.number.tointeger()the number.tointeger() method used to 
evaluate the passed value and convert it to an integer, but its implementation has been removed.object.getnotifier()the object.getnotifer() method was used to create an object that allows to synthetically trigger a change, but has been deprecated and removed in browsers.object.observe()the object.observe() method was used for asynchronously observing the changes to an object.
... count of enumerable properties on the object, but it has been removed.object.prototype.__nosuchmethod__the __nosuchmethod__ property used to reference a function to be executed when a non-existent method is called on an object, but this function is no longer available.object.prototype.__parent__the __parent__ property used to point to an object's context, but it has been removed.object.prototype.
eval()the object.
eval() method used to 
evaluate a string of javascript code in the context of an object, however, this method has been removed.object.prototype.unwatch()the unwatch() method removes a watchpoint set with the watch() method.object.prototype.watch()the watch() method watches for a property to be assigned a value and runs a function when that occurs.object.unobserve()the object.unobserve(...
   
 
   
    Reference - Archive of obsolete content
    
the reason object instanceof function 
evaluates to true is because object can be used as a constructor function.
...this is why math instanceof object 
evaluates to true, but math instanceof function does not.
   
 
   
    XInclude - MDN Web Docs Glossary: Definitions of Web-related terms
    
us === 0) && request[responsetype] !== null) {                         response = request[responsetype];                          if (responsetype === 'responsexml') {                             // apply xpointer (only xpath1() subset is supported)                             var responsenodes;                             if (xpointer) {                                 var xpathresult = response.
evaluate(                                                                  xpointer,                                                                  response,                                                                  null,                                                                  xpathresult.ordered_node_snapshot_type,                                                                  nul...
...ponse as text                              var textnode = docu.createtextnode(response);                             xincludeparent.replacechild(textnode, xinclude);                          }                          // replace xinclude in doc with response now (as plain text or xml)                     }                 }             }             catch (e) { // use xi:fallback if xinclude retri
eval above failed                 var xifallbackchildren = xifallback.childnodes;                 // prepend any node(s) then remove xinclude                 for (j=0; j < xifallbackchildren.length ; j++) {                     xincludeparent.insertbefore(xifallbackchildren[j], xinclude);                 }                 xincludeparent.removechild(xinclude);             }         }     }     return do...
   
 
   
    Cascade and inheritance - Learn web development
    
 a more accurate way to 
evaluate specificity would be to score the specificity levels individually starting from highest and moving on to lowest when necessary.
... only when there is a tie between selector scores within a specificity level do you need to 
evaluate the next level down; otherwise, you can disregard the lower specificity level selectors since they can never overwrite the higher specificity levels.
   
 
   
  
   
    Client-side storage - Learn web development
    
if it has been stored, this call will 
evaluate to true; if not, it will be false.
...   if each video is found in the database (easily checked by seeing whether request.result 
evaluates to true — if the record is not present, it will be undefined), its video files (stored as blobs) and the video name are passed straight to the displayvideo() function to place them in the ui.
   
 
   
    Arrays - Learn web development
    
</textarea>  <div class="playable-buttons">   <input id="reset" type="button" value="reset">   <input id="solution" type="button" value="show solution"> </div>   const textarea = document.getelementbyid('code'); const reset = document.getelementbyid('reset'); const solution = document.getelementbyid('solution'); let code = textarea.value; let userentry = textarea.value;  function updatecode() {   
eval(textarea.value); }  reset.addeventlistener('click', function() {   textarea.value = code;   userentry = textarea.value;   solutionentry = jssolution;   solution.value = 'show solution';   updatecode(); });  solution.addeventlistener('click', function() {   if(solution.value === 'show solution') {     textarea.value = solutionentry;     solution.value = 'hide solution';   } else {     textarea.val...
...h2 {   font-size: 16px; }  .a11y-label {   margin: 0;   text-align: right;   font-size: 0.7rem;   width: 98%; }  body {   margin: 10px;   background: #f5f9fa; }  const textarea = document.getelementbyid('code'); const reset = document.getelementbyid('reset'); const solution = document.getelementbyid('solution'); let code = textarea.value; let userentry = textarea.value;  function updatecode() {   
eval(textarea.value); }  reset.addeventlistener('click', function() {   textarea.value = code;   userentry = textarea.value;   solutionentry = jssolution;   solution.value = 'show solution';   updatecode(); });  solution.addeventlistener('click', function() {   if(solution.value === 'show solution') {     textarea.value = solutionentry;     solution.value = 'hide solution';   } else {     textarea.val...
   
 
   
    Accessibility and Mozilla
    
since this is a worldwide effort, there is always a good chance to find someone to chat with there, day or night.information for governments and other organizations 
evaluating mozillainformation for usersfirefox 2 now has help topics (from the menubar: ?
...here is a rundown of problems and the planned solutions:mozilla's section 508 compliancemozilla’s uaag 
evaluation reportthe uaag document contains a very rich set of accessibility guidelines, that broadly define how accessibility should be implemented by any user agent, i.e.
   
 
   
    Performance
    
and since frame scripts get 
evaluated for each tab this means new function objects get instantiated, new constants get computed, block scopes must be set up etc.
... as long as it the action does not happen frequently the memory and startup savings should outstrip the added cost of script 
evaluation.
   
 
   
    Release phase
    
          only new l10n work is 
evaluated.
...          release revisions are 
evaluated, not entire l10n repos.
   
 
   
    Localization technical reviews
    
  technical review 
evaluation criteria  in principal, a technical review's criteria looks for localization issues common to localizing software but within the mozilla context.
...that being the case, there are some criteria in a technical review that will only ever be considered once, as all reviews after this only 
evaluate the changes you're adding on top of this revision from release to release.
   
 
   
    PLHashComparator
    
pl_compar
evalues compares the values of the arguments v1 and v2 numerically.
... see also  pl_comparestrings, pl_compar
evalues                   ...
   
 
   
    PR_ASSERT
    
 syntax  #include <prlog.h>  void pr_assert ( expression );   parameters  the macro has this parameter:    expression  any valid c language expression that 
evaluates to true or false.
...   returns  nothing  description  this macro 
evaluates the specified expression.
   
 
   
    Certificate functions
    
er          cert_certlistfromcert    mxr    3.2 and later          cert_certtimesvalid    mxr    3.2 and later          cert_changecerttrust    mxr    3.2 and later          cert_checkcertvalidtimes    mxr    3.2 and later          cert_checknamespace    mxr    3.12 and later          cert_checkcertusage    mxr    3.3 and later          cert_comparename    mxr    3.2 and later          cert_compar
evaliditytimes    mxr    3.11 and later          cert_completecrldecodeentries    mxr    3.6 and later          cert_convertanddecodecertificate    mxr    3.9.3 and later          cert_copyname    mxr    3.4 and later          cert_copyrdn    mxr    3.5 and later          cert_createava    mxr    3.2.1 and later          cert_createcertificate    mxr    3.5 and later          cert_createcertificatereq...
...uest    mxr    3.2 and later          cert_createname    mxr    3.2.1 and later          cert_createocspcertid    mxr    3.6 and later          cert_createocsprequest    mxr    3.6 and later          cert_createrdn    mxr    3.2.1 and later          cert_createsubjectcertlist    mxr    3.4 and later          cert_creat
evalidity    mxr    3.5 and later          cert_crlcacherefreshissuer    mxr    3.7 and later          cert_decodealtnameextension    mxr    3.10 and later          cert_decodeauthinfoaccessextension    mxr    3.10 and later          cert_decodeauthkeyid    mxr    3.10 and later          cert_decodeavavalue    mxr    3.4 and later          cert_decodebasicconstraintvalue    mxr    3.2 and later          cert_decodecertfrompackage    mxr    3.4 and later          cert_decodecertif...
   
 
   
    PKCS11 Implement
    
  c_getattribut
evalue  the nss calls c_getattribut
evalue to get the value of attributes for both single objects and multiple objects.
...  c_setattribut
evalue  the nss uses c_setattribut
evalue to change labels on private keys.
   
 
   
    NSS functions
    
er          cert_certlistfromcert    mxr    3.2 and later          cert_certtimesvalid    mxr    3.2 and later          cert_changecerttrust    mxr    3.2 and later          cert_checkcertvalidtimes    mxr    3.2 and later          cert_checknamespace    mxr    3.12 and later          cert_checkcertusage    mxr    3.3 and later          cert_comparename    mxr    3.2 and later          cert_compar
evaliditytimes    mxr    3.11 and later          cert_completecrldecodeentries    mxr    3.6 and later          cert_convertanddecodecertificate    mxr    3.9.3 and later          cert_copyname    mxr    3.4 and later          cert_copyrdn    mxr    3.5 and later          cert_createava    mxr    3.2.1 and later          cert_createcertificate    mxr    3.5 and later          cert_createcertificatereq...
...uest    mxr    3.2 and later          cert_createname    mxr    3.2.1 and later          cert_createocspcertid    mxr    3.6 and later          cert_createocsprequest    mxr    3.6 and later          cert_createrdn    mxr    3.2.1 and later          cert_createsubjectcertlist    mxr    3.4 and later          cert_creat
evalidity    mxr    3.5 and later          cert_crlcacherefreshissuer    mxr    3.7 and later          cert_decodealtnameextension    mxr    3.10 and later          cert_decodeauthinfoaccessextension    mxr    3.10 and later          cert_decodeauthkeyid    mxr    3.10 and later          cert_decodeavavalue    mxr    3.4 and later          cert_decodebasicconstraintvalue    mxr    3.2 and later          cert_decodecertfrompackage    mxr    3.4 and later          cert_decodecertif...
   
 
   
    sslcrt.html
    
   syntax  #include <cert.h> #include <certt.h> seccerttim
evalidity cert_checkcertvalidtimes(    certcertificate *cert,    int64 t);   parameters   this function has the following parameters:                          cert                        a pointer to the certificate whose validity period you want to check against.
...                  returns   the function returns an enumerator of type seccerttim
evalidity: typedef enum {    seccerttim
evalid,    seccerttimeexpired,    seccerttimenotvalidyet } seccerttim
evalidity;   nss_cmpcertchainwcanames   determines whether any of the signers in the certificate chain for a specified certificate are on a specified list of ca names.
   
 
   
    NSS Tools certutil
    
the format of th
evalidity-time argument is "yymmddhhmmss[+hhmm|-hhmm|z]".
...when this argument is used, the default three-month period is automatically added to any value given in th
evalid-month argument.
   
 
   
    Rhino overview
    
these features allow "computational reflection": that is, the ability for a script to determine and influence aspects of the way it is 
evaluated.
...setting this property to true requires that any calls that compile or 
evaluate javascript must supply a security domain object of any object type that will be used to identify javascript code.
   
 
   
    The JavaScript Runtime
    
execution proceeds by 
evaluating this compiled form using support routines in rhino.
...for example, 
evaluating the expression obj["3"] will invoke the get(int, scriptable) method even though the property name was presented in the script as a string.
   
 
   
  
   
    Invariants
    
some nameexpressions might refer to a variable or global; or might at runtime turn out to reference another object property, due to with, or a variable that isn't in the source code at all but was injected into a local scope by 
eval.
... these cases can be detected statically by looking for with and 
eval "nearby" in the parse tree.)  if a nested function contains a nameexpression that refers to a variable in an enclosing scope which the function can outlive (i.e.
   
 
   
    JSAPI Cookbook
    
 to query whether a value has a particular type, use a correspondingly named member testing function:  // javascript var v = computesom
evalue();  var isstring = typeof v === "string"; var isnumber = typeof v === "number"; var isnull = v === null; var isboolean = typeof v === "boolean"; var isobject = typeof v === "object" && v !== null;  /* jsapi */ js::rootedvalue v(cx, computesom
evalue());  bool isstring = v.isstring(); bool isnumber = v.isnumber(); bool isint32 = v.isint32(); // note: internal representation, not numeric value boo...
...t a value use a correspondingly named member mutator function, or assign the result of the correspondingly named standalone function:  // javascript var v;  v = 0; v = 0.5; v = somestring; v = null; v = undefined; v = false;  /* jsapi */ js::rootedvalue v(cx); js::rootedstring somestring(cx, ...);  v.setint32(0);           // or: v = js::int32value(0); v.setdouble(0.5);        // or: v = js::doubl
evalue(0.5); v.setstring(somestring); // or: v = js::stringvalue(somestring); v.setnull();             // or: v = js::nullvalue(); v.setundefined();        // or: v = js::undefinedvalue(); v.setboolean(false);     // or: v = js::booleanvalue(false);  finding the global object  many of these recipes require finding the current global object first.
   
 
   
    DOUBLE_TO_JSVAL
    
   please use js::doubl
evalue instead in spidermonkey 45 or later.
... see also    mxr id search for double_to_jsval  js::tonumber  js_numbervalue  js::doubl
evalue  bug 1177892 -- removed                    ...
   
 
   
    JS::CreateError
    
  syntax  // added in spidermonkey 45  bool js::createerror(jscontext *cx, jsexntype type, handleobject stack,                 handlestring filename, uint32_t linenumber, uint32_t columnnumber,                 jserrorreport *report, handlestring message, mutablehandl
evalue rval);  // obsolete since jsapi 39  bool js::createerror(jscontext *cx, jsexntype type, handlestring stack,                 handlestring filename, uint32_t linenumber, uint32_t columnnumber,                 jserrorreport *report, handlestring message, mutablehandl
evalue rval);            name    type    description          cx    jscontext *    pointer to a js context from which to derive runtime information.
...         rval    js::mutablehandl
evalue    out parameter.
   
 
   
    JS::OrdinaryToPrimitive
    
  syntax  bool js::ordinarytoprimitive(jscontext *cx, js::handleobject obj, jstype type,                         js::mutablehandl
evalue vp);            name    type    description          cx    jscontext *    the context in which to perform the conversion.
...         vp    js::mutablehandl
evalue    out parameter.
   
 
   
    JS::Remove*Root
    
  syntax  void remov
evalueroot(jscontext *cx, js::heap<js::value> *vp);  void removestringroot(jscontext *cx, js::heap<jsstring *> *rp);  void removeobjectroot(jscontext *cx, js::heap<jsobject *> *rp);  void removescriptroot(jscontext *cx, js::heap<jsscript *> *rp);  void remov
evaluerootrt(jsruntime *rt, js::heap<js::value> *vp);  void removestringrootrt(jsruntime *rt, js::heap<jsstring *> *rp);  void removeobjectrootrt(...
... see also    mxr id search for js::remov
evalueroot  mxr id search for js::removestringroot  mxr id search for js::removeobjectroot  mxr id search for js::removescriptroot  mxr id search for js::remov
evaluerootrt  mxr id search for js::removestringrootrt  mxr id search for js::removeobjectrootrt  mxr id search for js::removescriptrootrt  bug 912581  bug 1107639                    ...
   
 
   
    JS::ToInt32
    
  syntax  bool js::toint32(jscontext *cx, js::handl
evalue v, int32_t *out);            name    type    description          cx    jscontext *    the context in which to perform the conversion.
...         v    js::handl
evalue    the value to convert.
   
 
   
    JS::ToInt64
    
  syntax  bool js::toint64(jscontext *cx, js::handl
evalue v, int64_t *out);            name    type    description          cx    jscontext *    the context in which to perform the conversion.
...         v    js::handl
evalue    the value to convert.
   
 
   
    JS::ToNumber
    
  syntax  bool js::tonumber(jscontext *cx, js::handl
evalue v, double *out);            name    type    description          cx    jscontext *    the context in which to perform the conversion.
...         v    js::handl
evalue    the value to convert.
   
 
   
    JS::ToString
    
  syntax  #include "js/conversions.h" // as of spidermonkey 38; previously in jsapi.h  jsstring* js::tostring(jscontext *cx, js::handl
evalue v)            name    type    description          cx    jscontext *    the context in which to perform the conversion.
...         v    js::handl
evalue    the value to convert.
   
 
   
    JS::ToUint16
    
  syntax  bool js::touint16(jscontext *cx, js::handl
evalue v, uint16_t *out);            name    type    description          cx    jscontext *    the context in which to perform the conversion.
...         v    js::handl
evalue    the value to convert.
   
 
   
    JS::ToUint32
    
  syntax  bool js::touint32(jscontext *cx, js::handl
evalue v, int32_t *out);            name    type    description          cx    jscontext *    the context in which to perform the conversion.
...         v    js::handl
evalue    the value to convert.
   
 
   
    JS::ToUint64
    
  syntax  bool js::touint64(jscontext *cx, js::handl
evalue v, uint64_t *out);            name    type    description          cx    jscontext *    the context in which to perform the conversion.
...         v    js::handl
evalue    the value to convert.
   
 
   
    JSConvertOp
    
  syntax  typedef bool (* jsconvertop)(jscontext *cx, js::handleobject obj, jstype type,                 js::mutablehandl
evalue vp);            name    type    description          cx    jscontext *    the context in which the convert is taking place.
...         vp    js::mutablehandl
evalue    out parameter.
   
 
   
    JSHasInstanceOp
    
  syntax  typedef bool (* jshasinstanceop)(jscontext *cx, js::handleobject obj, js::mutablehandl
evalue vp,                     bool *bp);            name    type    description          cx    jscontext *    the js context in which the type check is occurring.
...         v    js::mutablehandl
evalue    the value whose type is being checked.
   
 
   
  
   
    JSPrincipals
    
some examples of security-enhanced api call are js_compilescriptforprincipals, js_compilefunctionforprincipals, and js_
evaluatescriptforprincipals.
... these functions ensure that the given jsprincipals object is indelibly associated not only with the script being compiled or 
evaluated, but with all functions ever created by that script or code 
eval()-ed by it.
   
 
   
    JSPropertyOp
    
 syntax  typedef bool (* jspropertyop)(jscontext *cx, js::handleobject obj, js::handleid id,                  js::mutablehandl
evalue vp);  typedef bool (* jsstrictpropertyop)(jscontext *cx, js::handleobject obj, js::handleid id,                        bool strict, js::mutablehandl
evalue vp); // added in spidermonkey 1.9.3            name    type    description          cx    jscontext *         the context in which the property access is taking place.
...         vp    js::mutablehandl
evalue    in/out parameter.
   
 
   
    JSSecurityCallbacks.contentSecurityPolicyAllows
    
(it is also the type of the callback set by js_setcheckobjectaccesscallback.) syntax typedef jsbool (*jscsp
evalchecker)(jscontext *cx);                 name       type       description                 cx       jscontext *       the js context in which the property access attempt is occurring.
...jssecuritycallbacks.contentsecuritypolicyallows is invoked once per global object upon the first attempt to 
evaluate js code from a string (either through 
eval or the function constructor).
   
 
   
    JSVAL_LOCK
    
if locking is successful, or v already cannot be garbage collected because it is not an object, string, or double value, jsval_lock 
evaluates to true.
... otherwise, it 
evaluates to false.
   
 
   
    JSVAL_UNLOCK
    
if unlocking is successful, or v not affected by garbage collection because it is not an object, string, or double value, jsval_unlock 
evaluates to true.
... otherwise, it 
evaluates to false.
   
 
   
    JS_DefineElement
    
 syntax /* added in spidermonkey 38 (jsapi 32) */  bool js_defineelement(jscontext *cx, js::handleobject obj,                  uint32_t index, js::handl
evalue value,                  unsigned attrs,                  jsnative getter = nullptr, jsnative setter = nullptr);  bool js_defineelement(jscontext *cx, js::handleobject obj,                  uint32_t index, js::handleobject value,                  unsigned attrs,                  jsnative getter = nullptr, jsnative setter = nullptr);  bool js_defineelement(jscontext *cx, js::handleobject obj,                  uint32_t index, js::handlestring value,                  unsigned attrs,                  jsnative getter = nullptr, jsnative setter = nullptr);  bool js_defineelement(jsco...
...         value    js::handl
evalue or js::handleobject or js::handlestring or int32_t or uint32_t or double or jsval     initial value to assign to the property.
   
 
   
    JS_DefineOwnProperty
    
 syntax bool js_defineownproperty(jscontext *cx, js::handleobject obj, js::handleid id,                      js::handl
evalue descriptor, bool *bp);           name    type    description          cx    jscontext *    the context.
...         descriptor    js::handl
evalue    this should be an jsval consisting of an object interpretable as property descriptor.
   
 
   
    JS_ExecuteRegExp
    
 syntax bool js_executeregexp(jscontext *cx, js::handleobject obj, js::handleobject reobj,                  char16_t *chars, size_t length, size_t *indexp, bool test,                  js::mutablehandl
evalue rval);  bool js_executeregexpnostatics(jscontext *cx, js::handleobject reobj,                           char16_t *chars, size_t length,                           size_t *indexp, bool test,                           js::mutablehandl
evalue rval);           name    type    description          cx    jscontext *         the context.
...         rval    js::mutablehandl
evalue    out parameter.
   
 
   
    JS_ExecuteScriptVersion
    
 to execute a script that has not been compiled, use js::
evaluate instead.
...  see also    js::compile  js_executescript  js::
evaluate  bug 1095660                    ...
   
 
   
    JS_ForwardGetPropertyTo
    
  syntax  bool js_forwardgetpropertyto(jscontext *cx, js::handleobject obj, js::handleid id,                         js::handleobject onbehalfof, js::mutablehandl
evalue vp);  bool js_forwardgetelementto(jscontext *cx, js::handleobject obj, uint32_t index,                        js::handleobject onbehalfof, js::mutablehandl
evalue vp);            name    type    description          cx    jscontext *    a context.
...         vp    js::mutablehandl
evalue    out parameter.
   
 
   
    JS_GetElement
    
 syntax bool js_getelement(jscontext *cx, js::handleobject obj, uint32_t index,               js::mutablehandl
evalue vp);           name    type    description          cx    jscontext *    the context in which to perform the property lookup.
...         vp    js::mutablehandl
evalue    out parameter.
   
 
   
    JS_GetPendingException
    
 syntax bool js_getpendingexception(jscontext *cx, js::mutablehandl
evalue vp);           name    type    description          cx    jscontext *    pointer to the js context in which the exception was thrown.
...         vp    js::mutablehandl
evalue    out parameter.
   
 
   
    JS_GetPropertyDefault
    
         def    js::handl
evalue    default value if the property is not found.
...          vp    js::mutablehandl
evalue    out parameter.
   
 
   
    JS_IsArrayObject
    
  syntax  bool js_isarrayobject(jscontext *cx, js::handl
evalue value, bool *isarray);  bool js_isarrayobject(jscontext *cx, js::handleobject obj, bool *isarray);  // obsolete since jsapi 44  bool js_isarrayobject(jscontext *cx, js::handl
evalue value);  bool js_isarrayobject(jscontext *cx, js::handleobject obj);            name    type    description          cx    jscontext *    a context.
...          value    js::handl
evalue    the value to examine.
   
 
   
    JS_LookupElement
    
  syntax  bool js_lookupelement(jscontext *cx, js::handleobject obj, uint32_t index,                  js::mutablehandl
evalue vp);            name    type    description          cx    jscontext *    the context in which to look up the property.
...         vp    js::mutablehandl
evalue    out parameter.
   
 
   
  
   
    JS_LookupProperty
    
 syntax bool js_lookupproperty(jscontext *cx, js::handleobject obj, const char *name,                   js::mutablehandl
evalue vp);  bool js_lookupucproperty(jscontext *cx, js::handleobject obj,                     const char16_t *name, size_t namelen,                     js::mutablehandl
evalue vp);  bool js_lookuppropertybyid(jscontext *cx, js::handleobject obj, js::handleid id,                       js::mutablehandl
evalue vp); // added in spidermonkey 1.8.1  bool js_lookupelement(jscontext *cx, js::handleobject obj, uint32_t index,                  js::mutablehandl
evalue...
... vp);  // ---- obsolete since spidermonkey 31 ----  bool js_lookuppropertywithflags(jscontext *cx, js::handleobject obj, const char *name,                            unsigned flags, js::mutablehandl
evalue vp);  bool js_lookuppropertywithflagsbyid(jscontext *cx, js::handleobject obj, js::handleid id,                                unsigned flags, js::mutablehandleobject objp, js::mutablehandl
evalue vp); // added in spidermonkey 1.8.1           name    type    description          cx    jscontext *    pointer to a js context from which to derive runtime information.
   
 
   
    JS_New
    
  syntax  jsobject * js_new(jscontext *cx, js::handleobject ctor, const js::handl
evaluearray& args); // added in jsapi 32  jsobject * js_new(jscontext *cx, jsobject *ctor, unsigned argc, jsval *argv); // obsolete since jsapi 32            name    type    description          cx    jscontext *    the context in which to create the new object.
...         args    js::handl
evaluearray &    an array of argument values to pass to the constructor.
   
 
   
    JS_NewArrayObject
    
  syntax  jsobject * js_newarrayobject(jscontext *cx, const js::handl
evaluearray& contents); // added in spidermonkey 31  jsobject * js_newarrayobject(jscontext *cx, size_t length); // added in spidermonkey 31  jsobject * js_newarrayobject(jscontext *cx, int length, jsval *vector); // obsolete since jsapi 30            name    type    description          cx    jscontext *    the context in which to create the new array.
...         contents    js::handl
evaluearray&    reference to the initial values for the array's elements.
   
 
   
    JS_PropertyStub
    
  syntax  bool js_propertystub(jscontext *cx, js::handleobject obj, js::handleid id,                 js::mutablehandl
evalue vp);  bool js_strictpropertystub(jscontext *cx, js::handleobject obj, js::handleid id,                       js::mutablehandl
evalue vp, js::objectopresult &result); // added in spidermonkey 45  bool js_strictpropertystub(jscontext *cx, js::handleobject obj, js::handleid id,                       bool strict, js::mutablehandl
evalue vp); // obsolete since jsapi 39  bool js_resolvestub(jscontext *cx, js::handleobject obj, js::handleid id,                bool *resolvedp); // obsolete since jsapi 37  bool js_deletepropertystub(jscontext *cx, js::handleobject obj, js::handleid id,                       bool *succee...
...ded); // obsolete since jsapi 37  bool js_enumeratestub(jscontext *cx, js::handleobject obj); // obsolete since jsapi 37  bool js_convertstub(jscontext *cx, js::handleobject obj, jstype type,                js::mutablehandl
evalue vp); // obsolete since jsapi 37  void js_finalizestub(jscontext *cx, jsobject *obj); // obsolete since jsapi 14   description  the stub functions are not designed to be called directly by a jsapi application.
   
 
   
    JS_Remove*Root
    
 syntax jsbool js_remov
evalueroot(jscontext *cx, jsval *vp); jsbool js_removestringroot(jscontext *cx, jsstring **spp); jsbool js_removeobjectroot(jscontext *cx, jsobject **opp); jsbool js_removegcthingroot(jscontext *cx, void **rp);           name    type    description          cx    jscontext *    a context.
...see also   mxr id search for js_remov
evalueroot  mxr id search for js_removestringroot  mxr id search for js_removeobjectroot  mxr id search for js_removegcthingroot  bug 912581                    ...
   
 
   
    JS_SetPendingException
    
 syntax void js_setpendingexception(jscontext *cx, js::handl
evalue v);           name    type    description          cx    jscontext *    pointer to a js context from which to derive runtime information.
...         v    js::handl
evalue    value to throw as an exception.
   
 
   
    JS_ValueToFunction
    
 syntax  jsfunction * js_valuetofunction(jscontext *cx, js::handl
evalue v);  jsfunction * js_valuetoconstructor(jscontext *cx, js::handl
evalue v);            name    type    description          cx    jscontext *    the context in which to perform the conversion.
...         v    js::handl
evalue    the value to convert.
   
 
   
    JS_ValueToId
    
  syntax  bool js_valuetoid(jscontext *cx, js::handl
evalue v, js::mutablehandleid idp);  bool js_stringtoid(jscontext *cx, js::handlestring s, js::mutablehandleid idp); // added in spidermonkey 38  bool js_indextoid(jscontext *cx, uint32_t index, js::mutablehandleid idp); // added in spidermonkey 17  bool js_charstoid(jscontext* cx, js::twobytechars chars, js::mutablehandleid idp); // added in spidermonkey 24  void js::protokeytoid(jscontext *cx, jsprotokey key, js::mutablehandleid idp); // added in spidermonkey 38            name    type    description          cx    jscontext *    a context.
...         v    js::handl
evalue    the js value to convert.
   
 
   
    JS_ValueToObject
    
 syntax bool js_valuetoobject(jscontext *cx, js::handl
evalue v, js::mutablehandleobject objp);           name    type    description          cx    jscontext *    the context in which to convert the value.
...         v    js::handl
evalue    the value to convert.
   
 
   
    PRIVATE_TO_JSVAL
    
   please use js::privat
evalue instead in spidermonkey 45 or later.
...  see also    mxr id search for private_to_jsval  js::privat
evalue  bug 952650  bug 1177892 -- removed                     ...
   
 
   
    JSDBGAPI
    
errupt   watchpoints    js_setwatchpoint  js_clearwatchpoint  js_clearwatchpointsforobject  js_clearallwatchpoints   inspecting the stack    js_pctolinenumber  js_linenumbertopc  js_getfunctionscript  js_getfunctionnative  js_getfunctionfastnative  js_getscriptprincipals     typedef jsstackframe  js_frameiterator  js_getframescript  js_getframepc  js_getscriptedcaller  js_stackframeprincipals  js_
evalframeprincipals  js_getframeannotation  js_setframeannotation  js_getframeprincipalarray  js_isnativeframe  js_getframeobject    js_getframescopechain  js_getframecallobject  js_getframethis  js_getframefunction  js_getframefunctionobject  js_isconstructorframe  js_isdebuggerframe  js_getframereturnvalue  js_setframereturnvalue  js_getframecalleeobject     js_getscriptfilename  js_getscriptbaselin...
...enumber  js_getscriptlineextent  js_getscriptversion     js_gettopscriptfilenameflags  js_getscriptfilenameflags  js_flagscriptfilenameprefix     jsfilename_null  jsfilename_system  jsfilename_protected   
evaluating debug code    js_
evaluateinstackframe   examining object properties    typedef jspropertydesc     jspd_enumerate  jspd_readonly  jspd_permanent  jspd_alias  jspd_argument  jspd_variable  jspd_exception  jspd_error     typedef jspropertydescarray     js_propertyiterator  js_getpropertydesc  js_getpropertydescarray  js_putpropertydescarray   hooks    js_setdebuggerhandler  js_setsourcehandler  js_setexecutehook  js_setcallhook  js_setobjecthook  js_setthrowhook  js_setdebugerrorhook  js_setnewscripthook  js_setdestroyscripthook     js_getglobaldebughooks  js_setcontextdebughooks   me...
   
 
   
    SpiderMonkey 1.8.7
    
n  js_compileucfunctionforprincipalsversion  js_compileucscriptforprincipalsversion  js_consumejsontext (removed in future releases, replaced with js_parsejson)  js_decompilescriptobject  js_deepfreezeobject  js_definefunctionbyid  js_defineownproperty  js_definepropertybyid  js_deletepropertybyid  js_deletepropertybyid2  js_doubleisint32  js_encodestringtobuffer  js_entercrosscompartmentcall  js_
evaluatescriptforprincipalsversion  js_
evaluateucscriptforprincipalsversion  js_executeregexp  js_executeregexpnostatics  js_executescriptversion  js_forget_string_flatness  js_fileescapedstring  js_finishjsonparse (removed in future releases, replaced with js_parsejson)  js_flatstringequalsascii  js_flattenstring  js_flushcaches  js_freezeobject  js_getcompartmentprivate  js_getemptystring  js_getfla...
...the jsval_to_double and double_to_jsval macros have been updated to work directly on jsdoubles rather than their pointers, and the js_newdoubl
evalue and js_newdouble interfaces have been removed.
   
 
   
    SpiderMonkey 1.8
    
use js_newdoubl
evalue.
... two new context options can be used with js_setoptions: jsoption_relimit, which causes extremely long-running regular expression searches to fail with an error, and jsoption_anonfunfix, which bans anonymous functions from appearing anyplace where a statement could appear, such as in the argument to 
eval().
   
 
   
    Fun With XBL and XPConnect
    
the initial value of this property 
evaluates to an xp-connect object.
... what i did for the xpcom object:      <property name="autocompletelistener">       <![cdata[         ({           onautocompleteresult: function(aitem, aoriginalstring, amatch)           {             if ( aitem )             {               anonymouscontent[0].value = amatch;             }           }         })       ]]>     </property>   as long as the js for the value of autocompletelistener 
evaluates to an object (and wrapping the expression with a set of parens like i did, does this), then the value of autocompletelistener is an object that implements my interface.
   
 
   
    Mozilla internal string guide
    
 /* signature: void handleutf8string(const nsacstring& str); */ object->handleutf8string(ns_convertutf16toutf8(utf16string));  /* signature: void handleutf8buffer(const char* str); */ object->handleutf8buffer(ns_convertutf16toutf8(utf16string).get());   copyutf8toutf16(const nsacstring&, nsastring&) - converts and copies:  // return a utf-16 value void foo::getunicod
evalue(nsastring& result) {     copyutf8toutf16(mlocalutf8value, result);  }   appendutf8toutf16(const nsacstring&, nsastring&) - converts and appends:  // return a utf-16 value void foo::getunicod
evalue(nsastring& result) {     result.assignliteral("prefix:");     appendutf8toutf16(mlocalutf8value, result); }     utf8tonewunicode(const nsacstring&, pruint32* autf16count = nsnull) - (avoid if possible...
...::getutf16value(char16_t** result) {     *result = utf8tonewunicode(mlocalutf8value); }     copyutf16toutf8(const nsastring&, nsacstring&) - converts and copies:  // return a utf-8 value void foo::getutf8value(nsacstring& result) {     copyutf16toutf8(mlocalutf16value, result); }   appendutf16toutf8(const nsastring&, nsacstring&) - converts and appends:  // return a utf-8 value void foo::getunicod
evalue(nsacstring& result) {     result.assignliteral("prefix:");     appendutf16toutf8(mlocalutf16value, result); }   tonewutf8string(const nsastring&) - (avoid if possible) allocates and converts:  void foo::getutf8value(char** result) {     *result = tonewutf8string(mlocalutf16value); }   latin1 / utf-16 conversion  the following should only be used when you can guarantee that the original string i...
   
 
   
  
   
    Components.utils.import
    
 example  components.utils.import("resource://gre/modules/xpcomutils.jsm", this);   difference from mozijssubscriptloader  the differences from mozijssubscriptloader:  the behavior when importing/loading the same code from different locations:    the subscript loader 
evaluates the specified code each time it is invoked, with the caller's global object.
...  components.utils.import 
evaluates the code of each module only once, in its own scope.
   
 
   
    Components object
    
        utils.
evalinsandbox         runs javascript code in a sandbox, usually used to run code with restricted privileges.
...              utils.sandbox         creates sandbox objects for use with 
evalinsandbox.
   
 
   
    Language bindings
    
it returns a reference to the clone:components.utils.createobjectincomponents.utils.createobjectin creates a new javascript object in the scope of the specified object's compartment.components.utils.
evalinsandboxthe 
evalinsandbox() function enables you to 
evaluate javascript code inside a sandbox you've previously created using the components.utils.sandbox constructor.components.utils.
evalinwindowthis function enables code running in a more-privileged javascript context to 
evaluate a string in a less-privileged javascript context.
...it is meant for use by extension developers who have exception handler blocks which want to "eat" an exception, but still want to report it to the console.components.utils.sandboxcomponents.utils.sandbox is used to create a sandbox object for use with 
evalinsandbox().components.utils.scheduleprecisegcthis method lets scripts schedule a garbage collection cycle.
   
 
   
    nsIDOMEvent
    
          eventphase    unsigned short    used to indicate which phase of event flow is currently being 
evaluated.
...         at_target    2    the event is currently being 
evaluated at the target eventtarget.
   
 
   
    nsIHttpHeaderVisitor
    
it implements the nsihttpheadervisitor interface in javascript and uses it to 
evaluate the mime type of a http response.
...when the observer fires, the visitor interface is used to walk through the response headers and 
evaluate the mime type.
   
 
   
    nsIXULTemplateBuilder
    
these rules are 
evaluated by the template builder for each result produced by the query.
...the bindings are 
evaluated after a rule has matched.
   
 
   
    nsMsgSearchScope
    
        defined in comm-central/ mailnews/ base/ search/ public/ nsmsgsearchcore.idl  [scriptable, uuid(6e893e59-af98-4f62-a326-0f00f32147cd)]  interface nsmsgsearchscope {   const nsmsgsearchscop
evalue offlinemail = 0;   const nsmsgsearchscop
evalue offlinemailfilter = 1;   const nsmsgsearchscop
evalue onlinemail = 2;   const nsmsgsearchscop
evalue onlinemailfilter = 3;   /// offline news, base table, no body or junk   const nsmsgsearchscop
evalue localnews = 4;   const nsmsgsearchscop
evalue news = 5;   const nsmsgsearchscop
evalue newsex = 6;   const nsmsgsearchscop
evalue ldap = 7;   const nsmsgsearchscop
evalue localab = 8;   const nsmsgsearchscop
evalue allsearchablegroups = 9;   const nsmsgsearchscop
evalue newsfilter = 10;   const nsmsgsearchscop
evalue localaband = 11;   const nsmsgsearchscopeva...
...lue ldapand = 12;   // imap and news, searched using local headers   const nsmsgsearchscop
evalue onlinemanual = 13;   /// local news + junk   const nsmsgsearchscop
evalue localnewsjunk = 14;   /// local news + body   const nsmsgsearchscop
evalue localnewsbody = 15;   /// local news + junk + body   const nsmsgsearchscop
evalue localnewsjunkbody = 16; };                                 ...
   
 
   
    NS_ASSERTION
    
 summary macro throws an assertion failure if the first macro argument does not 
evaluate to true.
...only if the assertion 
evaluates to false is there an "assertion failure", which is thrown.
   
 
   
    XPCOM Interface Reference by grouping
    
onevent     nsidomprogressevent     nsidomsimplegestureevent     nsidragdrophandler     nsidragservice     nsidragsession      html        nsiaccessibilityservice     nsiaccessiblecoordinatetype     nsiaccessibledocument     nsiaccessibleeditabletext     nsiaccessibleevent     nsiaccessiblehyperlink     nsiaccessiblehypertext     nsiaccessibleimage     nsiaccessibleprovider      nsiaccessibleretri
eval     nsiaccessiblerole     nsiaccessiblescrolltype     nsiaccessibleselectable     nsiaccessiblestates     nsiaccessibletable     nsiaccessibletext     nsiaccessibletreecache     nsiaccessibl
evalue     nsiaccessnode     nsisyncmessagesender      script        nsiscriptableunescapehtml     nsiscriptableunicodeconverter     nsiscripterror     nsiscripterror2      stylesheet        nsistylesheetservi...
...ce      url        nsiuri     nsiurl      util        nsidomserializer     nsidomxpath
evaluator     nsidomxpathexception     nsidomxpathexpression     nsidomxpathresult      xslt        nsixsltexception     nsixsltprocessor      download        nsidownload     nsidownloadmanager     nsidownloadprogresslistener      element   internal        nsiworker     nsiworkerglobalscope     nsiworkermessageevent     nsiworkermessageport     nsiworkerscope      tree        nsitreeboxobject     nsitreecolumn     nsitreecolumns     nsitreecontentview     nsitreeselection     nsitreeview      xform        nsixformsmodelelement     nsixformsnsinstanceelement     nsixformsnsmodelelement      xmlhttprequest        nsixmlhttprequesteventtarget      favicon        nsifavicondatacallback     nsifaviconservice      ...
   
 
   
    Storage
    
 in c++, the code would look something like this:  bool hasmoredata; while (ns_succeeded(statement->executestep(&hasmoredata)) && hasmoredata) {   print32 value;   rv = statement->getint32(0, &value);   ns_ensure_success(rv, rv); }   you can obtain other types of data by using the various methods available on mozistorag
evaluearray.
... mozistorag
evaluearray wraps an array of sql values, such as a result row.
   
 
   
    MailNews Filters
    
filter execution is done by 
evaluating the search terms using the core mailnews/base/search code, and then applying the filter hits when the search terms match.
...for each new header, we 
evaluate the filter criteria and apply the actions synchronously, including moving a message to an other local folder, and advance to the next header.
   
 
   
    CType
    
 tosource()  returns a javascript expression that 
evaluates to a ctype describing the same c type as this object.
... return value  a javascript expression that 
evaluates to a ctype describing the same c type as this object.
   
 
   
    Streams - Plugins
    
if an error occurs during data retri
eval or writing to the file, the browser passes null for the filename.
...the fname parameter specifies the full path to a local file (or null if an error occurs during data retri
eval or writing to the file).
   
 
   
    Debugger.Environment - Firefox Developer Tools
    
function calls, calls to 
eval, let blocks, catch blocks, and the like create declarative environment records.
...   setvariable(name,value)    stor
evalue as the value of the variable bound toname in this environment.name must be a string that is a valid ecmascript identifier name;value must be a debuggee value.
   
 
   
    Tutorial: Show Allocations Per Call Path - Firefox Developer Tools
    
factory('div');   var spanfactory = makefactory('span');    function divsandspans() {     for (i = 0; i < 10; i++) {       var div = divfactory('div #' + i);       div.appendchild(spanfactory('span #' + i));       document.body.appendchild(div);     }   }    function dodivsandspans() { divsandspans(); } </script>       open the browser console (menu button > developer > browser console), and then 
evaluate the expression demotrackallocations() in the browser console.
...      back in the browser console, 
evaluate the expression demoplotallocations().
   
 
   
  
   
    Debugger-API - Firefox Developer Tools
    
a debugger.source can furnish a full copy of its source code, and explain how the code entered the system, whether via a call to 
eval, a <script> element, or otherwise.
... examples  here are some things you can try out yourself that show off some of debugger’s features:       setting a breakpoint in a page, running a handler function when it is hit that 
evaluates an expression in the page’s context.
   
 
   
    Deprecated tools - Firefox Developer Tools
    
the editor mode can be triggered clicking on the icon on the right of the console input, or with ctrl + b (cmd + b on macos)  when in editor mode, the enter key adds a new line in the input, and you can 
evaluate the expression using ctrl + enter (cmd + enter on macos).
...    when 
evaluating, the input isn't cleared, which makes it possible to quickly iterrate over a snippet of code.
   
 
   
    Web Console Helpers - Firefox Developer Tools
    
 $x(xpath, element, resulttype)  
evaluates the xpath xpath expression in the context of element and returns an array of matching nodes.
... cd()    switches javascript 
evaluation context to a different iframe in the page.
   
 
   
    Rich output - Firefox Developer Tools
    
the output will look something like this:  console.log(todolist) array(4) [ {…}, {…}, {…}, {…} ] debugger 
eval code:1:9 undefined  if you expand objects, such as arrays, you get slightly different content.
...escription: "morning pages", datecreated: 1552404478137 } ​ 1: object { status: "in progress", description: "refactor styles", datecreated: 1552404493169 } ​ 2: object { status: "to do", description: "create feedback form", datecreated: 1552404512630 } ​ 3: object { status: "to do", description: "normalize table", datecreated: 1552404533790 } ​ length: 4 ​ <prototype>: array [] debugger 
eval code:1:9 undefined  highlighting and inspecting dom nodes  if you hover the mouse over any dom element in the console output, it's highlighted on the page:  in the screenshot above you'll also see a blue "target" icon next to the node in the console output: click it to switch to the inspector with that node selected.
   
 
   
    Attr - Web APIs
    
  as that doesn't hold true in cases like attr objects being returned by document.
evaluate, the dom living standard reintroduced the property.
... nod
evalue  use attr.value instead.
   
 
   
    BluetoothRemoteGATTCharacteristic - Web APIs
    
value;   promise<bluetoothremotegattdescriptor> getdescriptor(bluetoothdescriptoruuid descriptor);   promise<sequence<bluetoothremotegattdescriptor>>     getdescriptors(optional bluetoothdescriptoruuid descriptor);   promise<dataview> readvalue();   promise<void> writ
evalue(buffersource value);   promise<void> startnotifications();   promise<void> stopnotifications(); }; bluetoothremotegattcharacteristic implements eventtarget; bluetoothremotegattcharacteristic implements characteristiceventhandlers;  properties    bluetoothremotegattcharacteristic.serviceread only   returns the bluetoothgattservice this characteristic belongs to.
... bluetoothremotegattcharacteristic.writ
evalue()  sets the value property to the bytes contained in an arraybuffer and returns a promise.
   
 
   
    Using the CSS Painting API - Web APIs
    
the second will be a cssstyl
evalue.
...  if the custom argument is a css value, for instance a unit, we can invoke typed om cssstyl
evalue class (and sub classes) by using the value type keyword when we retrieve it in the registerpaint() function.
   
 
   
    Document.createNSResolver() - Web APIs
    
  notes  adapts any dom node to resolve namespaces so that an xpath expression can be easily 
evaluated relative to the context of the node where it appeared within the document.
... see also    document.
evaluate  introduction to using xpath in javascript   specifications           specification    status    comment              document object model (dom) level 3 xpath specificationthe definition of 'document.creatensresolver' in that specification.
   
 
   
   
    Using IndexedDB - Web APIs
    
  console.log("name for ssn 444-44-4444 is " + request.result.name); };  that's a lot of code for a "simple" retri
eval.
...   xhrfields: { responsetype: 'blob' },     //   success: function(data, textstatus, jqxhr) {     //     console.log("blob retrieved");     //     console.log("blob:", data);     //     // addpublication(biblioid, title, year, data);     //   },     //   error: function(jqxhr, textstatus, errorthrown) {     //     console.error(errorthrown);     //     displayactionfailure("error during blob retri
eval");     //   }     // });   }    /**    * @param {string} biblioid    * @param {string} title    * @param {number} year    * @param {blob=} blob    */   function addpublication(biblioid, title, year, blob) {     console.log("addpublication arguments:", arguments);     var obj = { biblioid: biblioid, title: title, year: year };     if (typeof blob != 'undefined')       obj.blob = blob;      var sto...
   
 
   
    PaymentResponse.retry() - Web APIs
    
}  async function dopaymentrequest() {   const request = new paymentrequest(methoddata, details, options);   const response = await request.show();   await recursiv
evalidate(request, response);   await response.complete("success"); }  // keep validating until the data looks good!
... async function recursiv
evalidate(request, response) {   const promisestofixthings = [];   const errors = await validate(request, response);   if (!errors) {     return;   }   if (errors.shippingaddress) {     // "shippingaddresschange" fired at request object     const promise = fixfield(request, "shippingaddresschange", shippingvalidator);     promisestofixthings.push(promise);   }   if (errors.payer) {     // "payerdetailchange" fired at response object     const promise = fixfield(response, "payerdetailchange", payervalidator);     promisestofixthings.push(promise);   }   await promise.all([response.retry(errors), ...promisestofixthings]);   await recursiv
evalidate(request, response); }  function fixfield(requestorresponse, event, validator) {   return new promise(resolve => {     // brows...
   
 
   
    PublicKeyCredentialRequestOptions - Web APIs
    
 publickeycredentialrequestoptions.timeout optional  a numerical hint, in milliseconds, which indicates the time the caller is willing to wait for the retri
eval operation to complete.
... publickeycredentialrequestoptions.allowcredentials optional  an array of credentials descriptor which restricts the acceptable existing credentials for retri
eval.
   
 
   
    SVGAnimatedBoolean - Web APIs
    
 interface overview           also implement    none          methods    none          properties               readonly boolean bas
eval      readonly boolean animval                   normative document    svg 1.1 (2nd edition)        properties           name    type    description              bas
eval    boolean    the base value of the given attribute before applying any animations.
...if the given attribute or property is not currently being animated, contains the same value as bas
eval.
   
 
   
    SVGAnimatedEnumeration - Web APIs
    
 interface overview           also implement    none          methods    none          properties               unsigned short bas
eval      readonly unsigned short animval                   normative document    svg 1.1 (2nd edition)        properties           name    type    description              bas
eval    unsigned short    the base value of the given attribute before applying any animations.
...if the given attribute or property is not currently being animated, contains the same value as bas
eval.
   
 
   
    SVGAnimatedInteger - Web APIs
    
 interface overview           also implement    none          methods    none          properties               readonly long bas
eval      readonly long animval                   normative document    svg 1.1 (2nd edition)        properties           name    type    description              bas
eval    long    the base value of the given attribute before applying any animations.
...if the given attribute or property is not currently being animated, contains the same value as bas
eval.
   
 
   
  
   
    SVGAnimatedLength - Web APIs
    
 interface overview           also implement    none          methods    none          properties               readonly svglength bas
eval      readonly svglength animval                   normative document    svg 1.1 (2nd edition)        properties           name    type    description              bas
eval    svglength    the base value of the given attribute before applying any animations.
...if the given attribute or property is not currently being animated, contains the same value as bas
eval.
   
 
   
    SVGAnimatedNumber - Web APIs
    
 interface overview           also implement    none          methods    none          properties               float bas
eval      readonly float animval                   normative document    svg 1.1 (2nd edition)        properties           name    type    description              bas
eval    float    the base value of the given attribute before applying any animations.
...if the given attribute or property is not currently being animated, contains the same value as bas
eval.
   
 
   
    StylePropertyMapReadOnly.get() - Web APIs
    
   the get() method of the stylepropertymapreadonly interface returns a cssstyl
evalue object for the first value of the specified property.
...  return value  a cssstyl
evalue object.
   
 
   
    WebGL model view projection - Web APIs
    
 first take a look at the vertex shader that will move the vertices on the screen:  // the individual position vertex attribute vec3 position;  void main() {   // the gl_position is the final position in clip space after the vertex shader modifies it   gl_position = vec4(position, 1.0); }   next, to actually rasterize the data into pixels, the fragment shader 
evaluates everything on a per pixel basis, setting a single color.
... homogeneoustocartesian([10, 4, 5, 0]);   this 
evaluates to: [infinity, infinity, infinity].
   
 
   
    Using the Web Speech API - Web APIs
    
 var synth = window.speechsynthesis;  var inputform = document.queryselector('form'); var inputtxt = document.queryselector('.txt'); var voiceselect = document.queryselector('select');  var pitch = document.queryselector('#pitch'); var pitchvalue = document.queryselector('.pitch-value'); var rate = document.queryselector('#rate'); var rat
evalue = document.queryselector('.rate-value');  var voices = [];   populating the select element  to populate the <select> element with the different voice options the device has available, we've written a populatevoicelist() function.
... pitch.onchange = function() {   pitchvalue.textcontent = pitch.value; }  rate.onchange = function() {   rat
evalue.textcontent = rate.value; }                                ...
   
 
   
    XPathResult.booleanValue - Web APIs
    
 syntax  var value = result.booleanvalue;   return value  the return value is the boolean value of the xpathresult returned by document.
evaluate().
... html  <div>xpath example</div> <p>text is 'xpath example': <output></output></p>   javascript  var xpath = "//div/text() = 'xpath example'"; var result = document.
evaluate(xpath, document, null, xpathresult.boolean_type, null); document.queryselector("output").textcontent = result.booleanvalue;   result    specifications           specification    status    comment          document object model (dom) level 3 xpath specificationthe definition of 'xpathresult.booleanvalue' in that specification.
   
 
   
    XPathResult.numberValue - Web APIs
    
 syntax  var value = result.numbervalue;   return value  the return value is the numeric value of the xpathresult returned by document.
evaluate().
... html  <div>xpath example</div> <div>number of <div>s: <output></output></div>   javascript  var xpath = "count(//div)"; var result = document.
evaluate(xpath, document, null, xpathresult.number_type, null); document.queryselector("output").textcontent = result.numbervalue;   result    specifications           specification    status    comment          document object model (dom) level 3 xpath specificationthe definition of 'xpathresult.numbervalue' in that specification.
   
 
   
    XPathResult.resultType - Web APIs
    
 constants           result type defined constant    value    description              any_type    0    a result set containing whatever type naturally results from 
evaluation of the expression.
... html  <div>xpath example</div> <div>is xpath result a node set: <output></output></div>   javascript  var xpath = "//div"; var result = document.
evaluate(xpath, document, null, xpathresult.any_type, null); document.queryselector("output").textcontent =   result.resulttype >= xpathresult.unordered_node_iterator_type &&   result.resulttype <= xpathresult.first_ordered_node_type;   result    specifications           specification    status    comment          document object model (dom) level 3 xpath specificationthe definition of 'xpathresult.re...
   
 
   
    XPathResult.stringValue - Web APIs
    
 syntax  var value = result.stringvalue;   return value  the return value is the string value of the xpathresult returned by document.
evaluate().
... html  <div>xpath example</div> <div>text content of the <div> above: <output></output></div>   javascript  var xpath = "//div/text()"; var result = document.
evaluate(xpath, document, null, xpathresult.string_type, null); document.queryselector("output").textcontent = result.stringvalue;   result    specifications           specification    status    comment          document object model (dom) level 3 xpath specificationthe definition of 'xpathresult.stringvalue' in that specification.
   
 
   
    XRWebGLLayerInit.antialias - Web APIs
    
 example  in this example, before creating a new xrwebgllayer to use for rendering, the value of a user preference from a configuration interface is obtained using a function called getpreferenc
evalue() to determine whether the user has enabled or disabled anti-aliasing support; this is passed into the constructor.
...  let options = {   antialias: getpreferenc
evalue("antialiasing") };  let gllayer = new xrwebgllayer(xrsession, gl, options); if (gllayer) {   xrsession.updaterenderstate({ baselayer: gllayer }); }   offering the user features such as the ability to enable or disable things like anti-aliasing can provide them with optiions to try when your app isn't performing as well as they'd like.
   
 
   
    Accessibility and Spacial Patterns - Accessibility
    
   in 2005, arnold wilkins, john emmett, and graham harding 
evaluated the guidelines for characterizing patterned images that could precipitate seizures.
...which they published in the paper, characterizing the patterned images that precipitate seizures and optimizing guidelines to prevent them   the steps necessary to 
evaluate material reduce to the following:  look at the screen  are there more than five stripes?
   
 
   
    At-rules - CSS: Cascading Style Sheets
    
furthermore, they all convey a common semantic meaning—they all link some type of condition, which at any time 
evaluates to either true or false.
... if the condition 
evaluates to true, then all of the statements within the group will be applied.
   
 
   
    Color picker tool - CSS: Cascading Style Sheets
    
'hsl' : 'hsv'; 		this.color.setformat(this.picker_mode);  		this.createpickingarea(); 		this.createhuearea();  		this.newinputcomponent('h', 'hue', this.inputchangehue.bind(this)); 		this.newinputcomponent('s', 'saturation', this.inputchangesaturation.bind(this)); 		this.newinputcomponent('v', 'value', this.inputchang
evalue.bind(this)); 		this.newinputcomponent('l', 'lightness', this.inputchangelightness.bind(this));  		this.createalphaarea();  		this.newinputcomponent('r', 'red', this.inputchangered.bind(this)); 		this.newinputcomponent('g', 'green', this.inputchangegreen.bind(this)); 		this.newinputcomponent('b', 'blue', this.inputchangeblue.bind(this));  		this.createpreviewbox(); 		this.createchangemodebutton(...
...pe.inputchangehue = function inputchangehue(e) { 		var value = parseint(e.target.value); 		this.sethue(value); 		this.updatehuepicker(); 	};  	colorpicker.prototype.inputchangesaturation = function inputchangesaturation(e) { 		var value = parseint(e.target.value); 		this.color.setsaturation(value); 		e.target.value = this.color.saturation; 		this.updateslv(); 	};  	colorpicker.prototype.inputchang
evalue = function inputchang
evalue(e) { 		var value = parseint(e.target.value); 		this.color.setvalue(value); 		e.target.value = this.color.value; 		this.updateslv(); 	};  	colorpicker.prototype.inputchangelightness = function inputchangelightness(e) { 		var value = parseint(e.target.value); 		this.color.setlightness(value); 		e.target.value = this.color.lightness; 		this.updateslv(); 	};  	colorpicke...
   
 
   
    Testing media queries programmatically - CSS: Cascading Style Sheets
    
 creating a media query list  before you can 
evaluate the results of a media query, you need to create the mediaquerylist object representing the query.
...of a query  once you've created your media query list, you can check the result of the query by looking at the value of its matches property:  if (mediaquerylist.matches) {   /* the viewport is currently in portrait orientation */ } else {   /* the viewport is not currently in portrait orientation, therefore landscape */ }   receiving query notifications  if you need to be aware of changes to the 
evaluated result of the query on an ongoing basis, it's more efficient to register a listener than to poll the query's result.
   
 
   
    Audio and video manipulation - Developer guides
    
e="edit" />   <input id="reset" type="button" value="reset" /> </div> <textarea id="code" class="playable-code"> var myvideo = document.getelementbyid('my-video'); myvideo.playbackrate = 2;</textarea>   var textarea = document.getelementbyid('code'); var reset = document.getelementbyid('reset'); var edit = document.getelementbyid('edit'); var code = textarea.value;  function setplaybackrate() {   
eval(textarea.value); }  reset.addeventlistener('click', function() {   textarea.value = code;   setplaybackrate(); });  edit.addeventlistener('click', function() {   textarea.focus(); })  textarea.addeventlistener('input', setplaybackrate); window.addeventlistener('load', setplaybackrate);       note: try the playbackrate example live.
...t(),     audiosource = context.createmediaelementsource(document.getelementbyid("my-video")),     filter      = context.createbiquadfilter(); audiosource.connect(filter); filter.connect(context.destination);  var textarea = document.getelementbyid('code'); var reset = document.getelementbyid('reset'); var edit = document.getelementbyid('edit'); var code = textarea.value;  function setfilter() {   
eval(textarea.value); }  reset.addeventlistener('click', function() {   textarea.value = code;   setfilter(); });  edit.addeventlistener('click', function() {   textarea.focus(); })  textarea.addeventlistener('input', setfilter); window.addeventlistener('load', setfilter);       note: unless you have cors enabled, to avoid security issues your video should be on the same domain as your code.
   
 
   
  
   
    <picture>: The Picture element - HTML: Hypertext Markup Language
    
 the media attribute  the media attribute specifies a media condition (similar to a media query) that the user agent will 
evaluate for each <source> element.
...  if the <source>'s media condition 
evaluates to false, the browser skips it and 
evaluates the next element inside <picture>.
   
 
   
    itemtype - HTML: Hypertext Markup Language
    
aggregaterating">     rating: <span itemprop="ratingvalue">4.4</span> stars, based on <span itemprop="reviewcount">89       </span> reviews   </span><p>  <span itemprop="offers" itemscope itemtype="http://schema.org/offer">     regular price: $179.99<br>     <meta itemprop="pricecurrency" content="usd" />     <span itemprop="price">sale price: $119.99<br></span>     (sale ends <time itemprop="pric
evaliduntil" datetime="2020-11-05">       5 november!</time>)<br>     available from: <span itemprop="seller" itemscope itemtype="http://schema.org/organization">                       <span itemprop="name">executive objects<br></span>                     </span>     condition: <link itemprop="itemcondition" href="http://schema.org/usedcondition"/>previously owned,       in excellent condition<br>    ...
...       itemprop    brand [thing]               itemprop    name    acme          itemscope    itemprop[itemtype]    aggregaterating[aggregaterating]               itemprop    ratingvalue    4.4          itemprop    reviewcount    89          itemprop    offers [offer]    http://schema.org/offer          itemprop    pricecurrency    usd          itemprop    price    119.99          itemprop    pric
evaliduntil    2020-11-05          itemprop    itemcondition    http://schema.org/usedcondition          itemprop    availability    http://schema.org/instock          itemscope    itemprop[itemtype]    seller [organization]    http://schema.org/organization          itemprop    name    executive objects         note: a handy tool for extracting microdata structures from html is google's structured da...
   
 
   
    Content-Security-Policy - HTTP
    
 content-security-policy: default-src 'self' http://example.com;                          connect-src 'none'; content-security-policy: connect-src http://example.com/;                          script-src http://example.com/  examples  example: disable unsafe inline/
eval, only allow loading of resources (images, fonts, scripts, etc.) over https:  // header content-security-policy: default-src https:  // meta tag <meta http-equiv="content-security-policy" content="default-src https:">   example: pre-existing site that uses too much inline code to fix but wants to ensure resources are loaded only over https and to disable plugins:  content-security-policy: default-...
...src https: 'unsafe-
eval' 'unsafe-inline'; object-src 'none'  example: do not implement the above policy yet; instead just report violations that would have occurred:  content-security-policy-report-only: default-src https:; report-uri /csp-violation-report-endpoint/  see mozilla web security guidelines for more examples.
   
 
   
    Warning - HTTP
    
  note: the warning header is soon to be deprecated; see warning (https://github.com/httpwg/http-core/issues/139) and warning: header & stale-while-r
evalidate (https://github.com/whatwg/fetch/issues/913) for more details.
...         111    r
evalidation failed    an attempt to validate the response failed, due to an inability to reach the server.
   
 
   
    A re-introduction to JavaScript (JS tutorial) - JavaScript
    
 function countchars(elm) {   if (elm.nodetype == 3) { // text_node     return elm.nod
evalue.length;   }   var count = 0;   for (var i = 0, child; child = elm.childnodes[i]; i++) {     count += countchars(child);   }   return count; }   this highlights a potential problem with anonymous functions: how do you call them recursively if they don't have a name?
...you can use named iifes (immediately invoked function expressions) as shown below:  var charsinbody = (function counter(elm) {   if (elm.nodetype == 3) { // text_node     return elm.nod
evalue.length;   }   var count = 0;   for (var i = 0, child; child = elm.childnodes[i]; i++) {     count += counter(child);   }   return count; })(document.body);   the name provided to a function expression as above is only available to the function's own scope.
   
 
   
    Enumerability and ownership of properties - JavaScript
    
    property enumerability and ownership - built-in methods of detection, retri
eval, and iteration         functionality    own object    own object and its prototype chain    prototype chain only          detection                              enumerable        nonenumerable        enumerable and nonenumerable                                           propertyisenumerable          hasownproperty                         hasownproperty – filtered to exclude enumerables using pr...
...opertyisenumerable                hasownproperty                                                    enumerable        nonenumerable        enumerable and nonenumerable                                  not available without extra code        not available without extra code        in                          not available without extra code          retri
eval                              enumerable        nonenumerable        enumerable and nonenumerable                                           object.keys          getownpropertynames           getownpropertysymbols                getownpropertynames, getownpropertysymbols – filtered to exclude enumerables using propertyisenumerable                 getownpropertynames          getownpropertysymbols                                  not availa...
   
 
   
    Introduction - JavaScript
    
along the bottom of the console is an input line that you can use to enter javascript, and the output appears in the panel above:    the console works the exact same way as 
eval: the last expression entered is returned.
... for the sake of simplicity, it can be imagined that every time something is entered into the console, it is actually surrounded by console.log around 
eval, like so:  function greetme(yourname) {   alert("hello " + yourname) } console.log(
eval('3 + 5'))   multi-line input in the web console  the single-line input mode of the web console is great for quick testing of javascript expressions, but although you can execute multiple lines, it's not very convenient for that.
   
 
   
    Default parameters - JavaScript
    
 in the following example, if no value is provided for b when multiply is called, b's value would be undefined when 
evaluating a * b and multiply would return nan.
... function test(num = 1) {   console.log(typeof num) }  test()           // 'number' (num is set to 1) test(undefined)  // 'number' (num is set to 1 too)  // test with other falsy values: test('')         // 'string' (num is set to '') test(null)       // 'object' (num is set to null)   
evaluated at call time  the default argument is 
evaluated at call time.
   
 
   
    AsyncFunction - JavaScript
    
each must be a string that corresponds to a valid javascript identifier or a list of such strings separated with a comma; for example "x", "th
evalue", or "a,b".
... this is different from using 
eval with code for an async function expression.
   
 
   
   
    Error - JavaScript
    
   evalerror  creates an instance representing an error that occurs regarding the global function 
eval().
...or using the try...catch construct:  try {   throw new error('whoops!') } catch (e) {   console.error(e.name + ': ' + e.message) }   handling a specific error  you can choose to handle only specific error types by testing the error type with the error's constructor property or, if you're writing for modern javascript engines, instanceof keyword:  try {   foo.bar() } catch (e) {   if (e instanceof 
evalerror) {     console.error(e.name + ': ' + e.message)   } else if (e instanceof rangeerror) {     console.error(e.name + ': ' + e.message)   }   // ...
   
 
   
    JSON.stringify() - JavaScript
    
 therefore, if compatibility with older javascript engines is required, it is perilous to directly substitute the string returned by json.stringify into a javascript string to be passed to 
eval or new function or as part of a jsonp url, and the following utility can be used:  function jsfriendlyjsonstringify (s) {     return json.stringify(s).
...        replace(/\u2029/g, '\\u2029'); }  var s = {     a: string.fromcharcode(0x2028),     b: string.fromcharcode(0x2029) }; try {     
eval('(' + json.stringify(s) + ')'); } catch (e) {     console.log(e); // "syntaxerror: unterminated string literal" }  // no need for a catch 
eval('(' + jsfriendlyjsonstringify(s) + ')');  // console.log in firefox unescapes the unicode if //   logged to console, so we use alert alert(jsfriendlyjsonstringify(s)); // {"a":"\u2028","b":"\u2029"}    note: properties of non-array objects are not guaranteed to be stringified in any particular order.
   
 
   
    Object.prototype.toSource() - JavaScript
    
for example:  function person(name) {   this.name = name; }  person.prototype.tosource = function person_tosource() {   return 'new person(' + un
eval(this.name) + ')'; };  console.log(new person('joe').tosource()); // ---> new person("joe")   built-in tosource() methods  each core javascript type has its own tosource() method.
...for example:  var obj1 = {}; var obj2 = { a: obj1 }; obj1.b = obj2;  console.log('cyclical: ' + (obj1.b.a == obj1));  var objsource = obj1.tosource(); // returns "({b:{a:{}}})"  obj1 = 
eval(objsource);  console.log('cyclical: ' + (obj1.b.a == obj1));   if a cyclical structure is employed and tosource() is needed, the object must provide an override to tosource(), either using a reference to a constructor or providing an anonymous function.
   
 
   
    Object.prototype.valueOf() - JavaScript
    
the following code assigns a user-defined function to the object's valueof method:  mynumbertype.prototype.valueof = function() { return customprimitiv
evalue; };  with the preceding code in place, any time an object of type mynumbertype is used in a context where it is to be represented as a primitive value, javascript automatically calls the function defined in the preceding code.
...  examples  using valueof on custom types  function mynumbertype(n) {     this.number = n; }  mynumbertype.prototype.valueof = function() {     return this.number; };  var myobj = new mynumbertype(4); myobj + 3; // 7   using unary plus  +"5" // 5 (string to number) +"" // 0 (string to number) +"1 + 2" // nan (doesn't 
evaluate) +new date() // same as (new date()).gettime() +"foo" // nan (string to number) +{} // nan +[] // 0 (tostring() returns an empty string list) +[1] // 1 +[1,2] // nan +new set([1]) // nan +bigint(1) // uncaught typeerror: cannot convert a bigint value to a number +undefined // nan +null // 0 +true // 1 +false // 0   specifications           specification              ecmascript (ecma-262)the d...
   
 
   
    Promise.prototype.then() - JavaScript
    
the value received and returned is: " + value);     return value; }); // instantly logging the value of thenprom console.log(thenprom);  // using settimeout we can postpone the execution of a function to the moment the stack is empty settimeout(() => {     console.log(thenprom); });   // logs, in order: // promise {[[promisestatus]]: "pending", [[promis
evalue]]: undefined} // "this gets called after the end of the main stack.
... the value received and returned is: 33" // promise {[[promisestatus]]: "resolved", [[promis
evalue]]: 33}  description  as the then and promise.prototype.catch() methods return promises, they can be chained — an operation called composition.
   
 
   
  
   
    Promise - JavaScript
    
    not to be confused with: several other languages have mechanisms for lazy 
evaluation and deferring a computation, which they also call "promises", e.g.
...if you are looking to lazily 
evaluate an expression, consider the arrow function with no arguments: f = () => expression to create the lazily-
evaluated expression, and f() to 
evaluate.
   
 
   
    String.prototype.replace() - JavaScript
    
this forces the 
evaluation of the match prior to the tolowercase() method.
... let newstring = propertyname.replace(/[a-z]/g, '-' + '$&'.tolowercase());  // won't work   this is because '$&'.tolowercase() would first be 
evaluated as a string literal (resulting in the same '$&') before using the characters as a pattern.
   
 
   
    SyntaxError() constructor - JavaScript
    
 syntax  new syntaxerror([message[, filename[, linenumber]]])  parameters    message optional  human-readable description of the error  filename optional   the name of the file containing the code that caused the exception  linenumber optional   the line number of the code that caused the exception   examples  catching a syntaxerror  try {   
eval('hoo bar'); } catch (e) {   console.error(e instanceof syntaxerror);   console.error(e.message);   console.error(e.name);   console.error(e.filename);   console.error(e.linenumber);   console.error(e.columnnumber);   console.error(e.stack); }   creating a syntaxerror  try {   throw new syntaxerror('hello', 'somefile.js', 10); } catch (e) {   console.error(e instanceof syntaxerror); // true   cons...
...ole.error(e.message);                // hello   console.error(e.name);                   // syntaxerror   console.error(e.filename);               // somefile.js   console.error(e.linenumber);             // 10   console.error(e.columnnumber);           // 0   console.error(e.stack);                  // @debugger 
eval code:3:9 }   specifications           specification              ecmascript (ecma-262)the definition of 'nativeerror constructor' in that specification.
   
 
   
    SyntaxError - JavaScript
    
  examples  catching a syntaxerror  try {   
eval('hoo bar'); } catch (e) {   console.error(e instanceof syntaxerror);   console.error(e.message);   console.error(e.name);   console.error(e.filename);   console.error(e.linenumber);   console.error(e.columnnumber);   console.error(e.stack); }   creating a syntaxerror  try {   throw new syntaxerror('hello', 'somefile.js', 10); } catch (e) {   console.error(e instanceof syntaxerror); // true   cons...
...ole.error(e.message);                // hello   console.error(e.name);                   // syntaxerror   console.error(e.filename);               // somefile.js   console.error(e.linenumber);             // 10   console.error(e.columnnumber);           // 0   console.error(e.stack);                  // @debugger 
eval code:3:9 }   specifications           specification              ecmascript (ecma-262)the definition of 'syntaxerror' in that specification.
   
 
   
    TypedArray.prototype.findIndex() - JavaScript
    
  polyfill  typedarray.prototype.findindex = array.prototype.findindex = array.prototype.findindex || function(
evaluator, thisarg) {         'use strict';         if (!this) {           throw new typeerror('array.prototype.some called on null or undefined');         }              if (typeof(
evaluator) !== 'function') {             if (typeof(
evaluator) === 'string') {                 // attempt to convert it to a function                 if ( !
... (
evaluator = 
eval(
evaluator)) ){                     throw new typeerror();                 }             } else {                 throw new typeerror();             }         }                  var i;         if (thisarg === undefined) {  // optimize for thisarg             for (i in this) {                 if (
evaluator(this[i], i, this)) {                     return i;                 }             }             return -1;         }         for (i in this) {             if (
evaluator.call(thisarg, this[i], i, this)) {                 return i;             }         }         return -1; };  examples  find the index of a prime number in a typed array  the following example finds the index of an element in the typed array that is a prime number (or returns -1 if there is no prime number).
   
 
   
    Standard built-in objects - JavaScript
    
    eval()    un
eval()   isfinite()  isnan()  parsefloat()  parseint()  encodeuri()  encodeuricomponent()  decodeuri()  decodeuricomponent()  deprecated         escape()       unescape()          fundamental objects  these are the fundamental, basic objects upon which all other objects are based.
...    error    aggregateerror   
evalerror  internalerror   rangeerror  referenceerror  syntaxerror  typeerror  urierror    numbers and dates  these are the base objects representing numbers, dates, and mathematical calculations.
   
 
   
    Logical OR assignment (||=) - JavaScript
    
 syntax  expr1 ||= expr2   description  short-circuit 
evaluation  the logical or operator works like this:  x || y; // returns x when x is truthy // returns y when x is not truthy  the logical or operator short-circuits: the second operand is only 
evaluated if the first operand doesn’t already determine the result.
...  logical or assignment short-circuits as well, meaning it only performs an assignment if the logical operation would 
evaluate the right-hand side.
   
 
   
    Property accessors - JavaScript
    
eval  javascript novices often make the mistake of using 
eval() where the bracket notation can be used instead.
... x = 
eval('document.forms.form_name.elements.' + strformcontrol + '.value')   
eval() is slow and should be avoided whenever possible.
   
 
   
    Unary plus (+) - JavaScript
    
 the unary plus operator (+) precedes its operand and 
evaluates to its operand but attempts to convert it into a number, if it isn't already.
...if it cannot parse a particular value, it will 
evaluate to nan.
   
 
   
    this - JavaScript
    
 syntax  this  value  a property of an execution context (global, function or 
eval) that, in non–strict mode, is always a reference to an object and in strict mode can be any value.
...calling  super() creates a this binding within the constructor and essentially has the effect of 
evaluating the following line of code, where base is the inherited class:  this = new base();   warning: referring to this before calling super() will throw an error.
   
 
   
    yield - JavaScript
    
the value property is the result of 
evaluating the yield expression, and done is false, indicating that the generator function has not fully completed.
...'step' 
evaluates as a return value in this syntax [rv] = yield [expression]  function* counter(value) {  let step;   while (true) {    step = yield ++value;     if (step) {      value += step;    }  } }  const generatorfunc = counter(0); console.log(generatorfunc.next().value);   // 1 console.log(generatorfunc.next().value);   // 2 console.log(generatorfunc.next().value);   // 3 console.log(generatorfunc.nex...
   
 
   
    Expressions and operators - JavaScript
    
  equality operators  the result of 
evaluating an equality operator is always of type boolean based on whether the comparison is true.
...    comma operator    ,  the comma operator allows multiple expressions to be 
evaluated in a single statement and returns the result of the last expression.
   
 
   
    with - JavaScript
    
 syntax  with (expression)   statement     expression  adds the given expression to the scope chain used when 
evaluating the statement.
...the 'with' statement adds the given object to the head of this scope chain during the 
evaluation of its statement body.
   
 
   
    textLength - SVG: Scalable Vector Graphics
    
it starts by stashing references to the elements it will need to access, using document.getelementbyid():  const widthslider = document.getelementbyid("widthslider"); const widthdisplay = document.getelementbyid("widthdisplay"); const textelement = document.getelementbyid("hello"); const baselength = math.floor(textelement.textlength.bas
eval.value);  widthslider.value = baselength;  widthslider.addeventlistener("input", function(event) {   textelement.textlength.bas
eval.newvaluespecifiedunits(       svglength.svg_lengthtype_px, widthslider.valueasnumber);   widthdisplay.innertext = widthslider.value; }, false);  widthslider.dispatchevent(new event("input"));    after fetching the element references, an eventlistener is established by...
...note that we have to dive into textlength to get its bas
eval property; textlength is stored as an svglength object, so we can't treat it like a plain number.
   
 
   
    SVG Attribute reference - SVG: Scalable Vector Graphics
    
ring  slope  spacing  specularconstant  specularexponent  speed  spreadmethod  startoffset  stddeviation  stemh  stemv  stitchtiles  stop-color  stop-opacity  strikethrough-position  strikethrough-thickness  string  stroke  stroke-dasharray  stroke-dashoffset  stroke-linecap  stroke-linejoin  stroke-miterlimit  stroke-opacity  stroke-width  style  surfacescale  systemlanguage   t    tabindex  tabl
evalues  target  targetx  targety  text-anchor  text-decoration  text-rendering  textlength  to  transform  transform-origin  type   u    u1  u2  underline-position  underline-thickness  unicode  unicode-bidi  unicode-range  units-per-em   v    v-alphabetic  v-hanging  v-ideographic  v-mathematical  values  vector-effect  version  vert-adv-y  vert-origin-x  vert-origin-y  viewbox  viewtarget  visibili...
...p-opacity, stroke, stroke-dasharray, stroke-dashoffset, stroke-linecap, stroke-linejoin, stroke-miterlimit, stroke-opacity, stroke-width, text-anchor, text-decoration, text-rendering, transform, transform-origin, unicode-bidi, vector-effect, visibility, word-spacing, writing-mode  filters attributes  filter primitive attributes  height, result, width, x, y  transfer function attributes  type, tabl
evalues, slope, intercept, amplitude, exponent, offset  animation attributes  animation attribute target attributes  attributetype, attributename  animation timing attributes  begin, dur, end, min, max, restart, repeatcount, repeatdur, fill  animation value attributes  calcmode, values, keytimes, keysplines, from, to, by, autoreverse, accelerate, decelerate  animation addition attributes  additive, ac...
   
 
   
  
   
    <feComponentTransfer> - SVG: Scalable Vector Graphics
    
width="100%" height="100%">       <fecomponenttransfer>         <fefuncr type="identity"></fefuncr>         <fefuncg type="identity"></fefuncg>         <fefuncb type="identity"></fefuncb>         <fefunca type="identity"></fefunca>       </fecomponenttransfer>     </filter>     <filter id="table" x="0" y="0" width="100%" height="100%">       <fecomponenttransfer>         <fefuncr type="table" tabl
evalues="0 0 1 1"></fefuncr>         <fefuncg type="table" tabl
evalues="1 1 0 0"></fefuncg>         <fefuncb type="table" tabl
evalues="0 1 1 0"></fefuncb>       </fecomponenttransfer>     </filter>     <filter id="discrete" x="0" y="0" width="100%" height="100%">       <fecomponenttransfer>         <fefuncr type="discrete" tabl
evalues="0 0 1 1"></fefuncr>         <fefuncg type="discrete" tabl
evalues="...
...1 1 0 0"></fefuncg>         <fefuncb type="discrete" tabl
evalues="0 1 1 0"></fefuncb>       </fecomponenttransfer>     </filter>     <filter id="linear" x="0" y="0" width="100%" height="100%">       <fecomponenttransfer>         <fefuncr type="linear" slope="0.5" intercept="0"></fefuncr>         <fefuncg type="linear" slope="0.5" intercept="0.25"></fefuncg>         <fefuncb type="linear" slope="0.5" intercept="0.5"></fefuncb>       </fecomponenttransfer>     </filter>     <filter id="gamma" x="0" y="0" width="100%" height="100%">       <fecomponenttransfer>         <fefuncr type="gamma" amplitude="4" exponent="7" offset="0"></fefuncr>         <fefuncg type="gamma" amplitude="4" exponent="4" offset="0"></fefuncg>         <fefuncb type="gamma" amplitude="4" exponent="1" offset="0"></fefuncb>    ...
   
 
   
    <switch> - SVG: Scalable Vector Graphics
    
 the <switch> svg element 
evaluates any requiredfeatures, requiredextensions and systemlanguage attributes on its direct child elements in order, and then renders the first child where these attributes 
evaluate to true.
...   candidate recommendation    clarified the 
evaluation of the systemlanguage attribute          scalable vector graphics (svg) 1.1 (second edition)the definition of '<switch>' in that specification.
   
 
   
    ceiling - XPath
    
             xslt/xpath reference: xslt elements, exslt functions, xpath functions, xpath axes     the ceiling function 
evaluates a decimal number and returns the smallest integer greater than or equal to the decimal number.
...  syntax  ceiling(number )   arguments    number  the number to be 
evaluated.
   
 
   
    floor - XPath
    
             xslt/xpath reference: xslt elements, exslt functions, xpath functions, xpath axes     the floor function 
evaluates a decimal number and returns the largest integer less than or equal to the decimal number.
...  syntax  floor( number )   arguments    number  the decimal number to be 
evaluated.
   
 
   
    last - XPath
    
             xslt/xpath reference: xslt elements, exslt functions, xpath functions, xpath axes     the last function returns a number equal to the context size from the expression 
evaluation context.
...  syntax  last()   returns  an integer equal to the context size from the expression 
evaluation context.
   
 
   
    position - XPath
    
             xslt/xpath reference: xslt elements, exslt functions, xpath functions, xpath axes     the position function returns a number equal to the context position from the expression 
evaluation context.
...  syntax  position()   returns  an integer equal to the context position from the expression 
evaluation context.
   
 
   
    sum - XPath
    
 syntax  sum(node-set )   arguments    node-set  the node-set to be 
evaluated.
... each node in this node-set is 
evaluated as if it were passed to the number() function, and a sum of the resulting numbers is returned.
   
 
   
    translate - XPath
    
             xslt/xpath reference: xslt elements, exslt functions, xpath functions, xpath axes     the translate function 
evaluates a string and a set of characters to translate and returns the translated string.
...  syntax  translate(string, abc, xyz)   arguments    string  the string to 
evaluate.
   
 
   
    <xsl:if> - XSLT: Extensible Stylesheet Language Transformations
    
if the test 
evaluates to true, the template is processed.
... syntax  <xsl:if test=expression> 	template </xsl:if>  required attributes    test  contains an xpath expression that can be 
evaluated (using the rules defined for boolean( ) if necessary) to a boolean value.
   
 
   
    <xsl:value-of> - XSLT: Extensible Stylesheet Language Transformations
    
             xslt/xpath reference: xslt elements, exslt functions, xpath functions, xpath axes   the <xsl:value-of> element 
evaluates an xpath expression, converts it to a string, and writes that string to the result tree.
...  syntax  <xsl:value-of select=expression disable-output-escaping="yes" | "no"  />  required attributes    select  specifies the xpath expression to be 
evaluated and written to the output tree.
   
 
   
    XSLT elements reference - XSLT: Extensible Stylesheet Language Transformations
    
at run-time the expression is 
evaluated and the result of the 
evaluation is substituted for the xpath expression.
... for example, assume that a variable "image-dir" is defined as follows:  <xsl:variable name="image-dir">/images</xsl:variable>  the expression to be 
evaluated is placed inside curly brackets:  <img src="{$image-dir}/mygraphic.jpg"/>  this would result in the following:  <img src="/images/mygraphic.jpg"/>  the element annotations that follow include a description, a syntax listing, a list of required and optional attributes, a description of type and position, its source in the w3c recommendation and an explanation of the degree of present gecko support.
   
 
   
    Index - XSLT: Extensible Stylesheet Language Transformations
    
if the test 
evaluates to true, the template is processed.
...       51     <xsl:value-of>     element, reference, xslt, value-of       the <xsl:value-of> element 
evaluates an xpath expression, converts it to a string, and writes that string to the result tree.
   
 
   
    PI Parameters - XSLT: Extensible Stylesheet Language Transformations
    
the result of 
evaluating the expression is used as value for the parameter.
... set the parameter 'columns' to the number 2:  <?xslt-param name="columns" select="2"?>   set the parameter 'books' to a nodeset containing all <book> elements in the null namespace:  <?xslt-param name="books" select="//book"?>   set the parameter 'show-toc' to boolean true:   <?xslt-param name="show-toc" select="true()"?>   the select attribute context  the following context is used to parse and 
evaluate the expression in the select attribute.
   
 
   
    Content Scripts - Archive of obsolete content
    
 event listeners  you can listen for dom events in a content script just as you can in a normal page script, but there are two important differences:  first, if you define an event listener by passing it as a string into setattribute(), then the listener is 
evaluated in the page's context, so it will not have access to any variables defined in the content script.
   
 
   
   
  
   
   
   
    Listening for Load and Unload - Archive of obsolete content
    
 if your add-on exports a function called main(), that function will be called immediately after the overall main.js is 
evaluated, and after all top-level require() statements have run (so generally after all dependent modules have been loaded).
   
 
   
    HTML to DOM - Archive of obsolete content
    
let's take a look at the donkeyfire.donkeybrowser_onpageload() handler:  donkeybrowser_onpageload: function(aevent) { 	var doc = aevent.originaltarget; 	var url = doc.location.href; 	if (aevent.originaltarget.nodename == "#document") { // ok, it's a real page, let's do our magic 		dump("[df] url = "+url+"\n"); 		var text = doc.
evaluate("/html/body/h1",doc,null,xpathresult.string_type,null).stringvalue; 		dump("[df] text in /html/body/h1 = "+text+"\n"); 	} },   as you can see, we obtain full access to the dom of the page we loaded in background, and we can even 
evaluate xpath expressions.
   
 
   
    getAttributeNS - Archive of obsolete content
    
hile (thisitem.nodename !== '#document' && thisitem.nodename !== '#document-fragment')  {               attrs2 = thisitem.attributes;               for (var i = 0; i < attrs2.length; i++) { // search for any prefixed xmlns declaration on thisitem which match prefixes found above with desired local name                 if (attrs2[i].nodename.match(xmlnsprefix) &&                       attrs2[i].nod
evalue === ns ) { // e.g., 'xmlns:xlink' and 'http://www.w3.org/1999/xlink'                   return attrs[j].nod
evalue;                 }               }               thisitem = thisitem.parentnode;             }           }     }     return ''; // if not found (some implementations return 'null' but this is not standard) } alert(getattributenswrapper (someelement, 'http://www.w3.org/1999/xlink', 'h...
   
 
   
   
   
    Chapter 3: Introduction to XUL—How to build a more intuitive UI - Archive of obsolete content
    
 <?xml version="1.0" encoding="utf-8"?> <?xml-stylesheet href="chrome://global/skin/"?> <dialog xmlns="http://www.mozilla.org/keymaster/gatekeeper/there.is.only.xul"     title="my dialog" buttons="accept,cancel"     ondialogaccept="sav
evalues(); window.close();"     ondialogcancel="window.close();">   <checkbox label="my option"/> </dialog>   listing 8: a dialog    figure 5: output from listing 8  note: the functions behind the dialog elements discussed here require "xpconnect privileges," which are discussed in chapter 4, so this example will only run correctly if it can run as firefox code itself or installed extension code.
   
 
   
   
    XUL School Tutorial - Archive of obsolete content
    
  intercepting page loads   connecting to remote content   handling preferences   local storage      advanced topics       the box model   xpcom objects   observer notifications   custom xul elements with xbl   mozilla documentation roadmap   useful mozilla community sites      appendices       appendix a: add-on performance   appendix b: install and uninstall scripts   appendix c: avoiding using 
eval in add-ons   appendix d: loading scripts   appendix e: dom building and html insertion   appendix f: monitoring dom changes       the xul school project was developed by appcoast (formerly glaxstar).
   
 
   
    Setting up an extension development environment - Archive of obsolete content
    
 chrome list navigate and view files in chrome:// (firefox version, thunderbird version)  chrome edit plus a user file editor (firefox and thunderbird)  firebug a variety of development tools (firefox)  pentadactyl, a general purpose extension with builtin tools for extension development, including a command line with chrome javascript 
evaluation (including property and function argument completion) and the ability to demand-load external javascript and css files into window chrome.
   
 
   
    MMgc - Archive of obsolete content
    
e following reasons:  coordinating the marking thread and the main thread will require locking and may suffer due to lock overhead/contention supporting mac classic's cooperative threads makes this approach harder flash's frame based architecture gives us a very natural place to do this work we have better control over how much time is spent marking without threads  when smp systems become more pr
evalent it may be worth investigating this approach because true parallelism may afford better performance.
   
 
   
    MCD, Mission Control Desktop, AKA AutoConfig - Archive of obsolete content
    
ref", e); }    test autoconfig  debug  to check that our autoconfig works fine, we just set to env variable to check the read of thunderbird.cfg file:  $ export nspr_log_modules=mcd:5 $ export nspr_log_file=/tmp/thunderbird-log.txt   when thunderbird has started, you should read:   $ cat /tmp/thunderbird-log.txt -1209403040[808a788]: general.config.filename = thunderbird.cfg -1209403040[808a788]: 
evaluating .cfg file thunderbird.cfg with obscur
evalue 0   clean  then, to be sure to start with a fresh thunderbird account,  don't do this if you already have one and want to preserve your emails  and preferences!
   
 
   
   
   
  
   
   
   
    MacFAQ - Archive of obsolete content
    
ts[0]){       try {         var cmdline = window.arguments[0]                           .queryinterface(components.interfaces.nsicommandline);         for (var i = 0; i < cmdline.length; ++i) {           debug(cmdline.getargument(i))         }       } catch(ex) {         debug(window.arguments[0])         // do something with window.arguments[0]         //nspreferences.setunicharpref("myxul.cmdlin
evalue", window.arguments[0])       }        window.addeventlistener("load", checkotherwindows , false);     }   ]]></script>  </window>                                 ...
   
 
   
    2006-09-29 - Archive of obsolete content
    
 discussions  extension based testing - someone is in the process of writing a small extension that tests firefox's help in terms of table-of-contents and search   looking for firefox triagers to 
evaluate a triage tool - a phd student is working on a way to assist triagers.
   
 
   
    2006-10-27 - Archive of obsolete content
    
  discussions  
evalinsandbox and xmlhttprequest  a discussion about writing something that calls a function defined by the page that the user is currently on   chrome files and last modified date  ways to retrieve the last modified date of a chrome file that may be in a jar or on the file system.
   
 
   
    NPObject - Archive of obsolete content
    
  functions    npn_createobject()   npn_retainobject()   npn_releaseobject()   npn_invoke()   npn_invokedefault()   npn_
evaluate()   npn_getproperty()   npn_setproperty()   npn_removeproperty()   npn_hasproperty()   npn_hasmethod()   npn_setexception()    see also    npclass                                 ...
   
 
   
   
    Scratchpad - Archive of obsolete content
    
s           command    windows    macos    linux          open the scratchpad    shift + f4    shift + f4    shift + f4          run scratchpad code    ctrl + r    cmd + r    ctrl + r          run scratchpad code, display the result in the object inspector    ctrl + i    cmd + i    ctrl + i          run scratchpad code, insert the result as a comment    ctrl + l    cmd + l    ctrl + l          re-
evaluate current function    ctrl + e    cmd + e    ctrl + e          reload the current page, then run scratchpad code    ctrl + shift + r    cmd + shift + r    ctrl + shift + r          save the pad    ctrl + s    cmd + s    ctrl + s          open an existing pad    ctrl + o    cmd + o    ctrl + o          create a new pad    ctrl + n    cmd + n    ctrl + n          close scratchpad    ctrl + w    c...
   
 
   
    Using the W3C DOM - Archive of obsolete content
    
 useful references on changing an element's text using the dom    whitespace in the dom by david baron  element.innerhtml  speed and performance comparison between innerhtml attribute and dom's nod
evalue when modifying the text data of a text node by gérard talbot  interactive dom level 2 characterdata interface attributes and methods tests: other ways to modify (replace, delete, manipulate) efficiently text nodes in the dom by gérard talbot     <- previous section: using web standards: how  next section: developing cross-browser pages ->                                ...
   
 
   
    E4X for templating - Archive of obsolete content
    
0]}</description>,  function _else ()      <label>no data</label>  )}  note that the simple xmllist() constructor (<></>) may be useful to still be able to use an expression closure (i.e., without needing return statements and braces): {_if(elems.length(), function () <>         <markup/>         <markup/> </>)} note that, while it is convenient to store such e4x in separate file templates (to be 
eval()d at a later time, taking into account security considerations, such as escaping with the above), e4x content using such functions can also be easily serialized inline (and then perhaps converted to the dom) as needed: var list = <>{_if(elems.length(), function () <>         <markup/>         <markup/> </>)}</>.toxmlstring();  iterating functions such as the following foreach (which can work wit...
   
 
   
    Introduction - Archive of obsolete content
    
use of inline functions in content although the brackets are restricted to single statements for 
evaluation, one might provide an anonymous function to perform some extra processing inline: var a = 'foo';  var b = <bar>{function () {var c = a.touppercase(); var d = 5 * 5; return c + d;}()}</bar>; where the above produces: <bar>foo25</bar>.
   
 
   
    Enumerator.moveFirst - Archive of obsolete content
    
 example  in following example, the movefirst method is used to 
evaluate members of the drivescollection from the beginning of the list:  function showdrives() {     var s = "";     var bytespergb = 1024 * 1024 * 1024;      var fso = new activexobject("scripting.filesystemobject");     var e = new enumerator(fso.drives);      e.movefirst();     while (e.atend() == false)     {         var drv = e.item();          s += drv.path + " - ";          if (drv.isready)   ...
   
 
   
   
    New in JavaScript 1.4 - Archive of obsolete content
    
 new features in javascript 1.4    exception handling (throw and try...catch)  in operator  instanceof operator   changed functionality in javascript 1.4    
eval() changes (cannot be called indirectly and no longer a method of object)  arguments not a property of functions  deprecated function.arity in favor of function.length  changes to liveconnect                    ...
   
 
   
   
  
   
   
   
   
   
    XForms Output Element - Archive of obsolete content
    
  attributes   ui common  appearance - the value of this attribute gives a hint to the xforms processor as to which type of widget(s) to use to represent this control  accesskey - used to specify the keyboard shortcut for focusing this control   single-node binding  special  value - xpath expression whose 
evaluation result is used as the output's value.
   
 
   
   
   
    XUL Parser in Python - Archive of obsolete content
    
 or, since the dictionary is already storing the values of all the attributes it finds, you can write the values of a particular attribute (e.g., id) to the results file by checking the attribute in sys.argv[1]:  for attr in a.keys():   if strip(attr) == sys.argv[1]:     el_list[name][strip(attr)] = strip(a[attr])    and writing th
evalues to the html results file instead of thekeys:   for item in elements: 	w.write('<tr><td class="head">' + item + '</td></tr>\n') 	for a in el_list[item].values(): 		w.write('<tr><td class="at">' + a + '</td>')    with these modifications, the script creates an output more like a periodic table of xul elements.
   
 
   
    Async scripts for asm.js - Game development
    
instead of using 
eval or innerhtml, both of which trigger synchronous compilation, you should use a blob with an object url:  var blob = new blob([codestring]); var script = document.createelement('script'); var url = url.createobjecturl(blob); script.onload = script.onerror = function() { url.revokeobjecturl(url); }; script.src = url; document.body.appendchild(script);  the setting of src rather than innerhtml is wha...
   
 
   
   
   
    Index - MDN Web Docs Glossary: Definitions of Web-related terms
    
       69     certified     apps, b2g, firefox os, glossary, security, trustworthy       certified means that an application, content or data transmission has successfully undergone 
evaluation by professionals with expertise in the relevant field, thereby indicating completeness, security and trustworthiness.
   
 
   
   
    Primitive - MDN Web Docs Glossary: Definitions of Web-related terms
    
it correctly finds our variable instantiated with our first statement  after finding it, the expression is 
evaluated, foo is replaced by 5 and the javascript engine passes that value to the functions as an argument  before executing the statements inside the functions' bodies, javascript takes a copy of the originally passed argument (which is a primitive) and creates a local copy.
   
 
   
   
  
   
   
    Accessible multimedia - Learn web development
    
 last of all, add the following to the end of the code, to control the time elapsed display:  player.ontimeupdate = function() {   let minutes = math.floor(player.currenttime / 60);   let seconds = math.floor(player.currenttime - minutes * 60);   let minut
evalue;   let secondvalue;    if (minutes<10) {     minut
evalue = "0" + minutes;   } else {     minut
evalue = minutes;   }    if (seconds<10) {     secondvalue = "0" + seconds;   } else {     secondvalue = seconds;   }    mediatime = minut
evalue + ":" + secondvalue;   timelabel.textcontent = mediatime; };  each time the time updates (once per second), we fire this function.
   
 
   
   
   
   
    JavaScript object basics - Learn web development
    
we could get those values like this:  let mydataname = nameinput.value; let mydatavalue = nam
evalue.value;  we could then add this new member name and value to the person object like this:  person[mydataname] = mydatavalue;  to test this, try adding the following lines into your code, just below the closing curly brace of the person object:  let mydataname = 'height'; let mydatavalue = '1.75m'; person[mydataname] = mydatavalue;  now try saving and refreshing, and entering the following into y...
   
 
   
   
   
    Introduction to cross browser testing - Learn web development
    
 testing on prerelease browsers  it is often a good idea to test on prerelease versions of browsers; see the following links:    firefox developer edition  edge insider preview  safari technology preview  chrome canary  opera developer   this is especially pr
evalent if you are using very new technologies in your site, and you want to test against the latest implementations, or if you are coming across a bug in the latest release version of a browser, and you want to see if the browser's developers have fixed the bug in a newer version.
   
 
   
    Chrome Worker Modules
    
however, if you have cyclic requirements, some of the modules involved in the cyclic requirements may become visible by the other modules before they are fully 
evaluated.
   
 
   
    Links and Resources
    
     wave 3.0 (web accessibility versatile 
evaluator) from webaim and sponsored by temple university institute on disabilities     wave 3.0 is another powerful, mature, free online webpage accessibility validation service that identifies accessibility errors and reports accessibility warnings about webpage related to section 508 standards and/or the wcag guidelines.
   
 
   
   
    Error codes returned by Mozilla APIs
    
ror_xpath_invalid_var_name (0x80600013)     ns_error_xpath_unexpected_end (0x80600014)     ns_error_xpath_operator_expected (0x80600015)     ns_error_xpath_unclosed_literal (0x80600016)     ns_error_xpath_bad_colon (0x80600017)     ns_error_xpath_bad_bang (0x80600018)     ns_error_xpath_illegal_char (0x80600019)     ns_error_xpath_binary_expected (0x8060001a)     ns_error_xpath_invalid_expression_
evaluated (0x8060001c)     ns_error_xpath_unbalanced_curly_brace (0x8060001d)      xslt errors  errors that can occur when using xslt.
   
 
   
    HTMLIFrameElement.reload()
    
 parameters    hardreload optional  a boolean that indicates whether all the resources to reload must be r
evalidated (true) or may be taken directly from the browser cache (false).
   
 
   
   
  
   
    NSS 3.44 release notes
    
  bugs fixed in nss 3.44    1501542 - implement checkarmsupport for android  1531244 - use __builtin_bswap64 in crypto_primitives.h  1533216 - cert_decodecertpackage() crash with netscape certificate sequences  1533616 - sdb_getattribut
evaluenolock should make at most one sql query, rather than one for each attribute  1531236 - provide accessor for certcertificate.dercert  1536734 - lib/freebl/crypto_primitives.c assumes a big endian machine  1532384 - in nss test certificates, use @example.com (not @bogus.com)  1538479 - post-handshake messages after async server authentication break when using record layer separation  1521578 - x2...
   
 
   
    NSS 3.52 release notes
    
 bug 1612281 - maintain pkcs11 c_getattribut
evalue semantics on attributes that lack nss database columns.
   
 
   
    Enc Dec MAC Using Key Wrap CertReq PKCS10 CSR
    
mtparameters, &printabletime);      if ( warpmonths ) {          printabletime.tm_month += warpmonths;          now = pr_implodetime (&printabletime);          pr_explodetime (now, pr_gmtparameters, &printabletime);      }      printabletime.tm_month += validitymonths;      after = pr_implodetime (&printabletime);      /* note that the time is now in micro-second unit */      validity = cert_creat
evalidity (now, after);      if (validity) {          cert = cert_createcertificate(serialnumber,                       (selfsign ?
   
 
   
    sample2
    
to cleanup; } } now = pr_now(); pr_explodetime (now, pr_gmtparameters, &printabletime); if ( warpmonths ) { printabletime.tm_month += warpmonths; now = pr_implodetime (&printabletime); pr_explodetime (now, pr_gmtparameters, &printabletime); } printabletime.tm_month += validitymonths; after = pr_implodetime (&printabletime); /* note that the time is now in micro-second unit */ validity = cert_creat
evalidity (now, after); if (validity) { cert = cert_createcertificate(serialnumber, (selfsign ?
   
 
   
    nss tech note2
    
bjects 1024[805ef10]:   hsession = 0x1000001 1024[805ef10]:   phobject = 0x806d810 1024[805ef10]:   ulmaxobjectcount = 16 1024[805ef10]:   pulobjectcount = 0xbffff38c 1024[805ef10]:   *pulobjectcount = 0x1 1024[805ef10]:   phobject[0] = 0xf6457d04 1024[805ef10]:   rv = 0x0 1024[805ef10]: c_findobjectsfinal 1024[805ef10]:   hsession = 0x1000001 1024[805ef10]:   rv = 0x0 1024[805ef10]: c_getattribut
evalue 1024[805ef10]:   hsession = 0x1000001 1024[805ef10]:   hobject = 0xf6457d04 1024[805ef10]:   ptemplate = 0xbffff2d0 1024[805ef10]:   ulcount = 2 1024[805ef10]:     cka_token = 0 [1] 1024[805ef10]:     cka_label = 0 [20] 1024[805ef10]:   rv = 0x0 1024[805ef10]: c_getattribut
evalue 1024[805ef10]:   hsession = 0x1000001 1024[805ef10]:   hobject = 0xf6457d04 1024[805ef10]:   ptemplate = 0xbffff2d0 ...
   
 
   
    PKCS11 FAQ
    
 if a pkcs #11 library reports that, for example, it does not support rsa signing operations, does nss expect to be able to pull an rsa private key off the token using the c_getattribut
evalue call and then do the operation in software?
   
 
   
    Python binding for NSS
    
 all nss/nspr python objects can print their current value by 
evaluting the python object in a string context or by using the python str() function.
   
 
   
    FIPS mode of operation
    
   fc_createobject  fc_copyobject  fc_destroyobject  fc_getobjectsize  fc_getattribut
evalue  fc_setattribut
evalue  fc_findobjectsinit  fc_findobjects  fc_findobjectsfinal   encryption functions  these functions support triple des and aes in ecb and cbc modes.
   
 
   
    NSS tools : signver
    
  signver -v -s signature_file -i signed_file -d sql:/home/my/sharednssdb   signatur
evalid=yes    printing signature data     the -a option prints all of the information contained in a signature file.
   
 
   
    Rhino optimization
    
 note    some language features (indirect calls to 
eval, use of the arguments property of function objects) were previously not supported in higher optimization levels.
   
 
   
    Scripting Java
    
02   if we store the new object in a javascript variable, we can then call methods on it:  js> f = new java.io.file("test.txt") test.txt js> f.exists() true js> f.getname() test.txt   static methods and fields can be accessed from the class object itself:  js> java.lang.math.pi 3.141592653589793 js> java.lang.math.cos(0) 1   in javascript, unlike java, the method by itself is an object and can be 
evaluated as well as being called.
   
 
   
    Bytecodes
    
within the engine, all bytecode execute within a stack frame -- even global (top-level) and 
eval code has a stack frame associated with it.
   
 
   
    BOOLEAN_TO_JSVAL
    
   please use js::booleanvalue/js::tru
evalue/js::fals
evalue instead in spidermonkey 45 or later.
   
 
   
   
    JS::BooleanValue
    
 see also    mxr id search for js::booleanvalue  js::value  js::tru
evalue  js::fals
evalue                    ...
   
 
   
  
   
    JS::Compile
    
 mxr id search for js::compile  js::
evaluate  js::compileoffthread  js::compilefunction  js_decompilescript  bug 771705  bug 1143793 -- removed obj parameter                    ...
   
 
   
    JS::CompileFunction
    
 mxr id search for js::compilefunction  js::
evaluate  js::compile  js::compileoffthread  js_executescript  js_decompilescript  bug 771705                    ...
   
 
   
    JS::CompileOffThread
    
 mxr id search for js::compileoffthread  js::
evaluate  js::compile  js::compilefunction  js_decompilescript  bug 897655                    ...
   
 
   
    JS::Float32Value
    
 see also    mxr id search for js::float32value  js::value  js::int32value  js::doubl
evalue  js::numbervalue  js_numbervalue                    ...
   
 
   
    JS::Handle
    
 there are typedefs available for the main types:  namespace js { typedef handle<jsfunction*> handlefunction; typedef handle<jsid>        handleid; typedef handle<jsobject*>   handleobject; typedef handle<jsscript*>   handlescript; typedef handle<jsstring*>   handlestring; typedef handle<js::symbol*> handlesymbol; // added in spidermonkey 38 typedef handle<value>       handl
evalue; }   see also    mxr id search for js::handle  mxr id search for js::handlefunction  mxr id search for js::handleid  mxr id search for js::handleobject  mxr id search for js::handlescript  mxr id search for js::handlestring  mxr id search for js::handlesymbol  mxr id search for js::handl
evalue  js::rooted  js::mutablehandle  gc rooting guide  bug 714647  bug 761391 - added js::handlescript  bug...
   
 
   
    JS::Int32Value
    
 see also    mxr id search for js::int32value  js::value  js::float32value  js::doubl
evalue  js::numbervalue  js_numbervalue                    ...
   
 
   
    JS::MutableHandle
    
s:  namespace js { typedef mutablehandle<jsfunction*> mutablehandlefunction; typedef mutablehandle<jsid>        mutablehandleid; typedef mutablehandle<jsobject*>   mutablehandleobject; typedef mutablehandle<jsscript*>   mutablehandlescript; typedef mutablehandle<jsstring*>   mutablehandlestring; typedef mutablehandle<js::symbol*> mutablehandlesymbol; typedef mutablehandle<value>       mutablehandl
evalue; }   see also    mxr id search for js::mutablehandle  mxr id search for js::mutablehandlefunction  mxr id search for js::mutablehandleid  mxr id search for js::mutablehandleobject  mxr id search for js::mutablehandlescript  mxr id search for js::mutablehandlestring  mxr id search for js::mutablehandlesymbol  mxr id search for js::mutablehandl
evalue  js::rooted  js::handle  gc rooting guide  bug...
   
 
   
    JS::NullValue
    
 see also    mxr id search for js::nullvalue  js::value  js::nullhandl
evalue                    ...
   
 
   
    JS::NumberValue
    
 see also    mxr id search for js::numbervalue  js::value  js::int32value  js::float32value  js::doubl
evalue  js_numbervalue                    ...
   
 
   
    JS::SourceBufferHolder
    
  example  size_t length = 512; char16_t* chars = static_cast<char16_t*>(js_malloc(sizeof(char16_t) * length)); js::sourcebufferholder srcbuf(chars, length, js::sourcebufferholder::giveownership); js::compile(cx, obj, options, srcbuf);   see also    mxr id search for js::sourcebufferholder  js::compile  js::compilefunction  js::
evaluate  bug 987556                                 ...
   
 
   
    JS::ToBoolean
    
  syntax  bool js::toboolean(js::handl
evalue v)            name    type    description          v    js::handl
evalue    the value to convert.
   
 
   
    JS::ToPrimitive
    
  syntax  bool js::toprimitive(jscontext *cx, js::handleobject obj, jstype hint,                 js::mutablehandl
evalue vp);            name    type    description          cx    jscontext *    the context in which to perform the conversion.
   
 
   
    JS::UndefinedValue
    
 see also    mxr id search for js::undefinedvalue  js::value  js::undefinedhandl
evalue                    ...
   
 
   
    JS::Value
    
:value can be accessed using these member functions:           js type    js::value type tests    constructor    accessors    mutators          null    val.isnull()    js::nullvalue()    n/a    val.setnull()          undefined    val.isundefined()    js::undefinedvalue()    n/a    val.setundefined()          boolean    val.isboolean(), val.istrue(), val.isfalse()    js::booleanvalue(bool), js::tru
evalue(), js::fals
evalue()    val.toboolean()    val.setboolean(bool)          number    val.isint32(), val.isdouble(), val.isnumber()    js::numbervalue(any number type), js::int32value(int32_t), js::doubl
evalue(double), js::float32value(float)    val.toint32(), val.todouble(), val.tonumber()    val.setint32(int32_t), val.setnumber(uint32_t), val.setnumber(double)          string    val.isstring()   ...
   
 
   
    JSDeletePropertyOp
    
this will cause delete obj[id] to 
evaluate to false in non-strict mode code, and to throw a typeerror in strict mode code.
   
 
   
  
   
    JSExnType
    
(lower bound)          jsexn_err    error          jsexn_internalerr    internalerror          jsexn_
evalerr    
evalerror          jsexn_rangeerr    rangeerror          jsexn_referenceerr    referenceerror          jsexn_syntaxerr    syntaxerror          jsexn_typeerr    typeerror          jsexn_urierr    urierror          jsexn_limit    (upper bound)        description  these types are part of a jserrorformatstring structure.
   
 
   
   
    JSNewEnumerateOp
    
  syntax  typedef bool (* jsnewenumerateop)(jscontext *cx, js::handleobject obj,                      js::autoidvector &properties); // added in spidermonkeysidebar 38  typedef bool (* jsnewenumerateop)(jscontext *cx, js::handleobject obj, jsiterateop enum_op,                      js::mutablehandl
evalue statep, js::mutablehandleid idp); // obsolete since jsapi 37            name    type    description          cx    jscontext *    the context in which the enumeration is taking place.
   
 
   
    JSNewResolveOp
    
    jsresolve_with obsolete since javascript 1.8.8     the lookup is occurring for a name 
evaluated inside a with statement.
   
 
   
    JSObjectPrincipalsFinder
    
 the two debugger functions js_stackframeprincipals and js_
evalframeprincipals also use this callback.
   
 
   
    JSProtoKey
    
ch for jsproto_math          jsproto_number    number     mxr  search for jsproto_number          jsproto_string    string     mxr  search for jsproto_string          jsproto_regexp    regexp     mxr  search for jsproto_regexp          jsproto_error    error     mxr  search for jsproto_error          jsproto_internalerror    internalerror     mxr  search for jsproto_internalerror          jsproto_
evalerror    
evalerror     mxr  search for jsproto_
evalerror          jsproto_rangeerror    rangeerror     mxr  search for jsproto_rangeerror          jsproto_referenceerror    referenceerror     mxr  search for jsproto_referenceerror          jsproto_syntaxerror    syntaxerror     mxr  search for jsproto_syntaxerror          jsproto_typeerror    typeerror     mxr  search for jsproto_typeerror        ...
   
 
   
    JS_BufferIsCompilableUnit
    
see also   mxr id search for js_bufferiscompilableunit  js::
evaluate  js::compile  js::compileoffthread  js::compilefunction  js_decompilescript                    ...
   
 
   
    JS_CompileScript
    
 mxr id search for js_compilescript  mxr id search for js_compileucscript  js::
evaluate  js::compileoffthread  js::compilefunction  js_executescript  js_decompilescript  bug 1143793 -- removed obj parameter                    ...
   
 
   
    JS_CompileScriptForPrincipals
    
  see also    mxr id search for js_compilescriptforprincipals  mxr id search for js_compileucscriptforprincipals  js::compile  js_decompilescript  js::
evaluate  js_executescript  bug 938907  bug 805080                    ...
   
 
   
    JS_CompileUTF8File
    
 mxr id search for js_compilefile  js::compile  js_decompilescript  js::
evaluate  js_executescript  bug 805080                    ...
   
 
   
    JS_CompileUTF8FileHandle
    
 mxr id search for js_compileutf8filehandle  js::compile  js_decompilescript  js::
evaluate  js_executescript  bug 805080                    ...
   
 
   
    JS_DecompileScript
    
  see also    mxr id search for js_decompilescript  js::compile  js_compilescript  js_decompilefunction  js_destroyscript  js::
evaluate  js_executescript  bug 761723                    ...
   
 
   
    JS_GetFunctionFlags
    
   jsfun_heavyweight    the function uses language features such as closures, with, or 
eval that require extra work on the part of the interpreter.
   
 
   
    JS_GetLocaleCallbacks
    
      callback functions struct jslocalecallbacks {     jslocaletouppercase     localetouppercase;     jslocaletolowercase     localetolowercase;     jslocalecompare         localecompare; // not used #if expose_intl_api     jslocaletounicode       localetounicode; };  typedef bool (* jslocaletouppercase)(jscontext *cx, js::handlestring src, js::mutablehandl
evalue rval);  typedef bool (* jslocaletolowercase)(jscontext *cx, js::handlestring src, js::mutablehandl
evalue rval);  typedef bool (* jslocalecompare)(jscontext *cx, js::handlestring src1, js::handlestring src2,                     js::mutablehandl
evalue rval);  typedef bool (* jslocaletounicode)(jscontext *cx, const char *src, js::mutablehandl
evalue rval);           type    description          jsl...
   
 
   
    JS_GetParent
    
 the parent of a function created by 
evaluating a function declaration or function expression in a script depends on the lexical scope of the function.
   
 
   
  
   
    JS_InitStandardClasses
    
these include all the standard ecmascript global properties defined in ecma 262-3 §15.1:    array, boolean, date, decodeuri, decodeuricomponent, encodeuri, encodeuricomponent, error, 
eval, 
evalerror, function, infinity, isnan, isfinite, math, nan, number, object, parseint, parsefloat, rangeerror, referenceerror, regexp, string, syntaxerror, typeerror, undefined, and urierror   as well as a few spidermonkey-specific globals, depending on compile-time options:    escape, unescape, un
eval, internalerror, script, xml, namespace, qname, file, generator, iterator, and stopiteration, as ...
   
 
   
   
    JS_LooselyEqual
    
 see also    mxr id search for js_looselyequal  js_strictlyequal  js_sam
evalue                    ...
   
 
   
    JS_NumberValue
    
   replacement to js_newnumbervalue, js_newdoubl
evalue, js_newdouble.
   
 
   
    JS_SetOptions
    
    mxr id search for jsoption_werror                   jsoption_varobjfix             make js_
evaluatescript() use the last object on its obj param's scope chain (that is, the global object) as the ecma "variables object".
   
 
   
    JS_StrictlyEqual
    
 see also    mxr id search for js_strictlyequal  js_looselyequal  js_sam
evalue  bug 1132045 -- use handle                    ...
   
 
   
    Parser API
    
the syntax error object thrown by reflect.parse() has the same message property as the syntax error that would be thrown by 
eval(src).
   
 
   
    SpiderMonkey 31
    
 this is performed by calling the new js_init method before creating any runtimes or contexts and before compiling, 
evaluating, or executing any js script.
   
 
   
    Split object
    
to enforce this rule:   if this would 
evaluate to an inner object, it 
evaluates to the corresponding outer object instead.
   
 
   
    TPS Tests
    
     troubleshooting and debugging tips for writing and running tps tests    tps 
evaluates the whole file in every phase, so any syntax error(s) in the file will get reported in phase 1, even though the error may not be in phase 1 itself.
   
 
   
    WebReplayRoadmap
    
 one important issue is that any side effects from 
evaluating expressions via the console or the debugger's watch expressions will not carry over when the tab resumes executing.
   
 
   
    Zest runtimes
    
        as zest is written in json it requires a runtime in order to be 
evaluated.
   
 
   
    Mozinfo
    
unknown will 
evaluate as false in python:  if not mozinfo.os: ...
   
 
   
    ROLE_CELL
    
interfaces   nsiaccessible  nsisupports  nsiaccessibletext  nsiaccessiblehypertext  nsiaccessibleeditabletext  nsiaccessiblehyperlink  nsiaccessibleselectable  nsiaccessibl
evalue  nsiaccessnode  mapped to   at-spi: atk_role_table_cell  atk: atk_role_list_item  ua: nsaccessibilitygrouprole  msaa/ia2: role_system_cell  used by   aria: gridcell  xul: <listcell/>  html:  <td>                     ...
   
 
   
    Using the Places annotation service
    
four functions are provided to get this information:    getpageannotationinfo(auri, aname, aflags, aexpiration, amimetype, atype)  getitemannotationinfo(aitemid, aname, aflags, aexpiration, amimetype, atype)  getpageannotationtype(auri, aname);  getitemannotationtype(aitemid, aname);   the returned type will be one of the value_type constants in mozistorag
evaluearray.idl:  after bug 377066 the value_type_* type handling was changed to this:    type_int32 = 1  type_double = 2  type_string = 3  type_binary = 4  type_int64 = 5   try {   var value = annotationservice.getpageannotation(uri, "my_extension/some_annotation"); } catch(e) {   // annotation does not exist }   other functions    getpageswithannotation(aname, resultcount, results);  getitemswithann...
   
 
   
  
   
   
    Introduction to XPCOM for the DOM
    
 nsifoo2 *ifooptr2; ifooptr->queryinterface(ns_get_iid(nsifoo2), (void **)&ifooptr2);   ns_get_iid is a macro that 
evaluates to the iid of the argument.
   
 
   
   
   
    mozIStorageRow
    
     last changed in gecko 1.9.1 (firefox 3.5 / thunderbird 3.0 / seamonkey 2.0)    inherits from: mozistorag
evaluearray  method overview                nsivariant getresultbyindex(in unsigned long aindex);                 nsivariant getresultbyname(in autf8string aname);          methods  getresultbyindex() returns the value from a specific column in the row, using a zero-based index to identify the column.
   
 
   
    nsIAccessibilityService
    
     last changed in gecko 1.8 (firefox 1.5 / thunderbird 1.5 / seamonkey 1.0)  inherits from: nsiaccessibleretri
eval  method overview    nsiaccessible createouterdocaccessible(in nsidomnode anode);    nsiaccessible createrootaccessible(in nsipresshell ashell, in nsidocument adocument);    nsiaccessible createhtml4buttonaccessible(in nsisupports aframe);    nsiaccessible createhypertextaccessible(in nsisupports aframe);    nsiaccessible createhtmlbraccessible(in nsisupports aframe);    nsiaccessible createhtmlbuttonaccessible(in nsisupports aframe);    nsiaccessible createhtmlaccessiblebymarkup(in nsiframe aframe, in nsiweakreference aweakshell, in nsidomnode adomnode);    nsiaccessible c...
   
 
   
    nsIContentPrefCallback2
    
 handleresult() for the retri
eval methods, this is called once for each retrieved preference.
   
 
   
    nsIContentSecurityPolicy
    
ldload(in unsigned long acontenttype, in nsiuri acontentlocation, in nsiuri arequestorigin, in nsisupports acontext, in acstring amimetypeguess, in nsisupports aextra);   short shouldprocess(in unsigned long acontenttype, in nsiuri acontentlocation, in nsiuri arequestorigin, in nsisupports acontext, in acstring amimetype, in nsisupports aextra);    attributes    attribute type description   allows
eval boolean  whether this policy allows 
eval and 
eval-like functions such as settimeout("code string", time).
   
 
   
    nsIDBFolderInfo
    
 imapunreadpendingmessages       long                         knownartsset       string                         locale       astring                        mailboxname       astring                        nummessages       long                         numunreadmessages       long                         sortorder       nsmsgviewsortordervalue                         sorttype       nsmsgviewsorttyp
evalue                         version       unsigned long                         viewflags       nsmsgviewflagstyp
evalue                         viewtype       nsmsgviewtyp
evalue                  methods andflags() long andflags(   in long flags );  parameters         flags        missing description  return value missing description exceptions thrown         missing exception        missing descrip...
   
 
   
    nsIDOMNode
    
  nod
evalue domstring     ownerdocument nsidomdocument read only.
   
 
   
    nsIDOMXPathException
    
   see also  introduction to using xpath in javascript document object model (dom) level 3 xpath specification nsidomxpath
evaluator document.
evaluate nsidomxpathresult                                 ...
   
 
   
    nsIEditor
    
    void beginningofdocument();          void endofdocument();          drag/drop methods          boolean candrag(in nsidomevent aevent);          void dodrag(in nsidomevent aevent);          void insertfromdrop(in nsidomevent aevent);          node manipulation methods          void setattribute(in nsidomelement aelement, in astring attributestr,in astring attvalue);          boolean getattribut
evalue(in nsidomelement aelement, in astring attributestr, out astring resultvalue);          void removeattribute(in nsidomelement aelement, in astring aattribute);          void cloneattribute(in astring aattribute, in nsidomnode asourcenode);          void cloneattributes(in nsidomnode destnode, in nsidomnode sourcenode);          nsidomnode createnode(in astring tag, in nsidomnode parent, in long ...
   
 
   
    nsIMsgDatabase
    
  defaultviewflags nsmsgviewflagstyp
evalue readonly:   defaultsorttype nsmsgviewsorttyp
evalue readonly:   defaultsortorder nsmsgviewsortordervalue readonly:   msghdrcachesize unsigned long     folderstream nsioutputstream     summaryvalid boolean       methods open() opens a database folder.
   
 
   
    nsIMsgFilterCustomAction
    
   *    * @param type    the filter type    * @param scope   the search scope    *    * @return        true if valid    */   boolean isvalidfortype(in nsmsgfiltertypetype type, in nsmsgsearchscop
evalue scope);    /**    * after the user inputs a particular action value for the action, determine    * if that value is valid.
   
 
   
    NS_ENSURE_ARG_POINTER
    
           summary  macro returns ns_error_invalid_pointer if the macro argument 
evaluates to false and shows a warning (ns_warning) in this case.
   
 
   
  
   
    NS ENSURE SUCCESS
    
         summary  macro returns return-value if ns_failed(nsresult) 
evaluates to true, and shows a warning on stderr in that case.
   
 
   
    NS ENSURE TRUE
    
         summary  macro returns return-value if expr 
evaluates to false.
   
 
   
    Troubleshooting XPCOM components registration
    
you can be certain that a component has failed to register by going to the error console and 
evaluating components.classes["contract-id"].name where contract-id is your contract id.
   
 
   
    Using IndexedDB in chrome
    
it, use the wantglobalproperties option in the sandbox constructor:  var options = {   "wantglobalproperties": ["indexeddb"] } var principal = cc["@mozilla.org/systemprincipal;1"].createinstance(ci.nsiprincipal); var sandbox = components.utils.sandbox(principal, options);  // the sandbox will have access to indexeddb var sandboxscript = 'var req = indexeddb.open("my-database");'; components.utils.
evalinsandbox(sandboxscript, sandbox);   before firefox 33, you would access indexeddb from chrome code using the initwindowless method of the nsiindexeddatabasemanager service.
   
 
   
    XPCOM ABI
    
to retrieve the abi of your firefox or thunderbird, open the error console (accessible through tools | error console) and 
evaluate the following javascript code:  components.classes["@mozilla.org/xre/app-info;1"]           .getservice(components.interfaces.nsixulruntime)           .xpcomabi   if either the cpu architecture or the c++ compiler are unknown, the application wouldn't have an xpcom abi string and attempts to get it will result in error ns_error_not_available.
   
 
   
    Filelink Providers
    
 for example, the hightail implementation provides the following function:  function extraargs() {   var usernam
evalue = document.getelementbyid("username").value;   return {     "username": {type: "char", value: usernam
evalue},   }; }   in this example, the username value is read from the input, and then the specially-crafted object is returned.
   
 
   
    Index
    
filter execution is done by 
evaluating the search terms using the core mailnews/base/search code, and then applying the filter hits when the search terms match.
   
 
   
    Tips and Tricks from the newsgroups
    
f copied message by nsimsgcopyservice::copyfilemessage   access the plain text content of the email body  get information about attachment without selecting message     repeat image display using css sprites       scan for new messages at startup and manually scan a folder initiated by user       force listeners to run consecutively to prevent pop messages from getting garbled during message retri
eval                      ...
   
 
   
    Using js-ctypes
    
sstr, jsstr.length); }  // main var mycfstrs = { 	head: makecfstr('core foundation says...'), 	body: makecfstr('we just called the equivalent of the "standardalert carbon function" for 64bit osx from javascript!') };  var rez = cfusernotificationdisplaynotice(0, kcfusernotificationcautionalertlevel, null, null, null, mycfstrs.head, mycfstrs.body, null); console.info('rez:', rez, rez.tostring(), un
eval(rez)); // cfusernotificationdisplaynotice does not block till user clicks dialog, it will return immediately  if (rez.tostring() == '0') {     console.log('notification was succesfully shown!!'); } else {     console.error('failed to show notification...
   
 
   
    ABI
    
 return value  a javascript expression that 
evaluates to the abi.
   
 
   
    Scripting plugins - Plugins
    
ing  npvariant       npn_releasevariantvalue    npn_getstringidentifier    npn_getstringidentifiers    npn_getintidentifier    npn_identifierisstring    npn_utf8fromidentifier    npn_intfromidentifier       npobject       npn_construct (since firefox 3.0b1)    npn_createobject    npn_retainobject    npn_releaseobject    npn_invoke    npn_invokedefault    npn_enumerate (since mozilla 1.9a1)    npn_
evaluate    npn_getproperty    npn_setproperty    npn_removeproperty    npn_hasproperty    npn_hasmethod    npn_setexception       npclass        « previousnext  »                                 ...
   
 
   
    Gecko Plugin API Reference - Plugins
    
 methods  the api extensions       npstring    npvariant           npn_releasevariantvalue      npn_getstringidentifier      npn_getstringidentifiers      npn_getintidentifier      npn_identifierisstring      npn_utf8fromidentifier      npn_intfromidentifier             npobject           npn_createobject      npn_retainobject      npn_releaseobject      npn_invoke      npn_invokedefault      npn_
evaluate      npn_getproperty      npn_setproperty      npn_removeproperty      npn_hasproperty      npn_hasmethod      npn_setexception             npclass        structures    npanycallbackstruct  npbyterange  npembedprint  npevent  npfullprint  npp  np_port  npprint  npprintcallbackstruct  nprect  npregion  npsaveddata  npsetwindowcallbackstruct  npstream  npwindow   constants    error codes  resul...
   
 
   
   
    Access debugging in add-ons - Firefox Developer Tools
    
 window.addeventlistener("debugger:editorunloaded")   relevant files:    chrome://browser/content/devtools/debugger-controller.js  chrome://browser/content/devtools/debugger-toolbar.js  chrome://browser/content/devtools/debugger-view.js  chrome://browser/content/devtools/debugger-panes.js   unfortunately there is not yet any api to 
evaluate watches/expressions within the debugged scope, or highlight elements on the page that are referenced as variables in the debugged scope.
   
 
   
   
  
   
   
    How to - Firefox Developer Tools
    
 access debugging in add-onsbreaking on exceptionsdebug 
eval sourcesdisable breakpointsexamine, modify, and watch variableshighlight and inspect dom nodesignore a sourceopen the debuggerpretty-print a minified filesearchset a breakpointset a conditional breakpointset watch expressionsstep through codeuse a source mapuse watchpoints                   ...
   
 
   
    UI Tour - Firefox Developer Tools
    
they will be 
evaluated when code execution is paused:    variable tooltip  hover on a variable show a tooltip with its value inside:    call stack  when the debugger's paused, you'll see a call stack:  each level of the call stack gets a line, with the name of the function and the filename and line number.
   
 
   
   
    All keyboard shortcuts - Firefox Developer Tools
    
d           command    windows    macos    linux          open the scratchpad    shift + f4    shift + f4    shift + f4          run scratchpad code    ctrl + r    cmd + r    ctrl + r          run scratchpad code, display the result in the object inspector    ctrl + i    cmd + i    ctrl + i          run scratchpad code, insert the result as a comment    ctrl + l    cmd + l    ctrl + l          re-
evaluate current function    ctrl + e    cmd + e    ctrl + e          reload the current page, then run scratchpad code    ctrl + shift + r    cmd + shift + r    ctrl + shift + r          save the pad    ctrl + s    cmd + s    ctrl + s          open an existing pad    ctrl + o    cmd + o    ctrl + o          create a new pad    ctrl + n    cmd + n    ctrl + n          close scratchpad    ctrl + w    c...
   
 
   
   
    Network request details - Firefox Developer Tools
    
he results through a json validator):  {   "response headers (1.113 kb)": {     "headers": [       {         "name": "accept-ranges",         "value": "bytes"       },       {         "name": "age",         "value": "0"       },       {         "name": "backend-timing",         "value": "d=74716 t=1560258099074460"       },       {         "name": "cache-control",         "value": "private, must-r
evalidate, max-age=0"       },       {         "name": "content-disposition",         "value": "inline; filename=api-result.js"       },       {         "name": "content-encoding",         "value": "gzip"       },       {         "name": "content-length",         "value": "673"       },       {         "name": "content-type",         "value": "text/javascript; charset=utf-8"       },       {         "...
   
 
   
   
   
   
   
    AudioListener - Web APIs
    
retri
eval is done by accessing, for example, audiolistener.positionx, while setting the same property is done with audiolistener.positionx.value.
   
 
   
   
    CSSMathSum - Web APIs
    
 a cssmathsum is the object type returned when the  stylepropertymapreadonly.get() method is used on a css property whos
evalue is created with a calc() function.
   
 
   
    CSSRule - Web APIs
    
r future use    9        should be used to define color profiles in the future          cssrule.namespace_rule    10    cssnamespacerule                cssrule.counter_style_rule    11    csscounterstylerule                cssrule.supports_rule    12    csssupportsrule              cssrule.document_rule    13    cssdocumentrule                cssrule.font_feature_values_rule    14    cssfontfeatur
evaluesrule              cssrule.viewport_rule    15    cssviewportrule                cssrule.region_style_rule    16    cssregionstylerule                cssrule.unknown_rule    0    cssunknownrule                cssrule.charset_rule    2    csscharsetrule      (removed in most browsers.)        an up-to-date informal list of constants can be found on the csswg wiki.
   
 
   
  
   
   
   
   
    CSSUnparsedValue - Web APIs
    
 custom properties are represented by cssunparsedvalue and var() references are represented using cssvariablereferenc
evalue.
   
 
   
    CSSValue.cssValueType - Web APIs
    
         css_primitive_value    the value is a primitive value and an instance of the cssprimitiv
evalue interface can be obtained by using binding-specific casting methods on this instance of the cssvalue interface.
   
 
   
    CSSValue - Web APIs
    
            css_primitive_value     the value is a primitive value and an instance of the cssprimitiv
evalue interface can be obtained by using binding-specific casting methods on this instance of the cssvalue interface.
   
 
   
   
    CanvasPattern.setTransform() - Web APIs
    
s = document.getelementbyid('canvas'); var ctx = canvas.getcontext('2d'); var textarea = document.getelementbyid('code'); var reset = document.getelementbyid('reset'); var edit = document.getelementbyid('edit'); var code = textarea.value;  var svg1 = document.getelementbyid('svg1'); var matrix = svg1.createsvgmatrix();  function drawcanvas() {   ctx.clearrect(0, 0, canvas.width, canvas.height);   
eval(textarea.value); }  reset.addeventlistener('click', function() {   textarea.value = code;   drawcanvas(); });  edit.addeventlistener('click', function() {   textarea.focus(); })  textarea.addeventlistener('input', drawcanvas); window.addeventlistener('load', drawcanvas);      specifications           specification    status    comment          html living standardthe definition of 'canvaspattern.
   
 
   
    CanvasRenderingContext2D.addHitRegion() - Web APIs
    
(); ctx.arc(100, 110, 50, 0, math.pi, false); ctx.stroke();</textarea>   var canvas = document.getelementbyid("canvas"); var ctx = canvas.getcontext("2d"); var textarea = document.getelementbyid("code"); var reset = document.getelementbyid("reset"); var edit = document.getelementbyid("edit"); var code = textarea.value;  function drawcanvas() {   ctx.clearrect(0, 0, canvas.width, canvas.height);   
eval(textarea.value); }  reset.addeventlistener("click", function() {   textarea.value = code;   drawcanvas(); });  edit.addeventlistener("click", function() {   textarea.focus(); });  canvas.addeventlistener("mousemove", function(event){   if(event.region) {     alert("ouch, my eye :(");   } });  textarea.addeventlistener("input", drawcanvas); window.addeventlistener("load", drawcanvas);      specifi...
   
 
   
    CanvasRenderingContext2D.drawImage() - Web APIs
    
the specification permits any canvas image source (canvasimagesource), specifically, a cssimag
evalue, an htmlimageelement, an svgimageelement, an htmlvideoelement, an htmlcanvaselement, an imagebitmap, or an offscreencanvas.
   
 
   
    CanvasRenderingContext2D.miterLimit - Web APIs
    
0); ctx.linewidth = 15; ctx.lineto(100, 100); ctx.stroke();</textarea>   var canvas = document.getelementbyid("canvas"); var ctx = canvas.getcontext("2d"); var textarea = document.getelementbyid("code"); var reset = document.getelementbyid("reset"); var edit = document.getelementbyid("edit"); var code = textarea.value;  function drawcanvas() {   ctx.clearrect(0, 0, canvas.width, canvas.height);   
eval(textarea.value); }  reset.addeventlistener("click", function() {   textarea.value = code;   drawcanvas(); });  edit.addeventlistener("click", function() {   textarea.focus(); })  textarea.addeventlistener("input", drawcanvas); window.addeventlistener("load", drawcanvas);    screenshotlive sample  specifications           specification    status    comment          html living standardthe definiti...
   
 
   
    CanvasRenderingContext2D.scrollPathIntoView() - Web APIs
    
path(); ctx.rect(10, 10, 30, 30); ctx.scrollpathintoview();</textarea>   var canvas = document.getelementbyid("canvas"); var ctx = canvas.getcontext("2d"); var textarea = document.getelementbyid("code"); var reset = document.getelementbyid("reset"); var edit = document.getelementbyid("edit"); var code = textarea.value;  function drawcanvas() {   ctx.clearrect(0, 0, canvas.width, canvas.height);   
eval(textarea.value); }  reset.addeventlistener("click", function() {   textarea.value = code;   drawcanvas(); });  edit.addeventlistener("click", function() {   textarea.focus(); })  textarea.addeventlistener("input", drawcanvas); window.addeventlistener("load", drawcanvas);      specifications           specification    status    comment          html living standardthe definition of 'canvasrenderin...
   
 
   
    Drawing text - Web APIs
    
aseline = "hanging"; ctx.stroketext("hello world", 0, 100);</textarea>   var canvas = document.getelementbyid('canvas'); var ctx = canvas.getcontext('2d'); var textarea = document.getelementbyid('code'); var reset = document.getelementbyid('reset'); var edit = document.getelementbyid('edit'); var code = textarea.value;  function drawcanvas() {   ctx.clearrect(0, 0, canvas.width, canvas.height);   
eval(textarea.value); }  reset.addeventlistener('click', function() {   textarea.value = code;   drawcanvas(); });  edit.addeventlistener('click', function() {   textarea.focus(); })  textarea.addeventlistener('input', drawcanvas); window.addeventlistener('load', drawcanvas);      advanced text measurements  in the case you need to obtain more details about the text, the following method allows you to...
   
 
   
    Document.cookie - Web APIs
    
 examples  example #1: simple usage  document.cookie = "name=oeschger"; document.cookie = "favorite_food=tripe"; function alertcookie() {   alert(document.cookie); }   <button onclick="alertcookie()">show cookies</button>     example #2: get a sample cookie named test2  document.cookie = "test1=hello"; document.cookie = "test2=world";  const cooki
evalue = document.cookie   .split('; ')   .find(row => row.startswith('test2'))   .split('=')[1];  function alertcooki
evalue() {   alert(cooki
evalue); }   <button onclick="alertcooki
evalue()">show cookie value</button>    example #3: do something only once  in order to use the following code, please replace all occurrences of the word dosomethingonlyonce (the name of the cookie) with a custom name.
   
 
   
   
  
   
    Document.getElementsByTagNameNS() - Web APIs
    
(to accommodate explorer, one could call an xpath wrapper instead of the xpath in the function below (as explorer supports xpath with a different api), such as this wrapper class.)  function getelementsbytagnamenswrapper (ns, elname, doc, context) {  if (!doc) {   doc = document;  }  if (!context) {   context = doc;  }   var result = doc.
evaluate('//*[local-name()="'+elname+'" and namespace-uri() = "'+ns+'"]', context, null, xpathresult.ordered_node_snapshot_type, null);          var a = [];         for(var i = 0; i < result.snapshotlength; i++) {             a[i] = result.snapshotitem(i);         }         return a; }   specifications           specification    status    comment              domthe definition of 'document.getelements...
   
 
   
    DocumentOrShadowRoot.msElementsFromRect() - Web APIs
    
 syntax  object.mselementsfromrect(left, top, width, height, retval)   parameters    left [in]  type: floating-point  top[in]  type: floating-point  width[in]  type: floating-point  height [in]  type: floating-point  retval [out, r
eval]  type: nodelist   example  to find all of the elements under a given point, use mselementsfrompoint(x, y).
   
 
   
   
    Event.timeStamp - Web APIs
    
</p> <p>timestamp: <span id="time">-</span></p>  javascript  function gettime(event) {   var time = document.getelementbyid("time");   time.firstchild.nod
evalue = event.timestamp; } document.body.addeventlistener("keypress", gettime);  result    reduced time precision  to offer protection against timing attacks and fingerprinting, the precision of event.timestamp might get rounded depending on browser settings.
   
 
   
    Cross-global fetch usage - Web APIs
    
 this article explains an edge case that occurs with fetch (and potentially other apis exhibiting the same kind of resource retri
eval behavior).
   
 
   
    HTMLElement: beforeinput event - Web APIs
    
 html  <input placeholder="enter some text" name="name"/> <p id="values"></p>  javascript  const input = document.queryselector('input'); const log = document.getelementbyid('values');  input.addeventlistener('beforeinput', updat
evalue);  function updat
evalue(e) {   log.textcontent = e.target.value; }  result    specifications           specification    status          ui eventsthe definition of 'beforeinput event' in that specification.
   
 
   
    HTMLElement: change event - Web APIs
    
 html  <input placeholder="enter some text" name="name"/> <p id="log"></p>  javascript  const input = document.queryselector('input'); const log = document.getelementbyid('log');  input.addeventlistener('change', updat
evalue);  function updat
evalue(e) {   log.textcontent = e.target.value; }  result    specifications           specification    status              html living standardthe definition of 'change' in that specification.
   
 
   
    HTMLElement: input event - Web APIs
    
 html  <input placeholder="enter some text" name="name"/> <p id="values"></p>  javascript  const input = document.queryselector('input'); const log = document.getelementbyid('values');  input.addeventlistener('input', updat
evalue);  function updat
evalue(e) {   log.textcontent = e.target.value; }  result    specifications           specification    status              html living standardthe definition of 'input event' in that specification.
   
 
   
    HTMLImageElement.sizes - Web APIs
    
each source size descriptor is comprised of a media condition, then at least one whitespace character, then the source size value to use for the image when the media condition 
evaluates to true.
   
 
   
   
   
    IDBIndex.multiEntry - Web APIs
    
  the multientry read-only property of the idbindex interface returns a boolean value that affects how the index behaves when the result of 
evaluating the index's key path yields an array.
   
 
   
    IDBIndex - Web APIs
    
 idbindex.multientry read only   affects how the index behaves when the result of 
evaluating the index's key path yields an array.
   
 
   
    IDBKeyRange.includes() - Web APIs
    
       example  var keyrang
evalue = idbkeyrange.bound('a', 'k', false, false);  var myresult = keyrang
evalue.includes('f'); // returns true  var myresult = keyrang
evalue.includes('w'); // returns false   polyfill  the includes() method was added in the second edition of the indexed db specification.
   
 
   
    IDBLocaleAwareKeyRange - Web APIs
    
 examples  function displaydata() {   var keyrang
evalue = idblocaleawarekeyrange.bound("a", "f");    var transaction = db.transaction(['fthings'], 'readonly');   var objectstore = transaction.objectstore('fthings');    var myindex = objectstore.index('lname');   myindex.opencursor(keyrang
evalue).onsuccess = function(event) {     var cursor = event.target.result;     if(cursor) {       var tablerow = document.createelement('tr');       tablerow.inner...
   
 
   
  
   
    Range.setStart() - Web APIs
    
main st.<br> dodge city, ks<br> 67801<br> usa</p>  <hr> <p>nodes in the original address:</p> <ol id="log"></ol>  javascript  const address = document.getelementbyid('address'); const log = document.getelementbyid('log');  // log info address.childnodes.foreach(node => {   const li = document.createelement('li');   li.textcontent = `${node.nodename}, ${node.nod
evalue}`;   log.appendchild(li); });  // highlight the street and city const startoffset = 2;  // start at third node: 101 e.
   
 
   
    Request.cache - Web APIs
    
fetch("some.json", {cache: "force-cache"})   .then(function(response) { /* consume the response */ });  // naive stale-while-r
evalidate client-level implementation.
   
 
   
    SVGAngle - Web APIs
    
  every svgangle object operates in one of two modes:    reflect the base value of a reflected animatable attribute (being exposed through the bas
eval member of an svganimatedangle),  be detached, which is the case for svgangle objects created with svgsvgelement.createsvgangle().
   
 
   
    SVGCircleElement - Web APIs
    
10 : -10;   // clamp the circle radius to a minimum of 10 and a maximum of 250,   // so it won't disappear or get bigger than the viewport   var newvalue = math.min(math.max(circle.r.bas
eval.value + change, 10), 250);   circle.setattribute("r", newvalue); }   click on the circle.
   
 
   
   
    SVGEllipseElement - Web APIs
    
 example  svg content  <svg width="200" height="200" xmlns="http://www.w3.org/2000/svg">   <ellipse cx="100" cy="100" rx="100" ry="60" id="ellipse"       onclick="outputsize();"/> </svg>  javascript content  function outputsize() {   var ellipse = document.getelementbyid("ellipse");    // outputs "horizontal radius: 100 vertical radius: 60"   console.log(     'horizontal radius: ' + ellipse.rx.bas
eval.valueasstring,     'vertical radius: ' + ellipse.ry.bas
eval.valueasstring   ) }  result    specifications           specification    status    comment              scalable vector graphics (svg) 2the definition of 'svgellipseelement' in that specification.
   
 
   
   
    SVGLength - Web APIs
    
e_mm = 7      svg_lengthtype_in = 8      svg_lengthtype_pt = 9      svg_lengthtype_pc = 10                   normative document    svg 1.1 (2nd edition)        example  <svg height="200" onload="start();" version="1.1" width="200" xmlns="http://www.w3.org/2000/svg">   <script type="text/javascript"><![cdata[ function start() {   var rect = document.getelementbyid("myrect");   var val  = rect.x.bas
eval;    // read x in pixel and cm units   console.log("value: " + val.value +             ", valueinspecifiedunits: " + val.unittype + ": " + val.valueinspecifiedunits +             ", valueasstring: " + val.valueasstring);    // set x = 20pt and read it out in pixel and pt units   val.newvaluespecifiedunits(svglength.svg_lengthtype_pt, 20);   console.log("value: " + val.value +             ", valuei...
   
 
   
    SVGTransformList - Web APIs
    
  <desc>example showing how to transform svg elements that using svgtransform objects</desc>   <script type="application/ecmascript"> <![cdata[     function transformme(evt) {       // svg root element to access the createsvgtransform() function       var svgroot = evt.target.parentnode;        // svgtransformlist of the element that has been clicked on       var tfmlist = evt.target.transform.bas
eval;        // create a seperate transform object for each transform       var translate = svgroot.createsvgtransform();       translate.settranslate(50,5);        var rotate = svgroot.createsvgtransform();       rotate.setrotate(10,0,0);        var scale = svgroot.createsvgtransform();       scale.setscale(0.8,0.8);        // apply the transformations by appending the svgtranform objects to the svgt...
   
 
   
    Screen.availLeft - Web APIs
    
 if you work with two screens this property, 
evaluated on the right screen, returns the width of the left one in pixels (thereby indicating the x coordinate of the left edge of the screen on the right).
   
 
   
    SpeechSynthesis - Web APIs
    
 var synth = window.speechsynthesis;  var inputform = document.queryselector('form'); var inputtxt = document.queryselector('.txt'); var voiceselect = document.queryselector('select');  var pitch = document.queryselector('#pitch'); var pitchvalue = document.queryselector('.pitch-value'); var rate = document.queryselector('#rate'); var rat
evalue = document.queryselector('.rate-value');  var voices = [];  function populatevoicelist() {   voices = synth.getvoices();    for(i = 0; i < voices.length ; i++) {     var option = document.createelement('option');     option.textcontent = voices[i].name + ' (' + voices[i].lang + ')';      if(voices[i].default) {       option.textcontent += ' -- default';     }      option.setattribute('data-lang...
   
 
   
   
    A basic 2D WebGL animation example - Web APIs
    
 function compileshader(id, type) {   let code = document.getelementbyid(id).firstchild.nod
evalue;   let shader = gl.createshader(type);    gl.shadersource(shader, code);   gl.compileshader(shader);    if (!gl.getshaderparameter(shader, gl.compile_status)) {     console.log(`error compiling ${type === gl.vertex_shader ?
   
 
   
    WebGL best practices - Web APIs
    
for unchanged vaos, browsers can cache the fetch limits, whereas when vaos change, browsers must r
evalidate and recalculate limits.
   
 
   
    WebRTC connectivity - Web APIs
    
 when changing the description by calling setlocaldescription() or setremotedescription(), the specified description is set as the pending description, and the webrtc layer begins to 
evaluate whether or not it's acceptable.
   
 
   
  
   
    Functions and classes available to Web Workers - Web APIs
    
   34.0 (34.0)    no support    33.0    no support          performanceentry, performancemeasure, performancemark, performanceobserver, performanceresourcetiming    enables retri
eval and analysis of detailed data regarding various aspects of an application's network performance.
   
 
   
    Window: error event - Web APIs
    
m; }  img {   width: 0;   height: 0; }    js  const log = document.queryselector('.event-log-contents');  window.addeventlistener('error', (event) => {     log.textcontent = log.textcontent + `${event.type}: ${event.message}\n`;     console.log(event) });  const scripterror = document.queryselector('#script-error'); scripterror.addeventlistener('click', () => {     const badcode = 'const s;';     
eval(badcode); });   result    specifications           specification    status              ui events    working draft        ...
   
 
   
   
    XPathException - Web APIs
    
  constants           constant    value    description              invalid_expression_err    51    if the expression has a syntax error or otherwise is not a legal expression according to the rules of the specific xpath
evaluator or contains specialized extension functions or variables not supported by this implementation.
   
 
   
   
    XPathNSResolver - Web APIs
    
 the xpath
evaluator interface can construct an implementation of xpathnsresolver from a node, or the interface may be implemented by any application.
   
 
   
    XPathResult.invalidIteratorState - Web APIs
    
 html  <div>xpath example</div> <p>iterator state: <output></output></p>   javascript  var xpath = "//div"; var result = document.
evaluate(xpath, document, null, xpathresult.any_type, null); // invalidates the iterator state document.queryselector("div").remove(); document.queryselector("output").textcontent = result.invaliditeratorstate ?
   
 
   
    XPathResult.iterateNext() - Web APIs
    
 html  <div>xpath example</div> <div>tag names of the matched nodes: <output></output></div>   javascript  var xpath = "//div"; var result = document.
evaluate(xpath, document, null, xpathresult.any_type, null); var node = null; var tagnames = []; while(node = result.iteratenext()) {   tagnames.push(node.localname); } document.queryselector("output").textcontent = tagnames.join(", ");   result    specifications           specification    status    comment          document object model (dom) level 3 xpath specificationthe definition of 'xpathresult.
   
 
   
    XPathResult.snapshotItem() - Web APIs
    
 html  <div>xpath example</div> <div>tag names of the matched nodes: <output></output></div>   javascript  var xpath = "//div"; var result = document.
evaluate(xpath, document, null, xpathresult.ordered_node_snapshot_type, null); var node = null; var tagnames = []; for(var i = 0; i < result.snapshotlength; i++) {   var node = result.snapshotitem(i);   tagnames.push(node.localname); } document.queryselector("output").textcontent = tagnames.join(", ");   result    specifications           specification    status    comment          document object mod...
   
 
   
    XPathResult.snapshotLength - Web APIs
    
 html  <div>xpath example</div> <div>number of matched nodes: <output></output></div>   javascript  var xpath = "//div"; var result = document.
evaluate(xpath, document, null, xpathresult.ordered_node_snapshot_type, null); document.queryselector("output").textcontent = result.snapshotlength;   result    specifications           specification    status    comment          document object model (dom) level 3 xpath specificationthe definition of 'xpathresult.snapshotlength' in that specification.
   
 
   
    msGetRegionContent - Web APIs
    
 syntax  var retval = element.msgetregioncontent();     parameters  retval [out, r
eval]  type: msrangecollection  the name of the property to enable.
   
 
   
    Web applications and ARIA FAQ - Accessibility
    
  other helpful testing tools and techniques for aria-enabled applications and widgets:    yahoo!'s aria bookmarklets  fluid project's simple accessibility 
evaluation techniques   where do aria discussions happen?
   
 
   
   
   
   
  
   
    border-width - CSS: Cascading Style Sheets
    
gthborder-left-width: a lengthborder-right-width: a lengthborder-top-width: a length  formal syntax  <line-width>{1,4}where <line-width> = <length> | thin | medium | thick  examples  a mix of values and lengths  html  <p id="sval">     one value: 6px wide border on all 4 sides</p> <p id="bival">     two different values: 2px wide top and bottom border, 10px wide right and left border</p> <p id="tr
eval">     three different values: 0.3em top, 9px bottom, and zero width right and left</p> <p id="fourval">     four different values: "thin" top, "medium" right, "thick" bottom, and 1em left</p>  css  #sval {   border: ridge #ccc;   border-width: 6px; } #bival {   border: solid red;   border-width: 2px 10px; } #tr
eval {   border: dotted orange;   border-width: 0.3em 0 9px; } #fourval {   border: sol...
   
 
   
   
    clamp() - CSS: Cascading Style Sheets
    
 the expressions can be math functions (see calc() for more information), literal values, or other expressions, such as attr(), that 
evaluate to a valid argument type (like <length>), or nested min() and max() functions.
   
 
   
   
    max() - CSS: Cascading Style Sheets
    
 the expressions can be math expressions (using arithmetic operators), literal values, or other expressions, such as attr(), that 
evaluate to a valid argument type (like <length>), or nested min() and max() functions.
   
 
   
    min() - CSS: Cascading Style Sheets
    
 the expressions can be math expressions (using arithmetic operators), literal values, or other expressions, such as attr(), that 
evaluate to a valid argument type (like <length>).
   
 
   
   
   
   
    Constraint validation - Developer guides
    
the constraint validation is done in the following ways:    by a call to the checkvalidity() or reportvalidity() method of a form-associated dom interface, (htmlinputelement, htmlselectelement, htmlbuttonelement, htmloutputelement or htmltextareaelement), which 
evaluates the constraints only on this element, allowing a script to get this information.
   
 
   
    HTML5 - Developer guides
    
    performance and integration    web workers  allows delegation of javascript 
evaluation to background threads, allowing these activities to prevent slowing down interactive events.
   
 
   
   
   
    HTML documentation index - HTML: Hypertext Markup Language
    
       226     link types: modulepreload     attribute, html, link, link types, reference       the modulepreload keyword for the rel attribute of the <link> element provides a declarative way to preemptively fetch a module script and its dependencies, and store them in the document's module map for later 
evaluation.
   
 
   
   
  
   
    CSP: object-src - HTTP
    
 'unsafe-
eval'  allows the use of 
eval() and similar methods for creating code from strings.
   
 
   
   
   
   
   
   
   
    CSP: worker-src - HTTP
    
 'unsafe-
eval'  allows the use of 
eval() and similar methods for creating code from strings.
   
 
   
    Link prefetching FAQ - HTTP
    
however, it is possible to instruct mozilla to validate a prefetched document when the user follows a href to the prefetched document by specifying the cache-control: must-r
evalidate http response header.
   
 
   
   
    A typical HTTP session - HTTP
    
(contains a site-customized page helping the user to find the missing resource)   notification that the requested resource doesn't exist:  http/1.1 404 not found content-type: text/html; charset=utf-8 content-length: 38217 connection: keep-alive cache-control: no-cache, no-store, must-r
evalidate, max-age=0 content-language: en-us date: thu, 06 dec 2018 17:35:13 gmt expires: thu, 06 dec 2018 17:35:13 gmt server: meinheld/0.6.1 strict-transport-security: max-age=63072000 x-content-type-options: nosniff x-frame-options: deny x-xss-protection: 1; mode=block vary: accept-encoding,cookie x-cache: error from cloudfront   <!doctype html...
   
 
   
    About JavaScript - JavaScript
    
 javascript's dynamic capabilities include runtime object construction, variable parameter lists, function variables, dynamic script creation (via 
eval), object introspection (via for ...
   
 
   
    Details of the object model - JavaScript
    
new workerbee;   public class engineer extends workerbee {    public string machine;    public engineer () {       dept = "engineering";       machine = "";    }    public engineer (string mach) {       dept = "engineering";       machine = mach;    } }   these javascript definitions use a special idiom for setting default values:  this.name = name || '';   the javascript logical or operator (||) 
evaluates its first argument.
   
 
   
    Indexed collections - JavaScript
    
the simplest way to do this is as follows:  let colors = ['red', 'green', 'blue'] for (let i = 0; i < colors.length; i++) {   console.log(colors[i]) }   if you know that none of the elements in your array 
evaluate to false in a boolean context—if your array consists only of dom nodes, for example—you can use a more efficient idiom:  let divs = document.getelementsbytagname('div') for (let i = 0, div; div = divs[i]; i++) {   /* process div in some way */ }   this avoids the overhead of checking the length of the array, and ensures that the div variable is reassigned to the current item each time aro...
   
 
   
    Text formatting - JavaScript
    
for example:  const firststring = '2 + 2'; // creates a string literal value const secondstring = new string('2 + 2'); // creates a string object 
eval(firststring); // returns the number 4 
eval(secondstring); // returns the string "2 + 2"  a string object has one property, length, that indicates the number of utf-16 code units in the string.
   
 
   
  
   
    Private class fields - JavaScript
    
  class classwithprivatestaticfield {   static #private_static_field    static publicstaticmethod() {     classwithprivatestaticfield.#private_static_field = 42     return classwithprivatestaticfield.#private_static_field   } }  console.assert(classwithprivatestaticfield.publicstaticmethod() === 42)  private static fields are added to the class constructor at class 
evaluation time.
   
 
   
   
    TypeError: invalid 'instanceof' operand 'x' - JavaScript
    
unction foo() {} var f = foo();        // foo() is called and returns undefined var x = new foo();  x instanceof f;       // typeerror: invalid 'instanceof' operand f x instanceof x;       // typeerror: x is not a function   to fix these errors, you will either need to replace the instanceof operator with the typeof operator, or to make sure you use the function name, instead of the result of its 
evaluation.
   
 
   
    Arrow function expressions - JavaScript
    
 https://www.ecma-international.org/ecma-262/10.0/index.html#sec-strict-mode-code  https://www.ecma-international.org/ecma-262/10.0/index.html#sec-arrow-function-definitions-runtime-semantics-
evaluation  correction: end  invoked through call or apply  since arrow functions do not have their own this, the methods call() and apply() can only pass in parameters.
   
 
   
    Functions - JavaScript
    
each must be a string that conforms to the rules for a valid javascript identifier or a list of such strings separated with a comma; for example "x", "th
evalue", or "a,b".
   
 
   
    Array.prototype.every() - JavaScript
    
 this algorithm is exactly the one specified in ecma-262, 5th edition, assuming object and typeerror have their original values, and that callbackfn.call 
evaluates to the original value of function.prototype.call.
   
 
   
    Array.prototype.filter() - JavaScript
    
this algorithm is exactly equivalent to the one specified in ecma-262, 5th edition, assuming that fn.call 
evaluates to the original value of function.prototype.bind(), and that array.prototype.push() has its original value.
   
 
   
    Array.from() - JavaScript
    
  polyfill notes: this algorithm is exactly as specified in ecma-262 6th edition (assuming object and typeerror have their original values and that callback.call() 
evaluates to the original value of function.prototype.call()).
   
 
   
   
    Array.prototype.map() - JavaScript
    
this algorithm is exactly the one specified in ecma-262, 5th edition, assuming object, typeerror, and array have their original values and that callback.call 
evaluates to the original value of function.prototype.call.
   
 
   
    Array.prototype.some() - JavaScript
    
 this algorithm is exactly the one specified in ecma-262, 5th edition, assuming object and typeerror have their original values and that fun.call 
evaluates to the original value of function.prototype.call().
   
 
   
   
    Date.prototype.toString() - JavaScript
    
however, it must have an internal [[tim
evalue]] property that can't be constructed using native javascript, so it's effectively limited to use with date instances.
   
 
   
   
    Intl - JavaScript
    
 multiple locales may be specified (and a best-supported locale determined by 
evaluating each of them in order and comparing against the locales supported by the implementation) by passing an array (or array-like object, with a length property and corresponding indexed elements) whose elements are either intl.locale objects or values that convert to unicode bcp 47 locale identifier strings.
   
 
   
  
   
    JSON - JavaScript
    
  consider this example where json.parse() parses the string as json and 
eval executes the string as javascript:  let code = '"\u2028\u2029"' json.parse(code)  // 
evaluates to "\u2028\u2029" in all engines 
eval(code)        // throws a syntaxerror in old engines   other differences include allowing only double-quoted strings and having no provisions for undefined or comments.
   
 
   
    Map - JavaScript
    
 key equality    key equality is based on the sam
evaluezero algorithm.
   
 
   
   
    Number.isNaN() - JavaScript
    
 description  due to both equality operators, == and ===, 
evaluating to false when checking if nan is nan, the function number.isnan() has become necessary.
   
 
   
    Object.is() - JavaScript
    
 polyfill  if (!object.is) {   object.is = function(x, y) {     // sam
evalue algorithm     if (x === y) { // steps 1-5, 7-10       // steps 6.b-6.e: +0 != -0       return x !== 0 || 1 / x === 1 / y;     } else {       // step 6.a: nan == nan       return x !== x && y !== y;     }   }; }  examples  using object.is  object.is('foo', 'foo');     // true object.is(window, window);   // true  object.is('foo', 'bar');     // false object.is([], []);           // false  var fo...
   
 
   
    Promise() constructor - JavaScript
    
 const myfirstpromise = new promise((resolve, reject) => {   // do something asynchronous which eventually calls either:   //   //   resolve(som
evalue)        // fulfilled   // or   //   reject("failure reason")  // rejected });   making functions return a promise  to provide a function with promise functionality, have it return a promise:  function myasyncfunction(url) {   return new promise((resolve, reject) => {     const xhr = new xmlhttprequest()     xhr.open("get", url)     xhr.onload = () => resolve(xhr.responsetext)     xhr.onerror = ...
   
 
   
    Promise.all() - JavaScript
    
og('the stack is now empty');     console.log(p); });  // logs // promise { <state>: "pending" } // the stack is now empty // promise { <state>: "rejected", <reason>: 44 }   but, promise.all resolves synchronously if and only if the iterable passed is empty:  var p = promise.all([]); // will be immediately resolved var p2 = promise.all([1337, "hi"]); // non-promise values will be ignored, but the 
evaluation will be done asynchronously console.log(p); console.log(p2) settimeout(function() {     console.log('the stack is now empty');     console.log(p2); });  // logs // promise { <state>: "fulfilled", <value>: array[0] } // promise { <state>: "pending" } // the stack is now empty // promise { <state>: "fulfilled", <value>: array[2] }   promise.all fail-fast behaviour  promise.all is rejected if ...
   
 
   
    Proxy - JavaScript
    
e, i1 is null console.log(i1.getattribute('aria-selected')); //  'true'  let i2 = view.selected = document.getelementbyid('item-2'); console.log(i1.getattribute('aria-selected')); //  'false'  console.log(i2.getattribute('aria-selected')); //  'true' note: even if selected: !null, then giving oldval.setattribute is not a function   value correction and an extra property  the products proxy object 
evaluates the passed value and converts it to an array if needed.
   
 
   
    RegExp() constructor - JavaScript
    
  the following three expressions create the same regular expression:  /ab+c/i new regexp(/ab+c/, 'i') // literal notation new regexp('ab+c', 'i') // constructor   the literal notation results in compilation of the regular expression when the expression is 
evaluated.
   
 
   
    RegExp - JavaScript
    
  the following three expressions create the same regular expression:  /ab+c/i new regexp(/ab+c/, 'i') // literal notation new regexp('ab+c', 'i') // constructor   the literal notation results in compilation of the regular expression when the expression is 
evaluated.
   
 
   
   
    String.prototype.indexOf() - JavaScript
    
for example, the following expression returns -1:  'blue whale'.indexof('blue')  // returns -1   checking occurrences  note that 0 doesn't 
evaluate to true and -1 doesn't 
evaluate to false.
   
 
   
   
   
   
  
   
    globalThis - JavaScript
    
you can also use function('return this')(), but environments that disable 
eval(), like csp in browsers, prevent use of function in this way.
   
 
   
    isNaN() - JavaScript
    
 description  the necessity of an isnan function  unlike all other possible values in javascript, it is not possible to rely on the equality operators (== and ===) to determine whether a value is nan or not, because both nan == nan and nan === nan 
evaluate to false.
   
 
   
   
   
   
    Logical AND assignment (&&=) - JavaScript
    
 syntax  expr1 &&= expr2   description  short-circuit 
evaluation  the logical and operator is 
evaluated left to right, it is tested for possible short-circuit 
evaluation using the following rule:  (some falsy expression) && expr is short-circuit 
evaluated to the falsy expression;  short circuit means that the expr part above is not 
evaluated, hence any side effects of doing so do not take effect (e.g., if expr is a function call, the calling never takes place).
   
 
   
    Optional chaining (?.) - JavaScript
    
 let mymap = new map(); mymap.set("foo", {name: "baz", desc: "inga"});  let namebar = mymap.get("bar")?.name;  short-circuiting 
evaluation  when using optional chaining with expressions, if the left operand is null or undefined, the expression will not be 
evaluated.
   
 
   
    delete operator - JavaScript
    
 syntax  delete expression   where expression should 
evaluate to a property reference, e.g.:  delete object.property delete object['property']   parameters   	object 	the name of an object, or an expression 
evaluating to an object.
   
 
   
    instanceof - JavaScript
    
(!mycar will be 
evaluated before instanceof, so you always try to know if a boolean is an instance of car).
   
 
   
    typeof - JavaScript
    
 the typeof operator returns a string indicating the type of the un
evaluated operand.
   
 
   
    yield* - JavaScript
    
 done: false} console.log(iterator.next()); // {value: "3", done: false} console.log(iterator.next()); // {value: "4", done: false} console.log(iterator.next()); // {value: 5, done: false} console.log(iterator.next()); // {value: 6, done: false} console.log(iterator.next()); // {value: undefined, done: true}   the value of yield* expression itself  yield* is an expression, not a statement—so it 
evaluates to a value.
   
 
   
    function declaration - JavaScript
    
typeof foo is function   the results are exactly the same for a condition that 
evaluates to true  var hoisted = "foo" in this; console.log(`'foo' name ${hoisted ?
   
 
   
    import - JavaScript
    
 (async () => {   if (somethingistrue) {     const { default: mydefault, foo, bar } = await import('/modules/my-module.js');   } })();  dynamic imports  the standard import syntax is static and will always result in all code in the imported module being 
evaluated at load time.
   
 
   
    try...catch - JavaScript
    
ocks  you can create "conditional catch-blocks" by combining try...catch blocks with if...else if...else structures, like this:  try {   myroutine(); // may throw three types of exceptions } catch (e) {   if (e instanceof typeerror) {     // statements to handle typeerror exceptions   } else if (e instanceof rangeerror) {     // statements to handle rangeerror exceptions   } else if (e instanceof 
evalerror) {     // statements to handle 
evalerror exceptions   } else {     // statements to handle any unspecified exceptions     logmyerrors(e); // pass exception object to error handler   } }   a common use case for this is to only catch (and silence) a small subset of expected errors, and then re-throw the error in other cases:  try {   myroutine(); } catch (e) {   if (e instanceof rangeerror) { ...
   
 
   
    var - JavaScript
    
at the time "x = y" is 
evaluated, y exists so no referenceerror is thrown and its value is undefined.
   
 
   
  
   
    JavaScript reference - JavaScript
    
   value properties    infinity    nan    undefined    globalthis    function properties   
eval()    isfinite()    isnan()    parsefloat()    parseint()    decodeuri()    decodeuricomponent()    encodeuri()    encodeuricomponent()    fundamental objects   object    function    boolean    symbol    error objects   error    aggregateerror    
evalerror    internalerror    rangeerror    referenceerror    syntaxerror    typeerror    urierror       numbers & dates    number    bigint    math    date    text processing   string    regexp    indexed collections array   int8ar...
   
 
   
   
    Applying SVG effects to HTML content - SVG: Scalable Vector Graphics
    
for example, you can resize the circle in the clip path established above:  function toggleradius() {   var circle = document.getelementbyid("circle");   circle.r.bas
eval.value = 0.40 - circle.r.bas
eval.value; }     example: filtering  this demonstrates applying a filter to html content using svg.
   
 
   
   
    SVG 2 support in Mozilla - SVG: Scalable Vector Graphics
    
element.xmlspace removed    implementation status unknown          svgviewspec removed    implementation status unknown          svgelement.style removed    implementation status unknown          svggraphicselement.gettransformtoelement() removed    not removed yet          svggraphicselement.getctm() on the outermost element    implementation status unknown          animval attribute alias of bas
eval    implementation status unknown          dataset attribute for svgelement    implementation status unknown          moved pathlength attribute and gettotallength() and getpointatlength() methods from svgpathelement to svggeometryelement    implemented (bug 1239100)        document structure           change    notes              svgsvgelement.suspendredraw(), svgsvgelement.unsuspendredraw(), and...
   
 
   
   
    choose - XPath
    
  note: all parameters are 
evaluated, even the one that's not returned.
   
 
   
    document - XPath
    
    if the uri  argument is a node-set, and the second argument is present, each node in the node-set will be 
evaluated as a separate uri, and the returned node-set will be as if the document function has been called multiple times (each time with the same second argument just as given in the function call) and the resulting node-sets had been concatenated into a single node-set.
   
 
   
   
    false - XPath
    
 notes  this function is useful part of a comparison:  <xsl:if test="boolean((1 > 2) = false())">  the expression 
evaluates as true </xsl:if>   defined  xpath 1.0 4.3  gecko support  supported.
   
 
   
    format-number - XPath
    
             xslt/xpath reference: xslt elements, exslt functions, xpath functions, xpath axes     the format-number function 
evaluates a number and returns a string representing the number in a given format.
   
 
   
    string-length - XPath
    
 syntax  string-length( [string] )   arguments    string(optional)  the string to 
evaluate.
   
 
   
   
   
    substring - XPath
    
 syntax  substring(string ,start [,length] )   arguments    string  the string to 
evaluate.