code stringlengths 2 1.05M | repo_name stringlengths 5 101 | path stringlengths 4 991 | language stringclasses 3 values | license stringclasses 5 values | size int64 2 1.05M |
|---|---|---|---|---|---|
<?xml version="1.0" encoding="iso-8859-1"?>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<!-- template designed by Marco Von Ballmoos -->
<title></title>
<link rel="stylesheet" href="media/stylesheet.css" />
<meta http-equiv='Content-Type' content='text/html; charset=iso-8859-1'/>
</head>
<body>
<div class="package-title">QueryTableParser</div>
<div class="package-details">
<dl class="tree">
<dt class="folder-title">Description</dt>
<dd>
<a href='classtrees_QueryTableParser.html' target='right'>Class trees</a><br />
<a href='elementindex_QueryTableParser.html' target='right'>Index of elements</a><br />
</dd>
<dt class="folder-title">Classes</dt>
<dd><a href='QueryTableParser/QueryTableParser.html' target='right'>QueryTableParser</a></dd>
<dt class="folder-title">Files</dt>
<dd><a href='QueryTableParser/_QueryTableParser.php.html' target='right'>QueryTableParser.php</a></dd>
</dl>
</div>
<p class="notes"><a href="http://www.phpdoc.org" target="_blank">phpDocumentor v <span class="field">1.4.4</span></a></p>
</BODY>
</HTML> | hankya/Anemometer | docs/li_QueryTableParser.html | HTML | apache-2.0 | 1,334 |
<html>
<body>
Reports code which use or override package-private members which are declared in the same package in a different module. If the declaring classes are loaded by different loaders a code which access a package-private member will fail with IllegalAccessError at runtime. If a method overrides a package-private method from a class loaded by a different loader, it won't be invoked when the super method is called on an instance of the implementing class. If a method implements an abstract package-private method from a class loaded by a different loader, calling the super method on an instance of the implementing class will fail with AbstractMethodError
</body>
</html> | leafclick/intellij-community | plugins/InspectionGadgets/src/inspectionDescriptions/SuspiciousPackagePrivateAccess.html | HTML | apache-2.0 | 684 |
<!DOCTYPE html>
<html devsite>
<head>
<meta name="project_path" value="/web/tools/workbox/_project.yaml" />
<meta name="book_path" value="/web/tools/workbox/_book.yaml" />
<meta name="gtm_var" data-key="docType" data-value="reference">
<title>Source: workbox-streams/concatenate.mjs</title>
<link href="jsdoc.css" rel="stylesheet">
</head>
<body>
<div id="jsdoc-body-container">
<div id="jsdoc-content">
<div id="jsdoc-content-container">
<div id="jsdoc-banner" role="banner">
</div>
<div id="jsdoc-main" role="main">
<header class="page-header">
<h1>Source: workbox-streams/concatenate.mjs</h1>
</header>
<article>
<pre class="prettyprint linenums"><code>/*
Copyright 2018 Google LLC
Use of this source code is governed by an MIT-style
license that can be found in the LICENSE file or at
https://opensource.org/licenses/MIT.
*/
import {logger} from 'workbox-core/_private/logger.mjs';
import {assert} from 'workbox-core/_private/assert.mjs';
import './_version.mjs';
/**
* Takes either a Response, a ReadableStream, or a
* [BodyInit](https://fetch.spec.whatwg.org/#bodyinit) and returns the
* ReadableStreamReader object associated with it.
*
* @param {workbox.streams.StreamSource} source
* @return {ReadableStreamReader}
* @private
*/
function _getReaderFromSource(source) {
if (source.body &amp;&amp; source.body.getReader) {
return source.body.getReader();
}
if (source.getReader) {
return source.getReader();
}
// TODO: This should be possible to do by constructing a ReadableStream, but
// I can't get it to work. As a hack, construct a new Response, and use the
// reader associated with its body.
return new Response(source).body.getReader();
}
/**
* Takes multiple source Promises, each of which could resolve to a Response, a
* ReadableStream, or a [BodyInit](https://fetch.spec.whatwg.org/#bodyinit).
*
* Returns an object exposing a ReadableStream with each individual stream's
* data returned in sequence, along with a Promise which signals when the
* stream is finished (useful for passing to a FetchEvent's waitUntil()).
*
* @param {Array&lt;Promise&lt;workbox.streams.StreamSource>>} sourcePromises
* @return {Object&lt;{done: Promise, stream: ReadableStream}>}
*
* @memberof workbox.streams
*/
function concatenate(sourcePromises) {
if (process.env.NODE_ENV !== 'production') {
assert.isArray(sourcePromises, {
moduleName: 'workbox-streams',
funcName: 'concatenate',
paramName: 'sourcePromises',
});
}
const readerPromises = sourcePromises.map((sourcePromise) => {
return Promise.resolve(sourcePromise).then((source) => {
return _getReaderFromSource(source);
});
});
let fullyStreamedResolve;
let fullyStreamedReject;
const done = new Promise((resolve, reject) => {
fullyStreamedResolve = resolve;
fullyStreamedReject = reject;
});
let i = 0;
const logMessages = [];
const stream = new ReadableStream({
pull(controller) {
return readerPromises[i]
.then((reader) => reader.read())
.then((result) => {
if (result.done) {
if (process.env.NODE_ENV !== 'production') {
logMessages.push(['Reached the end of source:',
sourcePromises[i]]);
}
i++;
if (i >= readerPromises.length) {
// Log all the messages in the group at once in a single group.
if (process.env.NODE_ENV !== 'production') {
logger.groupCollapsed(
`Concatenating ${readerPromises.length} sources.`);
for (const message of logMessages) {
if (Array.isArray(message)) {
logger.log(...message);
} else {
logger.log(message);
}
}
logger.log('Finished reading all sources.');
logger.groupEnd();
}
controller.close();
fullyStreamedResolve();
return;
}
return this.pull(controller);
} else {
controller.enqueue(result.value);
}
}).catch((error) => {
if (process.env.NODE_ENV !== 'production') {
logger.error('An error occurred:', error);
}
fullyStreamedReject(error);
throw error;
});
},
cancel() {
if (process.env.NODE_ENV !== 'production') {
logger.warn('The ReadableStream was cancelled.');
}
fullyStreamedResolve();
},
});
return {done, stream};
}
export {concatenate};
</code></pre>
</article>
</div>
</div>
<nav id="jsdoc-toc-nav" role="navigation"></nav>
</div>
</div>
</body>
</html> | lucab85/WebFundamentals | src/content/en/tools/workbox/reference-docs/v4/workbox-streams_concatenate.mjs.html | HTML | apache-2.0 | 5,314 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<!--NewPage-->
<HTML>
<HEAD>
<!-- Generated by javadoc (build 1.5.0_22) on Tue Sep 18 20:44:16 GMT+01:00 2012 -->
<META http-equiv="Content-Type" content="text/html; charset=UTF-8">
<TITLE>
Uses of Class org.apache.http.nio.util.SharedOutputBuffer (HttpComponents Core 4.2.2 API)
</TITLE>
<LINK REL ="stylesheet" TYPE="text/css" HREF="../../../../../../stylesheet.css" TITLE="Style">
<SCRIPT type="text/javascript">
function windowTitle()
{
parent.document.title="Uses of Class org.apache.http.nio.util.SharedOutputBuffer (HttpComponents Core 4.2.2 API)";
}
</SCRIPT>
<NOSCRIPT>
</NOSCRIPT>
</HEAD>
<BODY BGCOLOR="white" onload="windowTitle();">
<!-- ========= START OF TOP NAVBAR ======= -->
<A NAME="navbar_top"><!-- --></A>
<A HREF="#skip-navbar_top" title="Skip navigation links"></A>
<TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY="">
<TR>
<TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1">
<A NAME="navbar_top_firstrow"><!-- --></A>
<TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY="">
<TR ALIGN="center" VALIGN="top">
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../org/apache/http/nio/util/SharedOutputBuffer.html" title="class in org.apache.http.nio.util"><FONT CLASS="NavBarFont1"><B>Class</B></FONT></A> </TD>
<TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> <FONT CLASS="NavBarFont1Rev"><B>Use</B></FONT> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../index-all.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A> </TD>
</TR>
</TABLE>
</TD>
<TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM>
</EM>
</TD>
</TR>
<TR>
<TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2">
PREV
NEXT</FONT></TD>
<TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2">
<A HREF="../../../../../../index.html?org/apache/http/nio/util/class-use/SharedOutputBuffer.html" target="_top"><B>FRAMES</B></A>
<A HREF="SharedOutputBuffer.html" target="_top"><B>NO FRAMES</B></A>
<SCRIPT type="text/javascript">
<!--
if(window==top) {
document.writeln('<A HREF="../../../../../../allclasses-noframe.html"><B>All Classes</B></A>');
}
//-->
</SCRIPT>
<NOSCRIPT>
<A HREF="../../../../../../allclasses-noframe.html"><B>All Classes</B></A>
</NOSCRIPT>
</FONT></TD>
</TR>
</TABLE>
<A NAME="skip-navbar_top"></A>
<!-- ========= END OF TOP NAVBAR ========= -->
<HR>
<CENTER>
<H2>
<B>Uses of Class<br>org.apache.http.nio.util.SharedOutputBuffer</B></H2>
</CENTER>
No usage of org.apache.http.nio.util.SharedOutputBuffer
<P>
<HR>
<!-- ======= START OF BOTTOM NAVBAR ====== -->
<A NAME="navbar_bottom"><!-- --></A>
<A HREF="#skip-navbar_bottom" title="Skip navigation links"></A>
<TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY="">
<TR>
<TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1">
<A NAME="navbar_bottom_firstrow"><!-- --></A>
<TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY="">
<TR ALIGN="center" VALIGN="top">
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../org/apache/http/nio/util/SharedOutputBuffer.html" title="class in org.apache.http.nio.util"><FONT CLASS="NavBarFont1"><B>Class</B></FONT></A> </TD>
<TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> <FONT CLASS="NavBarFont1Rev"><B>Use</B></FONT> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../index-all.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A> </TD>
</TR>
</TABLE>
</TD>
<TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM>
</EM>
</TD>
</TR>
<TR>
<TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2">
PREV
NEXT</FONT></TD>
<TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2">
<A HREF="../../../../../../index.html?org/apache/http/nio/util/class-use/SharedOutputBuffer.html" target="_top"><B>FRAMES</B></A>
<A HREF="SharedOutputBuffer.html" target="_top"><B>NO FRAMES</B></A>
<SCRIPT type="text/javascript">
<!--
if(window==top) {
document.writeln('<A HREF="../../../../../../allclasses-noframe.html"><B>All Classes</B></A>');
}
//-->
</SCRIPT>
<NOSCRIPT>
<A HREF="../../../../../../allclasses-noframe.html"><B>All Classes</B></A>
</NOSCRIPT>
</FONT></TD>
</TR>
</TABLE>
<A NAME="skip-navbar_bottom"></A>
<!-- ======== END OF BOTTOM NAVBAR ======= -->
<HR>
Copyright © 2005-2012 <a href="http://www.apache.org/">The Apache Software Foundation</a>. All Rights Reserved.
</BODY>
</HTML>
| espadrine/opera | chromium/src/third_party/httpcomponents-core/binary-distribution/javadoc/org/apache/http/nio/util/class-use/SharedOutputBuffer.html | HTML | bsd-3-clause | 6,145 |
<!doctype html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>Example - example-example56-production</title>
<script src="//ajax.googleapis.com/ajax/libs/angularjs/1.4.0-rc.1/angular.min.js"></script>
</head>
<body ng-app="">
<label>Check me to make text readonly: <input type="checkbox" ng-model="checked"></label><br/>
<input type="text" ng-readonly="checked" value="I'm Angular" aria-label="Readonly field" />
</body>
</html> | qingfeng365/api-public | public/angular14/docs/examples/example-example56/index-production.html | HTML | mit | 455 |
<div class="umb-block-list">
<umb-load-indicator ng-if="vm.loading"></umb-load-indicator>
<div class="umb-block-list__wrapper" ng-style="vm.listWrapperStyles">
<div ui-sortable="vm.sortableOptions" ng-model="vm.layout" ng-if="vm.loading !== true">
<div ng-repeat="layout in vm.layout track by layout.$block.key">
<button type="button"
class="btn-reset umb-block-list__block--create-button"
ng-click="vm.requestShowCreate($index, $event)"
ng-controller="Umbraco.PropertyEditors.BlockListPropertyEditor.CreateButtonController as inlineCreateButtonCtrl"
ng-mousemove="inlineCreateButtonCtrl.onMouseMove($event)">
<div class="__plus" ng-style="{'left':inlineCreateButtonCtrl.plusPosX}">
<umb-icon icon="icon-add" class="icon"></umb-icon>
</div>
</button>
<umb-block-list-row block-editor-api="vm.blockEditorApi"
layout="layout"
index="$index">
</umb-block-list-row>
</div>
</div>
<div class="umb-block-list__actions" ng-if="vm.loading !== true">
<button
id="{{vm.model.alias}}"
type="button"
class="btn-reset umb-block-list__create-button umb-outline"
ng-disabled="vm.availableBlockTypes.length === 0"
ng-click="vm.requestShowCreate(vm.layout.length, $event)">
<localize ng-if="vm.availableBlockTypes.length !== 1" key="blockEditor_addBlock">Add content</localize>
<localize ng-if="vm.availableBlockTypes.length === 1" key="blockEditor_addThis" tokens="[vm.availableBlockTypes[0].elementTypeModel.name]">Add content</localize>
</button>
<button type="button"
class="btn-reset umb-block-list__clipboard-button umb-outline"
ng-class="{'--jump': vm.jumpClipboardButton}"
ng-disabled="vm.clipboardItems.length === 0"
ng-click="vm.requestShowClipboard(vm.layout.length, $event)"
localize="title"
title="@blockEditor_tabClipboard">
<umb-icon icon="icon-paste-in" class="icon"></umb-icon>
<span class="sr-only">
<localize key="blockEditor_tabClipboard">Clipboard</localize>
</span>
</button>
</div>
<input type="hidden" name="minCount" ng-model="vm.layout" val-server="minCount" />
<input type="hidden" name="maxCount" ng-model="vm.layout" val-server="maxCount" />
<div ng-messages="vm.propertyForm.minCount.$error">
<div class="help text-error" ng-message="minCount">
<localize key="validation_entriesShort" tokens="[vm.validationLimit.min, vm.validationLimit.min - vm.layout.length]" watch-tokens="true">Minimum %0% entries, needs <strong>%1%</strong> more.</localize>
</div>
<span class="help-inline" ng-message="valServer" ng-bind-html="vm.propertyForm.minCount.errorMsg">></span>
</div>
<div ng-messages="vm.propertyForm.maxCount.$error">
<div class="help text-error" ng-message="maxCount">
<localize key="validation_entriesExceed" tokens="[vm.validationLimit.max, vm.layout.length - vm.validationLimit.max]" watch-tokens="true">Maximum %0% entries, <strong>%1%</strong> too many.</localize>
</div>
<span class="help-inline" ng-message="valServer" ng-bind-html="vm.propertyForm.maxCount.errorMsg"></span>
</div>
</div>
<umb-overlay
ng-if="vm.blockTypePicker.show"
position="target"
size="vm.blockTypePicker.size"
view="vm.blockTypePicker.view"
model="vm.blockTypePicker">
</umb-overlay>
</div>
| umbraco/Umbraco-CMS | src/Umbraco.Web.UI.Client/src/views/propertyeditors/blocklist/umb-block-list-property-editor.html | HTML | mit | 4,033 |
<a href='https://github.com/angular/angular.js/edit/v1.4.x/src/Angular.js?message=docs(angular.isFunction)%3A%20describe%20your%20change...#L604' class='improve-docs btn btn-primary'><i class="glyphicon glyphicon-edit"> </i>Improve this Doc</a>
<a href='https://github.com/angular/angular.js/tree/v1.4.6/src/Angular.js#L604' class='view-source pull-right btn btn-primary'>
<i class="glyphicon glyphicon-zoom-in"> </i>View Source
</a>
<header class="api-profile-header">
<h1 class="api-profile-header-heading">angular.isFunction</h1>
<ol class="api-profile-header-structure naked-list step-list">
<li>
- function in module <a href="api/ng">ng</a>
</li>
</ol>
</header>
<div class="api-profile-description">
<p>Determines if a reference is a <code>Function</code>.</p>
</div>
<div>
<h2 id="usage">Usage</h2>
<p><code>angular.isFunction(value);</code></p>
<section class="api-section">
<h3>Arguments</h3>
<table class="variables-matrix input-arguments">
<thead>
<tr>
<th>Param</th>
<th>Type</th>
<th>Details</th>
</tr>
</thead>
<tbody>
<tr>
<td>
value
</td>
<td>
<a href="" class="label type-hint type-hint-object">*</a>
</td>
<td>
<p>Reference to check.</p>
</td>
</tr>
</tbody>
</table>
</section>
<h3>Returns</h3>
<table class="variables-matrix return-arguments">
<tr>
<td><a href="" class="label type-hint type-hint-boolean">boolean</a></td>
<td><p>True if <code>value</code> is a <code>Function</code>.</p>
</td>
</tr>
</table>
</div>
| nnnguyen/posiba | src/js/vendor/angular/docs/partials/api/ng/function/angular.isFunction.html | HTML | mit | 1,708 |
<!--Accordion with icons -->
<div class="panel-group pmd-accordion" id="accordion3" role="tablist" aria-multiselectable="true" >
<div class="panel">
<div class="panel-heading" role="tab" id="headingOne">
<h4 class="panel-title">
<a data-toggle="collapse" data-parent="#accordion3" href="#collapseOne3" aria-expanded="true" aria-controls="collapseOne3" data-expandable="false"><i class="material-icons pmd-sm pmd-accordion-icon-left">mood</i> Collapsible Group Item #1 <i class="material-icons md-dark pmd-sm pmd-accordion-arrow">keyboard_arrow_down</i></a>
</h4>
</div>
<div id="collapseOne3" class="panel-collapse collapse in" role="tabpanel" aria-labelledby="headingOne">
<div class="panel-body">The word "accordion" typically conjures a mental image of your favorite polka band. However that’s not what we are talking about when referring to accordion menu. Although polka music can offer a rip-snorting good time, the term is associated with something different in the realm of web design. User interface accordions might refer to menus, widgets, or content areas which expand like the musical instrument. These interfaces have grown a lot more popular in recent years with the expansion of JavaScript.</div>
</div>
</div>
<div class="panel">
<div class="panel-heading" role="tab" id="headingTwo">
<h4 class="panel-title">
<a data-toggle="collapse" data-parent="#accordion3" href="#collapseTwo3" aria-expanded="false" aria-controls="collapseTwo3" data-expandable="false"><i class="material-icons pmd-sm pmd-accordion-icon-left">account_balance</i> Collapsible Group Item #2 <i class="material-icons md-dark pmd-sm pmd-accordion-arrow">keyboard_arrow_down</i></a>
</h4>
</div>
<div id="collapseTwo3" class="panel-collapse collapse" role="tabpanel" aria-labelledby="headingTwo">
<div class="panel-body">Accordions are popular because they allow developers to force large amounts of content into tiny spaces on the page. Granted these content displays also require dynamic effects for switching between page elements – so there are pros and cons to accordions. </div>
</div>
</div>
<div class="panel">
<div class="panel-heading" role="tab" id="headingThree">
<h4 class="panel-title">
<a data-toggle="collapse" data-parent="#accordion3" href="#collapseThree3" aria-expanded="false" aria-controls="collapseThree3" data-expandable="false"><i class="material-icons pmd-sm pmd-accordion-icon-left">verified_user</i> Collapsible Group Item #3 <i class="material-icons md-dark pmd-sm pmd-accordion-arrow">keyboard_arrow_down</i></a>
</h4>
</div>
<div id="collapseThree3" class="panel-collapse collapse" role="tabpanel" aria-labelledby="headingThree">
<div class="panel-body">Not every website needs an accordion menu and you certainly won’t find them all the time. But that’s no reason to ignore the concept entirely. The purpose of an accordion menu is to manage an overabundance of content through dynamic switching. Each interface works differently based on the circumstances of the layout.</div>
</div>
</div>
</div> <!--Accordion with icons end -->
| nikunjchotaliya15/nodejs | public/components/accordion/snippets/accordion-with-icon.html | HTML | mit | 3,137 |
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<title>Perseus render</title>
<link rel="stylesheet" type="text/css" href="/ke/css/khan-site.css" />
<link rel="stylesheet" type="text/css" href="/ke/css/khan-exercise.css" />
<link rel="stylesheet" type="text/css" href="/lib/katex/katex.css" />
<link rel="stylesheet" type="text/css" href="/lib/mathquill/mathquill.css" />
<link rel="stylesheet/less" type="text/css" href="/stylesheets/exercise-content-package/perseus.less" />
<script src="/lib/less.js"></script>
</head>
<body>
<div id="extras" style="margin: 20px;">
<button id="score">Score</button>
</div>
<div id="problem-and-answer" class="current-card framework-perseus vertical-shadow" style="width: 797px; margin: 20px;">
<div id="problemarea">
<div id="workarea"></div>
<div id="hintsarea"></div>
</div>
<div id="answer_area_wrap">
<div id="answer_area">
<form id="answerform">
<div id="anwsercontent" class="info-box">
<b>Answer</b> <br>
<div id="solutionarea"></div>
<div class="answer-buttons">
<input type="button" class="simple-button green" value="Check Answer" id="check-answer" />
<div id="positive-reinforcement" style="display: none;"><img src="/ke/images/face-smiley.png" /></div>
</div>
</div>
</form>
<div class="info-box">
<div class="answer-buttons">
<input type="button" class="simple-button orange" value="Hint" id="take-hint" />
</div>
</div>
</div>
</div>
<div style="clear: both;"></div>
</div>
<script src="/lib/es5-shim.js"></script>
<script src="/lib/jquery.js"></script>
<script src="/lib/underscore.js"></script>
<script src="/lib/react-with-addons.js"></script>
<script src="http://cdn.mathjax.org/mathjax/latest/MathJax.js?config=TeX-AMS_HTML-full&delayStartupUntil=configured"></script>
<script src="/lib/katex/katex.js"></script>
<script src="/lib/mathquill/mathquill-basic.js"></script>
<script src="/lib/kas.js"></script>
<script>
var KhanUtil = {
debugLog: function() {}
};
var Khan = {
Util: KhanUtil,
error: function() {},
query: {debug: ""},
imageBase: "/ke/images/",
scratchpad: {
disable: function() {},
enable: function() {}
}
};
React.initializeTouchEvents(true);
</script>
<script src="/ke/local-only/jed.js"></script>
<script src="/ke/local-only/i18n.js"></script>
<script src="/ke/local-only/jquery.qtip.js"></script>
<script src="/ke/exercises-stub.js"></script>
<script src="ke/local-only/require.js"></script>
<script>
(function() {
// Load khan-exercises modules, then perseus
require(["ke-deps.js"], function() {
// pre built
// require(["build/perseus.js"], initPerseus);
// pre built with source maps
// require(["build/perseus.debug.js"], initPerseus);
// built on demand
require(["live-build/perseus.js"], initPerseus);
});
$('#score').on('click', function() {
console.log(window.itemRenderer.scoreInput());
});
function initPerseus(Perseus) {
var defaultQuestion = {
"question": {
"content": "",
"images": {},
"widgets": {}
},
"answerArea": {
"type": "multiple",
"options": {
"content": "",
"images": {},
"widgets": {}
},
"calculator": false
},
"itemDataVersion": {
"major": 0,
"minor": 1
},
"hints": []
};
$('#take-hint').on('click', function() {
window.itemRenderer.showHint();
});
$('#check-answer').on('click', function() {
var score = window.itemRenderer.scoreInput();
if (score.empty) {
return;
} else if (score.correct) {
$('#positive-reinforcement').show();
$('#check-answer').val('Correct!');
} else {
$('#check-answer').val('Incorrect, try again.');
}
});
var query = Perseus.Util.parseQueryString(window.location.hash.substring(1));
var question = query.content ? JSON.parse(query.content) : defaultQuestion;
Perseus.init({}).then(function() {
var itemMountNode = document.createElement("div");
var ItemRenderer = React.createFactory(Perseus.ItemRenderer);
window.itemRenderer = React.render(ItemRenderer({
item: question,
problemNum: Math.floor(Math.random() * 50) + 1,
initialHintsVisible: 0,
enabledFeatures: {
highlight: true,
toolTipFormats: true
}
}, null), itemMountNode);
window.itemRenderer.focus();
}).then(function() {
console.log("all done.", +new Date/1000);
}, function(err) {
console.error(err);
});
}
})();
</script>
</body>
</html>
| daukantas/perseus | testrender.html | HTML | mit | 4,883 |
<th:block th:each="prefix : ${resource.prefix}" th:if="${!prefix.empty}" th:text="${prefix.value} + ' '">Dr</th:block>
<th:block th:each="givenName : ${resource.given}" th:if="${!givenName.empty}" th:text="${givenName.value} + ' '">John</th:block>
<th:block th:switch="${fhirVersion}">
<th:block th:case="'DSTU1'">
<b th:each="familyName : ${resource.family}" th:if="${!familyName.empty}" th:text="${#strings.toUpperCase(familyName.value)} + ' '">SMITH</b>
</th:block>
<th:block th:case="'DSTU2'">
<b th:each="familyName : ${resource.family}" th:if="${!familyName.empty}" th:text="${#strings.toUpperCase(familyName.value)} + ' '">SMITH</b>
</th:block>
<th:block th:case="'DSTU2_1'">
<b th:each="familyName : ${resource.family}" th:if="${!familyName.empty}" th:text="${#strings.toUpperCase(familyName.value)} + ' '">SMITH</b>
</th:block>
<th:block th:case="'DSTU2_HL7ORG'">
<b th:each="familyName : ${resource.family}" th:if="${!familyName.empty}" th:text="${#strings.toUpperCase(familyName.value)} + ' '">SMITH</b>
</th:block>
<th:block th:case="*">
<b th:if="${!resource.familyElement.empty}" th:text="${#strings.toUpperCase(resource.family)} + ' '">SMITH</b>
</th:block>
</th:block>
<th:block th:each="suffix : ${resource.suffix}" th:if="${!suffix.empty}" th:text="${suffix.value} + ' '">Jr</th:block>
| Gaduo/hapi-fhir | hapi-fhir-base/src/main/resources/ca/uhn/fhir/narrative/datatype/HumanNameDt.html | HTML | apache-2.0 | 1,360 |
<?xml version="1.0" encoding="UTF-8"?><html xmlns="http://www.w3.org/1999/xhtml">
<div xmlns="" tagx="article">
<head>
<style type="text/css"> table, tr, td {border : thin;}</style>
<span class="citation_publisher"></span>
<h2 class="citation-title">Applications of Primary Cell Cultures in the Study of Animal Viruses **</h2>
<span class="doi"></span>
<div class="contrib-group">contrib:
CONT
<span class="citation_author">J. R. Henderson</span>
<span class="citation_author_institution_ref"></span>
</div>
<span class="email">[]</span>
<span class="conflict">[]</span>
<span class="contribs">[]</span>
<span class="citation_pubdate">[--]</span>
<span class="citation_copyright">[Copyright : ]</span>
<span class="citation_licence">[Licence ]</span>
<span class="citation_funding">[]</span>
<span class="citation_pagecount">[]</span>
<span class="citation_data">[]</span>
</head>
<div id="abstract" tag="abstract">
<h2>Abstract</h2>
<div id="">
<h2>Images</h2>
<div tagxxx="fig">
<span class="label">Fig. 3</span>
<div tagxxx="graphic"></div>
</div>
<div tagxxx="fig">
<span class="label">Fig. 4</span>
<div tagxxx="graphic"></div>
</div>
<div tagxxx="fig">
<span class="label">Fig. 5</span>
<div tagxxx="graphic"></div>
</div>
<div tagxxx="fig">
<span class="label">Fig. 6</span>
<div tagxxx="graphic"></div>
</div>
<div tagxxx="fig">
<span class="label">Fig. 2</span>
<div tagxxx="graphic"></div>
</div>
</div>
</div>
<div tagxxx="supplementary-material">
<div tagxxx="graphic"></div>
<div tagxxx="graphic"></div>
<div tagxxx="graphic"></div>
<div tagxxx="graphic"></div>
<div tagxxx="graphic"></div>
<div tagxxx="graphic"></div>
<div tagxxx="graphic"></div>
<div tagxxx="graphic"></div>
<div tagxxx="graphic"></div>
<div tagxxx="graphic"></div>
<div tagxxx="graphic"></div>
<div tagxxx="graphic"></div>
</div>
</div>
</html> | petermr/ami-plugin | src/test/resources/org/xmlcml/ami2/zika-old/PMC2590599/scholarly.html | HTML | apache-2.0 | 2,478 |
<!DOCTYPE html>
<script src="../../resources/testharness.js"></script>
<script src="../../resources/testharnessreport.js"></script>
<script src="../../resources/bluetooth/bluetooth-helpers.js"></script>
<script>
'use strict';
promise_test(() => {
return setBluetoothFakeAdapter('HeartRateAdapter')
.then(() => requestDeviceWithKeyDown({
filters: [{services: ['heart_rate']}],
optionalServices: ['generic_access']}))
.then(device => device.gatt.connect())
.then(gattServer => gattServer.getPrimaryService('generic_access'))
.then(services => Promise.all([
services.getCharacteristic('gap.device_name'),
services.getCharacteristic('gap.device_name')]))
.then(characteristics => {
// TODO(ortuno): getCharacteristic should return the same object
// if it was created earlier.
// https://crbug.com/495270
for (var i = 1; i < characteristics.length; i++) {
assert_not_equals(
characteristics[0], characteristics[i],
'Should return the same characteristic as the first call.');
}
});
}, 'Calls to get the same characteristic should return the same object.');
</script>
| axinging/chromium-crosswalk | third_party/WebKit/LayoutTests/bluetooth/getCharacteristic/get-same-characteristic.html | HTML | bsd-3-clause | 1,171 |
<!--
Copyright (c) 2011 The Chromium Authors. All rights reserved.
Use of this source code is governed by a BSD-style license that can be
found in the LICENSE file.
-->
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8">
<title>WebGL OES_standard_derivatives Conformance Tests</title>
<link rel="stylesheet" href="../resources/js-test-style.css"/>
<script src="../resources/desktop-gl-constants.js" type="text/javascript"></script>
<script src="../resources/js-test-pre.js"></script>
<script src="resources/webgl-test.js"></script>
<script src="resources/webgl-test-utils.js"></script>
</head>
<body>
<div id="description"></div>
<canvas id="canvas" style="width: 50px; height: 50px;"> </canvas>
<div id="console"></div>
<!-- Shaders for testing standard derivatives -->
<!-- Shader omitting the required #extension pragma -->
<script id="missingPragmaFragmentShader" type="x-shader/x-fragment">
precision mediump float;
varying vec2 texCoord;
void main() {
float dx = dFdx(texCoord.x);
float dy = dFdy(texCoord.y);
float w = fwidth(texCoord.x);
gl_FragColor = vec4(dx, dy, w, 1.0);
}
</script>
<!-- Shader to test macro definition -->
<script id="macroFragmentShader" type="x-shader/x-fragment">
precision mediump float;
void main() {
#ifdef GL_OES_standard_derivatives
gl_FragColor = vec4(0.0, 0.0, 0.0, 0.0);
#else
// Error expected
#error no GL_OES_standard_derivatives;
#endif
}
</script>
<!-- Shader with required #extension pragma -->
<script id="testFragmentShader" type="x-shader/x-fragment">
#extension GL_OES_standard_derivatives : enable
precision mediump float;
varying vec2 texCoord;
void main() {
float dx = dFdx(texCoord.x);
float dy = dFdy(texCoord.y);
float w = fwidth(texCoord.x);
gl_FragColor = vec4(dx, dy, w, 1.0);
}
</script>
<!-- Shaders to test output -->
<script id="outputVertexShader" type="x-shader/x-vertex">
attribute vec4 vPosition;
varying vec4 position;
void main() {
position = vPosition;
gl_Position = vPosition;
}
</script>
<script id="outputFragmentShader" type="x-shader/x-fragment">
#extension GL_OES_standard_derivatives : enable
precision highp float;
varying vec4 position;
void main() {
float dzdx = dFdx(position.z);
float dzdy = dFdy(position.z);
float fw = fwidth(position.z);
gl_FragColor = vec4(abs(dzdx), abs(dzdy), fw, 1.0);
}
</script>
<script>
description("This test verifies the functionality of the OES_standard_derivatives extension, if it is available.");
debug("");
var wtu = WebGLTestUtils;
var canvas = document.getElementById("canvas");
var gl = create3DContext(canvas);
var ext = null;
if (!gl) {
testFailed("WebGL context does not exist");
} else {
testPassed("WebGL context exists");
// Run tests with extension disabled
runHintTestDisabled();
runShaderTests(false);
// Query the extension and store globally so shouldBe can access it
ext = gl.getExtension("OES_standard_derivatives");
if (!ext) {
testPassed("No OES_standard_derivatives support -- this is legal");
runSupportedTest(false);
} else {
testPassed("Successfully enabled OES_standard_derivatives extension");
runSupportedTest(true);
runHintTestEnabled();
runShaderTests(true);
runOutputTests();
runUniqueObjectTest();
}
}
function runSupportedTest(extensionEnabled) {
var supported = gl.getSupportedExtensions();
if (supported.indexOf("OES_standard_derivatives") >= 0) {
if (extensionEnabled) {
testPassed("OES_standard_derivatives listed as supported and getExtension succeeded");
} else {
testFailed("OES_standard_derivatives listed as supported but getExtension failed");
}
} else {
if (extensionEnabled) {
testFailed("OES_standard_derivatives not listed as supported but getExtension succeeded");
} else {
testPassed("OES_standard_derivatives not listed as supported and getExtension failed -- this is legal");
}
}
}
function runHintTestDisabled() {
debug("Testing FRAGMENT_SHADER_DERIVATIVE_HINT_OES with extension disabled");
// Use the constant directly as we don't have the extension
var FRAGMENT_SHADER_DERIVATIVE_HINT_OES = 0x8B8B;
gl.getParameter(FRAGMENT_SHADER_DERIVATIVE_HINT_OES);
glErrorShouldBe(gl, gl.INVALID_ENUM, "FRAGMENT_SHADER_DERIVATIVE_HINT_OES should not be queryable if extension is disabled");
gl.hint(FRAGMENT_SHADER_DERIVATIVE_HINT_OES, gl.DONT_CARE);
glErrorShouldBe(gl, gl.INVALID_ENUM, "hint should not accept FRAGMENT_SHADER_DERIVATIVE_HINT_OES if extension is disabled");
}
function runHintTestEnabled() {
debug("Testing FRAGMENT_SHADER_DERIVATIVE_HINT_OES with extension enabled");
shouldBe("ext.FRAGMENT_SHADER_DERIVATIVE_HINT_OES", "0x8B8B");
gl.getParameter(ext.FRAGMENT_SHADER_DERIVATIVE_HINT_OES);
glErrorShouldBe(gl, gl.NO_ERROR, "FRAGMENT_SHADER_DERIVATIVE_HINT_OES query should succeed if extension is enabled");
// Default value is DONT_CARE
if (gl.getParameter(ext.FRAGMENT_SHADER_DERIVATIVE_HINT_OES) == gl.DONT_CARE) {
testPassed("Default value of FRAGMENT_SHADER_DERIVATIVE_HINT_OES is DONT_CARE");
} else {
testFailed("Default value of FRAGMENT_SHADER_DERIVATIVE_HINT_OES is not DONT_CARE");
}
// Ensure that we can set the target
gl.hint(ext.FRAGMENT_SHADER_DERIVATIVE_HINT_OES, gl.DONT_CARE);
glErrorShouldBe(gl, gl.NO_ERROR, "hint should accept FRAGMENT_SHADER_DERIVATIVE_HINT_OES");
// Test all the hint modes
var validModes = ["FASTEST", "NICEST", "DONT_CARE"];
var anyFailed = false;
for (var n = 0; n < validModes.length; n++) {
var mode = validModes[n];
gl.hint(ext.FRAGMENT_SHADER_DERIVATIVE_HINT_OES, gl[mode]);
if (gl.getParameter(ext.FRAGMENT_SHADER_DERIVATIVE_HINT_OES) != gl[mode]) {
testFailed("Round-trip of hint()/getParameter() failed on mode " + mode);
anyFailed = true;
}
}
if (!anyFailed) {
testPassed("Round-trip of hint()/getParameter() with all supported modes");
}
}
function runShaderTests(extensionEnabled) {
debug("Testing various shader compiles with extension " + (extensionEnabled ? "enabled" : "disabled"));
// Expect the macro shader to succeed ONLY if enabled
var macroFragmentShader = wtu.loadShaderFromScript(gl, "macroFragmentShader");
if (extensionEnabled) {
if (macroFragmentShader) {
// Expected result
testPassed("GL_OES_standard_derivatives defined in shaders when extension is enabled");
} else {
testFailed("GL_OES_standard_derivatives not defined in shaders when extension is enabled");
}
} else {
if (macroFragmentShader) {
testFailed("GL_OES_standard_derivatives defined in shaders when extension is disabled");
} else {
testPassed("GL_OES_standard_derivatives not defined in shaders when extension disabled");
}
}
// Always expect the shader missing the #pragma to fail (whether enabled or not)
var missingPragmaFragmentShader = wtu.loadShaderFromScript(gl, "missingPragmaFragmentShader");
if (missingPragmaFragmentShader) {
testFailed("Shader built-ins allowed without #extension pragma");
} else {
testPassed("Shader built-ins disallowed without #extension pragma");
}
// Try to compile a shader using the built-ins that should only succeed if enabled
var testFragmentShader = wtu.loadShaderFromScript(gl, "testFragmentShader");
if (extensionEnabled) {
if (testFragmentShader) {
testPassed("Shader built-ins compiled successfully when extension enabled");
} else {
testFailed("Shader built-ins failed to compile when extension enabled");
}
} else {
if (testFragmentShader) {
testFailed("Shader built-ins compiled successfully when extension disabled");
} else {
testPassed("Shader built-ins failed to compile when extension disabled");
}
}
}
function runOutputTests() {
// This tests does several draws with various values of z.
// The output of the fragment shader is:
// [dFdx(z), dFdy(z), fwidth(z), 1.0]
// The expected math: (note the conversion to uint8)
// canvas.width = canvas.height = 50
// dFdx = totalChange.x / canvas.width = 0.5 / 50.0 = 0.01
// dFdy = totalChange.y / canvas.height = 0.5 / 50.0 = 0.01
// fw = abs(dFdx + dFdy) = 0.01 + 0.01 = 0.02
// r = floor(dFdx * 255) = 3
// g = floor(dFdy * 255) = 3
// b = floor(fw * 255) = 5
var e = 2; // Amount of variance to allow in result pixels - may need to be tweaked higher
debug("Testing various draws for valid built-in function behavior");
canvas.width = 50; canvas.height = 50;
gl.viewport(0, 0, canvas.width, canvas.height);
gl.hint(ext.FRAGMENT_SHADER_DERIVATIVE_HINT_OES, gl.NICEST);
var shaders = [
wtu.loadShaderFromScript(gl, "outputVertexShader"),
wtu.loadShaderFromScript(gl, "outputFragmentShader")
];
var program = wtu.setupProgram(gl, shaders, ['vPosition', 'texCoord0'], [0, 1]);
var quadParameters = wtu.setupUnitQuad(gl, 0, 1);
function readLocation(x, y) {
var pixels = new Uint8Array(1 * 1 * 4);
var px = Math.floor(x * canvas.width);
var py = Math.floor(y * canvas.height);
gl.readPixels(px, py, 1, 1, gl.RGBA, gl.UNSIGNED_BYTE, pixels);
return pixels;
};
function toString(arr) {
var s = "[";
for (var n = 0; n < arr.length; n++) {
s += arr[n];
if (n < arr.length - 1) {
s += ", ";
}
}
return s + "]";
};
function expectResult(target, successMessage, failureMessage) {
var locations = [
readLocation(0.1, 0.1),
readLocation(0.9, 0.1),
readLocation(0.1, 0.9),
readLocation(0.9, 0.9),
readLocation(0.5, 0.5)
];
var anyDiffer = false;
for (var n = 0; n < locations.length; n++) {
var source = locations[n];
for (var m = 0; m < 4; m++) {
if (Math.abs(source[m] - target[m]) > e) {
anyDiffer = true;
testFailed(failureMessage + "; should be " + toString(target) + ", was " + toString(source));
break;
}
}
}
if (!anyDiffer) {
testPassed(successMessage);
}
};
function setupBuffers(tl, tr, bl, br) {
gl.bindBuffer(gl.ARRAY_BUFFER, quadParameters[0]);
gl.bufferData(gl.ARRAY_BUFFER, new Float32Array([
1.0, 1.0, tr,
-1.0, 1.0, tl,
-1.0, -1.0, bl,
1.0, 1.0, tr,
-1.0, -1.0, bl,
1.0, -1.0, br]), gl.STATIC_DRAW);
};
// Draw 1: (no variation)
setupBuffers(0.0, 0.0, 0.0, 0.0);
wtu.drawQuad(gl);
expectResult([0, 0, 0, 255],
"Draw 1 (no variation) returned the correct data",
"Draw 1 (no variation) returned incorrect data");
// Draw 2: (variation in x)
setupBuffers(1.0, 0.0, 1.0, 0.0);
wtu.drawQuad(gl);
expectResult([5, 0, 5, 255],
"Draw 2 (variation in x) returned the correct data",
"Draw 2 (variation in x) returned incorrect data");
// Draw 3: (variation in y)
setupBuffers(1.0, 1.0, 0.0, 0.0);
wtu.drawQuad(gl);
expectResult([0, 5, 5, 255],
"Draw 3 (variation in y) returned the correct data",
"Draw 3 (variation in y) returned incorrect data");
// Draw 4: (variation in x & y)
setupBuffers(1.0, 0.5, 0.5, 0.0);
wtu.drawQuad(gl);
expectResult([3, 3, 5, 255],
"Draw 4 (variation in x & y) returned the correct data",
"Draw 4 (variation in x & y) returned incorrect data");
}
function attemptToForceGC()
{
var holderArray = [];
var tempArray;
window.tempArray = holderArray;
for (var i = 0; i < 12; ++i) {
tempArray = [];
for (var j = 0; j < 1024 * 1024; ++j) {
tempArray.push(0);
}
holderArray.push(tempArray);
}
window.tempArray = null;
}
function runUniqueObjectTest()
{
debug("Testing that getExtension() returns the same object each time");
gl.getExtension("OES_standard_derivatives").myProperty = 2;
if (window.GCController) {
window.GCController.collect();
} else {
attemptToForceGC();
}
shouldBe('gl.getExtension("OES_standard_derivatives").myProperty', '2');
}
debug("");
successfullyParsed = true;
</script>
<script src="../resources/js-test-post.js"></script>
<script>
</script>
</body>
</html>
| mxOBS/deb-pkg_trusty_chromium-browser | third_party/webgl/src/conformance-suites/1.0.0/conformance/oes-standard-derivatives.html | HTML | bsd-3-clause | 13,065 |
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<title>Source map test</title>
<style type="text/css">body .test {
font-size: 14px;
line-height: 28px; }
body .text {
color: green; }
body .test::after {
content: "";
background-color: white; }
body .test {
padding: 5px; }
/*# sourceMappingURL=sourcemap-css-relative.map */
</style>
</head>
<body>
<div class="test text">Test div</div>
</body>
</html>
| ChromeDevTools/devtools-frontend | test/e2e/resources/sources/sourcemap-css-inline-relative.html | HTML | bsd-3-clause | 430 |
<template><h1>This is the template</h1></template>
| gavinaiken/loader | test/fixtures/template.html | HTML | mit | 51 |
<HTML>
<!--
Copyright (c) Jeremy Siek 2000
Distributed under the Boost Software License, Version 1.0.
(See accompanying file LICENSE_1_0.txt or copy at
http://www.boost.org/LICENSE_1_0.txt)
-->
<Head>
<Title>Boost Graph Library: Push-Relabel Maximum Flow</Title>
<BODY BGCOLOR="#ffffff" LINK="#0000ee" TEXT="#000000" VLINK="#551a8b"
ALINK="#ff0000">
<IMG SRC="../../../boost.png"
ALT="C++ Boost" width="277" height="86">
<BR Clear>
<H1><A NAME="sec:push_relabel_max_flow">
<TT>push_relabel_max_flow</TT>
</H1>
<P>
<PRE>
<i>// named parameter version</i>
template <class Graph, class P, class T, class R>
typename property_traits<CapacityEdgeMap>::value_type
push_relabel_max_flow(Graph& g,
typename graph_traits<Graph>::vertex_descriptor src,
typename graph_traits<Graph>::vertex_descriptor sink,
const bgl_named_params<P, T, R>& params = <i>all defaults</i>)
<i>// non-named parameter version</i>
template <class Graph,
class CapacityEdgeMap, class ResidualCapacityEdgeMap,
class ReverseEdgeMap, class VertexIndexMap>
typename property_traits<CapacityEdgeMap>::value_type
push_relabel_max_flow(Graph& g,
typename graph_traits<Graph>::vertex_descriptor src,
typename graph_traits<Graph>::vertex_descriptor sink,
CapacityEdgeMap cap, ResidualCapacityEdgeMap res,
ReverseEdgeMap rev, VertexIndexMap index_map)
</PRE>
<P>
The <tt>push_relabel_max_flow()</tt> function calculates the maximum flow
of a network. See Section <a
href="./graph_theory_review.html#sec:network-flow-algorithms">Network
Flow Algorithms</a> for a description of maximum flow. The calculated
maximum flow will be the return value of the function. The function
also calculates the flow values <i>f(u,v)</i> for all <i>(u,v)</i> in
<i>E</i>, which are returned in the form of the residual capacity
<i>r(u,v) = c(u,v) - f(u,v)</i>.
<p>
There are several special requirements on the input graph and property
map parameters for this algorithm. First, the directed graph
<i>G=(V,E)</i> that represents the network must be augmented to
include the reverse edge for every edge in <i>E</i>. That is, the
input graph should be <i>G<sub>in</sub> = (V,{E U
E<sup>T</sup>})</i>. The <tt>ReverseEdgeMap</tt> argument <tt>rev</tt>
must map each edge in the original graph to its reverse edge, that is
<i>(u,v) -> (v,u)</i> for all <i>(u,v)</i> in <i>E</i>. The
<tt>CapacityEdgeMap</tt> argument <tt>cap</tt> must map each edge in
<i>E</i> to a positive number, and each edge in <i>E<sup>T</sup></i>
to 0.
<p>
This algorithm was developed by <a
href="./bibliography.html#goldberg85:_new_max_flow_algor">Goldberg</a>.
<H3>Complexity</H3>
The time complexity is <i>O(V<sup>3</sup>)</i>.
<H3>Where Defined</H3>
<P>
<a href="../../../boost/graph/push_relabel_max_flow.hpp"><TT>boost/graph/preflow_push_max_flow.hpp</TT></a>
<P>
<h3>Parameters</h3>
IN: <tt>VertexListGraph& g</tt>
<blockquote>
A directed graph. The
graph's type must be a model of <a
href="./VertexListGraph.html">Vertex List Graph</a>. For each edge
<i>(u,v)</i> in the graph, the reverse edge <i>(v,u)</i> must also
be in the graph.
</blockquote>
IN: <tt>vertex_descriptor src</tt>
<blockquote>
The source vertex for the flow network graph.
</blockquote>
IN: <tt>vertex_descriptor sink</tt>
<blockquote>
The sink vertex for the flow network graph.
</blockquote>
<h3>Named Parameters</h3>
IN: <tt>capacity_map(EdgeCapacityMap cap)</tt>
<blockquote>
The edge capacity property map. The type must be a model of a
constant <a
href="../../property_map/doc/LvaluePropertyMap.html">Lvalue Property Map</a>. The
key type of the map must be the graph's edge descriptor type.<br>
<b>Default:</b> <tt>get(edge_capacity, g)</tt>
</blockquote>
OUT: <tt>residual_capacity_map(ResidualCapacityEdgeMap res)</tt>
<blockquote>
The edge residual capacity property map. The type must be a model of
a mutable <a
href="../../property_map/doc/LvaluePropertyMap.html">Lvalue Property Map</a>. The
key type of the map must be the graph's edge descriptor type.<br>
<b>Default:</b> <tt>get(edge_residual_capacity, g)</tt>
</blockquote>
IN: <tt>reverse_edge_map(ReverseEdgeMap rev)</tt>
<blockquote>
An edge property map that maps every edge <i>(u,v)</i> in the graph
to the reverse edge <i>(v,u)</i>. The map must be a model of
constant <a
href="../../property_map/doc/LvaluePropertyMap.html">Lvalue Property Map</a>. The
key type of the map must be the graph's edge descriptor type.<br>
<b>Default:</b> <tt>get(edge_reverse, g)</tt>
</blockquote>
IN: <tt>vertex_index_map(VertexIndexMap index_map)</tt>
<blockquote>
Maps each vertex of the graph to a unique integer in the range
<tt>[0, num_vertices(g))</tt>. The map must be a model of constant <a
href="../../property_map/doc/LvaluePropertyMap.html">LvaluePropertyMap</a>. The
key type of the map must be the graph's vertex descriptor type.<br>
<b>Default:</b> <tt>get(vertex_index, g)</tt>
Note: if you use this default, make sure your graph has
an internal <tt>vertex_index</tt> property. For example,
<tt>adjacenty_list</tt> with <tt>VertexList=listS</tt> does
not have an internal <tt>vertex_index</tt> property.
<br>
</blockquote>
<h3>Example</h3>
This reads in an example maximum flow problem (a graph with edge
capacities) from a file in the DIMACS format. The source for this
example can be found in <a
href="../example/max_flow.cpp"><tt>example/max_flow.cpp</tt></a>.
<pre>
#include <boost/config.hpp>
#include <iostream>
#include <string>
#include <boost/graph/push_relabel_map_flow.hpp>
#include <boost/graph/adjacency_list.hpp>
#include <boost/graph/read_dimacs.hpp>
int
main()
{
using namespace boost;
typedef adjacency_list_traits<vecS, vecS, directedS> Traits;
typedef adjacency_list<vecS, vecS, directedS,
property<vertex_name_t, std::string>,
property<edge_capacity_t, long,
property<edge_residual_capacity_t, long,
property<edge_reverse_t, Traits::edge_descriptor> > >
> Graph;
Graph g;
long flow;
property_map<Graph, edge_capacity_t>::type
capacity = get(edge_capacity, g);
property_map<Graph, edge_reverse_t>::type
rev = get(edge_reverse, g);
property_map<Graph, edge_residual_capacity_t>::type
residual_capacity = get(edge_residual_capacity, g);
Traits::vertex_descriptor s, t;
read_dimacs_max_flow(g, capacity, rev, s, t);
flow = push_relabel_max_flow(g, s, t);
std::cout << "c The total flow:" << std::endl;
std::cout << "s " << flow << std::endl << std::endl;
std::cout << "c flow values:" << std::endl;
graph_traits<Graph>::vertex_iterator u_iter, u_end;
graph_traits<Graph>::out_edge_iterator ei, e_end;
for (tie(u_iter, u_end) = vertices(g); u_iter != u_end; ++u_iter)
for (tie(ei, e_end) = out_edges(*u_iter, g); ei != e_end; ++ei)
if (capacity[*ei] > 0)
std::cout << "f " << *u_iter << " " << target(*ei, g) << " "
<< (capacity[*ei] - residual_capacity[*ei]) << std::endl;
return 0;
}
</pre>
The output is:
<pre>
c The total flow:
s 4
c flow values:
f 0 1 4
f 1 2 4
f 2 3 2
f 2 4 2
f 3 1 0
f 3 6 2
f 4 5 3
f 5 6 0
f 5 7 3
f 6 4 1
f 6 7 1
</pre>
<h3>See Also</h3>
<a href="./edmonds_karp_max_flow.html"><tt>edmonds_karp_max_flow()</tt></a><br>
<a href="./boykov_kolmogorov_max_flow.html"><tt>boykov_kolmogorov_max_flow()</tt></a>.
<br>
<HR>
<TABLE>
<TR valign=top>
<TD nowrap>Copyright © 2000-2001</TD><TD>
<A HREF="http://www.boost.org/people/jeremy_siek.htm">Jeremy Siek</A>, Indiana University (<A HREF="mailto:jsiek@osl.iu.edu">jsiek@osl.iu.edu</A>)
</TD></TR></TABLE>
</BODY>
</HTML>
<!-- LocalWords: HTML Siek BGCOLOR ffffff ee VLINK ALINK ff IMG SRC preflow
-->
<!-- LocalWords: gif ALT BR sec TT DIV CELLPADDING TR TD PRE lt
-->
<!-- LocalWords: typename VertexListGraph CapacityEdgeMap ReverseEdgeMap gt
-->
<!-- LocalWords: ResidualCapacityEdgeMap VertexIndexMap src rev ColorMap pred
-->
<!-- LocalWords: PredEdgeMap tt href html hpp ul li nbsp br LvaluePropertyMap
-->
<!-- LocalWords: num ColorValue DIMACS cpp pre config iostream dimacs int std
-->
<!-- LocalWords: namespace vecS directedS cout endl iter ei HR valign nowrap
-->
<!-- LocalWords: jeremy siek htm Univ mailto jsiek lsc edu
-->
| djsedulous/namecoind | libs/boost_1_50_0/libs/graph/doc/push_relabel_max_flow.html | HTML | mit | 8,585 |
{% load i18n %}
{% extends "html/news/page.html" %}
{% block title %}{% trans %}News{% endtrans %}{% endblock %}
{% block module_subtitle %}{% trans %}Top{% endtrans %}{% endblock %}
{% block class_top %}sidebar-link-active{% endblock %}
{% block sidebar_right %}
<span class="sidebar-header-first">{% trans %}Filter by{% endtrans %}</span>
<form action="" method="get" class="content-filter-form">
<ul class="content-filter-form-fields">
{{ filters.as_ul()|htsafe }}
</ul>
<input type="submit" value="{% trans %}Submit{% endtrans %}">
</form>
<br />
<span class="sidebar-header-right">{% trans %}Download as:{% endtrans %}<br />{% if '?' in request.get_full_path() %}<a class="pdf-block-link" href="{{ request.get_full_path()|replace('.ajax','').replace('?','.pdf?') }}"{% else %}<a class="pdf-block-link" href="{{ request.get_full_path()|replace('.ajax','') }}.pdf"{% endif %} target="_self">PDF</a>
</span></span>
{% endblock %}
{% block module_content %}
{% if not updates %}
{{ show_hint('news') }}
<br />
{% endif %}
<div class="content-label-head">
{% trans %}What are you working on?{% endtrans %}
</div>
<br />
<div class="news-record-post">
{% set contact = profile.get_contact() %}
<div class="contact-picture-large-frame">
{% if contact %}
{% set picture = contact.get_picture() %}
<a href="{% url identities_user_view profile.id %}"><img class="contact-picture-large left" src="{{ picture|htsafe }}" alt="" /></a>
{% else %}
<a href="{% url identities_user_view profile.id %}"><img class="contact-picture-large left" src="/static/messaging/pic.png" alt="" /></a>
{% endif %}
</div>
<div class="news-record-label">
<a href="{% url identities_user_view profile.id %}" class="popup-link"><strong>{{ profile }}</strong></a>
</div>
<div class="news-record-body">
<form action="" method="post" class="content-form">
{% csrf_token %}
<ul class="content-form-fields">
<li>
<textarea id="id_body" rows="3" cols="50" name="body" class="news-share-field no-editor"></textarea>
</li>
<li>
<span class="spaced-h small">
{% trans %}Recipients{% endtrans %}:
</span>
<span>
{{ form.recipients|safe }}
{{ form.multicomplete_recipients|safe }}
</span>
</li>
</ul>
<div class="news-form-submit">
<input type="submit" value="{% trans %}Share{% endtrans %}">
</div>
</form>
</div>
</div>
{% if updates %}
<br />
{{ news_update_list(paginate(updates), 30) }}
{{ pager(updates, 30) }}
{% endif %}
{% endblock %}
| havard024/prego | templates/html/news/top_news.html | HTML | mit | 2,767 |
<!DOCTYPE html>
<html lang="en">
<head>
<meta http-equiv="refresh" content="0;URL=../../libc/fn.readdir.html">
</head>
<body>
<p>Redirecting to <a href="../../libc/fn.readdir.html">../../libc/fn.readdir.html</a>...</p>
<script>location.replace("../../libc/fn.readdir.html" + location.search + location.hash);</script>
</body>
</html> | IllinoisRoboticsInSpace/Arduino_Control | rust-serial/target/doc/libc/unix/fn.readdir.html | HTML | mit | 345 |
<!DOCTYPE html>
<html lang="en" ng-app="jpm">
<head>
<meta charset="utf-8" />
<meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1" />
<meta name="viewport" content="width=device-width, initial-scale=1" />
<link href="/releases/4.0.0/css/style.css" rel="stylesheet" />
<script src="https://code.jquery.com/jquery-3.4.1.min.js"></script>
<script src="/js/releases.js"></script>
<!-- Begin Jekyll SEO tag v2.4.0 -->
<title>settings [options] «key>[=]...></title>
<meta name="generator" content="Jekyll v3.7.3" />
<meta property="og:title" content="settings [options] «key>[=]...>" />
<meta property="og:locale" content="en_US" />
<meta name="description" content="[ -b, –base64 ] - Show key in base64 [ -c, –clear ] - Clear all the settings, including the public and private key [ -g, –generate ] - Generate a new private/public key pair [ -l, –location ] - Override the default "~/.bnd/settings.json" location [ -m, --mac ] - Sign the strings on the commandline [ -p, --password <[c> ] - Password for local file [ -P, --publicKey ] - Show the public key [ -s, --secretKey ] - Show the private secret key" />
<meta property="og:description" content="[ -b, –base64 ] - Show key in base64 [ -c, –clear ] - Clear all the settings, including the public and private key [ -g, –generate ] - Generate a new private/public key pair [ -l, –location ] - Override the default "~/.bnd/settings.json" location [ -m, --mac ] - Sign the strings on the commandline [ -p, --password <[c> ] - Password for local file [ -P, --publicKey ] - Show the public key [ -s, --secretKey ] - Show the private secret key" />
<meta property="og:type" content="article" />
<meta property="article:published_time" content="2019-10-12T20:27:56-04:00" />
<script type="application/ld+json">
{"datePublished":"2019-10-12T20:27:56-04:00","description":"[ -b, –base64 ] - Show key in base64 [ -c, –clear ] - Clear all the settings, including the public and private key [ -g, –generate ] - Generate a new private/public key pair [ -l, –location ] - Override the default "~/.bnd/settings.json" location [ -m, --mac ] - Sign the strings on the commandline [ -p, --password <[c> ] - Password for local file [ -P, --publicKey ] - Show the public key [ -s, --secretKey ] - Show the private secret key","@type":"BlogPosting","mainEntityOfPage":{"@type":"WebPage","@id":"/releases/4.0.0/commands/settings.html"},"url":"/releases/4.0.0/commands/settings.html","headline":"settings [options] «key>[=]...>","dateModified":"2019-10-12T20:27:56-04:00","@context":"http://schema.org"}</script>
<!-- End Jekyll SEO tag -->
</head>
<body>
<ul class="container12 menu-bar">
<li span=11><a class=menu-link href="/releases/4.0.0/"><img
class=menu-logo src='/releases/4.0.0/img/bnd-80x40-white.png'></a>
<a href="/releases/4.0.0/chapters/110-introduction.html">Intro
</a><a href="/releases/4.0.0/chapters/800-headers.html">Headers
</a><a href="/releases/4.0.0/chapters/820-instructions.html">Instructions
</a><a href="/releases/4.0.0/chapters/850-macros.html">Macros
</a><div class="releases"><button class="dropbtn">4.0.0</button><div class="dropdown-content"></div></div>
<li class=menu-link span=1>
<a href="https://github.com/bndtools/bnd" target="_"><img
style="position:absolute;top:0;right:0;margin:0;padding:0;z-index:100"
src="https://camo.githubusercontent.com/38ef81f8aca64bb9a64448d0d70f1308ef5341ab/68747470733a2f2f73332e616d617a6f6e6177732e636f6d2f6769746875622f726962626f6e732f666f726b6d655f72696768745f6461726b626c75655f3132313632312e706e67"
alt="Fork me on GitHub"
data-canonical-src="https://s3.amazonaws.com/github/ribbons/forkme_right_darkblue_121621.png"></a>
</ul>
<ul class=container12>
<li span=3>
<div>
<ul class="side-nav">
<li><a href="/releases/4.0.0/chapters/100-release.html">Release</a>
<li><a href="/releases/4.0.0/chapters/110-introduction.html">Introduction</a>
<li><a href="/releases/4.0.0/chapters/120-install.html">How to install bnd</a>
<li><a href="/releases/4.0.0/chapters/123-tour-workspace.html">Guided Tour</a>
<li><a href="/releases/4.0.0/chapters/125-tour-features.html">Guided Tour Workspace & Projects</a>
<li><a href="/releases/4.0.0/chapters/130-concepts.html">Concepts</a>
<li><a href="/releases/4.0.0/chapters/140-best-practices.html">Best practices</a>
<li><a href="/releases/4.0.0/chapters/150-build.html">Build</a>
<li><a href="/releases/4.0.0/chapters/160-jars.html">Generating JARs</a>
<li><a href="/releases/4.0.0/chapters/170-versioning.html">Versioning</a>
<li><a href="/releases/4.0.0/chapters/180-baselining.html">Baselining</a>
<li><a href="/releases/4.0.0/chapters/200-components.html">Service Components</a>
<li><a href="/releases/4.0.0/chapters/210-metatype.html">Metatype</a>
<li><a href="/releases/4.0.0/chapters/220-contracts.html">Contracts</a>
<li><a href="/releases/4.0.0/chapters/230-manifest-annotations.html">Manifest Annotations</a>
<li><a href="/releases/4.0.0/chapters/250-resolving.html">Resolving Dependencies</a>
<li><a href="/releases/4.0.0/chapters/300-launching.html">Launching</a>
<li><a href="/releases/4.0.0/chapters/310-testing.html">Testing</a>
<li><a href="/releases/4.0.0/chapters/320-packaging.html">Packaging Applications</a>
<li><a href="/releases/4.0.0/chapters/390-wrapping.html">Wrapping Libraries to OSGi Bundles</a>
<li><a href="/releases/4.0.0/chapters/400-commandline.html">From the command line</a>
<li><a href="/releases/4.0.0/chapters/600-developer.html">For Developers</a>
<li><a href="/releases/4.0.0/chapters/610-plugin.html">Plugins</a>
<li><a href="/releases/4.0.0/chapters/700-tools.html">Tools bound to bnd</a>
<li><a href="/releases/4.0.0/chapters/790-format.html">File Format</a>
<li><a href="/releases/4.0.0/chapters/800-headers.html">Header Reference</a>
<li><a href="/releases/4.0.0/chapters/820-instructions.html">Instruction</a>
<li><a href="/releases/4.0.0/chapters/825-instructions-ref.html">Instruction Index</a>
<li><a href="/releases/4.0.0/chapters/850-macros.html">Macro Reference</a>
<li><a href="/releases/4.0.0/chapters/860-commands.html">Command Reference</a>
<li><a href="/releases/4.0.0/chapters/870-plugins.html">Plugins Reference</a>
<li><a href="/releases/4.0.0/chapters/880-settings.html">Settings</a>
<li><a href="/releases/4.0.0/chapters/900-errors.html">Errors</a>
<li><a href="/releases/4.0.0/chapters/910-warnings.html">Warnings</a>
<li><a href="/releases/4.0.0/chapters/920-faq.html">Frequently Asked Questions</a>
</ul>
<div class=enroute><a href="https://enroute.osgi.org">Supported by OSGi enRoute <img src="/releases/4.0.0/img/EnRouteIcon_CMYK.png"></a></div>
</div>
<li span=9>
<div class=notes-margin>
<h1> settings [options] <<key>[=<value>]...></h1>
<p>[ -b, –base64 ] - Show key in base64
[ -c, –clear ] - Clear all the settings, including the public and
private key
[ -g, –generate ] - Generate a new private/public key pair
[ -l, –location <string> ] - Override the default "~/.bnd/settings.json"
location
[ -m, --mac ] - Sign the strings on the commandline
[ -p, --password <[c> ] - Password for local file
[ -P, --publicKey ] - Show the public key
[ -s, --secretKey ] - Show the private secret key</string></p>
</div>
</ul>
<nav class=next-prev>
<a href='/releases/4.0.0/commands/select.html'></a> <a href='/releases/4.0.0/commands/source.html'></a>
</nav>
<footer class="container12" style="border-top: 1px solid black;padding:10px 0">
<ul span=12 row>
<li span=3>
<ul>
<li><a href="/releases/4.0.0/contact.html">Contact</a>
</ul>
<li span=3>
<ul>
<li><a href="/releases/4.0.0/">Developers</a>
</ul>
<li span=3>
<ul>
<li><a href="/releases/4.0.0/">More</a>
</ul>
</ul>
</footer>
</body>
</html>
| psoreide/bnd | docs/releases/4.0.0/commands/settings.html | HTML | apache-2.0 | 8,245 |
{% extends 'base.html' %}
{% load i18n %}
{% load url from future %}
{% block title %}
{% trans 'Password reset complete' %}
{% endblock title %}
{% block main %}
<p>
{% trans 'Glad we got all that sorted out' %}.
</p>
<p>
{% trans 'Your password has been reset successfully' %}.
<br />
{% trans 'Please use your new credentials to' %} <a href="{% url 'auth_login' %}" title="Login to your account">{% trans 'login to your account now' %}</a>.
</p>
{% endblock main %}
| shaib/openbudgets | openbudgets/commons/templates/registration/password_reset_complete.html | HTML | bsd-3-clause | 519 |
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<meta name="viewport" content="initial-scale=1, maximum-scale=1, user-scalable=no, width=device-width">
<meta http-equiv="Content-Security-Policy" content="default-src *; style-src 'self' 'unsafe-inline'; script-src 'self' 'unsafe-inline' 'unsafe-eval'">
<title></title>
<link href="lib/ionic/css/ionic.css" rel="stylesheet">
<link href="css/style.css" rel="stylesheet">
<!-- IF using Sass (run gulp sass first), then uncomment below and remove the CSS includes above
<link href="css/ionic.app.css" rel="stylesheet">
-->
<!-- ionic/angularjs js -->
<script src="lib/ionic/js/ionic.bundle.js"></script>
<!--socket io client library-->
<script src="http://chat.socket.io/socket.io/socket.io.js"></script>
<!-- Other Libraries-->
<script src="lib/angular-sanitize/angular-sanitize.min.js"></script>
<script src="lib/angular-socket-io/socket.js"></script>
<!-- cordova script (this will be a 404 during development) -->
<script src="cordova.js"></script>
<!-- your app's js -->
<script src="js/app.js"></script>
<!-- your controllers' js -->
<script src="js/controllers/ChatController.js"></script>
<script src="js/controllers/LoginController.js"></script>
<!--your services' js -->
<script src="js/services/socket.js"></script>
<!--your directives' js -->
<script src="js/directives.js"></script>
</head>
<body ng-app="ionic-socketio-chat-client">
<ion-nav-view></ion-nav-view>
</body>
</html>
| Ribeiro/ionic-socketio-chat-client | www/index.html | HTML | mit | 1,595 |
<!DOCTYPE html>
<html>
<head>
<title>avalon类似新浪微博的@提示组件</title>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width">
<meta name="descriptions" content="经常使用微博的人会发现,当我们在输入框输入@然后敲一个人的名字,会弹出一个tip提示层,里面是一个名字列表。这是社交网站或应用最近非常流行的功能。
当你发布@昵称的信息时,在这里的意思是“向某某人说”,对方能看到你说的话,并能够回复,实现一对一的沟通。">
<link type="text/css" rel="stylesheet" href="../style/avalon.doc.css">
<script src="../highlight/shCore.js"></script>
</head>
<body>
<div class="wrapper">
<h2>at</h2>
<fieldset>
<legend>avalon类似新浪微博的@提示组件</legend>
<p>经常使用微博的人会发现,当我们在输入框输入@然后敲一个人的名字,会弹出一个
<code>tip提示层</code>,里面是一个名字列表。这是社交网站或应用最近非常流行的功能。 当你发布
<code>@昵称</code>的信息时,在这里的意思是“向某某人说”,对方能看到你说的话,并能够回复,实现一对一的沟通。</p>
</fieldset>
<h3 class="table-doc-title">使用说明</h3>
<table class="table-doc" border="1">
<colgroup>
<col width="180">
<col width="95">
<col width="120">
</colgroup>
<tbody>
<tr>
<th>名字</th>
<th>类型</th>
<th>默认值</th>
<th>说明</th>
</tr>
<tr>
<td align="center" colspan="4">配置参数</td>
</tr>
<tr>
<td>at</td>
<td>String</td>
<td>"@"</td>
<td>默认的标识符</td>
</tr>
<tr>
<td>datalist</td>
<td>Array</td>
<td>[]</td>
<td>字符串数组,不可监控,(名字取自HTML的datalist同名元素)</td>
</tr>
<tr>
<td>template</td>
<td>String</td>
<td>""</td>
<td>弹出层的模板,如果为空,使用默认模板,注意要在上面添加点击或hover处理</td>
</tr>
<tr>
<td>toggle</td>
<td>Boolean</td>
<td>false</td>
<td>用于控制弹出层的显示隐藏</td>
</tr>
<tr>
<td>activeIndex</td>
<td>Number</td>
<td>0</td>
<td>弹出层里面要高亮的列表项的索引值</td>
</tr>
<tr>
<td>limit</td>
<td>Number</td>
<td>5</td>
<td>弹出层里面总共有多少个列表项</td>
</tr>
<tr>
<td>maxLength</td>
<td>Number</td>
<td>20</td>
<td>@后的查询字符串的最大长度,注意中间不能有空格</td>
</tr>
<tr>
<td>minLength</td>
<td>Number</td>
<td>1</td>
<td>@后的查询字符串只有出现了多少个字符后才显示弹出层</td>
</tr>
<tr>
<td>delay</td>
<td>Number</td>
<td>500</td>
<td>我们是通过$update方法与后台进行AJAX连接,为了防止输入过快导致频繁,需要指定延时毫秒数 远程更新函数,与后台进行AJAX连接,更新datalist,此方法有一个回调函数,里面将执行$filter、$highlight操作</td>
</tr>
<tr>
<td>updateData(vm,callback)</td>
<td>Function</td>
<td></td>
<td>远程更改数据
<table border="1">
<tbody>
<tr>
<th style="width:100px">参数名/返回值</th>
<th style="width:70px">类型</th>
<th>说明</th>
</tr>
<tr>
<td>vm</td>
<td>Object</td>
<td>vmodel</td>
</tr>
<tr>
<td>callback</td>
<td>Function</td>
<td>在vmodel.datalist被更新后执行的回调</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>getTemplate(str,opts)</td>
<td>Function</td>
<td></td>
<td>模板函数,方便用户自定义模板
<table border="1">
<tbody>
<tr>
<th style="width:100px">参数名/返回值</th>
<th style="width:70px">类型</th>
<th>说明</th>
</tr>
<tr>
<td>str</td>
<td>String</td>
<td>默认模板</td>
</tr>
<tr>
<td>opts</td>
<td>Object</td>
<td>vmodel</td>
</tr>
<tr>
<td>返回</td>
<td>String</td>
<td>新模板</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>filterData(opts)</td>
<td>Function</td>
<td></td>
<td>用于对datalist进行过滤排序,将得到的新数组赋给_datalist,实现弹出层的更新
<table border="1">
<tbody>
<tr>
<th style="width:100px">参数名/返回值</th>
<th style="width:70px">类型</th>
<th>说明</th>
</tr>
<tr>
<td>opts</td>
<td>Object</td>
<td>vmodel</td>
</tr>
<tr>
<td>返回</td>
<td>Array</td>
<td>datalist</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>highlightData(item,str)</td>
<td>Function</td>
<td></td>
<td>用于对_datalist中的字符串进行高亮处理,将得到的新数组赋给_datalist,实现弹出层的更新
<table border="1">
<tbody>
<tr>
<th style="width:100px">参数名/返回值</th>
<th style="width:70px">类型</th>
<th>说明</th>
</tr>
<tr>
<td>items</td>
<td>String</td>
<td>datalist中的每一项</td>
</tr>
<tr>
<td>返回</td>
<td>String</td>
<td>查询字符串</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td align="center" colspan="4">接口方法与固有属性</td>
</tr>
<tr>
<td>$remove()</td>
<td>Function</td>
<td></td>
<td>当组件移出DOM树时,系统自动调用的销毁函数</td>
</tr>
<tr>
<td>_datalist</td>
<td>Array</td>
<td>[]</td>
<td>实际是应用于模板上的字符串数组,它里面的字符可能做了高亮处理</td>
</tr>
</tbody>
</table>
<div class="others">updateData是一个非常重要的配置项,用于与后端同步数据,下面是
<pre class="brush:javascript;gutter:false;toolbar:false;"> function updateData(vmodel, callback) {
var model = vmodel.$model
jQuery.post("url", {
limit: model.limit,
query: model.query
}, function(data) {
vmodel.datalist = data.datalist
callback()
})
}</pre>
</div>
<ul class="example-links">
<li>
<a href="avalon.at.ex1.html">例子1</a>
</li>
</ul>
</div>
</body>
</html> | GSSBuse/GSSB | src/main/webapp/static/frontend-jam/static/vendors/avalon/plugin/at/avalon.at.doc.html | HTML | apache-2.0 | 11,434 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<!--NewPage-->
<HTML>
<HEAD>
<!-- Generated by javadoc (build 1.6.0_31) on Mon Jul 22 15:25:23 PDT 2013 -->
<TITLE>
Uses of Class org.apache.hadoop.mapred.JobClient (Hadoop 1.2.1 API)
</TITLE>
<META NAME="date" CONTENT="2013-07-22">
<LINK REL ="stylesheet" TYPE="text/css" HREF="../../../../../stylesheet.css" TITLE="Style">
<SCRIPT type="text/javascript">
function windowTitle()
{
if (location.href.indexOf('is-external=true') == -1) {
parent.document.title="Uses of Class org.apache.hadoop.mapred.JobClient (Hadoop 1.2.1 API)";
}
}
</SCRIPT>
<NOSCRIPT>
</NOSCRIPT>
</HEAD>
<BODY BGCOLOR="white" onload="windowTitle();">
<HR>
<!-- ========= START OF TOP NAVBAR ======= -->
<A NAME="navbar_top"><!-- --></A>
<A HREF="#skip-navbar_top" title="Skip navigation links"></A>
<TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY="">
<TR>
<TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1">
<A NAME="navbar_top_firstrow"><!-- --></A>
<TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY="">
<TR ALIGN="center" VALIGN="top">
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../org/apache/hadoop/mapred/JobClient.html" title="class in org.apache.hadoop.mapred"><FONT CLASS="NavBarFont1"><B>Class</B></FONT></A> </TD>
<TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> <FONT CLASS="NavBarFont1Rev"><B>Use</B></FONT> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../index-all.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A> </TD>
</TR>
</TABLE>
</TD>
<TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM>
</EM>
</TD>
</TR>
<TR>
<TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2">
PREV
NEXT</FONT></TD>
<TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2">
<A HREF="../../../../../index.html?org/apache/hadoop/mapred//class-useJobClient.html" target="_top"><B>FRAMES</B></A>
<A HREF="JobClient.html" target="_top"><B>NO FRAMES</B></A>
<SCRIPT type="text/javascript">
<!--
if(window==top) {
document.writeln('<A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A>');
}
//-->
</SCRIPT>
<NOSCRIPT>
<A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A>
</NOSCRIPT>
</FONT></TD>
</TR>
</TABLE>
<A NAME="skip-navbar_top"></A>
<!-- ========= END OF TOP NAVBAR ========= -->
<HR>
<CENTER>
<H2>
<B>Uses of Class<br>org.apache.hadoop.mapred.JobClient</B></H2>
</CENTER>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor">
<TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2">
Packages that use <A HREF="../../../../../org/apache/hadoop/mapred/JobClient.html" title="class in org.apache.hadoop.mapred">JobClient</A></FONT></TH>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD><A HREF="#org.apache.hadoop.mapred.jobcontrol"><B>org.apache.hadoop.mapred.jobcontrol</B></A></TD>
<TD>Utilities for managing dependent jobs. </TD>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD><A HREF="#org.apache.hadoop.mapreduce"><B>org.apache.hadoop.mapreduce</B></A></TD>
<TD> </TD>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD><A HREF="#org.apache.hadoop.streaming"><B>org.apache.hadoop.streaming</B></A></TD>
<TD><tt>Hadoop Streaming</tt> is a utility which allows users to create and run
Map-Reduce jobs with any executables (e.g. </TD>
</TR>
</TABLE>
<P>
<A NAME="org.apache.hadoop.mapred.jobcontrol"><!-- --></A>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor">
<TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2">
Uses of <A HREF="../../../../../org/apache/hadoop/mapred/JobClient.html" title="class in org.apache.hadoop.mapred">JobClient</A> in <A HREF="../../../../../org/apache/hadoop/mapred/jobcontrol/package-summary.html">org.apache.hadoop.mapred.jobcontrol</A></FONT></TH>
</TR>
</TABLE>
<P>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#CCCCFF" CLASS="TableSubHeadingColor">
<TH ALIGN="left" COLSPAN="2">Methods in <A HREF="../../../../../org/apache/hadoop/mapred/jobcontrol/package-summary.html">org.apache.hadoop.mapred.jobcontrol</A> that return <A HREF="../../../../../org/apache/hadoop/mapred/JobClient.html" title="class in org.apache.hadoop.mapred">JobClient</A></FONT></TH>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1">
<CODE> <A HREF="../../../../../org/apache/hadoop/mapred/JobClient.html" title="class in org.apache.hadoop.mapred">JobClient</A></CODE></FONT></TD>
<TD><CODE><B>Job.</B><B><A HREF="../../../../../org/apache/hadoop/mapred/jobcontrol/Job.html#getJobClient()">getJobClient</A></B>()</CODE>
<BR>
</TD>
</TR>
</TABLE>
<P>
<A NAME="org.apache.hadoop.mapreduce"><!-- --></A>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor">
<TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2">
Uses of <A HREF="../../../../../org/apache/hadoop/mapred/JobClient.html" title="class in org.apache.hadoop.mapred">JobClient</A> in <A HREF="../../../../../org/apache/hadoop/mapreduce/package-summary.html">org.apache.hadoop.mapreduce</A></FONT></TH>
</TR>
</TABLE>
<P>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#CCCCFF" CLASS="TableSubHeadingColor">
<TH ALIGN="left" COLSPAN="2">Methods in <A HREF="../../../../../org/apache/hadoop/mapreduce/package-summary.html">org.apache.hadoop.mapreduce</A> with parameters of type <A HREF="../../../../../org/apache/hadoop/mapred/JobClient.html" title="class in org.apache.hadoop.mapred">JobClient</A></FONT></TH>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1">
<CODE>static <A HREF="../../../../../org/apache/hadoop/fs/Path.html" title="class in org.apache.hadoop.fs">Path</A></CODE></FONT></TD>
<TD><CODE><B>JobSubmissionFiles.</B><B><A HREF="../../../../../org/apache/hadoop/mapreduce/JobSubmissionFiles.html#getStagingDir(org.apache.hadoop.mapred.JobClient, org.apache.hadoop.conf.Configuration)">getStagingDir</A></B>(<A HREF="../../../../../org/apache/hadoop/mapred/JobClient.html" title="class in org.apache.hadoop.mapred">JobClient</A> client,
<A HREF="../../../../../org/apache/hadoop/conf/Configuration.html" title="class in org.apache.hadoop.conf">Configuration</A> conf)</CODE>
<BR>
Initializes the staging directory and returns the path.</TD>
</TR>
</TABLE>
<P>
<A NAME="org.apache.hadoop.streaming"><!-- --></A>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor">
<TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2">
Uses of <A HREF="../../../../../org/apache/hadoop/mapred/JobClient.html" title="class in org.apache.hadoop.mapred">JobClient</A> in <A HREF="../../../../../org/apache/hadoop/streaming/package-summary.html">org.apache.hadoop.streaming</A></FONT></TH>
</TR>
</TABLE>
<P>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#CCCCFF" CLASS="TableSubHeadingColor">
<TH ALIGN="left" COLSPAN="2">Fields in <A HREF="../../../../../org/apache/hadoop/streaming/package-summary.html">org.apache.hadoop.streaming</A> declared as <A HREF="../../../../../org/apache/hadoop/mapred/JobClient.html" title="class in org.apache.hadoop.mapred">JobClient</A></FONT></TH>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1">
<CODE>protected <A HREF="../../../../../org/apache/hadoop/mapred/JobClient.html" title="class in org.apache.hadoop.mapred">JobClient</A></CODE></FONT></TD>
<TD><CODE><B>StreamJob.</B><B><A HREF="../../../../../org/apache/hadoop/streaming/StreamJob.html#jc_">jc_</A></B></CODE>
<BR>
</TD>
</TR>
</TABLE>
<P>
<HR>
<!-- ======= START OF BOTTOM NAVBAR ====== -->
<A NAME="navbar_bottom"><!-- --></A>
<A HREF="#skip-navbar_bottom" title="Skip navigation links"></A>
<TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY="">
<TR>
<TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1">
<A NAME="navbar_bottom_firstrow"><!-- --></A>
<TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY="">
<TR ALIGN="center" VALIGN="top">
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../org/apache/hadoop/mapred/JobClient.html" title="class in org.apache.hadoop.mapred"><FONT CLASS="NavBarFont1"><B>Class</B></FONT></A> </TD>
<TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> <FONT CLASS="NavBarFont1Rev"><B>Use</B></FONT> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../index-all.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A> </TD>
</TR>
</TABLE>
</TD>
<TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM>
</EM>
</TD>
</TR>
<TR>
<TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2">
PREV
NEXT</FONT></TD>
<TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2">
<A HREF="../../../../../index.html?org/apache/hadoop/mapred//class-useJobClient.html" target="_top"><B>FRAMES</B></A>
<A HREF="JobClient.html" target="_top"><B>NO FRAMES</B></A>
<SCRIPT type="text/javascript">
<!--
if(window==top) {
document.writeln('<A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A>');
}
//-->
</SCRIPT>
<NOSCRIPT>
<A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A>
</NOSCRIPT>
</FONT></TD>
</TR>
</TABLE>
<A NAME="skip-navbar_bottom"></A>
<!-- ======== END OF BOTTOM NAVBAR ======= -->
<HR>
Copyright © 2009 The Apache Software Foundation
</BODY>
</HTML>
| determinedcheetahs/cheetah_juniper | hadoop/docs/api/org/apache/hadoop/mapred/class-use/JobClient.html | HTML | apache-2.0 | 11,601 |
<!-- Licensed under a BSD license. See license.html for license -->
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<title>WebGL - Less Code More Fun</title>
<link type="text/css" href="resources/webgl-tutorials.css" rel="stylesheet" />
<script src="resources/webgl-utils.js"></script>
<script src="resources/webgl-3d-math.js"></script>
<script src="resources/primitives.js"></script>
<script src="resources/texture-utils.js"></script>
<script src="resources/chroma.min.js"></script>
<script>
"use strict";
function main() {
// Get A WebGL context
var canvas = document.getElementById("canvas");
var gl = getWebGLContext(canvas);
if (!gl) {
return;
}
gl.enable(gl.DEPTH_TEST);
// a single triangle
var arrays = {
position: { numComponents: 3, data: [0, -10, 0, 10, 10, 0, -10, 10, 0], },
texcoord: { numComponents: 2, data: [0.5, 0, 1, 1, 0, 1], },
normal: { numComponents: 3, data: [0, 0, 1, 0, 0, 1, 0, 0, 1], },
};
var bufferInfo = createBufferInfoFromArrays(gl, arrays);
// setup GLSL program
var program = createProgramFromScripts(gl, ["3d-vertex-shader", "3d-fragment-shader"]);
var uniformSetters = createUniformSetters(gl, program);
var attribSetters = createAttributeSetters(gl, program);
function degToRad(d) {
return d * Math.PI / 180;
}
var cameraAngleRadians = degToRad(0);
var fieldOfViewRadians = degToRad(60);
var cameraHeight = 50;
var uniformsThatAreTheSameForAllObjects = {
u_lightWorldPos: [-50, 30, 100],
u_viewInverse: makeIdentity(),
u_lightColor: [1, 1, 1, 1],
};
var uniformsThatAreComputedForEachObject = {
u_worldViewProjection: makeIdentity(),
u_world: makeIdentity(),
u_worldInverseTranspose: makeIdentity(),
};
var rand = function(min, max) {
if (max === undefined) {
max = min;
min = 0;
}
return min + Math.random() * (max - min);
};
var randInt = function(range) {
return Math.floor(Math.random() * range);
};
var textures = [
textureUtils.makeStripeTexture(gl, { color1: "#FFF", color2: "#CCC", }),
textureUtils.makeCheckerTexture(gl, { color1: "#FFF", color2: "#CCC", }),
textureUtils.makeCircleTexture(gl, { color1: "#FFF", color2: "#CCC", }),
];
var objects = [];
var numObjects = 300;
var baseColor = rand(240);
for (var ii = 0; ii < numObjects; ++ii) {
objects.push({
radius: rand(150),
xRotation: rand(Math.PI * 2),
yRotation: rand(Math.PI),
materialUniforms: {
u_colorMult: chroma.hsv(rand(baseColor, baseColor + 120), 0.5, 1).gl(),
u_diffuse: textures[randInt(textures.length)],
u_specular: [1, 1, 1, 1],
u_shininess: rand(500),
u_specularFactor: rand(1),
},
});
}
requestAnimationFrame(drawScene);
// Draw the scene.
function drawScene(time) {
time *= 0.0001;
// Clear the canvas AND the depth buffer.
gl.clear(gl.COLOR_BUFFER_BIT | gl.DEPTH_BUFFER_BIT);
// Compute the projection matrix
var aspect = canvas.clientWidth / canvas.clientHeight;
var projectionMatrix =
makePerspective(fieldOfViewRadians, aspect, 1, 2000);
// Compute the camera's matrix using look at.
var cameraPosition = [0, 0, 100];
var target = [0, 0, 0];
var up = [0, 1, 0];
var cameraMatrix = makeLookAt(cameraPosition, target, up, uniformsThatAreTheSameForAllObjects.u_viewInverse);
// Make a view matrix from the camera matrix.
var viewMatrix = makeInverse(cameraMatrix);
gl.useProgram(program);
// Setup all the needed attributes.
setBuffersAndAttributes(gl, attribSetters, bufferInfo);
// Set the uniforms that are the same for all objects.
setUniforms(uniformSetters, uniformsThatAreTheSameForAllObjects);
// Draw objects
objects.forEach(function(object) {
// Compute a position for this object based on the time.
var xRotationMatrix = makeXRotation(object.xRotation * time);
var yRotationMatrix = makeYRotation(object.yRotation * time);
var translationMatrix = makeTranslation(0, 0, object.radius);
var matrix = matrixMultiply(xRotationMatrix, yRotationMatrix);
var worldMatrix = matrixMultiply(translationMatrix, matrix,
uniformsThatAreComputedForEachObject.u_world);
// Multiply the matrices.
var matrix = matrixMultiply(worldMatrix, viewMatrix);
matrixMultiply(matrix, projectionMatrix, uniformsThatAreComputedForEachObject.u_worldViewProjection);
makeTranspose(makeInverse(worldMatrix), uniformsThatAreComputedForEachObject.u_worldInverseTranspose);
// Set the uniforms we just computed
setUniforms(uniformSetters, uniformsThatAreComputedForEachObject);
// Set the uniforms that are specific to the this object.
setUniforms(uniformSetters, object.materialUniforms);
// Draw the geometry.
gl.drawArrays(gl.TRIANGLES, 0, bufferInfo.numElements);
});
requestAnimationFrame(drawScene);
}
}
window.addEventListener('load', main);
</script>
<!-- vertex shader -->
<script id="3d-vertex-shader" type="x-shader/x-vertex">
uniform mat4 u_worldViewProjection;
uniform vec3 u_lightWorldPos;
uniform mat4 u_world;
uniform mat4 u_viewInverse;
uniform mat4 u_worldInverseTranspose;
attribute vec4 a_position;
attribute vec3 a_normal;
attribute vec2 a_texcoord;
varying vec4 v_position;
varying vec2 v_texCoord;
varying vec3 v_normal;
varying vec3 v_surfaceToLight;
varying vec3 v_surfaceToView;
void main() {
v_texCoord = a_texcoord;
v_position = (u_worldViewProjection * a_position);
v_normal = (u_worldInverseTranspose * vec4(a_normal, 0)).xyz;
v_surfaceToLight = u_lightWorldPos - (u_world * a_position).xyz;
v_surfaceToView = (u_viewInverse[3] - (u_world * a_position)).xyz;
gl_Position = v_position;
}
</script>
<!-- fragment shader -->
<script id="3d-fragment-shader" type="x-shader/x-fragment">
precision mediump float;
varying vec4 v_position;
varying vec2 v_texCoord;
varying vec3 v_normal;
varying vec3 v_surfaceToLight;
varying vec3 v_surfaceToView;
uniform vec4 u_lightColor;
uniform vec4 u_colorMult;
uniform sampler2D u_diffuse;
uniform vec4 u_specular;
uniform float u_shininess;
uniform float u_specularFactor;
vec4 lit(float l ,float h, float m) {
return vec4(1.0,
abs(l),
(l > 0.0) ? pow(max(0.0, h), m) : 0.0,
1.0);
}
void main() {
vec4 diffuseColor = texture2D(u_diffuse, v_texCoord);
vec3 a_normal = normalize(v_normal);
vec3 surfaceToLight = normalize(v_surfaceToLight);
vec3 surfaceToView = normalize(v_surfaceToView);
vec3 halfVector = normalize(surfaceToLight + surfaceToView);
vec4 litR = lit(dot(a_normal, surfaceToLight),
dot(a_normal, halfVector), u_shininess);
vec4 outColor = vec4((
u_lightColor * (diffuseColor * litR.y * u_colorMult +
u_specular * litR.z * u_specularFactor)).rgb,
diffuseColor.a);
gl_FragColor = outColor;
// gl_FragColor = vec4(litR.yyy, 1);
}
</script>
</head>
<body>
<div class="description">
Uses a few utility functions so there's much less code.
</div>
<canvas id="canvas" width="400" height="300"></canvas>
</body>
</html>
| BreemsEmporiumMensToiletriesFragrances/webgl-fundamentals | webgl/webgl-less-code-more-fun-triangle.html | HTML | bsd-3-clause | 7,321 |
<!DOCTYPE html>
<script src="../../resources/ahem.js"></script>
<div id="target" style="
outline: dashed lightblue;
width: 150px;
padding: 25px;
font: 20px Ahem;
-webkit-writing-mode: horizontal-bt;
">Lorem ipsum dolor sit amet</div>
<pre id="log"></pre>
<script>
if (window.testRunner && window.internals) {
testRunner.dumpAsText();
internals.settings.setEditingBehavior("mac");
}
function log(message)
{
document.getElementById("log").appendChild(document.createTextNode(message + "\n"));
}
function test(x, y, expectedOffset)
{
var actualOffset = document.caretRangeFromPoint(8 + x, 8 + y).startOffset;
if (actualOffset === expectedOffset)
log("PASS: offset at (" + x + "," + y + ") was " + actualOffset + ".");
else
log("FAIL: offset at (" + x + "," + y + ") was " + actualOffset + ". Expected " + expectedOffset + ".");
}
test(100, 105, 4);
test(160, 105, 5);
test(100, 104, 10);
test(160, 104, 11);
test(60, 26, 24);
test(160, 26, 26);
test(60, 25, 24);
test(160, 25, 26);
test(60, 24, 26);
test(160, 24, 26);
</script>
| vadimtk/chrome4sdp | third_party/WebKit/LayoutTests/fast/writing-mode/flipped-blocks-hit-test-line-edges.html | HTML | bsd-3-clause | 1,201 |
<!--
Copyright (c) 2019 The Khronos Group Inc.
Use of this source code is governed by an MIT-style license that can be
found in the LICENSE.txt file.
-->
<!--
This file is auto-generated from py/tex_image_test_generator.py
DO NOT EDIT!
-->
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<link rel="stylesheet" href="../../../resources/js-test-style.css"/>
<script src="../../../js/js-test-pre.js"></script>
<script src="../../../js/webgl-test-utils.js"></script>
<script src="../../../js/tests/tex-image-and-sub-image-utils.js"></script>
<script src="../../../js/tests/tex-image-and-sub-image-2d-with-image.js"></script>
</head>
<body>
<canvas id="example" width="32" height="32"></canvas>
<div id="description"></div>
<div id="console"></div>
<script>
"use strict";
function testPrologue(gl) {
return true;
}
generateTest("RGB16F", "RGB", "FLOAT", testPrologue, "../../../resources/", 2)();
</script>
</body>
</html>
| endlessm/chromium-browser | third_party/webgl/src/sdk/tests/conformance2/textures/image/tex-2d-rgb16f-rgb-float.html | HTML | bsd-3-clause | 934 |
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=US-ASCII">
<title>const_buffer::operator+ (1 of 2 overloads)</title>
<link rel="stylesheet" href="../../../../../../doc/src/boostbook.css" type="text/css">
<meta name="generator" content="DocBook XSL Stylesheets V1.76.1">
<link rel="home" href="../../../../boost_asio.html" title="Boost.Asio">
<link rel="up" href="../operator_plus_.html" title="const_buffer::operator+">
<link rel="prev" href="../operator_plus_.html" title="const_buffer::operator+">
<link rel="next" href="overload2.html" title="const_buffer::operator+ (2 of 2 overloads)">
</head>
<body bgcolor="white" text="black" link="#0000FF" vlink="#840084" alink="#0000FF">
<table cellpadding="2" width="100%"><tr>
<td valign="top"><img alt="Boost C++ Libraries" width="277" height="86" src="../../../../../../boost.png"></td>
<td align="center"><a href="../../../../../../index.html">Home</a></td>
<td align="center"><a href="../../../../../../libs/libraries.htm">Libraries</a></td>
<td align="center"><a href="http://www.boost.org/users/people.html">People</a></td>
<td align="center"><a href="http://www.boost.org/users/faq.html">FAQ</a></td>
<td align="center"><a href="../../../../../../more/index.htm">More</a></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="../operator_plus_.html"><img src="../../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../operator_plus_.html"><img src="../../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../../boost_asio.html"><img src="../../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="overload2.html"><img src="../../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
<div class="section">
<div class="titlepage"><div><div><h5 class="title">
<a name="boost_asio.reference.const_buffer.operator_plus_.overload1"></a><a class="link" href="overload1.html" title="const_buffer::operator+ (1 of 2 overloads)">const_buffer::operator+
(1 of 2 overloads)</a>
</h5></div></div></div>
<p>
Create a new non-modifiable buffer that is offset from the start of another.
</p>
<pre class="programlisting"><span class="identifier">const_buffer</span> <span class="keyword">operator</span><span class="special">+(</span>
<span class="keyword">const</span> <span class="identifier">const_buffer</span> <span class="special">&</span> <span class="identifier">b</span><span class="special">,</span>
<span class="identifier">std</span><span class="special">::</span><span class="identifier">size_t</span> <span class="identifier">start</span><span class="special">);</span>
</pre>
</div>
<table xmlns:rev="http://www.cs.rpi.edu/~gregod/boost/tools/doc/revision" width="100%"><tr>
<td align="left"></td>
<td align="right"><div class="copyright-footer">Copyright © 2003-2012 Christopher M. Kohlhoff<p>
Distributed under the Boost Software License, Version 1.0. (See accompanying
file LICENSE_1_0.txt or copy at <a href="http://www.boost.org/LICENSE_1_0.txt" target="_top">http://www.boost.org/LICENSE_1_0.txt</a>)
</p>
</div></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="../operator_plus_.html"><img src="../../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../operator_plus_.html"><img src="../../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../../boost_asio.html"><img src="../../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="overload2.html"><img src="../../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
</body>
</html>
| mxrrow/zaicoin | src/deps/boost/doc/html/boost_asio/reference/const_buffer/operator_plus_/overload1.html | HTML | mit | 3,692 |
<html>FAIL</html> | rekbun/browserscope | categories/security/static/sts-fail.html | HTML | apache-2.0 | 17 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<!-- NewPage -->
<html lang="en">
<head>
<!-- Generated by javadoc (version 1.7.0_07) on Thu Mar 19 22:47:35 CST 2015 -->
<meta http-equiv="Content-Type" content="text/html" charset="UTF-8">
<title>Uses of Class org.xclcharts.renderer.plot.PlotQuadrantRender</title>
<meta name="date" content="2015-03-19">
<link rel="stylesheet" type="text/css" href="../../../../../stylesheet.css" title="Style">
</head>
<body>
<script type="text/javascript"><!--
if (location.href.indexOf('is-external=true') == -1) {
parent.document.title="Uses of Class org.xclcharts.renderer.plot.PlotQuadrantRender";
}
//-->
</script>
<noscript>
<div>JavaScript is disabled on your browser.</div>
</noscript>
<!-- ========= START OF TOP NAVBAR ======= -->
<div class="topNav"><a name="navbar_top">
<!-- -->
</a><a href="#skip-navbar_top" title="Skip navigation links"></a><a name="navbar_top_firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../../overview-summary.html">Overview</a></li>
<li><a href="../package-summary.html">Package</a></li>
<li><a href="../../../../../org/xclcharts/renderer/plot/PlotQuadrantRender.html" title="class in org.xclcharts.renderer.plot">Class</a></li>
<li class="navBarCell1Rev">Use</li>
<li><a href="../package-tree.html">Tree</a></li>
<li><a href="../../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../../index-files/index-1.html">Index</a></li>
<li><a href="../../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li>Prev</li>
<li>Next</li>
</ul>
<ul class="navList">
<li><a href="../../../../../index.html?org/xclcharts/renderer/plot/class-use/PlotQuadrantRender.html" target="_top">Frames</a></li>
<li><a href="PlotQuadrantRender.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="allclasses_navbar_top">
<li><a href="../../../../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!--
allClassesLink = document.getElementById("allclasses_navbar_top");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
//-->
</script>
</div>
<a name="skip-navbar_top">
<!-- -->
</a></div>
<!-- ========= END OF TOP NAVBAR ========= -->
<div class="header">
<h2 title="Uses of Class org.xclcharts.renderer.plot.PlotQuadrantRender" class="title">Uses of Class<br>org.xclcharts.renderer.plot.PlotQuadrantRender</h2>
</div>
<div class="classUseContainer">No usage of org.xclcharts.renderer.plot.PlotQuadrantRender</div>
<!-- ======= START OF BOTTOM NAVBAR ====== -->
<div class="bottomNav"><a name="navbar_bottom">
<!-- -->
</a><a href="#skip-navbar_bottom" title="Skip navigation links"></a><a name="navbar_bottom_firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../../overview-summary.html">Overview</a></li>
<li><a href="../package-summary.html">Package</a></li>
<li><a href="../../../../../org/xclcharts/renderer/plot/PlotQuadrantRender.html" title="class in org.xclcharts.renderer.plot">Class</a></li>
<li class="navBarCell1Rev">Use</li>
<li><a href="../package-tree.html">Tree</a></li>
<li><a href="../../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../../index-files/index-1.html">Index</a></li>
<li><a href="../../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li>Prev</li>
<li>Next</li>
</ul>
<ul class="navList">
<li><a href="../../../../../index.html?org/xclcharts/renderer/plot/class-use/PlotQuadrantRender.html" target="_top">Frames</a></li>
<li><a href="PlotQuadrantRender.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="allclasses_navbar_bottom">
<li><a href="../../../../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!--
allClassesLink = document.getElementById("allclasses_navbar_bottom");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
//-->
</script>
</div>
<a name="skip-navbar_bottom">
<!-- -->
</a></div>
<!-- ======== END OF BOTTOM NAVBAR ======= -->
</body>
</html>
| chenrui2014/XCL-Charts | doc/org/xclcharts/renderer/plot/class-use/PlotQuadrantRender.html | HTML | apache-2.0 | 4,320 |
<!--
Test Description:
This test demonstrates the error message for various extension-related errors.
-->
<!doctype html>
<html ⚡>
<head>
<meta charset="utf-8">
<link rel="canonical" href="./regular-html-version.html">
<meta name="viewport" content="width=device-width,minimum-scale=1">
<style amp-boilerplate>body{-webkit-animation:-amp-start 8s steps(1,end) 0s 1 normal both;-moz-animation:-amp-start 8s steps(1,end) 0s 1 normal both;-ms-animation:-amp-start 8s steps(1,end) 0s 1 normal both;animation:-amp-start 8s steps(1,end) 0s 1 normal both}@-webkit-keyframes -amp-start{from{visibility:hidden}to{visibility:visible}}@-moz-keyframes -amp-start{from{visibility:hidden}to{visibility:visible}}@-ms-keyframes -amp-start{from{visibility:hidden}to{visibility:visible}}@-o-keyframes -amp-start{from{visibility:hidden}to{visibility:visible}}@keyframes -amp-start{from{visibility:hidden}to{visibility:visible}}</style><noscript><style amp-boilerplate>body{-webkit-animation:none;-moz-animation:none;-ms-animation:none;animation:none}</style></noscript>
<script async src="https://cdn.ampproject.org/v0.js"></script>
<!-- Extension is included, unused. Produces warning. -->
<script async custom-element='amp-ad'
src='https://cdn.ampproject.org/v0/amp-ad-0.1.js'></script>
<!-- Extension is included, unused. Produces error. -->
<script async custom-element='amp-timeago'
src='https://cdn.ampproject.org/v0/amp-timeago-0.1.js'></script>
<!-- Extension is included, unused. No error or warning -->
<script async custom-element='amp-dynamic-css-classes'
src='https://cdn.ampproject.org/v0/amp-dynamic-css-classes-0.1.js'></script>
</head>
<body>
<!-- Extension missing. Produces error. -->
<amp-analytics type="googleanalytics">
<script type="application/json">{}</script>
</amp-analytics>
Hello, world.
</body>
</html>
| alanorozco/amphtml | validator/testdata/feature_tests/extensions.html | HTML | apache-2.0 | 1,871 |
<!doctype html>
<head>
<meta name="timeout" content="long"></meta>
<script src = "/resources/get-host-info.js?pipe=sub"></script>
<script src = "/resources/testharness.js"></script>
<script src = "/resources/testharnessreport.js"></script>
<script src = "/fetch/resources/fetch-test-options.js"></script>
<script src = "/serviceworker/resources/test-helpers.js"></script>
</head>
<body>
<script>
var options = get_fetch_test_options();
function start(t) {
service_worker_test(
'../script-tests/body-mixin.js?',
'body-mixin-serviceworker');
t.done();
}
function init() {
return Promise.resolve();
}
</script>
<script src = "../resources/init.js"></script>
</body>
| chromium/chromium | third_party/blink/web_tests/http/tests/fetch/serviceworker/body-mixin.html | HTML | bsd-3-clause | 677 |
<table><tr></body></caption></col></colgroup></html></td></th><td>foo
| guhelski/tnsfpg | node_modules/zombie/node_modules/html5/data/tree-construction/tables01.dat-13/input.html | HTML | mit | 70 |
<div ng-controller="Umbraco.Editors.Templates.EditController as vm">
<umb-load-indicator ng-if="vm.page.loading"></umb-load-indicator>
<form name="contentForm"
ng-submit="vm.save()"
novalidate
val-form-manager>
<umb-editor-view ng-if="!vm.page.loading">
<umb-editor-header
name="vm.template.name"
alias="vm.template.alias"
hideDescription="true"
description="vm.template.virtualPath"
description-locked="true"
menu="vm.page.menu"
hide-icon="false">
</umb-editor-header>
<umb-editor-container>
<div class="flex" style="margin-bottom: 30px;">
<div class="flex">
<div ng-class="{'btn-group umb-era-button-group': vm.template.masterTemplateAlias}" style="margin-right: 10px;">
<button
type="button"
class="umb-era-button umb-button--s"
ng-click="vm.openMasterTemplateOverlay()">
<i class="icon icon-layout"></i>
<span class="bold"><localize key="template_mastertemplate">Master template</localize>:</span>
<span style="margin-left: 5px;">
<span ng-if="vm.template.masterTemplateAlias">{{ vm.getMasterTemplateName(vm.template.masterTemplateAlias, vm.templates) }}</span>
<span ng-if="!vm.template.masterTemplateAlias"><localize key="template_noMaster">No master</localize></span>
</span>
</button>
<a ng-if="vm.template.masterTemplateAlias" ng-click="vm.removeMasterTemplate()" class="umb-era-button umb-button--s dropdown-toggle umb-button-group__toggle">
<span class="icon icon-wrong"></span>
</a>
</div>
</div>
<div class="flex" style="margin-left: auto;">
<div class="btn-group umb-era-button-group dropdown" style="margin-right: 10px;">
<button
type="button"
class="umb-era-button umb-button--s"
ng-click="vm.openInsertOverlay()">
<i class="icon icon-add"></i> <localize key="general_insert">Insert</localize>
</button>
<a class="umb-era-button umb-button--s dropdown-toggle umb-button-group__toggle" data-toggle="dropdown">
<span class="caret"></span>
</a>
<ul aria-labelledby="dLabel" class="dropdown-menu bottom-up umb-button-group__sub-buttons" role="menu">
<li><a href="" ng-click="vm.openPageFieldOverlay()"><localize key="template_insertPageField">Value</localize></a></li>
<li><a href="" ng-click="vm.openPartialOverlay()"><localize key="template_insertPartialView">Partial view</localize></a></li>
<li><a href="" ng-click="vm.openDictionaryItemOverlay()"><localize key="template_insertDictionaryItem">Dictionary</localize></a></li>
<li><a href="" ng-click="vm.openMacroOverlay()"><localize key="template_insertMacro">Macro</localize></a></li>
</ul>
</div>
<button
type="button"
style="margin-right: 10px;"
class="umb-era-button umb-button--s"
ng-click="vm.openQueryBuilderOverlay()">
<i class="icon icon-wand"></i> <localize key="template_queryBuilder">Query builder</localize>
</button>
<button
type="button"
class="umb-era-button umb-button--s"
ng-click="vm.openSectionsOverlay()">
<i class="icon icon-indent"></i> <localize key="template_insertSections">Sections</localize>
</button>
</div>
</div>
<div
auto-scale="85"
umb-ace-editor="vm.aceOption"
model="vm.template.content">
</div>
</umb-editor-container>
<umb-editor-footer>
<umb-editor-footer-content-left>
<umb-keyboard-shortcuts-overview
model="vm.page.keyboardShortcutsOverview"
show-overlay="vm.showKeyboardShortcut">
</umb-keyboard-shortcuts-overview>
</umb-editor-footer-content-left>
<umb-editor-footer-content-right>
<umb-button
type="submit"
button-style="success"
state="vm.page.saveButtonState"
shortcut="ctrl+s"
label="Save"
label-key="buttons_save">
</umb-button>
</umb-editor-footer-content-right>
</umb-editor-footer>
</umb-editor-view>
</form>
<umb-overlay
ng-if="vm.insertOverlay.show"
model="vm.insertOverlay"
view="vm.insertOverlay.view"
position="right">
</umb-overlay>
<umb-overlay
ng-if="vm.macroPickerOverlay.show"
model="vm.macroPickerOverlay"
view="vm.macroPickerOverlay.view"
position="right">
</umb-overlay>
<umb-overlay
ng-if="vm.pageFieldOverlay.show"
model="vm.pageFieldOverlay"
position="right"
view="vm.pageFieldOverlay.view">
</umb-overlay>
<umb-overlay
ng-if="vm.dictionaryItemOverlay.show"
model="vm.dictionaryItemOverlay"
position="right"
view="vm.dictionaryItemOverlay.view">
</umb-overlay>
<umb-overlay
ng-if="vm.queryBuilderOverlay.show"
model="vm.queryBuilderOverlay"
position="right"
view="vm.queryBuilderOverlay.view">
</umb-overlay>
<umb-overlay
ng-if="vm.sectionsOverlay.show"
model="vm.sectionsOverlay"
view="vm.sectionsOverlay.view"
position="right">
</umb-overlay>
<umb-overlay
ng-if="vm.partialItemOverlay.show"
model="vm.partialItemOverlay"
view="vm.partialItemOverlay.view"
position="right">
</umb-overlay>
<umb-overlay
ng-if="vm.masterTemplateOverlay.show"
model="vm.masterTemplateOverlay"
view="vm.masterTemplateOverlay.view"
position="right">
</umb-overlay>
</div>
| CrumpledDog/Umbraco-EnhancedMarkdown | src/TestSite76/Umbraco/Views/templates/edit.html | HTML | mit | 7,172 |
<!-- Copyright 2008 Lubomir Bourdev and Hailin Jin
Distributed under the Boost Software License, Version 1.0.
(See accompanying file LICENSE_1_0.txt or copy at
http://www.boost.org/LICENSE_1_0.txt)
-->
<!--
Copyright 2005-2007 Adobe Systems Incorporated
Distributed under the MIT License (see accompanying file LICENSE_1_0_0.txt
or a copy at http://stlab.adobe.com/licenses.html)
Some files are held under additional license.
Please see "http://stlab.adobe.com/licenses.html" for more information.
-->
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" lang="en" xml:lang="en">
<head>
<TITLE>Generic Image Library: jpeg_read_support Struct Template Reference</TITLE>
<META HTTP-EQUIV="content-type" CONTENT="text/html;charset=ISO-8859-1"/>
<LINK TYPE="text/css" REL="stylesheet" HREF="adobe_source.css"/>
</head>
<body>
<table border="0" cellspacing="0" cellpadding="0" style='width: 100%; margin: 0; padding: 0'><tr>
<td width="100%" valign="top" style='padding-left: 10px; padding-right: 10px; padding-bottom: 10px'>
<div class="qindex"><a class="qindex" href="index.html">Modules</a>
| <a class="qindex" href="classes.html">Alphabetical List</a>
| <a class="qindex" href="annotated.html">Class List</a>
| <a class="qindex" href="dirs.html">Directories</a>
| <a class="qindex" href="files.html">File List</a>
| <a class="qindex" href="../index.html">GIL Home Page</a>
</div>
<!-- End Header -->
<!-- Generated by Doxygen 1.5.6 -->
<div class="navpath"><a class="el" href="namespaceboost.html">boost</a>::<b>gil</b>::<a class="el" href="g_i_l_0555.html">jpeg_read_support</a>
</div>
<div class="contents">
<h1>jpeg_read_support Struct Template Reference<br>
<small>
[<a class="el" href="g_i_l_0169.html">JPEG I/O</a>]</small>
</h1><!-- doxytag: class="boost::gil::jpeg_read_support" --><code>#include <<a class="el" href="g_i_l_0233.html">jpeg_io.hpp</a>></code>
<p>
<p>
<a href="g_i_l_0554.html">List of all members.</a><hr><a name="_details"></a><h2>Detailed Description</h2>
<h3>template<typename View><br>
struct boost::gil::jpeg_read_support< View ></h3>
Determines whether the given view type is supported for reading. <table border="0" cellpadding="0" cellspacing="0">
<tr><td></td></tr>
<tr><td colspan="2"><br><h2>Public Member Functions</h2></td></tr>
<tr><td class="memItemLeft" nowrap align="right" valign="top"><a class="anchor" name="732f6c668f4182d39756ee0dc6ff8441"></a><!-- doxytag: member="boost::gil::jpeg_read_support::BOOST_STATIC_CONSTANT" ref="732f6c668f4182d39756ee0dc6ff8441" args="(bool, is_supported=(detail::jpeg_read_support_private< typename channel_type< View >::type, typename color_space_type< View >::type >::is_supported))" -->
</td><td class="memItemRight" valign="bottom"><b>BOOST_STATIC_CONSTANT</b> (bool, is_supported=(detail::jpeg_read_support_private< typename channel_type< View >::type, typename color_space_type< View >::type >::is_supported))</td></tr>
<tr><td class="memItemLeft" nowrap align="right" valign="top"><a class="anchor" name="21c2bfb8c12c37272857d6ca82ec5228"></a><!-- doxytag: member="boost::gil::jpeg_read_support::BOOST_STATIC_CONSTANT" ref="21c2bfb8c12c37272857d6ca82ec5228" args="(J_COLOR_SPACE, color_type=(detail::jpeg_read_support_private< typename channel_type< View >::type, typename color_space_type< View >::type >::color_type))" -->
</td><td class="memItemRight" valign="bottom"><b>BOOST_STATIC_CONSTANT</b> (J_COLOR_SPACE, color_type=(detail::jpeg_read_support_private< typename channel_type< View >::type, typename color_space_type< View >::type >::color_type))</td></tr>
<tr><td class="memItemLeft" nowrap align="right" valign="top"><a class="anchor" name="987c7a24c4e5f578129480e6461cfc50"></a><!-- doxytag: member="boost::gil::jpeg_read_support::BOOST_STATIC_CONSTANT" ref="987c7a24c4e5f578129480e6461cfc50" args="(bool, value=is_supported)" -->
</td><td class="memItemRight" valign="bottom"><b>BOOST_STATIC_CONSTANT</b> (bool, value=is_supported)</td></tr>
</table>
<hr>The documentation for this struct was generated from the following file:<ul>
<li><a class="el" href="g_i_l_0233.html">jpeg_io.hpp</a></ul>
</div>
<hr size="1"><address style="text-align: right;"><small>Generated on Sat May 2 13:50:18 2009 for Generic Image Library by
<a href="http://www.doxygen.org/index.html">
<img src="doxygen.png" alt="doxygen" align="middle" border="0"></a> 1.5.6 </small></address>
</body>
</html>
| flingone/frameworks_base_cmds_remoted | libs/boost/libs/gil/doc/html/g_i_l_0555.html | HTML | apache-2.0 | 4,839 |
<!DOCTYPE html>
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<title>The source code</title>
<link href="../resources/prettify/prettify.css" type="text/css" rel="stylesheet" />
<script type="text/javascript" src="../resources/prettify/prettify.js"></script>
<style type="text/css">
.highlight { display: block; background-color: #ddd; }
</style>
<script type="text/javascript">
function highlight() {
document.getElementById(location.hash.replace(/#/, "")).className = "highlight";
}
</script>
</head>
<body onload="prettyPrint(); highlight();">
<pre class="prettyprint lang-js"><span id='Ext-data-Tree'>/**
</span> * @class Ext.data.Tree
*
* This class is used as a container for a series of nodes. The nodes themselves maintain
* the relationship between parent/child. The tree itself acts as a manager. It gives functionality
* to retrieve a node by its identifier: {@link #getNodeById}.
*
* The tree also relays events from any of it's child nodes, allowing them to be handled in a
* centralized fashion. In general this class is not used directly, rather used internally
* by other parts of the framework.
*
*/
Ext.define('Ext.data.Tree', {
alias: 'data.tree',
mixins: {
observable: "Ext.util.Observable"
},
<span id='Ext-data-Tree-property-root'> /**
</span> * @property {Ext.data.NodeInterface}
* The root node for this tree
*/
root: null,
<span id='Ext-data-Tree-method-constructor'> /**
</span> * Creates new Tree object.
* @param {Ext.data.NodeInterface} root (optional) The root node
*/
constructor: function(root) {
var me = this;
me.mixins.observable.constructor.call(me);
if (root) {
me.setRootNode(root);
}
},
<span id='Ext-data-Tree-method-getRootNode'> /**
</span> * Returns the root node for this tree.
* @return {Ext.data.NodeInterface}
*/
getRootNode : function() {
return this.root;
},
<span id='Ext-data-Tree-method-setRootNode'> /**
</span> * Sets the root node for this tree.
* @param {Ext.data.NodeInterface} node
* @return {Ext.data.NodeInterface} The root node
*/
setRootNode : function(node) {
var me = this;
me.root = node;
Ext.data.NodeInterface.decorate(node);
if (me.fireEvent('beforeappend', null, node) !== false) {
node.set('root', true);
node.updateInfo();
me.relayEvents(node, [
<span id='Ext-data-Tree-event-append'> /**
</span> * @event append
* @alias Ext.data.NodeInterface#append
*/
"append",
<span id='Ext-data-Tree-event-remove'> /**
</span> * @event remove
* @alias Ext.data.NodeInterface#remove
*/
"remove",
<span id='Ext-data-Tree-event-move'> /**
</span> * @event move
* @alias Ext.data.NodeInterface#move
*/
"move",
<span id='Ext-data-Tree-event-insert'> /**
</span> * @event insert
* @alias Ext.data.NodeInterface#insert
*/
"insert",
<span id='Ext-data-Tree-event-beforeappend'> /**
</span> * @event beforeappend
* @alias Ext.data.NodeInterface#beforeappend
*/
"beforeappend",
<span id='Ext-data-Tree-event-beforeremove'> /**
</span> * @event beforeremove
* @alias Ext.data.NodeInterface#beforeremove
*/
"beforeremove",
<span id='Ext-data-Tree-event-beforemove'> /**
</span> * @event beforemove
* @alias Ext.data.NodeInterface#beforemove
*/
"beforemove",
<span id='Ext-data-Tree-event-beforeinsert'> /**
</span> * @event beforeinsert
* @alias Ext.data.NodeInterface#beforeinsert
*/
"beforeinsert",
<span id='Ext-data-Tree-event-expand'> /**
</span> * @event expand
* @alias Ext.data.NodeInterface#expand
*/
"expand",
<span id='Ext-data-Tree-event-collapse'> /**
</span> * @event collapse
* @alias Ext.data.NodeInterface#collapse
*/
"collapse",
<span id='Ext-data-Tree-event-beforeexpand'> /**
</span> * @event beforeexpand
* @alias Ext.data.NodeInterface#beforeexpand
*/
"beforeexpand",
<span id='Ext-data-Tree-event-beforecollapse'> /**
</span> * @event beforecollapse
* @alias Ext.data.NodeInterface#beforecollapse
*/
"beforecollapse" ,
<span id='Ext-data-Tree-event-rootchange'> /**
</span> * @event rootchange
* Fires whenever the root node is changed in the tree.
* @param {Ext.data.Model} root The new root
*/
"rootchange"
]);
node.on({
scope: me,
insert: me.onNodeInsert,
append: me.onNodeAppend,
remove: me.onNodeRemove
});
me.nodeHash = {};
me.registerNode(node);
me.fireEvent('append', null, node);
me.fireEvent('rootchange', node);
}
return node;
},
<span id='Ext-data-Tree-method-flatten'> /**
</span> * Flattens all the nodes in the tree into an array.
* @private
* @return {Ext.data.NodeInterface[]} The flattened nodes.
*/
flatten: function(){
var nodes = [],
hash = this.nodeHash,
key;
for (key in hash) {
if (hash.hasOwnProperty(key)) {
nodes.push(hash[key]);
}
}
return nodes;
},
<span id='Ext-data-Tree-method-onNodeInsert'> /**
</span> * Fired when a node is inserted into the root or one of it's children
* @private
* @param {Ext.data.NodeInterface} parent The parent node
* @param {Ext.data.NodeInterface} node The inserted node
*/
onNodeInsert: function(parent, node) {
this.registerNode(node, true);
},
<span id='Ext-data-Tree-method-onNodeAppend'> /**
</span> * Fired when a node is appended into the root or one of it's children
* @private
* @param {Ext.data.NodeInterface} parent The parent node
* @param {Ext.data.NodeInterface} node The appended node
*/
onNodeAppend: function(parent, node) {
this.registerNode(node, true);
},
<span id='Ext-data-Tree-method-onNodeRemove'> /**
</span> * Fired when a node is removed from the root or one of it's children
* @private
* @param {Ext.data.NodeInterface} parent The parent node
* @param {Ext.data.NodeInterface} node The removed node
*/
onNodeRemove: function(parent, node) {
this.unregisterNode(node, true);
},
<span id='Ext-data-Tree-method-getNodeById'> /**
</span> * Gets a node in this tree by its id.
* @param {String} id
* @return {Ext.data.NodeInterface} The match node.
*/
getNodeById : function(id) {
return this.nodeHash[id];
},
<span id='Ext-data-Tree-method-registerNode'> /**
</span> * Registers a node with the tree
* @private
* @param {Ext.data.NodeInterface} The node to register
* @param {Boolean} [includeChildren] True to unregister any child nodes
*/
registerNode : function(node, includeChildren) {
this.nodeHash[node.getId() || node.internalId] = node;
if (includeChildren === true) {
node.eachChild(function(child){
this.registerNode(child, true);
}, this);
}
},
<span id='Ext-data-Tree-method-unregisterNode'> /**
</span> * Unregisters a node with the tree
* @private
* @param {Ext.data.NodeInterface} The node to unregister
* @param {Boolean} [includeChildren] True to unregister any child nodes
*/
unregisterNode : function(node, includeChildren) {
delete this.nodeHash[node.getId() || node.internalId];
if (includeChildren === true) {
node.eachChild(function(child){
this.unregisterNode(child, true);
}, this);
}
},
<span id='Ext-data-Tree-method-sort'> /**
</span> * Sorts this tree
* @private
* @param {Function} sorterFn The function to use for sorting
* @param {Boolean} recursive True to perform recursive sorting
*/
sort: function(sorterFn, recursive) {
this.getRootNode().sort(sorterFn, recursive);
},
<span id='Ext-data-Tree-method-filter'> /**
</span> * Filters this tree
* @private
* @param {Function} sorterFn The function to use for filtering
* @param {Boolean} recursive True to perform recursive filtering
*/
filter: function(filters, recursive) {
this.getRootNode().filter(filters, recursive);
}
});</pre>
</body>
</html>
| ozoneplatform/owf-framework | web-app/js-lib/ext-4.0.7/docs/source/Tree.html | HTML | apache-2.0 | 9,636 |
<header>Embolcalls TCP</header>
<h3>Introducció</h3>
Aquest mòdul utilitza un llenguatge simple de control d'accés basat en patrons
del client (nom de host/adreça, nom d'usuari) i el servidor (nom del procés,
nom/adreça del servidor).</p>
Al document hosts_options(5), s'hi descriu una versió ampliada del llenguatge
de control d'accés. Les extensions s'activen a l'hora de compilar el programa
amb -DPROCESS_OPTIONS.
<h3>Fitxers de Control d'Accés</h3>
El programari de control d'accés consulta dos fitxers. La cerca s'atura a la
primera coincidència:
<ul>
<li>Es concedirà l'accés quan una parella (dimoni,client) coincideixi amb una
de les entrades del fitxer /etc/hosts.allow.</li>
<li>Altrament, es denegarà l'accés quan un aparella (dimoni,client) coincideixi
amb una entrada del fitxer /etc/hosts.deny.</li>
<li>Altrament, es concedirà l'accés.</li>
</ul>
Un fitxer de control d'accés inexistent es tractarà com si fos un fitxer buit.
Així doncs, es pot desactivar el control d'accés eliminant els fitxers.
<hr />
| HasClass0/webmin | tcpwrappers/help/intro.ca.html | HTML | bsd-3-clause | 1,101 |
<!DOCTYPE html>
<!-- DO NOT EDIT! This test has been generated by /html/canvas/tools/gentest.py. -->
<title>OffscreenCanvas test: 2d.imageData.get.order.rgb</title>
<script src="/resources/testharness.js"></script>
<script src="/resources/testharnessreport.js"></script>
<script src="/html/canvas/resources/canvas-tests.js"></script>
<h1>2d.imageData.get.order.rgb</h1>
<p class="desc">getImageData() returns R then G then B</p>
<script>
var t = async_test("getImageData() returns R then G then B");
var t_pass = t.done.bind(t);
var t_fail = t.step_func(function(reason) {
throw reason;
});
t.step(function() {
var offscreenCanvas = new OffscreenCanvas(100, 50);
var ctx = offscreenCanvas.getContext('2d');
ctx.fillStyle = '#48c';
ctx.fillRect(0, 0, 100, 50);
var imgdata = ctx.getImageData(0, 0, 10, 10);
_assertSame(imgdata.data[0], 0x44, "imgdata.data[\""+(0)+"\"]", "0x44");
_assertSame(imgdata.data[1], 0x88, "imgdata.data[\""+(1)+"\"]", "0x88");
_assertSame(imgdata.data[2], 0xCC, "imgdata.data[\""+(2)+"\"]", "0xCC");
_assertSame(imgdata.data[3], 255, "imgdata.data[\""+(3)+"\"]", "255");
_assertSame(imgdata.data[4], 0x44, "imgdata.data[\""+(4)+"\"]", "0x44");
_assertSame(imgdata.data[5], 0x88, "imgdata.data[\""+(5)+"\"]", "0x88");
_assertSame(imgdata.data[6], 0xCC, "imgdata.data[\""+(6)+"\"]", "0xCC");
_assertSame(imgdata.data[7], 255, "imgdata.data[\""+(7)+"\"]", "255");
t.done();
});
</script>
| scheib/chromium | third_party/blink/web_tests/external/wpt/html/canvas/offscreen/pixel-manipulation/2d.imageData.get.order.rgb.html | HTML | bsd-3-clause | 1,420 |
<html>
<head>
<title>Nexage MRAID Ad to exercise getCurrentPosition</title>
<script type="application/javascript" src="mraid.js"></script>
<script>
function currentPosition() {
var currentpos = mraid.getCurrentPosition();
alert(currentpos.x + ", " + currentpos.y + " -> " +currentpos.width+ " and " + currentpos.height);
}
</script>
</head>
<body bgcolor="FF6600">
<button style="height:30px;width:120px;" onclick="currentPosition();">getCurrentPosition</button>
</body>
</html> | chelto/sourcekit-mraid-ios | demo/creatives/interstitial.getCurrentPosition.html | HTML | bsd-3-clause | 521 |
<svg xmlns="http://www.w3.org/2000/svg" width="18" height="18" viewBox="0 0 18 18"><path d="M3,9 L4.06,10.06 L8.25,5.87 L8.25,15 L9.75,15 L9.75,5.87 L13.94,10.06 L15,9 L9,3 L3,9 L3,9 Z"/></svg> | niravshah/jobster | public/bower_components/angular-material-data-table/app/md-data-table/icons/arrow.html | HTML | mit | 193 |
<roundcube:object name="doctype" value="html5" />
<html>
<head>
<title><roundcube:object name="pagetitle" /></title>
<roundcube:include file="/includes/links.html" />
<link rel="stylesheet" type="text/css" href="/this/managesieve.css" />
</head>
<body class="iframe<roundcube:exp expression="env:task != 'mail' ? ' floatingbuttons' : ' mail'" />">
<roundcube:if condition="env:task != 'mail'" />
<div id="filter-title" class="boxtitle"><roundcube:label name="managesieve.filterdef" /></div>
<roundcube:endif />
<div id="filter-form" class="boxcontent">
<roundcube:object name="filterform" />
<roundcube:if condition="env:task != 'mail'" />
<div id="footer">
<div class="footerleft formbuttons floating">
<roundcube:button command="plugin.managesieve-save" type="input" class="button mainaction" label="save" />
<label for="disabled">
<input type="checkbox" id="disabled" name="_disabled" value="1" />
<roundcube:label name="managesieve.filterdisabled" />
</label>
</div>
</div>
<roundcube:endif />
</form>
</div>
</body>
</html>
| exhibia/exhibia | roundcube/plugins/managesieve/skins/larry/templates/filteredit.html | HTML | bsd-3-clause | 1,034 |
<!doctype html>
<!--
Copyright (c) 2012 The Chromium Authors. All rights reserved.
Use of this source code is governed by a BSD-style license that can be
found in the LICENSE file.
-->
<html class="full-height">
<head>
<meta charset="utf-8">
<link rel="icon" type="image/png" href="chromoting16.webp">
<link rel="stylesheet" href="butter_bar.css">
<link rel="stylesheet" href="connection_stats.css">
<link rel="stylesheet" href="main.css">
<link rel="stylesheet" href="menu_button.css">
<link rel="stylesheet" href="open_sans.css">
<link rel="stylesheet" href="toolbar.css">
<link rel="stylesheet" href="window_frame.css">
<meta-include type="javascript"/>
<title i18n-content="PRODUCT_NAME"></title>
</head>
<body class="full-height">
<meta-include src="webapp/crd/html/window_frame.html"/>
<div class="window-body full-height">
<!-- loading-mode is initially visible, but becomes hidden as soon as an
AppMode is selected by remoting.init. All other divs are initially
hidden, but are shown appropriately when the mode changes. -->
<section id="loading-mode" data-ui-mode="">
<em>Loading…</em>
<div id="browser-test-deferred-init" hidden>
<p>
Running in test mode. If you are seeing this message in any other
context, please <a href="http://crbug.com" target="_blank">file a
bug</a>.
</p>
<p>
<button id="browser-test-continue-init">Continue</button>
</p>
</section>
<iframe id="wcs-sandbox" src="wcs_sandbox.html" hidden></iframe>
<div id="scroller">
<div class="inset home-screen full-height"
data-ui-mode="home"
hidden>
<meta-include src="webapp/crd/html/ui_header.html"/>
<meta-include src="webapp/crd/html/butter_bar.html"/>
<meta-include src="webapp/crd/html/ui_it2me.html"/>
<meta-include src="webapp/crd/html/ui_me2me.html"/>
<!-- The bottom-marker div is used to verify scroll-bar correctness
in browser tests; it is not rendered. -->
<div id="bottom-marker"></div>
</div> <!-- inset -->
<div id="session-mode"
data-ui-mode="in-session home.client"
class="full-height"
hidden>
<meta-include src="webapp/crd/html/toolbar.html"/>
<meta-include src="webapp/base/html/client_plugin.html"/>
</div> <!-- session-mode -->
<div id="statistics" dir="ltr" class="selectable" hidden>
</div>
</div> <!-- scroller -->
<meta-include src="webapp/base/html/dialog_auth.html"/>
<div class="dialog-screen"
data-ui-mode="home.host home.client home.history home.confirm-host-delete home.host-setup home.token-refresh-failed home.manage-pairings home.host-setup home.host-install"
hidden></div>
<div class="dialog-container"
data-ui-mode="home.host home.client home.history home.confirm-host-delete home.host-install home.host-setup home.token-refresh-failed home.manage-pairings"
hidden>
<meta-include src="webapp/crd/html/dialog_token_refresh_failed.html"/>
<meta-include src="webapp/crd/html/dialog_host_setup.html"/>
<meta-include src="webapp/crd/html/dialog_host_install.html"/>
<meta-include src="webapp/crd/html/dialog_host.html"/>
<div id="client-dialog"
class="kd-modaldialog"
data-ui-mode="home.client">
<meta-include src="webapp/crd/html/dialog_client_unconnected.html"/>
<meta-include src="webapp/crd/html/dialog_client_connecting.html"/>
<meta-include src="webapp/crd/html/dialog_client_host_needs_upgrade.html"/>
<meta-include src="webapp/crd/html/dialog_client_pin_prompt.html"/>
<meta-include src="webapp/crd/html/dialog_client_third_party_auth.html"/>
<meta-include src="webapp/crd/html/dialog_client_connect_failed.html"/>
<meta-include src="webapp/crd/html/dialog_client_session_finished.html"/>
</div>
<meta-include src="webapp/crd/html/dialog_connection_history.html"/>
<meta-include src="webapp/crd/html/dialog_confirm_host_delete.html"/>
<meta-include src="webapp/crd/html/dialog_manage_pairings.html"/>
</div> <!-- dialog-container -->
</div> <!-- window-body -->
</body>
</html>
| markYoungH/chromium.src | remoting/webapp/crd/html/template_main.html | HTML | bsd-3-clause | 4,486 |
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/>
<meta http-equiv="X-UA-Compatible" content="IE=9"/>
<meta name="generator" content="Doxygen 1.8.10"/>
<title>0.9.9 API documentation: vector_uint4_precision.hpp File Reference</title>
<link href="tabs.css" rel="stylesheet" type="text/css"/>
<script type="text/javascript" src="jquery.js"></script>
<script type="text/javascript" src="dynsections.js"></script>
<link href="search/search.css" rel="stylesheet" type="text/css"/>
<script type="text/javascript" src="search/searchdata.js"></script>
<script type="text/javascript" src="search/search.js"></script>
<script type="text/javascript">
$(document).ready(function() { init_search(); });
</script>
<link href="doxygen.css" rel="stylesheet" type="text/css" />
</head>
<body>
<div id="top"><!-- do not remove this div, it is closed by doxygen! -->
<div id="titlearea">
<table cellspacing="0" cellpadding="0">
<tbody>
<tr style="height: 56px;">
<td id="projectlogo"><img alt="Logo" src="logo-mini.png"/></td>
<td id="projectalign" style="padding-left: 0.5em;">
<div id="projectname">0.9.9 API documentation
</div>
</td>
</tr>
</tbody>
</table>
</div>
<!-- end header part -->
<!-- Generated by Doxygen 1.8.10 -->
<script type="text/javascript">
var searchBox = new SearchBox("searchBox", "search",false,'Search');
</script>
<div id="navrow1" class="tabs">
<ul class="tablist">
<li><a href="index.html"><span>Main Page</span></a></li>
<li><a href="modules.html"><span>Modules</span></a></li>
<li class="current"><a href="files.html"><span>Files</span></a></li>
<li>
<div id="MSearchBox" class="MSearchBoxInactive">
<span class="left">
<img id="MSearchSelect" src="search/mag_sel.png"
onmouseover="return searchBox.OnSearchSelectShow()"
onmouseout="return searchBox.OnSearchSelectHide()"
alt=""/>
<input type="text" id="MSearchField" value="Search" accesskey="S"
onfocus="searchBox.OnSearchFieldFocus(true)"
onblur="searchBox.OnSearchFieldFocus(false)"
onkeyup="searchBox.OnSearchFieldChange(event)"/>
</span><span class="right">
<a id="MSearchClose" href="javascript:searchBox.CloseResultsWindow()"><img id="MSearchCloseImg" border="0" src="search/close.png" alt=""/></a>
</span>
</div>
</li>
</ul>
</div>
<div id="navrow2" class="tabs2">
<ul class="tablist">
<li><a href="files.html"><span>File List</span></a></li>
</ul>
</div>
<!-- window showing the filter options -->
<div id="MSearchSelectWindow"
onmouseover="return searchBox.OnSearchSelectShow()"
onmouseout="return searchBox.OnSearchSelectHide()"
onkeydown="return searchBox.OnSearchSelectKey(event)">
</div>
<!-- iframe showing the search results (closed by default) -->
<div id="MSearchResultsWindow">
<iframe src="javascript:void(0)" frameborder="0"
name="MSearchResults" id="MSearchResults">
</iframe>
</div>
<div id="nav-path" class="navpath">
<ul>
<li class="navelem"><a class="el" href="dir_3a581ba30d25676e4b797b1f96d53b45.html">F:</a></li><li class="navelem"><a class="el" href="dir_9e5fe034a00e89334fd5186c3e7db156.html">G-Truc</a></li><li class="navelem"><a class="el" href="dir_d9496f0844b48bc7e53b5af8c99b9ab2.html">Source</a></li><li class="navelem"><a class="el" href="dir_a8bee7be44182a33f3820393ae0b105d.html">G-Truc</a></li><li class="navelem"><a class="el" href="dir_44e5e654415abd9ca6fdeaddaff8565e.html">glm</a></li><li class="navelem"><a class="el" href="dir_cef2d71d502cb69a9252bca2297d9549.html">glm</a></li><li class="navelem"><a class="el" href="dir_6b66465792d005310484819a0eb0b0d3.html">ext</a></li> </ul>
</div>
</div><!-- top -->
<div class="header">
<div class="summary">
<a href="#typedef-members">Typedefs</a> </div>
<div class="headertitle">
<div class="title">vector_uint4_precision.hpp File Reference</div> </div>
</div><!--header-->
<div class="contents">
<p><a class="el" href="a00280.html">Core features</a>
<a href="#details">More...</a></p>
<p><a href="a00233_source.html">Go to the source code of this file.</a></p>
<table class="memberdecls">
<tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="typedef-members"></a>
Typedefs</h2></td></tr>
<tr class="memitem:gaeebd7dd9f3e678691f8620241e5f9221"><td class="memItemLeft" align="right" valign="top">typedef vec< 4, unsigned int, highp > </td><td class="memItemRight" valign="bottom"><a class="el" href="a00282.html#gaeebd7dd9f3e678691f8620241e5f9221">highp_uvec4</a></td></tr>
<tr class="memdesc:gaeebd7dd9f3e678691f8620241e5f9221"><td class="mdescLeft"> </td><td class="mdescRight">4 components vector of high qualifier unsigned integer numbers. <a href="a00282.html#gaeebd7dd9f3e678691f8620241e5f9221">More...</a><br /></td></tr>
<tr class="separator:gaeebd7dd9f3e678691f8620241e5f9221"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:ga5e6a632ec1165cf9f54ceeaa5e9b2b1e"><td class="memItemLeft" align="right" valign="top">typedef vec< 4, unsigned int, lowp > </td><td class="memItemRight" valign="bottom"><a class="el" href="a00282.html#ga5e6a632ec1165cf9f54ceeaa5e9b2b1e">lowp_uvec4</a></td></tr>
<tr class="memdesc:ga5e6a632ec1165cf9f54ceeaa5e9b2b1e"><td class="mdescLeft"> </td><td class="mdescRight">4 components vector of low qualifier unsigned integer numbers. <a href="a00282.html#ga5e6a632ec1165cf9f54ceeaa5e9b2b1e">More...</a><br /></td></tr>
<tr class="separator:ga5e6a632ec1165cf9f54ceeaa5e9b2b1e"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:ga64ed0deb6573375b7016daf82ffd53a7"><td class="memItemLeft" align="right" valign="top">typedef vec< 4, unsigned int, mediump > </td><td class="memItemRight" valign="bottom"><a class="el" href="a00282.html#ga64ed0deb6573375b7016daf82ffd53a7">mediump_uvec4</a></td></tr>
<tr class="memdesc:ga64ed0deb6573375b7016daf82ffd53a7"><td class="mdescLeft"> </td><td class="mdescRight">4 components vector of medium qualifier unsigned integer numbers. <a href="a00282.html#ga64ed0deb6573375b7016daf82ffd53a7">More...</a><br /></td></tr>
<tr class="separator:ga64ed0deb6573375b7016daf82ffd53a7"><td class="memSeparator" colspan="2"> </td></tr>
</table>
<a name="details" id="details"></a><h2 class="groupheader">Detailed Description</h2>
<div class="textblock"><p><a class="el" href="a00280.html">Core features</a> </p>
<p>Definition in file <a class="el" href="a00233_source.html">vector_uint4_precision.hpp</a>.</p>
</div></div><!-- contents -->
<!-- start footer part -->
<hr class="footer"/><address class="footer"><small>
Generated by  <a href="http://www.doxygen.org/index.html">
<img class="footer" src="doxygen.png" alt="doxygen"/>
</a> 1.8.10
</small></address>
</body>
</html>
| Jean-LouisH/LaniaEngine | thirdparty/glm-0.9.9.8/glm/doc/api/a00233.html | HTML | mit | 7,098 |
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN">
<!-- Copyright David Abrahams 2006. Distributed under the Boost -->
<!-- Software License, Version 1.0. (See accompanying -->
<!-- file LICENSE_1_0.txt or copy at http://www.boost.org/LICENSE_1_0.txt) -->
<html>
<head>
<meta name="generator" content=
"HTML Tidy for Windows (vers 1st August 2002), see www.w3.org">
<meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1">
<link rel="stylesheet" type="text/css" href="../boost.css">
<title>Boost.Python - <boost/python/extract.hpp></title>
</head>
<body>
<table border="0" cellpadding="7" cellspacing="0" width="100%" summary=
"header">
<tr>
<td valign="top" width="300">
<h3><a href="../../../../index.htm"><img height="86" width="277"
alt="C++ Boost" src="../../../../boost.png" border="0"></a></h3>
</td>
<td valign="top">
<h1 align="center"><a href="../index.html">Boost.Python</a></h1>
<h2 align="center">Header <boost/python/extract.hpp></h2>
</td>
</tr>
</table>
<hr>
<h2>Contents</h2>
<dl class="page-index">
<dt><a href="#introduction">Introduction</a></dt>
<dt><a href="#classes">Classes</a></dt>
<dd>
<dl class="page-index">
<dt><a href="#extract-spec">Class <code>extract</code></a></dt>
<dd>
<dl class="page-index">
<dt><a href="#extract-spec-synopsis">Class <code>extract</code>
synopsis</a></dt>
<dt><a href="#extract-spec-ctors">Class <code>extract</code>
constructors and destructor</a></dt>
<dt><a href="#extract-spec-observers">Class
<code>extract</code> observer functions</a></dt>
</dl>
</dd>
</dl>
</dd>
<dt><a href="#examples">Example</a></dt>
</dl>
<hr>
<h2><a name="introduction"></a>Introduction</h2>
<p>Exposes a mechanism for extracting C++ object values from
generalized Python objects. Note that
<code>extract<</code>...<code>></code> can also be used to
"downcast" an <a
href="object.html#object-spec">object</a> to some specific <a
href="ObjectWrapper.html#ObjectWrapper-concept">ObjectWrapper</a>. Because
invoking a mutable python type with an argument of the same type
(e.g. <code>list([1,2])</code> typically makes a <em>copy</em> of
the argument object, this may be the only way to access the <a
href="ObjectWrapper.html#ObjectWrapper-concept">ObjectWrapper</a>'s
interface on the original object.
<h2><a name="classes"></a>Classes</h2>
<h3><a name="extract-spec"></a>Class template <code>extract</code></h3>
<p><code>extract<T></code> can be used to extract a value of
an arbitrary C++ type from an instance of <code><a
href="object.html#object-spec">object</a></code>. Two usages are supported:
<ol>
<li><b><code>extract<T>(o)</code></b> is a temporary object
which is implicitly convertible to <code>T</code> (explicit conversion
is also available through the object's function-call
operator). However, if no conversion is available which can convert
<code>o</code> to an object of type <code>T</code>, a Python
<code>TypeError</code> exception will be <a
href="definitions.html#raise">raised</a>.
<li><b><code>extract<T> x(o);</code></b> constructs an extractor
whose <code>check()</code> member function can be used to ask whether
a conversion is available without causing an exception to be thrown.
</ol>
<h4><a name="extract-spec-synopsis"></a>Class template <code>extract</code>
synopsis</h4>
<pre>
namespace boost { namespace python
{
template <class T>
struct extract
{
typedef <i>unspecified</i> result_type;
extract(PyObject*);
extract(object const&);
result_type operator()() const;
operator result_type() const;
bool check() const;
};
}}
</pre>
<h4><a name="extract-spec-ctors"></a>Class <code>extract</code>
constructors and destructor</h4>
<pre>
extract(PyObject* p);
extract(object const&);
</pre>
<dl class="function-semantics">
<dt><b>Requires:</b> The first form requires that <code>p</code> is non-null.</dt>
<dt><b>Effects:</b>Stores a pointer to the Python object managed
by its constructor argument. In particular, the reference
count of the object is not incremented. The onus is on the user
to be sure it is not destroyed before the extractor's conversion
function is called.</dt>
</dl>
<h4><a name="extract-spec-observers"></a>Class <code>extract</code>
observer functions</h4>
<pre>
result_type operator()() const;
operator result_type() const;
</pre>
<dl class="function-semantics">
<dt><b>Effects:</b> Converts the stored pointer to
<code>result_type</code>, which is either <code>T</code> or
<code>T const&</code>.
</dt>
<dt><b>Returns:</b> An object of <code>result_type</code>
corresponding to the one referenced by the stored pointer.</dt>
<dt><b>Throws:</b> <code><a
href="errors.html#error_already_set-spec">error_already_set</a></code>
and sets a <code>TypeError</code> if no such conversion is
available. May also emit other unspecified exceptions thrown by
the converter which is actually used.</dt>
</dl>
<pre>
bool check() const;
</pre>
<dl class="function-semantics">
<dt><b>Postconditions:</b> None. In particular, note that a
return value of <code>true</code> does not preclude an exception
being thrown from <code>operator result_type()</code> or
<code>operator()()</code>.</dt>
<dt><b>Returns:</b> <code>false</code> <i>only</i> if no conversion from the
stored pointer to <code>T</code> is available.</dt>
</dl>
<h2><a name="examples"></a>Examples</h2>
<pre>
#include <cstdio>
using namespace boost::python;
int Print(str s)
{
// extract a C string from the Python string object
char const* c_str = extract<char const*>(s);
// Print it using printf
std::printf("%s\n", c_str);
// Get the Python string's length and convert it to an int
return extract<int>(s.attr("__len__")())
}
</pre>
The following example shows how extract can be used along with
<code><a
href="class.html#class_-spec">class_</a><</code>...<code>></code>
to create and access an instance of a wrapped C++ class.
<pre>
struct X
{
X(int x) : v(x) {}
int value() { return v; }
private:
int v;
};
BOOST_PYTHON_MODULE(extract_ext)
{
object x_class(
class_<X>("X", init<int>())
.def("value", &X::value))
;
// Instantiate an X object through the Python interface.
// Its lifetime is now managed by x_obj.
object x_obj = x_class(3);
// Get a reference to the C++ object out of the Python object
X& x = extract<X&>(x_obj);
assert(x.value() == 3);
}
</pre>
<p>Revised 15 November, 2002</p>
<p><i>© Copyright <a href=
"http://www.boost.org/people/dave_abrahams.htm">Dave Abrahams</a> 2002.</i></p>
</body>
</html>
| alexa-infra/negine | thirdparty/boost-python/libs/python/doc/v2/extract.html | HTML | mit | 7,563 |
<!DOCTYPE html>
<html lang="en">
<head>
<meta http-equiv="refresh" content="0;URL=constant.F_DUPFD_CLOEXEC.html">
</head>
<body>
<p>Redirecting to <a href="constant.F_DUPFD_CLOEXEC.html">constant.F_DUPFD_CLOEXEC.html</a>...</p>
<script>location.replace("constant.F_DUPFD_CLOEXEC.html" + location.search + location.hash);</script>
</body>
</html> | nitro-devs/nitro-game-engine | docs/libc/unix/notbsd/F_DUPFD_CLOEXEC.v.html | HTML | apache-2.0 | 357 |
@(theExample: Html)(theCode: Html)
@bsExample(theExample)
@code(theCode) | adrianhurt/play-bootstrap3 | play26-bootstrap4/sample/app/views/tags/bsExampleWithCode.scala.html | HTML | apache-2.0 | 72 |
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=US-ASCII">
<title>try_ catch_ Statement</title>
<link rel="stylesheet" href="../../../../../../../doc/src/boostbook.css" type="text/css">
<meta name="generator" content="DocBook XSL Stylesheets V1.78.1">
<link rel="home" href="../../../index.html" title="Chapter 1. Phoenix 3.2.0">
<link rel="up" href="../statement.html" title="Statement">
<link rel="prev" href="for_statement.html" title="for_ Statement">
<link rel="next" href="throw_.html" title="throw_">
</head>
<body bgcolor="white" text="black" link="#0000FF" vlink="#840084" alink="#0000FF">
<table cellpadding="2" width="100%"><tr>
<td valign="top"><img alt="Boost C++ Libraries" width="277" height="86" src="../../../../../../../boost.png"></td>
<td align="center"><a href="../../../../../../../index.html">Home</a></td>
<td align="center"><a href="../../../../../../../libs/libraries.htm">Libraries</a></td>
<td align="center"><a href="http://www.boost.org/users/people.html">People</a></td>
<td align="center"><a href="http://www.boost.org/users/faq.html">FAQ</a></td>
<td align="center"><a href="../../../../../../../more/index.htm">More</a></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="for_statement.html"><img src="../../../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../statement.html"><img src="../../../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../index.html"><img src="../../../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="throw_.html"><img src="../../../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
<div class="section">
<div class="titlepage"><div><div><h4 class="title">
<a name="phoenix.modules.statement.try__catch__statement"></a><a class="link" href="try__catch__statement.html" title="try_ catch_ Statement">try_
catch_ Statement</a>
</h4></div></div></div>
<pre class="programlisting"><span class="preprocessor">#include</span> <span class="special"><</span><span class="identifier">boost</span><span class="special">/</span><span class="identifier">phoenix</span><span class="special">/</span><span class="identifier">statement</span><span class="special">/</span><span class="identifier">try_catch</span><span class="special">.</span><span class="identifier">hpp</span><span class="special">></span>
</pre>
<p>
The syntax is:
</p>
<pre class="programlisting"><span class="identifier">try_</span>
<span class="special">[</span>
<span class="identifier">sequenced_statements</span>
<span class="special">]</span>
<span class="special">.</span><span class="identifier">catch_</span><span class="special"><</span><span class="identifier">exception_type</span><span class="special">>()</span>
<span class="special">[</span>
<span class="identifier">sequenced_statements</span>
<span class="special">]</span>
<span class="special">...</span>
<span class="special">.</span><span class="identifier">catch_all</span>
<span class="special">[</span>
<span class="identifier">sequenced_statement</span>
<span class="special">]</span>
</pre>
<p>
Note the usual underscore after try and catch, and the extra parentheses
required after the catch.
</p>
<p>
Example: The following code calls the (lazy) function <code class="computeroutput"><span class="identifier">f</span></code>
for each element, and prints messages about different exception types it
catches.
</p>
<pre class="programlisting"><span class="identifier">try_</span>
<span class="special">[</span>
<span class="identifier">f</span><span class="special">(</span><span class="identifier">arg1</span><span class="special">)</span>
<span class="special">]</span>
<span class="special">.</span><span class="identifier">catch_</span><span class="special"><</span><span class="identifier">runtime_error</span><span class="special">>()</span>
<span class="special">[</span>
<span class="identifier">cout</span> <span class="special"><<</span> <span class="identifier">val</span><span class="special">(</span><span class="string">"caught runtime error or derived\n"</span><span class="special">)</span>
<span class="special">]</span>
<span class="special">.</span><span class="identifier">catch_</span><span class="special"><</span><span class="identifier">exception</span><span class="special">>()</span>
<span class="special">[</span>
<span class="identifier">cout</span> <span class="special"><<</span> <span class="identifier">val</span><span class="special">(</span><span class="string">"caught exception or derived\n"</span><span class="special">)</span>
<span class="special">]</span>
<span class="special">.</span><span class="identifier">catch_all</span>
<span class="special">[</span>
<span class="identifier">cout</span> <span class="special"><<</span> <span class="identifier">val</span><span class="special">(</span><span class="string">"caught some other type of exception\n"</span><span class="special">)</span>
<span class="special">]</span>
</pre>
</div>
<table xmlns:rev="http://www.cs.rpi.edu/~gregod/boost/tools/doc/revision" width="100%"><tr>
<td align="left"></td>
<td align="right"><div class="copyright-footer">Copyright © 2002-2005, 2010, 2014, 2015 Joel de Guzman, Dan Marsden, Thomas
Heller, John Fletcher<p>
Distributed under the Boost Software License, Version 1.0. (See accompanying
file LICENSE_1_0.txt or copy at <a href="http://www.boost.org/LICENSE_1_0.txt" target="_top">http://www.boost.org/LICENSE_1_0.txt</a>)
</p>
</div></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="for_statement.html"><img src="../../../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../statement.html"><img src="../../../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../index.html"><img src="../../../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="throw_.html"><img src="../../../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
</body>
</html>
| TyRoXx/cdm | original_sources/boost_1_59_0/libs/phoenix/doc/html/phoenix/modules/statement/try__catch__statement.html | HTML | mit | 6,217 |
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=US-ASCII">
<title>Struct template promote</title>
<link rel="stylesheet" href="../../../../../doc/src/boostbook.css" type="text/css">
<meta name="generator" content="DocBook XSL Stylesheets V1.78.1">
<link rel="home" href="../../../index.html" title="The Boost C++ Libraries BoostBook Documentation Subset">
<link rel="up" href="../../../accumulators/reference.html#header.boost.accumulators.numeric.functional_hpp" title="Header <boost/accumulators/numeric/functional.hpp>">
<link rel="prev" href="logical_not.html" title="Struct logical_not">
<link rel="next" href="min_assign.html" title="Struct min_assign">
</head>
<body bgcolor="white" text="black" link="#0000FF" vlink="#840084" alink="#0000FF">
<table cellpadding="2" width="100%"><tr>
<td valign="top"><img alt="Boost C++ Libraries" width="277" height="86" src="../../../../../boost.png"></td>
<td align="center"><a href="../../../../../index.html">Home</a></td>
<td align="center"><a href="../../../../../libs/libraries.htm">Libraries</a></td>
<td align="center"><a href="http://www.boost.org/users/people.html">People</a></td>
<td align="center"><a href="http://www.boost.org/users/faq.html">FAQ</a></td>
<td align="center"><a href="../../../../../more/index.htm">More</a></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="logical_not.html"><img src="../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../../../accumulators/reference.html#header.boost.accumulators.numeric.functional_hpp"><img src="../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../index.html"><img src="../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="min_assign.html"><img src="../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
<div class="refentry">
<a name="boost.numeric.op.promote"></a><div class="titlepage"></div>
<div class="refnamediv">
<h2><span class="refentrytitle">Struct template promote</span></h2>
<p>boost::numeric::op::promote</p>
</div>
<h2 xmlns:rev="http://www.cs.rpi.edu/~gregod/boost/tools/doc/revision" class="refsynopsisdiv-title">Synopsis</h2>
<div xmlns:rev="http://www.cs.rpi.edu/~gregod/boost/tools/doc/revision" class="refsynopsisdiv"><pre class="synopsis"><span class="comment">// In header: <<a class="link" href="../../../accumulators/reference.html#header.boost.accumulators.numeric.functional_hpp" title="Header <boost/accumulators/numeric/functional.hpp>">boost/accumulators/numeric/functional.hpp</a>>
</span><span class="keyword">template</span><span class="special"><</span><span class="keyword">typename</span> To<span class="special">></span>
<span class="keyword">struct</span> <a class="link" href="promote.html" title="Struct template promote">promote</a> <span class="special">{</span>
<span class="special">}</span><span class="special">;</span></pre></div>
</div>
<table xmlns:rev="http://www.cs.rpi.edu/~gregod/boost/tools/doc/revision" width="100%"><tr>
<td align="left"></td>
<td align="right"><div class="copyright-footer">Copyright © 2005, 2006 Eric Niebler<p>
Distributed under the Boost Software License, Version 1.0. (See accompanying
file LICENSE_1_0.txt or copy at <a href="http://www.boost.org/LICENSE_1_0.txt" target="_top">http://www.boost.org/LICENSE_1_0.txt</a>)
</p>
</div></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="logical_not.html"><img src="../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../../../accumulators/reference.html#header.boost.accumulators.numeric.functional_hpp"><img src="../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../index.html"><img src="../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="min_assign.html"><img src="../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
</body>
</html>
| NixaSoftware/CVis | venv/bin/doc/html/boost/numeric/op/promote.html | HTML | apache-2.0 | 3,981 |
<header>Het archief comprimeren?</header>
Wanneer deze optie op "Ja" staat zal de gemaakte TAR file worden gecomprimeerd
in een gzip of bzip formaat. Dit moet u normaal gesproken niet aan zetten als
u back-ups maakt naar een tape apparaat, omdat de meeste tape apparaten een
ingebouwde compressie hebben. <p>
<hr>
| rcuvgd/Webmin | fsdump/help/gzip.nl.html | HTML | bsd-3-clause | 326 |
<!doctype html>
<html>
<title>npm-tag</title>
<meta http-equiv="content-type" value="text/html;utf-8">
<link rel="stylesheet" type="text/css" href="../../static/style.css">
<link rel="canonical" href="https://www.npmjs.org/doc/api/npm-tag.html">
<script async=true src="../../static/toc.js"></script>
<body>
<div id="wrapper">
<h1><a href="../api/npm-tag.html">npm-tag</a></h1> <p>Tag a published version</p>
<h2 id="synopsis">SYNOPSIS</h2>
<pre><code>npm.commands.tag(package@version, tag, callback)
</code></pre><h2 id="description">DESCRIPTION</h2>
<p>Tags the specified version of the package with the specified tag, or the
<code>--tag</code> config if not specified.</p>
<p>The 'package@version' is an array of strings, but only the first two elements are
currently used.</p>
<p>The first element must be in the form package@version, where package
is the package name and version is the version number (much like installing a
specific version).</p>
<p>The second element is the name of the tag to tag this version with. If this
parameter is missing or falsey (empty), the default froom the config will be
used. For more information about how to set this config, check
<code>man 3 npm-config</code> for programmatic usage or <code>man npm-config</code> for cli usage.</p>
</div>
<table border=0 cellspacing=0 cellpadding=0 id=npmlogo>
<tr><td style="width:180px;height:10px;background:rgb(237,127,127)" colspan=18> </td></tr>
<tr><td rowspan=4 style="width:10px;height:10px;background:rgb(237,127,127)"> </td><td style="width:40px;height:10px;background:#fff" colspan=4> </td><td style="width:10px;height:10px;background:rgb(237,127,127)" rowspan=4> </td><td style="width:40px;height:10px;background:#fff" colspan=4> </td><td rowspan=4 style="width:10px;height:10px;background:rgb(237,127,127)"> </td><td colspan=6 style="width:60px;height:10px;background:#fff"> </td><td style="width:10px;height:10px;background:rgb(237,127,127)" rowspan=4> </td></tr>
<tr><td colspan=2 style="width:20px;height:30px;background:#fff" rowspan=3> </td><td style="width:10px;height:10px;background:rgb(237,127,127)" rowspan=3> </td><td style="width:10px;height:10px;background:#fff" rowspan=3> </td><td style="width:20px;height:10px;background:#fff" rowspan=4 colspan=2> </td><td style="width:10px;height:20px;background:rgb(237,127,127)" rowspan=2> </td><td style="width:10px;height:10px;background:#fff" rowspan=3> </td><td style="width:20px;height:10px;background:#fff" rowspan=3 colspan=2> </td><td style="width:10px;height:10px;background:rgb(237,127,127)" rowspan=3> </td><td style="width:10px;height:10px;background:#fff" rowspan=3> </td><td style="width:10px;height:10px;background:rgb(237,127,127)" rowspan=3> </td></tr>
<tr><td style="width:10px;height:10px;background:#fff" rowspan=2> </td></tr>
<tr><td style="width:10px;height:10px;background:#fff"> </td></tr>
<tr><td style="width:60px;height:10px;background:rgb(237,127,127)" colspan=6> </td><td colspan=10 style="width:10px;height:10px;background:rgb(237,127,127)"> </td></tr>
<tr><td colspan=5 style="width:50px;height:10px;background:#fff"> </td><td style="width:40px;height:10px;background:rgb(237,127,127)" colspan=4> </td><td style="width:90px;height:10px;background:#fff" colspan=9> </td></tr>
</table>
<p id="footer">npm-tag — npm@1.4.28</p>
| domenicosolazzo/philocademy | venv/src/node-v0.10.36/deps/npm/html/doc/api/npm-tag.html | HTML | mit | 3,460 |
<!doctype html>
<script src="../../resources/testharness.js"></script>
<script src="../../resources/testharnessreport.js"></script>
<script src="../assert_selection.js"></script>
<script>
function doubleClick(x, y) {
eventSender.mouseMoveTo(x, y);
eventSender.mouseDown();
eventSender.mouseUp();
eventSender.mouseDown();
eventSender.mouseUp();
}
test(() => {
const isWin = navigator.platform.indexOf('Win') == 0;
assert_not_equals(window.eventSender, undefined,
'This test requires window.eventSender');
assert_selection(
'<div contenteditable><span id="dragme">hello</span> world</div>',
selection => {
const dragMe = selection.document.getElementById('dragme');
const x = dragMe.offsetLeft + selection.document.offsetLeft + 3;
const y = dragMe.offsetTop + selection.document.offsetTop + 3;
// Select "hello"
doubleClick(x, y);
// Drag 'hello'
eventSender.mouseMoveTo(x + dragMe.offsetWidth / 2, y);
eventSender.mouseDown();
// and drop it off to the right somewhere.
eventSender.leapForward(500);
eventSender.mouseMoveTo(x + dragMe.offsetWidth + 100, y);
eventSender.mouseUp();
},
[
'<div contenteditable>',
isWin
? 'world<span id="dragme">^\u{00A0}hello</span>\u{00A0}|'
: 'world^\u{00A0}hello|',
'</div>',
].join(''),
'drag-and-drop after double-click does a smart drag');
});
</script>
| scheib/chromium | third_party/blink/web_tests/editing/pasteboard/smart-drag-drop.html | HTML | bsd-3-clause | 1,608 |
<html>
<head>
<script src="../../../http/tests/inspector/inspector-test.js"></script>
<script src="../../../http/tests/inspector/workspace-test.js"></script>
<script src="breakpoint-manager.js"></script>
<script>
function test()
{
var mockTarget;
function createWorkspace()
{
InspectorTest.createWorkspace(true);
mockTarget = InspectorTest.createMockTarget(1, InspectorTest.DebuggerModelMock);
}
function resetWorkspace(breakpointManager)
{
mockTarget.debuggerModel.reset();
InspectorTest.addResult(" Resetting workspace.");
breakpointManager._debuggerWorkspaceBinding._reset(mockTarget);
InspectorTest.testNetworkProject._reset();
}
function createBreakpoint(uiSourceCodeId, lineNumber, condition, enabled)
{
return { sourceFileId: uiSourceCodeId, lineNumber: lineNumber, condition: condition, enabled: enabled };
}
var serializedBreakpoints = [];
serializedBreakpoints.push(createBreakpoint("a.js", 10, "foo == bar", true));
serializedBreakpoints.push(createBreakpoint("a.js", 20, "", false));
serializedBreakpoints.push(createBreakpoint("b.js", 3, "", true));
createWorkspace();
InspectorTest.setupLiveLocationSniffers();
var addUISourceCode = function() {
var args = [mockTarget].concat(Array.prototype.slice.call(arguments));
return InspectorTest.addUISourceCode.apply(null, args);
}
var createBreakpointManager = function(serializedBreakpoints) {
return InspectorTest.createBreakpointManager(InspectorTest.testTargetManager, InspectorTest.testDebuggerWorkspaceBinding, serializedBreakpoints);
}
InspectorTest.runTestSuite([
function testSetBreakpoint(next)
{
var breakpointManager = createBreakpointManager();
var uiSourceCode = addUISourceCode(breakpointManager, "a.js");
InspectorTest.setBreakpoint(breakpointManager, uiSourceCode, 30, 0, "", true);
InspectorTest.finishBreakpointTest(breakpointManager, next);
},
function testSetDisabledBreakpoint(next)
{
var breakpointManager = createBreakpointManager();
var uiSourceCode = addUISourceCode(breakpointManager, "a.js");
var breakpoint = InspectorTest.setBreakpoint(breakpointManager, uiSourceCode, 30, 0, "", false);
InspectorTest.dumpBreakpointLocations(breakpointManager);
InspectorTest.dumpBreakpointStorage(breakpointManager);
InspectorTest.addResult(" Enabling breakpoint");
breakpoint.setEnabled(true);
InspectorTest.finishBreakpointTest(breakpointManager, next);
},
function testSetConditionalBreakpoint(next)
{
var breakpointManager = createBreakpointManager();
var uiSourceCode = addUISourceCode(breakpointManager, "a.js");
var breakpoint = InspectorTest.setBreakpoint(breakpointManager, uiSourceCode, 30, 0, "condition", true, step2);
function step2()
{
InspectorTest.dumpBreakpointLocations(breakpointManager);
InspectorTest.dumpBreakpointStorage(breakpointManager);
InspectorTest.addResult(" Updating condition");
breakpoint.setCondition("");
InspectorTest.finishBreakpointTest(breakpointManager, next);
}
},
function testRestoreBreakpoints(next)
{
createWorkspace();
var breakpointManager = createBreakpointManager(serializedBreakpoints);
addUISourceCode(breakpointManager, "a.js");
InspectorTest.finishBreakpointTest(breakpointManager, next);
},
function testRestoreBreakpointsTwice(next)
{
createWorkspace();
var breakpointManager = createBreakpointManager(serializedBreakpoints);
addUISourceCode(breakpointManager, "a.js");
addUISourceCode(breakpointManager, "a.js");
InspectorTest.finishBreakpointTest(breakpointManager, next);
},
function testRemoveBreakpoints(next)
{
createWorkspace();
var breakpointManager = createBreakpointManager(serializedBreakpoints);
var uiSourceCode = addUISourceCode(breakpointManager, "a.js");
window.setBreakpointCallback = step2.bind(this);
function step2()
{
InspectorTest.dumpBreakpointLocations(breakpointManager);
InspectorTest.setBreakpoint(breakpointManager, uiSourceCode, 30, 0, "", true, step3);
}
function step3()
{
InspectorTest.dumpBreakpointLocations(breakpointManager);
InspectorTest.removeBreakpoint(breakpointManager, uiSourceCode, 30, 0);
InspectorTest.removeBreakpoint(breakpointManager, uiSourceCode, 10, 0);
InspectorTest.removeBreakpoint(breakpointManager, uiSourceCode, 20, 0);
InspectorTest.finishBreakpointTest(breakpointManager, next);
}
},
function testSetBreakpointThatShifts(next)
{
createWorkspace();
var breakpointManager = createBreakpointManager();
var uiSourceCode = addUISourceCode(breakpointManager, "a.js");
InspectorTest.setBreakpoint(breakpointManager, uiSourceCode, 1015, 0, "", true);
InspectorTest.finishBreakpointTest(breakpointManager, next);
},
function testSetBreakpointThatShiftsTwice(next)
{
createWorkspace();
var breakpointManager = createBreakpointManager();
var uiSourceCode = addUISourceCode(breakpointManager, "a.js");
InspectorTest.setBreakpoint(breakpointManager, uiSourceCode, 1015, 0, "", true, step2);
function step2()
{
InspectorTest.dumpBreakpointLocations(breakpointManager);
InspectorTest.setBreakpoint(breakpointManager, uiSourceCode, 1015, 0, "", true);
InspectorTest.finishBreakpointTest(breakpointManager, next);
}
},
function testSetBreakpointOutsideScript(next)
{
createWorkspace();
var breakpointManager = createBreakpointManager();
var uiSourceCode = addUISourceCode(breakpointManager, "a.js");
breakpointManager.setBreakpoint(uiSourceCode, 2500, 0, "", true);
InspectorTest.finishBreakpointTest(breakpointManager, next);
},
function testNavigation(next)
{
createWorkspace();
var breakpointManager = createBreakpointManager(serializedBreakpoints);
var uiSourceCodeA = addUISourceCode(breakpointManager, "a.js");
window.setBreakpointCallback = step2.bind(this);
function step2()
{
InspectorTest.dumpBreakpointLocations(breakpointManager);
InspectorTest.addResult("\n Navigating to B.");
resetWorkspace(breakpointManager);
var uiSourceCodeB = addUISourceCode(breakpointManager, "b.js");
window.setBreakpointCallback = step3.bind(this);
}
function step3()
{
InspectorTest.dumpBreakpointLocations(breakpointManager);
InspectorTest.addResult("\n Navigating back to A.");
resetWorkspace(breakpointManager);
InspectorTest.addResult(" Resolving provisional breakpoint.");
InspectorTest.addScript(mockTarget, breakpointManager, "a.js");
mockTarget.debuggerModel._breakpointResolved("a.js:10", new WebInspector.DebuggerModel.Location(mockTarget.debuggerModel, "a.js", 10, 0));
addUISourceCode(breakpointManager, "a.js", false, true);
InspectorTest.finishBreakpointTest(breakpointManager, next);
}
},
function testSourceMapping(next)
{
var shiftingMapping = {
rawLocationToUILocation: function(rawLocation)
{
if (this._disabled)
return null;
return InspectorTest.uiSourceCodes[rawLocation.scriptId].uiLocation(rawLocation.lineNumber + 10, 0);
},
uiLocationToRawLocation: function(uiSourceCode, lineNumber)
{
var networkURL = InspectorTest.testNetworkMapping.networkURL(uiSourceCode);
return new WebInspector.DebuggerModel.Location(mockTarget.debuggerModel, networkURL, lineNumber - 10, 0);
},
isIdentity: function()
{
return false;
}
};
// Source mapping will shift everything 10 lines ahead so that breakpoint 1 clashes with breakpoint 2.
var serializedBreakpoints = [];
serializedBreakpoints.push(createBreakpoint("a.js", 10, "foo == bar", true));
serializedBreakpoints.push(createBreakpoint("a.js", 20, "", true));
createWorkspace();
var breakpointManager = createBreakpointManager(serializedBreakpoints);
var uiSourceCodeA = addUISourceCode(breakpointManager, "a.js");
window.setBreakpointCallback = step2.bind(this);
function step2()
{
window.setBreakpointCallback = step3.bind(this);
}
function step3()
{
InspectorTest.dumpBreakpointLocations(breakpointManager);
InspectorTest.addResult("\n Toggling source mapping.");
mockTarget.debuggerModel.pushSourceMapping(shiftingMapping);
InspectorTest.dumpBreakpointLocations(breakpointManager);
InspectorTest.addResult("\n Toggling source mapping back.");
mockTarget.debuggerModel.disableSourceMapping(shiftingMapping);
InspectorTest.finishBreakpointTest(breakpointManager, next);
}
},
function testProvisionalBreakpointsResolve(next)
{
var serializedBreakpoints = [];
serializedBreakpoints.push(createBreakpoint("a.js", 10, "foo == bar", true));
createWorkspace();
var breakpointManager = createBreakpointManager(serializedBreakpoints);
var uiSourceCode = addUISourceCode(breakpointManager, "a.js");
window.setBreakpointCallback = step2.bind(this);
function step2()
{
InspectorTest.dumpBreakpointLocations(breakpointManager);
resetWorkspace(breakpointManager);
InspectorTest.addResult(" Resolving provisional breakpoint.");
InspectorTest.addScript(mockTarget, breakpointManager, "a.js");
mockTarget.debuggerModel._breakpointResolved("a.js:10", new WebInspector.DebuggerModel.Location(mockTarget.debuggerModel, "a.js", 11, 0));
var breakpoints = breakpointManager.allBreakpoints();
InspectorTest.assertEquals(1, breakpoints.length, "Exactly one provisional breakpoint should be registered in breakpoint manager.");
InspectorTest.finishBreakpointTest(breakpointManager, next);
}
},
function testSourceMappingReload(next)
{
function createSourceMapping(uiSourceCodeA, uiSourceCodeB)
{
var mapping = {
rawLocationToUILocation: function(rawLocation)
{
if (this._disabled)
return null;
return uiSourceCodeB.uiLocation(rawLocation.lineNumber + 10, 0);
},
uiLocationToRawLocation: function(uiSourceCode, lineNumber)
{
var networkURL = InspectorTest.testNetworkMapping.networkURL(uiSourceCodeA);
return new WebInspector.DebuggerModel.Location(mockTarget.debuggerModel, networkURL, lineNumber - 10, 0);
},
isIdentity: function()
{
return false;
}
};
return mapping;
}
// Source mapping will shift everything 10 lines ahead.
var serializedBreakpoints = [createBreakpoint("b.js", 20, "foo == bar", true)];
createWorkspace();
var breakpointManager = createBreakpointManager(serializedBreakpoints);
InspectorTest.addResult("\n Adding files:");
var uiSourceCodeA = addUISourceCode(breakpointManager, "a.js");
var uiSourceCodeB = addUISourceCode(breakpointManager, "b.js", true, true);
InspectorTest.addResult("\n Toggling source mapping.");
var sourceMapping = createSourceMapping(uiSourceCodeA, uiSourceCodeB);
mockTarget.debuggerModel.pushSourceMapping(sourceMapping);
breakpointManager._debuggerWorkspaceBinding.setSourceMapping(mockTarget, uiSourceCodeB, sourceMapping);
InspectorTest.runAfterPendingBreakpointUpdates(breakpointManager, breakpointActionsPerformedBeforeReload.bind(this));
function breakpointActionsPerformedBeforeReload()
{
InspectorTest.dumpBreakpointLocations(breakpointManager);
InspectorTest.addResult("\n Reloading:");
resetWorkspace(breakpointManager);
InspectorTest.addResult("\n Adding files:");
InspectorTest.addScript(mockTarget, breakpointManager, "a.js");
mockTarget.debuggerModel._breakpointResolved("a.js:10", new WebInspector.DebuggerModel.Location(mockTarget.debuggerModel, "a.js", 10, 0));
uiSourceCodeA = addUISourceCode(breakpointManager, "a.js", false, true);
uiSourceCodeB = addUISourceCode(breakpointManager, "b.js", true, true);
InspectorTest.addResult("\n Toggling source mapping.");
var sourceMapping = createSourceMapping(uiSourceCodeA, uiSourceCodeB);
mockTarget.debuggerModel.pushSourceMapping(sourceMapping);
breakpointManager._debuggerWorkspaceBinding.setSourceMapping(mockTarget, uiSourceCodeB, sourceMapping);
InspectorTest.runAfterPendingBreakpointUpdates(breakpointManager, breakpointActionsPerformed.bind(this));
}
function breakpointActionsPerformed()
{
InspectorTest.finishBreakpointTest(breakpointManager, next);
}
},
function testBreakpointInCollectedReload(next)
{
createWorkspace();
var breakpointManager = createBreakpointManager();
InspectorTest.addResult("\n Adding file without script:");
var uiSourceCode = addUISourceCode(breakpointManager, "a.js", true, true);
InspectorTest.addResult("\n Setting breakpoint:");
InspectorTest.setBreakpoint(breakpointManager, uiSourceCode, 10, 0, "", true, step2);
function step2()
{
InspectorTest.dumpBreakpointLocations(breakpointManager);
InspectorTest.addResult("\n Reloading:");
resetWorkspace(breakpointManager);
InspectorTest.addResult("\n Adding file with script:");
var uiSourceCode = addUISourceCode(breakpointManager, "a.js");
InspectorTest.addResult("\n Emulating breakpoint resolved event:");
mockTarget.debuggerModel._breakpointResolved("a.js:10", new WebInspector.DebuggerModel.Location(mockTarget.debuggerModel, "a.js", 10, 0));
InspectorTest.addResult("\n Make sure we don't do any unnecessary breakpoint actions:");
InspectorTest.runAfterPendingBreakpointUpdates(breakpointManager, breakpointActionsPerformed.bind(this));
function breakpointActionsPerformed()
{
InspectorTest.finishBreakpointTest(breakpointManager, next);
}
}
},
]);
};
</script>
</head>
<body onload="runTest()">
<p>Tests BreakpointManager class.</p>
</body>
</html>
| Workday/OpenFrame | third_party/WebKit/LayoutTests/inspector/sources/debugger-breakpoints/breakpoint-manager.html | HTML | bsd-3-clause | 16,445 |
<!DOCTYPE html>
<html><head>
<meta charset="utf-8">
<!--
Tests for the OpenGL ES 2.0 HTML Canvas context
Copyright (C) 2011 Ilmari Heikkinen <ilmari.heikkinen@gmail.com>
Permission is hereby granted, free of charge, to any person
obtaining a copy of this software and associated documentation
files (the "Software"), to deal in the Software without
restriction, including without limitation the rights to use,
copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the
Software is furnished to do so, subject to the following
conditions:
The above copyright notice and this permission notice shall be
included in all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES
OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT
HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR
OTHER DEALINGS IN THE SOFTWARE.
-->
<link rel="stylesheet" type="text/css" href="./resources/unit.css" />
<script type="application/x-javascript" src="./resources/unit.js"></script>
<script type="application/x-javascript" src="./resources/util.js"></script>
<script type="application/x-javascript">
var verts = [0.0, 0.0, 0.0, 1.0, 0.0, 0.0, 0.0, 1.0, 0.0];
var normals = [0.0, 0.0, 1.0, 0.0, 0.0, 1.0, 0.0, 0.0, 1.0];
var texcoords = [0.0,0.0, 1.0,0.0, 0.0,1.0];
Tests.startUnit = function () {
var canvas = document.getElementById('gl');
var gl = wrapGLContext(canvas.getContext(GL_CONTEXT_ID));
var prog = new Shader(gl, 'vert', 'frag');
prog.use();
var sh = prog.shader.program;
// log(gl.getShaderInfoLog(prog.shaders[1]));
var v = gl.getAttribLocation(sh, 'Vertex');
var n = gl.getAttribLocation(sh, 'Normal');
var t = gl.getAttribLocation(sh, 'Tex');
return [gl,prog,v,n,t];
}
Tests.setup = function(gl, prog, v,n,t) {
assert(0 == gl.getError());
return [gl, prog, v,n,t];
}
Tests.teardown = function(gl, prog, v,n,t) {
gl.disableVertexAttribArray(v);
gl.disableVertexAttribArray(n);
gl.disableVertexAttribArray(t);
}
Tests.endUnit = function(gl, prog, v,n,t) {
prog.destroy();
}
Tests.testVertexAttrib = function(gl, prog, v,n,t) {
var vbo = gl.createBuffer();
var vertsArr = new Float32Array(verts);
gl.bindBuffer(gl.ARRAY_BUFFER, vbo);
gl.bufferData(gl.ARRAY_BUFFER, vertsArr, gl.STATIC_DRAW);
gl.enableVertexAttribArray(v);
gl.vertexAttribPointer(v, 3, gl.FLOAT, false, 0, 0);
assertOk(function(){gl.drawArrays(gl.TRIANGLES, 0, 3);});
gl.vertexAttrib1fv(v, [1]);
gl.vertexAttrib2fv(v, [1,2]);
gl.vertexAttrib3fv(v, [1,2,3]);
gl.vertexAttrib4fv(v, [1,2,3,4]);
gl.vertexAttrib1f(v, 1);
gl.vertexAttrib2f(v, 1,2);
gl.vertexAttrib3f(v, 1,2,3);
gl.vertexAttrib4f(v, 1,2,3,4);
assertOk(function(){gl.drawArrays(gl.TRIANGLES, 0, 3);});
throwError(gl);
gl.bindBuffer(gl.ARRAY_BUFFER, null);
gl.deleteBuffer(vbo);
throwError(gl);
}
Tests.testVertexAttribVBO = function(gl, prog, v,n,t) {
var vbo = gl.createBuffer();
var vertsArr = new Float32Array(verts);
gl.bindBuffer(gl.ARRAY_BUFFER, vbo);
gl.bufferData(gl.ARRAY_BUFFER, vertsArr, gl.STATIC_DRAW);
gl.enableVertexAttribArray(v);
gl.vertexAttribPointer(v, 3, gl.FLOAT, false, 0, 0);
gl.vertexAttrib1fv(v, [1]);
gl.vertexAttrib2fv(v, [1,2]);
gl.vertexAttrib3fv(v, [1,2,3]);
gl.vertexAttrib4fv(v, [1,2,3,4]);
gl.vertexAttrib1f(v, 1);
gl.vertexAttrib2f(v, 1,2);
gl.vertexAttrib3f(v, 1,2,3);
gl.vertexAttrib4f(v, 1,2,3,4);
assertOk(function(){gl.vertexAttribPointer(v, 3, gl.FLOAT, false, 0, 0);});
assertOk(function(){gl.drawArrays(gl.TRIANGLES, 0, 3);});
gl.vertexAttrib4fv(v, [1,2,3,4]);
assertOk(function(){gl.drawArrays(gl.TRIANGLES, 0, 3);});
throwError(gl);
gl.bindBuffer(gl.ARRAY_BUFFER, null);
gl.deleteBuffer(vbo);
throwError(gl);
}
</script>
<script id="vert" type="x-shader/x-vertex">
attribute vec3 Vertex;
attribute vec3 Normal;
attribute vec2 Tex;
varying vec4 texCoord0;
void main()
{
gl_Position = vec4(Vertex * Normal, 1.0);
texCoord0 = vec4(Tex,0.0,0.0) + gl_Position;
}
</script>
<script id="frag" type="x-shader/x-fragment">
precision mediump float;
varying vec4 texCoord0;
void main()
{
vec4 c = texCoord0;
gl_FragColor = c;
}
</script>
<style>canvas{ position:absolute; }</style>
</head><body>
<canvas id="gl" width="1" height="1"></canvas>
</body>
</html> | yugang/web-testing-service | wts/tests/webgl/khronos/vertexAttrib.html | HTML | bsd-3-clause | 4,673 |
<!DOCTYPE html>
<html>
<head>
<title>Unit tests for tinymce.dom.Serializer</title>
<meta http-equiv="X-UA-Compatible" content="IE=edge" />
<link rel="stylesheet" href="http://code.jquery.com/qunit/qunit-git.css" type="text/css" />
<script src="http://code.jquery.com/qunit/qunit-git.js"></script>
<script src="../../js/qunit/reporter.js"></script>
<script src="../../js/tinymce_loader.js"></script>
</head>
<body>
<script>
var DOM = tinymce.DOM;
QUnit.config.reorder = false;
module("tinymce.dom.Serializer", {
});
test('Schema rules', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(8);
ser.setRules('@[id|title|class|style],div,img[src|alt|-style|border],span,hr');
DOM.setHTML('test', '<img title="test" src="file.gif" data-mce-src="file.gif" alt="test" border="0" style="border: 1px solid red" class="test" /><span id="test2">test</span><hr />');
equal(ser.serialize(DOM.get('test')), '<div id="test"><img title="test" class="test" src="file.gif" alt="test" border="0" /><span id="test2">test</span><hr /></div>', 'Global rule');
ser.setRules('*a[*],em/i[*],strong/b[*i*]');
DOM.setHTML('test', '<a href="test" data-mce-href="test">test</a><strong title="test" class="test">test2</strong><em title="test">test3</em>');
equal(ser.serialize(DOM.get('test')), '<a href="test">test</a><strong title="test">test2</strong><em title="test">test3</em>', 'Wildcard rules');
ser.setRules('br,hr,input[type|name|value],div[id],span[id],strong/b,a,em/i,a[!href|!name],img[src|border=0|title={$uid}]');
DOM.setHTML('test', '<br /><hr /><input type="text" name="test" value="val" class="no" /><span id="test2" class="no"><b class="no">abc</b><em class="no">123</em></span>123<a href="file.html" data-mce-href="file.html">link</a><a name="anchor"></a><a>no</a><img src="file.gif" data-mce-src="file.gif" />');
equal(ser.serialize(DOM.get('test')), '<div id="test"><br /><hr /><input type="text" name="test" value="val" /><span id="test2"><strong>abc</strong><em>123</em></span>123<a href="file.html">link</a><a name="anchor"></a>no<img src="file.gif" border="0" title="mce_0" /></div>', 'Output name and attribute rules');
ser.setRules('a[href|target<_blank?_top|title:forced value]');
DOM.setHTML('test', '<a href="file.htm" data-mce-href="file.htm" target="_blank" title="title">link</a><a href="#" data-mce-href="#" target="test">test2</a>');
equal(ser.serialize(DOM.get('test')), '<a href="file.htm" target="_blank" title="forced value">link</a><a href="#" title="forced value">test2</a>');
ser.setRules('img[src|border=0|alt=]');
DOM.setHTML('test', '<img src="file.gif" data-mce-src="file.gif" border="0" alt="" />');
equal(ser.serialize(DOM.get('test')), '<img src="file.gif" border="0" alt="" />', 'Default attribute with empty value');
ser.setRules('img[src|border=0|alt=],*[*]');
DOM.setHTML('test', '<img src="file.gif" data-mce-src="file.gif" /><hr />');
equal(ser.serialize(DOM.get('test')), '<div id="test"><img src="file.gif" border="0" alt="" /><hr /></div>');
ser = new tinymce.dom.Serializer({
valid_elements : 'img[src|border=0|alt=]',
extended_valid_elements : 'div[id],img[src|alt=]'
});
DOM.setHTML('test', '<img src="file.gif" data-mce-src="file.gif" alt="" />');
equal(ser.serialize(DOM.get('test')), '<div id="test"><img src="file.gif" alt="" /></div>');
ser = new tinymce.dom.Serializer({invalid_elements : 'hr,br'});
DOM.setHTML('test', '<img src="file.gif" data-mce-src="file.gif" /><hr /><br />');
equal(ser.serialize(DOM.get('test')), '<div id="test"><img src="file.gif" alt="" /></div>');
});
test('Entity encoding', function() {
var ser;
expect(4);
ser = new tinymce.dom.Serializer({entity_encoding : 'numeric'});
DOM.setHTML('test', '<>&" åäö');
equal(ser.serialize(DOM.get('test')), '<div id="test"><>&" åäö</div>');
ser = new tinymce.dom.Serializer({entity_encoding : 'named'});
DOM.setHTML('test', '<>&" åäö');
equal(ser.serialize(DOM.get('test')), '<div id="test"><>&" åäö</div>');
ser = new tinymce.dom.Serializer({entity_encoding : 'named+numeric', entities : '160,nbsp,34,quot,38,amp,60,lt,62,gt'});
DOM.setHTML('test', '<>&" åäö');
equal(ser.serialize(DOM.get('test')), '<div id="test"><>&" åäö</div>');
ser = new tinymce.dom.Serializer({entity_encoding : 'raw'});
DOM.setHTML('test', '<>&" åäö');
equal(ser.serialize(DOM.get('test')), '<div id="test"><>&"\u00a0\u00e5\u00e4\u00f6</div>');
});
test('Form elements (general)', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(5);
ser.setRules('form[method],label[for],input[type|name|value|checked|disabled|readonly|length|maxlength],select[multiple],option[value|selected],textarea[name|disabled|readonly]');
DOM.setHTML('test', '<input type="text" />');
equal(ser.serialize(DOM.get('test')), '<input type="text" />');
DOM.setHTML('test', '<input type="text" value="text" length="128" maxlength="129" />');
equal(ser.serialize(DOM.get('test')), '<input type="text" value="text" length="128" maxlength="129" />');
DOM.setHTML('test', '<form method="post"><input type="hidden" name="method" value="get" /></form>');
equal(ser.serialize(DOM.get('test')), '<form method="post"><input type="hidden" name="method" value="get" /></form>');
DOM.setHTML('test', '<label for="test">label</label>');
equal(ser.serialize(DOM.get('test')), '<label for="test">label</label>');
DOM.setHTML('test', '<input type="checkbox" value="test" /><input type="button" /><textarea></textarea>');
equal(ser.serialize(DOM.get('test')), '<input type="checkbox" value="test" /><input type="button" /><textarea></textarea>');
});
test('Form elements (checkbox)', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(4);
ser.setRules('form[method],label[for],input[type|name|value|checked|disabled|readonly|length|maxlength],select[multiple],option[value|selected]');
DOM.setHTML('test', '<input type="checkbox" value="1">');
equal(ser.serialize(DOM.get('test')), '<input type="checkbox" value="1" />');
DOM.setHTML('test', '<input type="checkbox" value="1" checked disabled readonly>');
equal(ser.serialize(DOM.get('test')), '<input type="checkbox" value="1" checked="checked" disabled="disabled" readonly="readonly" />');
DOM.setHTML('test', '<input type="checkbox" value="1" checked="1" disabled="1" readonly="1">');
equal(ser.serialize(DOM.get('test')), '<input type="checkbox" value="1" checked="checked" disabled="disabled" readonly="readonly" />');
DOM.setHTML('test', '<input type="checkbox" value="1" checked="true" disabled="true" readonly="true">');
equal(ser.serialize(DOM.get('test')), '<input type="checkbox" value="1" checked="checked" disabled="disabled" readonly="readonly" />');
});
test('Form elements (select)', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(7);
ser.setRules('form[method],label[for],input[type|name|value|checked|disabled|readonly|length|maxlength],select[multiple],option[value|selected]');
DOM.setHTML('test', '<select><option value="1">test1</option><option value="2" selected>test2</option></select>');
equal(ser.serialize(DOM.get('test')), '<select><option value="1">test1</option><option value="2" selected="selected">test2</option></select>');
DOM.setHTML('test', '<select><option value="1">test1</option><option selected="1" value="2">test2</option></select>');
equal(ser.serialize(DOM.get('test')), '<select><option value="1">test1</option><option value="2" selected="selected">test2</option></select>');
DOM.setHTML('test', '<select><option value="1">test1</option><option value="2" selected="true">test2</option></select>');
equal(ser.serialize(DOM.get('test')), '<select><option value="1">test1</option><option value="2" selected="selected">test2</option></select>');
DOM.setHTML('test', '<select multiple></select>');
equal(ser.serialize(DOM.get('test')), '<select multiple="multiple"></select>');
DOM.setHTML('test', '<select multiple="multiple"></select>');
equal(ser.serialize(DOM.get('test')), '<select multiple="multiple"></select>');
DOM.setHTML('test', '<select multiple="1"></select>');
equal(ser.serialize(DOM.get('test')), '<select multiple="multiple"></select>');
DOM.setHTML('test', '<select></select>');
equal(ser.serialize(DOM.get('test')), '<select></select>');
});
test('List elements', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(5);
ser.setRules('ul[compact],ol,li');
DOM.setHTML('test', '<ul compact></ul>');
equal(ser.serialize(DOM.get('test')), '<ul compact="compact"></ul>');
DOM.setHTML('test', '<ul compact="compact"></ul>');
equal(ser.serialize(DOM.get('test')), '<ul compact="compact"></ul>');
DOM.setHTML('test', '<ul compact="1"></ul>');
equal(ser.serialize(DOM.get('test')), '<ul compact="compact"></ul>');
DOM.setHTML('test', '<ul></ul>');
equal(ser.serialize(DOM.get('test')), '<ul></ul>');
DOM.setHTML('test', '<ol><li>a</li><ol><li>b</li><li>c</li></ol><li>e</li></ol>');
equal(ser.serialize(DOM.get('test')), '<ol><li>a<ol><li>b</li><li>c</li></ol></li><li>e</li></ol>');
});
test('Tables', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(4);
ser.setRules('table,tr,td[nowrap]');
DOM.setHTML('test', '<table><tr><td></td></tr></table>');
equal(ser.serialize(DOM.get('test')), '<table><tr><td></td></tr></table>');
DOM.setHTML('test', '<table><tr><td nowrap></td></tr></table>');
equal(ser.serialize(DOM.get('test')), '<table><tr><td nowrap="nowrap"></td></tr></table>');
DOM.setHTML('test', '<table><tr><td nowrap="nowrap"></td></tr></table>');
equal(ser.serialize(DOM.get('test')), '<table><tr><td nowrap="nowrap"></td></tr></table>');
DOM.setHTML('test', '<table><tr><td nowrap="1"></td></tr></table>');
equal(ser.serialize(DOM.get('test')), '<table><tr><td nowrap="nowrap"></td></tr></table>');
});
test('Styles', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(1);
ser.setRules('*[*]');
DOM.setHTML('test', '<span style="border: 1px solid red" data-mce-style="border: 1px solid red;">test</span>');
equal(ser.serialize(DOM.get('test')), '<div id="test"><span style="border: 1px solid red;">test</span></div>');
});
test('Comments', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(1);
ser.setRules('*[*]');
DOM.setHTML('test', '<!-- abc -->');
equal(ser.serialize(DOM.get('test')), '<div id="test"><!-- abc --></div>');
});
test('Non HTML elements and attributes', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(2);
ser.setRules('*[*]');
ser.schema.addValidChildren('+div[prefix:test]');
DOM.setHTML('test', '<div test:attr="test">test</div>');
equal(ser.serialize(DOM.get('test'), {getInner : 1}), '<div test:attr="test">test</div>');
DOM.setHTML('test', 'test1<prefix:test>Test</prefix:test>test2');
equal(ser.serialize(DOM.get('test')), '<div id="test">test1<prefix:test>Test</prefix:test>test2</div>');
});
test('Padd empty elements', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(1);
ser.setRules('#p');
DOM.setHTML('test', '<p>test</p><p></p>');
equal(ser.serialize(DOM.get('test')), '<p>test</p><p> </p>');
});
test('Remove empty elements', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(1);
ser.setRules('-p');
DOM.setHTML('test', '<p>test</p><p></p>');
equal(ser.serialize(DOM.get('test')), '<p>test</p>');
});
test('Pre/post process events', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(3);
ser.setRules('div[id],span[id|class],a[href],b[class]');
ser.onPreProcess = function(o) {
equal(o.test, 'abc');
DOM.setAttrib(o.node.getElementsByTagName('span')[0], 'class', 'abc');
};
ser.onPostProcess = function(o) {
equal(o.test, 'abc');
o.content = o.content.replace(/<b>/g, '<b class="123">');
};
DOM.setHTML('test', '<span id="test2"><b>abc</b></span>123<a href="file.html" data-mce-href="file.html">link</a>');
equal(ser.serialize(DOM.get('test'), {test : 'abc'}), '<div id="test"><span id="test2" class="abc"><b class="123">abc</b></span>123<a href="file.html">link</a></div>');
});
test('Script with non JS type attribute', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<s'+'cript type="mylanguage"></s'+'cript>');
equal(ser.serialize(DOM.get('test')).replace(/\r/g, ''), '<s'+'cript type="mylanguage"></s'+'cript>');
});
test('Script with tags inside a comment', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<s'+'cript>// <img src="test"><a href="#"></a></s'+'cript>');
equal(ser.serialize(DOM.get('test')).replace(/\r/g, ''), '<s'+'cript>// <![CDATA[\n// <img src="test"><a href="#"></a>\n// ]]></s'+'cript>');
});
test('Script with less than', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<s'+'cript>1 < 2;</s'+'cript>');
equal(ser.serialize(DOM.get('test')).replace(/\r/g, ''), '<s'+'cript>// <![CDATA[\n1 < 2;\n// ]]></s'+'cript>');
});
test('Script with type attrib and less than', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<s'+'cript type="text/javascript">1 < 2;</s'+'cript>');
equal(ser.serialize(DOM.get('test')).replace(/\r/g, ''), '<script>// <![CDATA[\n1 < 2;\n// ]]></s'+'cript>');
});
test('Script with whitespace in beginning/end', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<script>\n\t1 < 2;\n\t if (2 < 1)\n\t\talert(1);\n</s'+'cript>');
equal(ser.serialize(DOM.get('test')).replace(/\r/g, ''), '<s'+'cript>// <![CDATA[\n\t1 < 2;\n\t if (2 < 1)\n\t\talert(1);\n// ]]></s'+'cript>');
});
test('Script with a HTML comment and less than', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<script><!-- 1 < 2; // --></s'+'cript>');
equal(ser.serialize(DOM.get('test')).replace(/\r/g, ''), '<s'+'cript>// <![CDATA[\n1 < 2;\n// ]]></s'+'cript>');
});
test('Script with white space in beginning, comment and less than', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<script>\n\n<!-- 1 < 2;\n\n--></s'+'cript>');
equal(ser.serialize(DOM.get('test')).replace(/\r/g, ''), '<s'+'cript>// <![CDATA[\n1 < 2;\n// ]]></s'+'cript>');
});
test('Script with comments and cdata', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<script>// <![CDATA[1 < 2; // ]]></s'+'cript>');
equal(ser.serialize(DOM.get('test')).replace(/\r/g, ''), '<s'+'cript>// <![CDATA[\n1 < 2;\n// ]]></s'+'cript>');
});
test('Script with cdata', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<script><![CDATA[1 < 2; ]]></s'+'cript>');
equal(ser.serialize(DOM.get('test')).replace(/\r/g, ''), '<s'+'cript>// <![CDATA[\n1 < 2;\n// ]]></s'+'cript>');
});
test('Script whitespace in beginning/end and cdata', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<script>\n\n<![CDATA[\n\n1 < 2;\n\n]]>\n\n</s'+'cript>');
equal(ser.serialize(DOM.get('test')).replace(/\r/g, ''), '<s'+'cript>// <![CDATA[\n1 < 2;\n// ]]></s'+'cript>');
});
test('Script with src attr', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<script src="test.js" data-mce-src="test.js"></s'+'cript>');
equal(ser.serialize(DOM.get('test')), '<s'+'cript src="test.js"></s'+'cript>');
});
test('Script with HTML comment, comment and CDATA', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<script><!--// <![CDATA[var hi = "hello";// ]]>--></s'+'cript>');
equal(ser.serialize(DOM.get('test')), '<script>// <![CDATA[\nvar hi = \"hello\";\n// ]]></s'+'cript>');
});
test('Script with block comment around cdata', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<script>/* <![CDATA[ */\nvar hi = "hello";\n/* ]]> */</s'+'cript>');
equal(ser.serialize(DOM.get('test')), '<script>// <![CDATA[\nvar hi = \"hello\";\n// ]]></s'+'cript>');
});
test('Script with html comment and block comment around cdata', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<script><!-- /* <![CDATA[ */\nvar hi = "hello";\n/* ]]>*/--></s'+'cript>');
equal(ser.serialize(DOM.get('test')), '<script>// <![CDATA[\nvar hi = \"hello\";\n// ]]></s'+'cript>');
});
test('Script with line comment and html comment', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<script>// <!--\nvar hi = "hello";\n// --></s'+'cript>');
equal(ser.serialize(DOM.get('test')), '<script>// <![CDATA[\nvar hi = \"hello\";\n// ]]></s'+'cript>');
});
test('Script with block comment around html comment', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('script[type|language|src]');
DOM.setHTML('test', '<script>/* <!-- */\nvar hi = "hello";\n/*-->*/</s'+'cript>');
equal(ser.serialize(DOM.get('test')), '<script>// <![CDATA[\nvar hi = \"hello\";\n// ]]></s'+'cript>');
});
test('Protected blocks', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(3);
ser.setRules('noscript[test]');
DOM.setHTML('test', '<!--mce:protected ' + escape('<noscript test="test"><br></noscript>') + '-->');
equal(ser.serialize(DOM.get('test')), '<noscript test="test"><br></noscript>');
DOM.setHTML('test', '<!--mce:protected ' + escape('<noscript><br></noscript>') + '-->');
equal(ser.serialize(DOM.get('test')), '<noscript><br></noscript>');
DOM.setHTML('test', '<!--mce:protected ' + escape('<noscript><!-- text --><br></noscript>') + '-->');
equal(ser.serialize(DOM.get('test')), '<noscript><!-- text --><br></noscript>');
});
test('Style with whitespace at beginning', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true, valid_children: '+body[style]'});
ser.setRules('style');
DOM.setHTML('test', '<style> body { background:#fff }</style>');
equal(ser.serialize(DOM.get('test')).replace(/\r/g, ''), '<style><!--\n body { background:#fff }\n--></style>');
});
test('Style with cdata', 1, function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true, valid_children: '+body[style]'});
ser.setRules('style');
DOM.setHTML('test', '<style>\r\n<![CDATA[\r\n body { background:#fff }]]></style>');
equal(ser.serialize(DOM.get('test')).replace(/\r/g, ''), '<style><!--\nbody { background:#fff }\n--></style>');
});
test('CDATA', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
expect(2);
ser.setRules('span');
DOM.setHTML('test', '123<!--[CDATA[<test>]]-->abc');
equal(ser.serialize(DOM.get('test')), '123<![CDATA[<test>]]>abc');
DOM.setHTML('test', '123<!--[CDATA[<te\n\nst>]]-->abc');
equal(ser.serialize(DOM.get('test')).replace(/\r/g, ''), '123<![CDATA[<te\n\nst>]]>abc');
});
test('BR at end of blocks', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('ul,li,br');
DOM.setHTML('test', '<ul><li>test<br /></li><li>test<br /></li><li>test<br /></li></ul>');
equal(ser.serialize(DOM.get('test')), '<ul><li>test</li><li>test</li><li>test</li></ul>');
});
test('Map elements', function() {
var ser = new tinymce.dom.Serializer({fix_list_elements : true});
ser.setRules('map[id|name],area[shape|coords|href|target|alt]');
DOM.setHTML('test', '<map id="planetmap" name="planetmap"><area shape="rect" coords="0,0,82,126" href="sun.htm" data-mce-href="sun.htm" target="_blank" alt="sun" /></map>');
equal(ser.serialize(DOM.get('test')).toLowerCase(), '<map id="planetmap" name="planetmap"><area shape="rect" coords="0,0,82,126" href="sun.htm" target="_blank" alt="sun" /></map>');
});
test('Custom elements', function() {
var ser = new tinymce.dom.Serializer({
custom_elements: 'custom1,~custom2',
valid_elements: 'custom1,custom2'
});
document.createElement('custom1');
document.createElement('custom2');
DOM.setHTML('test', '<p><custom1>c1</custom1><custom2>c2</custom2></p>');
equal(ser.serialize(DOM.get('test')), '<custom1>c1</custom1><custom2>c2</custom2>');
});
test('Remove internal classes', function() {
var ser = new tinymce.dom.Serializer({
valid_elements: 'span[class]'
});
DOM.setHTML('test', '<span class="a mce-item-X mce-item-selected b"></span>');
equal(ser.serialize(DOM.get('test')), '<span class="a b"></span>');
DOM.setHTML('test', '<span class="a mce-item-X"></span>');
equal(ser.serialize(DOM.get('test')), '<span class="a"></span>');
DOM.setHTML('test', '<span class="mce-item-X"></span>');
equal(ser.serialize(DOM.get('test')), '<span></span>');
DOM.setHTML('test', '<span class="mce-item-X b"></span>');
equal(ser.serialize(DOM.get('test')), '<span class=" b"></span>');
DOM.setHTML('test', '<span class="b mce-item-X"></span>');
equal(ser.serialize(DOM.get('test')), '<span class="b"></span>');
});
</script>
<h1 id="qunit-header">Unit tests for tinymce.dom.Serializer</h1>
<h2 id="qunit-banner"></h2>
<div id="qunit-testrunner-toolbar"></div>
<h2 id="qunit-userAgent"></h2>
<ol id="qunit-tests"></ol>
<div id="content">
<div id="test"></div>
</div>
</body>
</html>
| lulubau/framework-master | www/tinymce/tests/tinymce/dom/Serializer.html | HTML | apache-2.0 | 22,632 |
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8">
<title>WebGL Occlusion Query Conformance Tests</title>
<link rel="stylesheet" href="../../../resources/js-test-style.css"/>
<script src="../../../js/js-test-pre.js"></script>
<script src="../../../js/webgl-test-utils.js"></script>
<script src="../../../closure-library/closure/goog/base.js"></script>
<script src="../../deqp-deps.js"></script>
<script>
goog.require('functional.gles3.es3fOcclusionQueryTests');
</script>
</head>
<body>
<div id="description"></div>
<div id="console"></div>
<canvas id="canvas" width="256" height="256"> </canvas>
<script>
var wtu = WebGLTestUtils;
var gl = wtu.create3DContext('canvas', {stencil: true, preserveDrawingBuffer: true}, 2);
functional.gles3.es3fOcclusionQueryTests.run(gl, [31, 62]);
</script>
</body>
</html>
| endlessm/chromium-browser | third_party/webgl/src/sdk/tests/deqp/functional/gles3/occlusionquery_conservative.html | HTML | bsd-3-clause | 840 |
<!doctype html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>Slides</title>
<link rel="stylesheet" href="css/reveal.css">
<link rel="stylesheet" href="css/theme/default.css" id="theme">
<link rel="stylesheet" href="lib/css/zenburn.css">
</head>
<body>
<div class="reveal">
<div class="slides">
<section data-markdown="markdown/icml-mloss.md"
data-separator="^\n\n\n"
data-vertical="^\n\n"></section>
<section data-markdown="markdown/mloss/foundations.md"
data-separator="^\n\n\n"
data-vertical="^\n\n"></section>
<section data-markdown="markdown/parallel-options.md"
data-separator="^\n\n\n"
data-vertical="^\n\n"></section>
<section data-markdown="markdown/dask-array.md"
data-separator="^\n\n\n"
data-vertical="^\n\n"></section>
<section data-markdown="markdown/dask-array-meteorology.md"
data-separator="^\n\n\n"
data-vertical="^\n\n"></section>
<section data-markdown="markdown/mloss/dask-core.md"
data-separator="^\n\n\n"
data-vertical="^\n\n"></section>
<section data-markdown="markdown/dask-dataframe.md"
data-separator="^\n\n\n"
data-vertical="^\n\n"></section>
<section data-markdown="markdown/dask-svd.md"
data-separator="^\n\n\n"
data-vertical="^\n\n"></section>
<section data-markdown="markdown/mloss/cross-validation.md"
data-separator="^\n\n\n"
data-vertical="^\n\n"></section>
<section data-markdown="markdown/mloss/finish.md"
data-separator="^\n\n\n"
data-vertical="^\n\n"></section>
</div>
</div>
<script src="lib/js/head.min.js"></script>
<script src="js/reveal.js"></script>
<script>
Reveal.initialize({
controls: true,
progress: true,
history: true,
center: true,
// Optional libraries used to extend on reveal.js
dependencies: [
{ src: 'lib/js/classList.js', condition: function() { return !document.body.classList; } },
{ src: 'marked.js', condition: function() { return !!document.querySelector( '[data-markdown]' ); } },
{ src: 'markdown.js', condition: function() { return !!document.querySelector( '[data-markdown]' ); } },
{ src: 'plugin/highlight/highlight.js', async: true, callback: function() { hljs.initHighlightingOnLoad(); } },
{ src: 'plugin/notes/notes.js' }
]
});
</script>
</body>
</html>
| alexmojaki/blaze | docs/source/_static/presentations/icml-mloss.html | HTML | bsd-3-clause | 2,841 |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0 Frameset//EN""http://www.w3.org/TR/REC-html40/frameset.dtd">
<HTML>
<HEAD>
<meta name="generator" content="JDiff v1.1.1">
<!-- Generated by the JDiff Javadoc doclet -->
<!-- (http://www.jdiff.org) -->
<meta name="description" content="JDiff is a Javadoc doclet which generates an HTML report of all the packages, classes, constructors, methods, and fields which have been removed, added or changed in any way, including their documentation, when two APIs are compared.">
<meta name="keywords" content="diff, jdiff, javadiff, java diff, java difference, API difference, difference between two APIs, API diff, Javadoc, doclet">
<TITLE>
Package Additions Index
</TITLE>
<LINK REL="stylesheet" TYPE="text/css" HREF="../stylesheet-jdiff.css" TITLE="Style">
</HEAD>
<BODY>
<a NAME="topheader"></a>
<table summary="Index for Packages" width="100%" border="0" cellspacing="0" cellpadding="0">
<tr>
<td bgcolor="#FFFFCC">
<font size="+1"><a href="packages_index_all.html" class="staysblack">All Packages</a></font>
</td>
</tr>
<tr>
<td bgcolor="#FFFFFF">
<FONT SIZE="-1">
<font color="#999999">Removals</font>
</FONT>
</td>
</tr>
<tr>
<td bgcolor="#FFFFFF">
<FONT SIZE="-1">
<b>Additions</b>
</FONT>
</td>
</tr>
<tr>
<td bgcolor="#FFFFFF">
<FONT SIZE="-1">
<A HREF="packages_index_changes.html"class="hiddenlink">Changes</A>
</FONT>
</td>
</tr>
<tr>
<td>
<font size="-2"><b>Bold</b> is New, <strike>strike</strike> is deleted</font>
</td>
</tr>
</table><br>
<br>
<A NAME="C"></A>
<A HREF="changes-summary.html#com.google.inject.assistedinject" class="hiddenlink" target="rightframe"><b>com.google.inject.assistedinject</b></A><br>
<A HREF="changes-summary.html#com.google.inject.multibindings" class="hiddenlink" target="rightframe"><b>com.google.inject.multibindings</b></A><br>
<A HREF="changes-summary.html#com.google.inject.persist" class="hiddenlink" target="rightframe"><b>com.google.inject.persist</b></A><br>
<A HREF="changes-summary.html#com.google.inject.persist.finder" class="hiddenlink" target="rightframe"><b>com.google.inject.persist.finder</b></A><br>
<A HREF="changes-summary.html#com.google.inject.persist.jpa" class="hiddenlink" target="rightframe"><b>com.google.inject.persist.jpa</b></A><br>
<A HREF="changes-summary.html#com.google.inject.throwingproviders" class="hiddenlink" target="rightframe"><b>com.google.inject.throwingproviders</b></A><br>
<A HREF="changes-summary.html#com.google.inject.util" class="hiddenlink" target="rightframe"><b>com.google.inject.util</b></A><br>
</BODY>
</HTML>
| bineanzhou/google-guice | latest-api-diffs/2.0/changes/packages_index_additions.html | HTML | apache-2.0 | 2,688 |
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.0 Transitional//EN">
<html><head><title>Python: module atom.mock_http_core</title>
</head><body bgcolor="#f0f0f8">
<table width="100%" cellspacing=0 cellpadding=2 border=0 summary="heading">
<tr bgcolor="#7799ee">
<td valign=bottom> <br>
<font color="#ffffff" face="helvetica, arial"> <br><big><big><strong><a href="atom.html"><font color="#ffffff">atom</font></a>.mock_http_core</strong></big></big></font></td
><td align=right valign=bottom
><font color="#ffffff" face="helvetica, arial"><a href=".">index</a><br><a href="file:/home/afshar/wrk/gdata-python-client/src/atom/mock_http_core.py">/home/afshar/wrk/gdata-python-client/src/atom/mock_http_core.py</a></font></td></tr></table>
<p><tt># Copyright (C) 2009 Google Inc.<br>
#<br>
# Licensed under the Apache License, Version 2.0 (the "License");<br>
# you may not use this file except in compliance with the License.<br>
# You may obtain a copy of the License at<br>
#<br>
# <a href="http://www.apache.org/licenses/LICENSE-2.0">http://www.apache.org/licenses/LICENSE-2.0</a><br>
#<br>
# Unless required by applicable law or agreed to in writing, software<br>
# distributed under the License is distributed on an "AS IS" BASIS,<br>
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.<br>
# See the License for the specific language governing permissions and<br>
# limitations under the License.</tt></p>
<p>
<table width="100%" cellspacing=0 cellpadding=2 border=0 summary="section">
<tr bgcolor="#aa55cc">
<td colspan=3 valign=bottom> <br>
<font color="#ffffff" face="helvetica, arial"><big><strong>Modules</strong></big></font></td></tr>
<tr><td bgcolor="#aa55cc"><tt> </tt></td><td> </td>
<td width="100%"><table width="100%" summary="list"><tr><td width="25%" valign=top><a href="StringIO.html">StringIO</a><br>
<a href="atom.html">atom</a><br>
</td><td width="25%" valign=top><a href="os.html">os</a><br>
<a href="pickle.html">pickle</a><br>
</td><td width="25%" valign=top><a href="tempfile.html">tempfile</a><br>
</td><td width="25%" valign=top></td></tr></table></td></tr></table><p>
<table width="100%" cellspacing=0 cellpadding=2 border=0 summary="section">
<tr bgcolor="#ee77aa">
<td colspan=3 valign=bottom> <br>
<font color="#ffffff" face="helvetica, arial"><big><strong>Classes</strong></big></font></td></tr>
<tr><td bgcolor="#ee77aa"><tt> </tt></td><td> </td>
<td width="100%"><dl>
<dt><font face="helvetica, arial"><a href="__builtin__.html#object">__builtin__.object</a>
</font></dt><dd>
<dl>
<dt><font face="helvetica, arial"><a href="atom.mock_http_core.html#EchoHttpClient">EchoHttpClient</a>
</font></dt><dt><font face="helvetica, arial"><a href="atom.mock_http_core.html#MockHttpClient">MockHttpClient</a>
</font></dt><dt><font face="helvetica, arial"><a href="atom.mock_http_core.html#SettableHttpClient">SettableHttpClient</a>
</font></dt></dl>
</dd>
<dt><font face="helvetica, arial"><a href="atom.http_core.html#HttpResponse">atom.http_core.HttpResponse</a>(<a href="__builtin__.html#object">__builtin__.object</a>)
</font></dt><dd>
<dl>
<dt><font face="helvetica, arial"><a href="atom.mock_http_core.html#MockHttpResponse">MockHttpResponse</a>
</font></dt></dl>
</dd>
<dt><font face="helvetica, arial"><a href="exceptions.html#Exception">exceptions.Exception</a>(<a href="exceptions.html#BaseException">exceptions.BaseException</a>)
</font></dt><dd>
<dl>
<dt><font face="helvetica, arial"><a href="atom.mock_http_core.html#Error">Error</a>
</font></dt><dd>
<dl>
<dt><font face="helvetica, arial"><a href="atom.mock_http_core.html#NoRecordingFound">NoRecordingFound</a>
</font></dt></dl>
</dd>
</dl>
</dd>
</dl>
<p>
<table width="100%" cellspacing=0 cellpadding=2 border=0 summary="section">
<tr bgcolor="#ffc8d8">
<td colspan=3 valign=bottom> <br>
<font color="#000000" face="helvetica, arial"><a name="EchoHttpClient">class <strong>EchoHttpClient</strong></a>(<a href="__builtin__.html#object">__builtin__.object</a>)</font></td></tr>
<tr bgcolor="#ffc8d8"><td rowspan=2><tt> </tt></td>
<td colspan=2><tt>Sends the request data back in the response.<br>
<br>
Used to check the formatting of the request as it was sent. Always responds<br>
with a 200 OK, and some information from the HTTP request is returned in<br>
special Echo-X headers in the response. The following headers are added<br>
in the response:<br>
'Echo-Host': The host name and port number to which the HTTP connection is<br>
made. If no port was passed in, the header will contain<br>
host:None.<br>
'Echo-Uri': The path portion of the URL being requested. /example?x=1&y=2<br>
'Echo-Scheme': The beginning of the URL, usually 'http' or 'https'<br>
'Echo-Method': The HTTP method being used, 'GET', 'POST', 'PUT', etc.<br> </tt></td></tr>
<tr><td> </td>
<td width="100%">Methods defined here:<br>
<dl><dt><a name="EchoHttpClient-request"><strong>request</strong></a>(self, http_request)</dt></dl>
<hr>
Data descriptors defined here:<br>
<dl><dt><strong>__dict__</strong></dt>
<dd><tt>dictionary for instance variables (if defined)</tt></dd>
</dl>
<dl><dt><strong>__weakref__</strong></dt>
<dd><tt>list of weak references to the object (if defined)</tt></dd>
</dl>
</td></tr></table> <p>
<table width="100%" cellspacing=0 cellpadding=2 border=0 summary="section">
<tr bgcolor="#ffc8d8">
<td colspan=3 valign=bottom> <br>
<font color="#000000" face="helvetica, arial"><a name="Error">class <strong>Error</strong></a>(<a href="exceptions.html#Exception">exceptions.Exception</a>)</font></td></tr>
<tr><td bgcolor="#ffc8d8"><tt> </tt></td><td> </td>
<td width="100%"><dl><dt>Method resolution order:</dt>
<dd><a href="atom.mock_http_core.html#Error">Error</a></dd>
<dd><a href="exceptions.html#Exception">exceptions.Exception</a></dd>
<dd><a href="exceptions.html#BaseException">exceptions.BaseException</a></dd>
<dd><a href="__builtin__.html#object">__builtin__.object</a></dd>
</dl>
<hr>
Data descriptors defined here:<br>
<dl><dt><strong>__weakref__</strong></dt>
<dd><tt>list of weak references to the object (if defined)</tt></dd>
</dl>
<hr>
Methods inherited from <a href="exceptions.html#Exception">exceptions.Exception</a>:<br>
<dl><dt><a name="Error-__init__"><strong>__init__</strong></a>(...)</dt><dd><tt>x.<a href="#Error-__init__">__init__</a>(...) initializes x; see x.__class__.__doc__ for signature</tt></dd></dl>
<hr>
Data and other attributes inherited from <a href="exceptions.html#Exception">exceptions.Exception</a>:<br>
<dl><dt><strong>__new__</strong> = <built-in method __new__ of type object><dd><tt>T.<a href="#Error-__new__">__new__</a>(S, ...) -> a new <a href="__builtin__.html#object">object</a> with type S, a subtype of T</tt></dl>
<hr>
Methods inherited from <a href="exceptions.html#BaseException">exceptions.BaseException</a>:<br>
<dl><dt><a name="Error-__delattr__"><strong>__delattr__</strong></a>(...)</dt><dd><tt>x.<a href="#Error-__delattr__">__delattr__</a>('name') <==> del x.name</tt></dd></dl>
<dl><dt><a name="Error-__getattribute__"><strong>__getattribute__</strong></a>(...)</dt><dd><tt>x.<a href="#Error-__getattribute__">__getattribute__</a>('name') <==> x.name</tt></dd></dl>
<dl><dt><a name="Error-__getitem__"><strong>__getitem__</strong></a>(...)</dt><dd><tt>x.<a href="#Error-__getitem__">__getitem__</a>(y) <==> x[y]</tt></dd></dl>
<dl><dt><a name="Error-__getslice__"><strong>__getslice__</strong></a>(...)</dt><dd><tt>x.<a href="#Error-__getslice__">__getslice__</a>(i, j) <==> x[i:j]<br>
<br>
Use of negative indices is not supported.</tt></dd></dl>
<dl><dt><a name="Error-__reduce__"><strong>__reduce__</strong></a>(...)</dt></dl>
<dl><dt><a name="Error-__repr__"><strong>__repr__</strong></a>(...)</dt><dd><tt>x.<a href="#Error-__repr__">__repr__</a>() <==> repr(x)</tt></dd></dl>
<dl><dt><a name="Error-__setattr__"><strong>__setattr__</strong></a>(...)</dt><dd><tt>x.<a href="#Error-__setattr__">__setattr__</a>('name', value) <==> x.name = value</tt></dd></dl>
<dl><dt><a name="Error-__setstate__"><strong>__setstate__</strong></a>(...)</dt></dl>
<dl><dt><a name="Error-__str__"><strong>__str__</strong></a>(...)</dt><dd><tt>x.<a href="#Error-__str__">__str__</a>() <==> str(x)</tt></dd></dl>
<dl><dt><a name="Error-__unicode__"><strong>__unicode__</strong></a>(...)</dt></dl>
<hr>
Data descriptors inherited from <a href="exceptions.html#BaseException">exceptions.BaseException</a>:<br>
<dl><dt><strong>__dict__</strong></dt>
</dl>
<dl><dt><strong>args</strong></dt>
</dl>
<dl><dt><strong>message</strong></dt>
</dl>
</td></tr></table> <p>
<table width="100%" cellspacing=0 cellpadding=2 border=0 summary="section">
<tr bgcolor="#ffc8d8">
<td colspan=3 valign=bottom> <br>
<font color="#000000" face="helvetica, arial"><a name="MockHttpClient">class <strong>MockHttpClient</strong></a>(<a href="__builtin__.html#object">__builtin__.object</a>)</font></td></tr>
<tr><td bgcolor="#ffc8d8"><tt> </tt></td><td> </td>
<td width="100%">Methods defined here:<br>
<dl><dt><a name="MockHttpClient-AddResponse"><strong>AddResponse</strong></a> = <a href="#MockHttpClient-add_response">add_response</a>(self, http_request, status, reason, headers<font color="#909090">=None</font>, body<font color="#909090">=None</font>)</dt></dl>
<dl><dt><a name="MockHttpClient-Request"><strong>Request</strong></a> = <a href="#MockHttpClient-request">request</a>(self, http_request)</dt></dl>
<dl><dt><a name="MockHttpClient-__init__"><strong>__init__</strong></a>(self, recordings<font color="#909090">=None</font>, real_client<font color="#909090">=None</font>)</dt></dl>
<dl><dt><a name="MockHttpClient-add_response"><strong>add_response</strong></a>(self, http_request, status, reason, headers<font color="#909090">=None</font>, body<font color="#909090">=None</font>)</dt></dl>
<dl><dt><a name="MockHttpClient-close_session"><strong>close_session</strong></a>(self)</dt><dd><tt>Saves recordings in the temporary file named in use_cached_session.</tt></dd></dl>
<dl><dt><a name="MockHttpClient-delete_session"><strong>delete_session</strong></a>(self, name<font color="#909090">=None</font>)</dt><dd><tt>Removes recordings from a previous live request.</tt></dd></dl>
<dl><dt><a name="MockHttpClient-get_cache_file_name"><strong>get_cache_file_name</strong></a>(self)</dt></dl>
<dl><dt><a name="MockHttpClient-request"><strong>request</strong></a>(self, http_request)</dt><dd><tt>Provide a recorded response, or record a response for replay.<br>
<br>
If the real_client is set, the request will be made using the<br>
real_client, and the response from the server will be recorded.<br>
If the real_client is None (the default), this method will examine<br>
the recordings and find the first which matches.</tt></dd></dl>
<dl><dt><a name="MockHttpClient-use_cached_session"><strong>use_cached_session</strong></a>(self, name<font color="#909090">=None</font>, real_http_client<font color="#909090">=None</font>)</dt><dd><tt>Attempts to load recordings from a previous live request.<br>
<br>
If a temp file with the recordings exists, then it is used to fulfill<br>
requests. If the file does not exist, then a real client is used to<br>
actually make the desired HTTP requests. Requests and responses are<br>
recorded and will be written to the desired temprary cache file when<br>
close_session is called.<br>
<br>
Args:<br>
name: str (optional) The file name of session file to be used. The file<br>
is loaded from the temporary directory of this machine. If no name<br>
is passed in, a default name will be constructed using the<br>
cache_name_prefix, cache_case_name, and cache_test_name of this<br>
<a href="__builtin__.html#object">object</a>.<br>
real_http_client: atom.http_core.HttpClient the real client to be used<br>
if the cached recordings are not found. If the default<br>
value is used, this will be an<br>
atom.http_core.HttpClient.</tt></dd></dl>
<hr>
Data descriptors defined here:<br>
<dl><dt><strong>__dict__</strong></dt>
<dd><tt>dictionary for instance variables (if defined)</tt></dd>
</dl>
<dl><dt><strong>__weakref__</strong></dt>
<dd><tt>list of weak references to the object (if defined)</tt></dd>
</dl>
<hr>
Data and other attributes defined here:<br>
<dl><dt><strong>cache_case_name</strong> = ''</dl>
<dl><dt><strong>cache_name_prefix</strong> = 'gdata_live_test'</dl>
<dl><dt><strong>cache_test_name</strong> = ''</dl>
<dl><dt><strong>debug</strong> = None</dl>
<dl><dt><strong>last_request_was_live</strong> = False</dl>
<dl><dt><strong>real_client</strong> = None</dl>
</td></tr></table> <p>
<table width="100%" cellspacing=0 cellpadding=2 border=0 summary="section">
<tr bgcolor="#ffc8d8">
<td colspan=3 valign=bottom> <br>
<font color="#000000" face="helvetica, arial"><a name="MockHttpResponse">class <strong>MockHttpResponse</strong></a>(<a href="atom.http_core.html#HttpResponse">atom.http_core.HttpResponse</a>)</font></td></tr>
<tr><td bgcolor="#ffc8d8"><tt> </tt></td><td> </td>
<td width="100%"><dl><dt>Method resolution order:</dt>
<dd><a href="atom.mock_http_core.html#MockHttpResponse">MockHttpResponse</a></dd>
<dd><a href="atom.http_core.html#HttpResponse">atom.http_core.HttpResponse</a></dd>
<dd><a href="__builtin__.html#object">__builtin__.object</a></dd>
</dl>
<hr>
Methods defined here:<br>
<dl><dt><a name="MockHttpResponse-__init__"><strong>__init__</strong></a>(self, status<font color="#909090">=None</font>, reason<font color="#909090">=None</font>, headers<font color="#909090">=None</font>, body<font color="#909090">=None</font>)</dt></dl>
<dl><dt><a name="MockHttpResponse-read"><strong>read</strong></a>(self)</dt></dl>
<hr>
Methods inherited from <a href="atom.http_core.html#HttpResponse">atom.http_core.HttpResponse</a>:<br>
<dl><dt><a name="MockHttpResponse-getheader"><strong>getheader</strong></a>(self, name, default<font color="#909090">=None</font>)</dt></dl>
<dl><dt><a name="MockHttpResponse-getheaders"><strong>getheaders</strong></a>(self)</dt></dl>
<hr>
Data descriptors inherited from <a href="atom.http_core.html#HttpResponse">atom.http_core.HttpResponse</a>:<br>
<dl><dt><strong>__dict__</strong></dt>
<dd><tt>dictionary for instance variables (if defined)</tt></dd>
</dl>
<dl><dt><strong>__weakref__</strong></dt>
<dd><tt>list of weak references to the object (if defined)</tt></dd>
</dl>
<hr>
Data and other attributes inherited from <a href="atom.http_core.html#HttpResponse">atom.http_core.HttpResponse</a>:<br>
<dl><dt><strong>reason</strong> = None</dl>
<dl><dt><strong>status</strong> = None</dl>
</td></tr></table> <p>
<table width="100%" cellspacing=0 cellpadding=2 border=0 summary="section">
<tr bgcolor="#ffc8d8">
<td colspan=3 valign=bottom> <br>
<font color="#000000" face="helvetica, arial"><a name="NoRecordingFound">class <strong>NoRecordingFound</strong></a>(<a href="atom.mock_http_core.html#Error">Error</a>)</font></td></tr>
<tr><td bgcolor="#ffc8d8"><tt> </tt></td><td> </td>
<td width="100%"><dl><dt>Method resolution order:</dt>
<dd><a href="atom.mock_http_core.html#NoRecordingFound">NoRecordingFound</a></dd>
<dd><a href="atom.mock_http_core.html#Error">Error</a></dd>
<dd><a href="exceptions.html#Exception">exceptions.Exception</a></dd>
<dd><a href="exceptions.html#BaseException">exceptions.BaseException</a></dd>
<dd><a href="__builtin__.html#object">__builtin__.object</a></dd>
</dl>
<hr>
Data descriptors inherited from <a href="atom.mock_http_core.html#Error">Error</a>:<br>
<dl><dt><strong>__weakref__</strong></dt>
<dd><tt>list of weak references to the object (if defined)</tt></dd>
</dl>
<hr>
Methods inherited from <a href="exceptions.html#Exception">exceptions.Exception</a>:<br>
<dl><dt><a name="NoRecordingFound-__init__"><strong>__init__</strong></a>(...)</dt><dd><tt>x.<a href="#NoRecordingFound-__init__">__init__</a>(...) initializes x; see x.__class__.__doc__ for signature</tt></dd></dl>
<hr>
Data and other attributes inherited from <a href="exceptions.html#Exception">exceptions.Exception</a>:<br>
<dl><dt><strong>__new__</strong> = <built-in method __new__ of type object><dd><tt>T.<a href="#NoRecordingFound-__new__">__new__</a>(S, ...) -> a new <a href="__builtin__.html#object">object</a> with type S, a subtype of T</tt></dl>
<hr>
Methods inherited from <a href="exceptions.html#BaseException">exceptions.BaseException</a>:<br>
<dl><dt><a name="NoRecordingFound-__delattr__"><strong>__delattr__</strong></a>(...)</dt><dd><tt>x.<a href="#NoRecordingFound-__delattr__">__delattr__</a>('name') <==> del x.name</tt></dd></dl>
<dl><dt><a name="NoRecordingFound-__getattribute__"><strong>__getattribute__</strong></a>(...)</dt><dd><tt>x.<a href="#NoRecordingFound-__getattribute__">__getattribute__</a>('name') <==> x.name</tt></dd></dl>
<dl><dt><a name="NoRecordingFound-__getitem__"><strong>__getitem__</strong></a>(...)</dt><dd><tt>x.<a href="#NoRecordingFound-__getitem__">__getitem__</a>(y) <==> x[y]</tt></dd></dl>
<dl><dt><a name="NoRecordingFound-__getslice__"><strong>__getslice__</strong></a>(...)</dt><dd><tt>x.<a href="#NoRecordingFound-__getslice__">__getslice__</a>(i, j) <==> x[i:j]<br>
<br>
Use of negative indices is not supported.</tt></dd></dl>
<dl><dt><a name="NoRecordingFound-__reduce__"><strong>__reduce__</strong></a>(...)</dt></dl>
<dl><dt><a name="NoRecordingFound-__repr__"><strong>__repr__</strong></a>(...)</dt><dd><tt>x.<a href="#NoRecordingFound-__repr__">__repr__</a>() <==> repr(x)</tt></dd></dl>
<dl><dt><a name="NoRecordingFound-__setattr__"><strong>__setattr__</strong></a>(...)</dt><dd><tt>x.<a href="#NoRecordingFound-__setattr__">__setattr__</a>('name', value) <==> x.name = value</tt></dd></dl>
<dl><dt><a name="NoRecordingFound-__setstate__"><strong>__setstate__</strong></a>(...)</dt></dl>
<dl><dt><a name="NoRecordingFound-__str__"><strong>__str__</strong></a>(...)</dt><dd><tt>x.<a href="#NoRecordingFound-__str__">__str__</a>() <==> str(x)</tt></dd></dl>
<dl><dt><a name="NoRecordingFound-__unicode__"><strong>__unicode__</strong></a>(...)</dt></dl>
<hr>
Data descriptors inherited from <a href="exceptions.html#BaseException">exceptions.BaseException</a>:<br>
<dl><dt><strong>__dict__</strong></dt>
</dl>
<dl><dt><strong>args</strong></dt>
</dl>
<dl><dt><strong>message</strong></dt>
</dl>
</td></tr></table> <p>
<table width="100%" cellspacing=0 cellpadding=2 border=0 summary="section">
<tr bgcolor="#ffc8d8">
<td colspan=3 valign=bottom> <br>
<font color="#000000" face="helvetica, arial"><a name="SettableHttpClient">class <strong>SettableHttpClient</strong></a>(<a href="__builtin__.html#object">__builtin__.object</a>)</font></td></tr>
<tr bgcolor="#ffc8d8"><td rowspan=2><tt> </tt></td>
<td colspan=2><tt>An HTTP Client which responds with the data given in set_response.<br> </tt></td></tr>
<tr><td> </td>
<td width="100%">Methods defined here:<br>
<dl><dt><a name="SettableHttpClient-__init__"><strong>__init__</strong></a>(self, status, reason, body, headers)</dt><dd><tt>Configures the response for the server.<br>
<br>
See set_response for details on the arguments to the constructor.</tt></dd></dl>
<dl><dt><a name="SettableHttpClient-request"><strong>request</strong></a>(self, http_request)</dt></dl>
<dl><dt><a name="SettableHttpClient-set_response"><strong>set_response</strong></a>(self, status, reason, body, headers)</dt><dd><tt>Determines the response which will be sent for each request.<br>
<br>
Args:<br>
status: An int for the HTTP status code, example: 200, 404, etc.<br>
reason: String for the HTTP reason, example: OK, NOT FOUND, etc.<br>
body: The body of the HTTP response as a string or a file-like<br>
<a href="__builtin__.html#object">object</a> (something with a read method).<br>
headers: dict of strings containing the HTTP headers in the response.</tt></dd></dl>
<hr>
Data descriptors defined here:<br>
<dl><dt><strong>__dict__</strong></dt>
<dd><tt>dictionary for instance variables (if defined)</tt></dd>
</dl>
<dl><dt><strong>__weakref__</strong></dt>
<dd><tt>list of weak references to the object (if defined)</tt></dd>
</dl>
</td></tr></table></td></tr></table><p>
<table width="100%" cellspacing=0 cellpadding=2 border=0 summary="section">
<tr bgcolor="#55aa55">
<td colspan=3 valign=bottom> <br>
<font color="#ffffff" face="helvetica, arial"><big><strong>Data</strong></big></font></td></tr>
<tr><td bgcolor="#55aa55"><tt> </tt></td><td> </td>
<td width="100%"><strong>__author__</strong> = 'j.s@google.com (Jeff Scudder)'</td></tr></table><p>
<table width="100%" cellspacing=0 cellpadding=2 border=0 summary="section">
<tr bgcolor="#7799ee">
<td colspan=3 valign=bottom> <br>
<font color="#ffffff" face="helvetica, arial"><big><strong>Author</strong></big></font></td></tr>
<tr><td bgcolor="#7799ee"><tt> </tt></td><td> </td>
<td width="100%">j.s@google.com (Jeff Scudder)</td></tr></table>
</body></html> | Eseoghene/bite-project | deps/gdata-python-client/pydocs/atom.mock_http_core.html | HTML | apache-2.0 | 25,115 |
<html>
<head>
<meta http-equiv="Content-Security-Policy" content="script-src 'self' 'unsafe-inline'">
<script src="/inspector/inspector-test.js"></script>
<script>
function sendCSPRequest()
{
var script = document.createElement("script");
script.src = "https://www.example.com/csp.js";
document.head.appendChild(script);
}
function addBlockedScript(url)
{
var script = document.createElement("script");
script.src = url;
document.head.appendChild(script);
}
function test()
{
var requestName;
var nextStep;
var blockedSetting = WebInspector.settingForTest("blockedURLs");
function onRequest(event)
{
var request = event.data;
if (request.name() !== requestName)
return;
requestName = undefined;
InspectorTest.addResult("BlockedReason: " + request.blockedReason());
nextStep();
}
InspectorTest.networkManager.addEventListener(WebInspector.NetworkManager.EventTypes.RequestFinished, onRequest);
function testBlockedURL(patterns, url, next)
{
InspectorTest.addResult("Blocked patterns: " + patterns.join(";"));
InspectorTest.addResult("Request: " + url);
blockedSetting.set(patterns);
nextStep = next;
InspectorTest.runAfterPendingDispatches(addScript);
function addScript()
{
requestName = url.substring(url.lastIndexOf("/") + 1);
InspectorTest.evaluateInPage("addBlockedScript(\"" + url + "\")");
}
}
InspectorTest.runTestSuite([
function testCSP(next)
{
requestName = "csp.js";
nextStep = next;
InspectorTest.evaluateInPage("sendCSPRequest()");
},
function testBlockedByDevTools1(next)
{
testBlockedURL(["resources**/silent*.js"], "resources/silent_script.js", next);
},
function testBlockedByDevTools2(next)
{
testBlockedURL(["a*b"], "ba", next);
},
function testBlockedByDevTools3(next)
{
testBlockedURL(["***pattern***"], "there/is/a/pattern/inside.js", next);
},
function testBlockedByDevTools4(next)
{
testBlockedURL(["pattern"], "patt1ern", next);
},
function testBlockedByDevTools5(next)
{
testBlockedURL(["*this***is*a*pattern"], "file/this/is/the/pattern", next);
},
function testBlockedByDevTools6(next)
{
testBlockedURL(["*this***is*a*pattern"], "this/is/a/pattern", next);
},
function testBlockedByDevTools6(next)
{
testBlockedURL(["*this***is*a*pattern"], "this/is", next);
},
function testBlockedByDevTools7(next)
{
testBlockedURL(["pattern"], "long/pattern/inside", next);
},
function testBlockedByDevTools8(next)
{
testBlockedURL(["pattern"], "pattern", next);
},
function testBlockedByDevTools9(next)
{
testBlockedURL(["pattern", "pattern"], "pattern", next);
},
function testBlockedByDevTools10(next)
{
testBlockedURL(["a*b*c*d*e"], "edcbaedcbaedcbaedcba", next);
},
function testBlockedByDevTools11(next)
{
testBlockedURL(["a*b*c*d*e"], "edcbaedcbaedcbaedcbae", next);
},
function testBlockedByDevTools12(next)
{
testBlockedURL(["one1", "two2"], "one1two2", next);
},
function testBlockedByDevTools13(next)
{
testBlockedURL(["one1", "two2", "three3"], "four4", next);
},
function testBlockedByDevTools14(next)
{
testBlockedURL(["one1", "two2", "three3"], "only-two2-here", next);
},
function cleanupBlockedURLs(next)
{
testBlockedURL([], "resources/silent_script.js", next);
}
]);
}
</script>
</head>
<body onload="runTest()">
<p>Tests that blocked reason is recognized correctly.</p>
</body>
</html>
| hujiajie/chromium-crosswalk | third_party/WebKit/LayoutTests/http/tests/inspector/network/network-blocked-reason.html | HTML | bsd-3-clause | 4,092 |
<!DOCTYPE html>
<!--
Copyright (c) 2012 Intel Corporation.
Redistribution and use in source and binary forms, with or without modification,
are permitted provided that the following conditions are met:
* Redistributions of works must retain the original copyright notice, this list
of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the original copyright notice,
this list of conditions and the following disclaimer in the documentation
and/or other materials provided with the distribution.
* Neither the name of Intel Corporation nor the names of its contributors
may be used to endorse or promote products derived from this work without
specific prior written permission.
THIS SOFTWARE IS PROVIDED BY INTEL CORPORATION "AS IS"
AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
ARE DISCLAIMED. IN NO EVENT SHALL INTEL CORPORATION BE LIABLE FOR ANY DIRECT,
INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,
BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY
OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE,
EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
Authors:
Ge, Qing <qingx.ge@intel.com>
-->
<html>
<head>
<title>WebAudio Test: audionode_context_type</title>
<link rel="author" title="Intel" href="http://www.intel.com" />
<link rel="help" href="https://webaudio.github.io/web-audio-api/#the-audionode-interface" />
<meta name="flags" content="" />
<meta name="assert" content="Check if AudioNode.context is of type AudioContext" />
<script src="../resources/testharness.js"></script>
<script src="../resources/testharnessreport.js"></script>
<script src="./support/webaudio.js"></script>
</head>
<body>
<div id=log></div>
<script type="text/javascript">
test(function () {
var context = new AudioContext();
assert_true("createBufferSource" in context, "createBufferSource method exist AudioContext interface");
var sourceNode = context.createBufferSource();
assert_true("context" in sourceNode, "context attribute exist AudioNode interface");
assert_equals(typeof sourceNode.context, "object", "Check if AudioNode.context is of type");
}, document.title);
</script>
</body>
</html>
| crosswalk-project/web-testing-service | wts/tests/webaudio/audionode_context_type.html | HTML | bsd-3-clause | 2,619 |
<!DOCTYPE html>
<!--
Copyright (c) 2012 Intel Corporation.
Redistribution and use in source and binary forms, with or without modification,
are permitted provided that the following conditions are met:
* Redistributions of works must retain the original copyright notice, this list
of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the original copyright notice,
this list of conditions and the following disclaimer in the documentation
and/or other materials provided with the distribution.
* Neither the name of Intel Corporation nor the names of its contributors
may be used to endorse or promote products derived from this work without
specific prior written permission.
THIS SOFTWARE IS PROVIDED BY INTEL CORPORATION "AS IS"
AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
ARE DISCLAIMED. IN NO EVENT SHALL INTEL CORPORATION BE LIABLE FOR ANY DIRECT,
INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,
BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY
OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE,
EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
Authors:
Cao, Jun <junx.cao@intel.com>
-->
<html>
<head>
<title>WebGL Test: webglrenderingcontext_LINE_WIDTH_exists</title>
<link rel="author" title="Intel" href="http://www.intel.com" />
<link rel="help" href="https://www.khronos.org/registry/webgl/specs/1.0/" />
<meta name="flags" content="" />
<meta name="assert" content="Check if WebGLRenderingContext.LINE_WIDTH exists"/>
<script src="../resources/testharness.js"></script>
<script src="../resources/testharnessreport.js"></script>
<script src="support/webgl.js"></script>
</head>
<body>
<div id="log"></div>
<canvas id="canvas" width="200" height="100" style="border:1px solid #c3c3c3;">
Your browser does not support the canvas element.
</canvas>
<script>
getwebgl();
webgl_property_exists(webgl, 'LINE_WIDTH');
</script>
</body>
</html>
| hgl888/web-testing-service | wts/tests/webgl/webglrenderingcontext_LINE_WIDTH_exists.html | HTML | bsd-3-clause | 2,337 |
<!DOCTYPE html>
<title>
Nested fragmentation for out-of-flow positioned elements create new columns.
</title>
<link rel="help" href="https://www.w3.org/TR/css-position-3/#abspos-breaking">
<link rel="match" href="out-of-flow-in-multicolumn-019-ref.html">
<style>
.multicol {
column-count: 2;
column-fill: auto;
column-gap: 0px;
}
#outer {
height: 120px;
width: 100px;
}
#inner {
width: 50px;
column-gap: 16px;
height: 100px;
padding: 10px;
}
.rel {
position: relative;
height: 160px;
}
.abs {
position: absolute;
top: 0px;
height: 400px;
width: 25px;
background-color: green;
}
</style>
<div class="multicol" id="outer">
<div class="multicol" id="inner">
<div class="rel">
<div class="abs"></div>
</div>
</div>
</div>
| scheib/chromium | third_party/blink/web_tests/external/wpt/css/css-break/out-of-flow-in-multicolumn-019.html | HTML | bsd-3-clause | 822 |
<!DOCTYPE html>
<html lang="en" >
<meta charset="utf-8">
<title>CSS Test Reference</title>
<link rel='author' title='Elika J. Etemad' href='http://fantasai.inkedblade.net/contact'>
<style type='text/css'>
@import "/fonts/ahem.css";
.contain {
font: 20px/1 Ahem;
border: solid blue;
margin: 1em;
float: left; }
.block, .table, .flex, .grid {
display: inline-block;
width: 15px;
height: 15px;
background: orange;
}
.table {
display: inline-table;
}
.flex {
display: inline-flex;
}
.grid {
display: inline-grid;
}
.control p {
white-space: pre-wrap;
}
p {
letter-spacing: 0;
margin: 0;
}
</style>
<div id='instructions'>Test passes if the pattern is identical in all blue boxes.</div>
<div class="contain control">
<p>A <img src="../support/swatch-orange.png"><img src="../support/swatch-orange.png"> D</p>
<p>A <img class="block" src="../support/swatch-orange.png"><img class="block" src="../support/swatch-orange.png"> D</p>
<p>A <span class="block"></span><span class="block"></span> D</p>
<p>A <span class="table"></span><span class="block"></span> D</p>
<p>A <span class="flex"></span><span class="block"></span> D</p>
<p>A <span class="grid"></span><span class="block"></span> D</p>
</div>
<div class="contain control">
<p>A <img src="../support/swatch-orange.png"><img src="../support/swatch-orange.png"> D</p>
<p>A <img class="block" src="../support/swatch-orange.png"><img class="block" src="../support/swatch-orange.png"> D</p>
<p>A <span class="block"></span><span class="block"></span> D</p>
<p>A <span class="table"></span><span class="block"></span> D</p>
<p>A <span class="flex"></span><span class="block"></span> D</p>
<p>A <span class="grid"></span><span class="block"></span> D</p>
</div>
<div class="contain control">
<p>A <img src="../support/swatch-orange.png"><img src="../support/swatch-orange.png"> D</p>
<p>A <img class="block" src="../support/swatch-orange.png"><img class="block" src="../support/swatch-orange.png"> D</p>
<p>A <span class="block"></span><span class="block"></span> D</p>
<p>A <span class="table"></span><span class="block"></span> D</p>
<p>A <span class="flex"></span><span class="block"></span> D</p>
<p>A <span class="grid"></span><span class="block"></span> D</p>
</div>
<div class="contain control">
<p>A <img src="../support/swatch-orange.png"><img src="../support/swatch-orange.png"> D</p>
<p>A <img class="block" src="../support/swatch-orange.png"><img class="block" src="../support/swatch-orange.png"> D</p>
<p>A <span class="block"></span><span class="block"></span> D</p>
<p>A <span class="table"></span><span class="block"></span> D</p>
<p>A <span class="flex"></span><span class="block"></span> D</p>
<p>A <span class="grid"></span><span class="block"></span> D</p>
</div>
| scheib/chromium | third_party/blink/web_tests/external/wpt/css/css-text/letter-spacing/reference/letter-spacing-204-ref.html | HTML | bsd-3-clause | 2,865 |
<!-- Creator : groff version 1.18.1 -->
<!-- CreationDate: Sat Feb 24 18:37:16 2007 -->
<html>
<head>
<meta name="generator" content="groff -Thtml, see www.gnu.org">
<meta name="Content-Style" content="text/css">
<title>CODEC</title>
</head>
<body>
<h1 align=center>CODEC</h1>
<a href="#NAME">NAME</a><br>
<a href="#SYNOPSIS">SYNOPSIS</a><br>
<a href="#DESCRIPTION">DESCRIPTION</a><br>
<a href="#DIAGNOSTICS">DIAGNOSTICS</a><br>
<a href="#SEE ALSO">SEE ALSO</a><br>
<hr>
<a name="NAME"></a>
<h2>NAME</h2>
<!-- INDENTATION -->
<table width="100%" border=0 rules="none" frame="void"
cols="2" cellspacing="0" cellpadding="0">
<tr valign="top" align="left">
<td width="8%"></td>
<td width="91%">
<p>TIFFFindCODEC, TIFFRegisterCODEC, TIFFUnRegisterCODEC,
TIFFIsCODECConfigured − codec-related utility
routines</p>
</td>
</table>
<a name="SYNOPSIS"></a>
<h2>SYNOPSIS</h2>
<!-- INDENTATION -->
<table width="100%" border=0 rules="none" frame="void"
cols="2" cellspacing="0" cellpadding="0">
<tr valign="top" align="left">
<td width="8%"></td>
<td width="91%">
<p><b>#include <tiffio.h></b></p>
<!-- INDENTATION -->
<p><b>const TIFFCodec* TIFFFindCODEC(uint16</b>
<i>scheme</i><b>);<br>
TIFFCodec* TIFFRegisterCODEC(uint16</b> <i>scheme</i><b>,
const char *</b><i>method</i><b>, TIFFInitMethod</b>
<i>init</i><b>);<br>
void TIFFUnRegisterCODEC(TIFFCodec
*</b><i>codec</i><b>);<br>
int TIFFIsCODECConfigured(uint16</b>
<i>scheme</i><b>);</b></p>
</td>
</table>
<a name="DESCRIPTION"></a>
<h2>DESCRIPTION</h2>
<!-- INDENTATION -->
<table width="100%" border=0 rules="none" frame="void"
cols="2" cellspacing="0" cellpadding="0">
<tr valign="top" align="left">
<td width="8%"></td>
<td width="91%">
<p><i>libtiff</i> supports a variety of compression schemes
implemented by software <i>codecs</i>. Each codec adheres to
a modular interface that provides for the decoding and
encoding of image data; as well as some other methods for
initialization, setup, cleanup, and the control of default
strip and tile sizes. Codecs are identified by the
associated value of the <small>TIFF</small>
<i>Compression</i> tag; e.g. 5 for <small>LZW</small>
compression.</p>
<!-- INDENTATION -->
<p>The <i>TIFFRegisterCODEC</i> routine can be used to
augment or override the set of codecs available to an
application. If the specified <i>scheme</i> already has a
registered codec then it is <i>overridden</i> and any images
with data encoded with this compression scheme will be
decoded using the supplied coded.</p>
<!-- INDENTATION -->
<p><i>TIFFIsCODECConfigured</i> returns 1 if the codec is
configured and working. Otherwise 0 will be returned.</p>
</td>
</table>
<a name="DIAGNOSTICS"></a>
<h2>DIAGNOSTICS</h2>
<!-- INDENTATION -->
<table width="100%" border=0 rules="none" frame="void"
cols="2" cellspacing="0" cellpadding="0">
<tr valign="top" align="left">
<td width="8%"></td>
<td width="91%">
<p><b>No space to register compression scheme %s</b>.
<i>TIFFRegisterCODEC</i> was unable to allocate memory for
the data structures needed to register a codec.</p>
<!-- INDENTATION -->
<p><b>Cannot remove compression scheme %s; not
registered</b>. <i>TIFFUnRegisterCODEC</i> did not locate
the specified codec in the table of registered compression
schemes.</p>
</td>
</table>
<a name="SEE ALSO"></a>
<h2>SEE ALSO</h2>
<!-- INDENTATION -->
<table width="100%" border=0 rules="none" frame="void"
cols="2" cellspacing="0" cellpadding="0">
<tr valign="top" align="left">
<td width="8%"></td>
<td width="91%">
<p><b>libtiff</b>(3TIFF)</p>
<!-- INDENTATION -->
<p>Libtiff library home page:
<b>http://www.simplesystems.org/libtiff/</b></p>
</td>
</table>
<hr>
</body>
</html>
| ric2b/Vivaldi-browser | update_notifier/thirdparty/wxWidgets/src/tiff/html/man/TIFFcodec.3tiff.html | HTML | bsd-3-clause | 3,700 |
<!doctype html>
<html>
<title>Hello Http</title>
<body>
<http-app>
Loading...
</http-app>
<!--load location for ts_devserver-->
<script src="/app_bundle.js"></script>
</body>
</html>
| ocombe/angular | modules/playground/src/http/index.html | HTML | mit | 198 |
{{ content |safe }}
| lina9527/easybi | templates/superset/ajah.html | HTML | mit | 20 |
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<link rel="shortcut icon" type="image/ico" href="http://www.datatables.net/favicon.ico">
<meta name="viewport" content="initial-scale=1.0, maximum-scale=2.0">
<title>Responsive example - Class name</title>
<link rel="stylesheet" type="text/css" href="../../../../media/css/jquery.dataTables.css">
<link rel="stylesheet" type="text/css" href="../../css/responsive.dataTables.css">
<link rel="stylesheet" type="text/css" href="../../../../examples/resources/syntax/shCore.css">
<link rel="stylesheet" type="text/css" href="../../../../examples/resources/demo.css">
<style type="text/css" class="init">
</style>
<script type="text/javascript" language="javascript" src="//code.jquery.com/jquery-1.11.3.min.js">
</script>
<script type="text/javascript" language="javascript" src="../../../../media/js/jquery.dataTables.js">
</script>
<script type="text/javascript" language="javascript" src="../../js/dataTables.responsive.js">
</script>
<script type="text/javascript" language="javascript" src="../../../../examples/resources/syntax/shCore.js">
</script>
<script type="text/javascript" language="javascript" src="../../../../examples/resources/demo.js">
</script>
<script type="text/javascript" language="javascript" class="init">
$(document).ready(function() {
$('#example').DataTable();
} );
</script>
</head>
<body class="dt-example">
<div class="container">
<section>
<h1>Responsive example <span>Class name</span></h1>
<div class="info">
<p>The easiest way to initialise the Responsive extension for DataTables is simply to add the class <code class="string" title="String">responsive</code> to the
table's class name. When the DataTable is initialised the Responsive extension will automatically enable itself on these tables.</p>
<p>The may also use the class <code>dt-responsive</code> to perform the same action, since <code>responsive</code> may be used in your stylesheet, or may have some
other meaning in a CSS framework being used (for example Bootstrap).</p>
</div>
<table id="example" class="display responsive nowrap" cellspacing="0" width="100%">
<thead>
<tr>
<th>First name</th>
<th>Last name</th>
<th>Position</th>
<th>Office</th>
<th>Age</th>
<th>Start date</th>
<th>Salary</th>
<th>Extn.</th>
<th>E-mail</th>
</tr>
</thead>
<tbody>
<tr>
<td>Tiger</td>
<td>Nixon</td>
<td>System Architect</td>
<td>Edinburgh</td>
<td>61</td>
<td>2011/04/25</td>
<td>$320,800</td>
<td>5421</td>
<td>t.nixon@datatables.net</td>
</tr>
<tr>
<td>Garrett</td>
<td>Winters</td>
<td>Accountant</td>
<td>Tokyo</td>
<td>63</td>
<td>2011/07/25</td>
<td>$170,750</td>
<td>8422</td>
<td>g.winters@datatables.net</td>
</tr>
<tr>
<td>Ashton</td>
<td>Cox</td>
<td>Junior Technical Author</td>
<td>San Francisco</td>
<td>66</td>
<td>2009/01/12</td>
<td>$86,000</td>
<td>1562</td>
<td>a.cox@datatables.net</td>
</tr>
<tr>
<td>Cedric</td>
<td>Kelly</td>
<td>Senior Javascript Developer</td>
<td>Edinburgh</td>
<td>22</td>
<td>2012/03/29</td>
<td>$433,060</td>
<td>6224</td>
<td>c.kelly@datatables.net</td>
</tr>
<tr>
<td>Airi</td>
<td>Satou</td>
<td>Accountant</td>
<td>Tokyo</td>
<td>33</td>
<td>2008/11/28</td>
<td>$162,700</td>
<td>5407</td>
<td>a.satou@datatables.net</td>
</tr>
<tr>
<td>Brielle</td>
<td>Williamson</td>
<td>Integration Specialist</td>
<td>New York</td>
<td>61</td>
<td>2012/12/02</td>
<td>$372,000</td>
<td>4804</td>
<td>b.williamson@datatables.net</td>
</tr>
<tr>
<td>Herrod</td>
<td>Chandler</td>
<td>Sales Assistant</td>
<td>San Francisco</td>
<td>59</td>
<td>2012/08/06</td>
<td>$137,500</td>
<td>9608</td>
<td>h.chandler@datatables.net</td>
</tr>
<tr>
<td>Rhona</td>
<td>Davidson</td>
<td>Integration Specialist</td>
<td>Tokyo</td>
<td>55</td>
<td>2010/10/14</td>
<td>$327,900</td>
<td>6200</td>
<td>r.davidson@datatables.net</td>
</tr>
<tr>
<td>Colleen</td>
<td>Hurst</td>
<td>Javascript Developer</td>
<td>San Francisco</td>
<td>39</td>
<td>2009/09/15</td>
<td>$205,500</td>
<td>2360</td>
<td>c.hurst@datatables.net</td>
</tr>
<tr>
<td>Sonya</td>
<td>Frost</td>
<td>Software Engineer</td>
<td>Edinburgh</td>
<td>23</td>
<td>2008/12/13</td>
<td>$103,600</td>
<td>1667</td>
<td>s.frost@datatables.net</td>
</tr>
<tr>
<td>Jena</td>
<td>Gaines</td>
<td>Office Manager</td>
<td>London</td>
<td>30</td>
<td>2008/12/19</td>
<td>$90,560</td>
<td>3814</td>
<td>j.gaines@datatables.net</td>
</tr>
<tr>
<td>Quinn</td>
<td>Flynn</td>
<td>Support Lead</td>
<td>Edinburgh</td>
<td>22</td>
<td>2013/03/03</td>
<td>$342,000</td>
<td>9497</td>
<td>q.flynn@datatables.net</td>
</tr>
<tr>
<td>Charde</td>
<td>Marshall</td>
<td>Regional Director</td>
<td>San Francisco</td>
<td>36</td>
<td>2008/10/16</td>
<td>$470,600</td>
<td>6741</td>
<td>c.marshall@datatables.net</td>
</tr>
<tr>
<td>Haley</td>
<td>Kennedy</td>
<td>Senior Marketing Designer</td>
<td>London</td>
<td>43</td>
<td>2012/12/18</td>
<td>$313,500</td>
<td>3597</td>
<td>h.kennedy@datatables.net</td>
</tr>
<tr>
<td>Tatyana</td>
<td>Fitzpatrick</td>
<td>Regional Director</td>
<td>London</td>
<td>19</td>
<td>2010/03/17</td>
<td>$385,750</td>
<td>1965</td>
<td>t.fitzpatrick@datatables.net</td>
</tr>
<tr>
<td>Michael</td>
<td>Silva</td>
<td>Marketing Designer</td>
<td>London</td>
<td>66</td>
<td>2012/11/27</td>
<td>$198,500</td>
<td>1581</td>
<td>m.silva@datatables.net</td>
</tr>
<tr>
<td>Paul</td>
<td>Byrd</td>
<td>Chief Financial Officer (CFO)</td>
<td>New York</td>
<td>64</td>
<td>2010/06/09</td>
<td>$725,000</td>
<td>3059</td>
<td>p.byrd@datatables.net</td>
</tr>
<tr>
<td>Gloria</td>
<td>Little</td>
<td>Systems Administrator</td>
<td>New York</td>
<td>59</td>
<td>2009/04/10</td>
<td>$237,500</td>
<td>1721</td>
<td>g.little@datatables.net</td>
</tr>
<tr>
<td>Bradley</td>
<td>Greer</td>
<td>Software Engineer</td>
<td>London</td>
<td>41</td>
<td>2012/10/13</td>
<td>$132,000</td>
<td>2558</td>
<td>b.greer@datatables.net</td>
</tr>
<tr>
<td>Dai</td>
<td>Rios</td>
<td>Personnel Lead</td>
<td>Edinburgh</td>
<td>35</td>
<td>2012/09/26</td>
<td>$217,500</td>
<td>2290</td>
<td>d.rios@datatables.net</td>
</tr>
<tr>
<td>Jenette</td>
<td>Caldwell</td>
<td>Development Lead</td>
<td>New York</td>
<td>30</td>
<td>2011/09/03</td>
<td>$345,000</td>
<td>1937</td>
<td>j.caldwell@datatables.net</td>
</tr>
<tr>
<td>Yuri</td>
<td>Berry</td>
<td>Chief Marketing Officer (CMO)</td>
<td>New York</td>
<td>40</td>
<td>2009/06/25</td>
<td>$675,000</td>
<td>6154</td>
<td>y.berry@datatables.net</td>
</tr>
<tr>
<td>Caesar</td>
<td>Vance</td>
<td>Pre-Sales Support</td>
<td>New York</td>
<td>21</td>
<td>2011/12/12</td>
<td>$106,450</td>
<td>8330</td>
<td>c.vance@datatables.net</td>
</tr>
<tr>
<td>Doris</td>
<td>Wilder</td>
<td>Sales Assistant</td>
<td>Sidney</td>
<td>23</td>
<td>2010/09/20</td>
<td>$85,600</td>
<td>3023</td>
<td>d.wilder@datatables.net</td>
</tr>
<tr>
<td>Angelica</td>
<td>Ramos</td>
<td>Chief Executive Officer (CEO)</td>
<td>London</td>
<td>47</td>
<td>2009/10/09</td>
<td>$1,200,000</td>
<td>5797</td>
<td>a.ramos@datatables.net</td>
</tr>
<tr>
<td>Gavin</td>
<td>Joyce</td>
<td>Developer</td>
<td>Edinburgh</td>
<td>42</td>
<td>2010/12/22</td>
<td>$92,575</td>
<td>8822</td>
<td>g.joyce@datatables.net</td>
</tr>
<tr>
<td>Jennifer</td>
<td>Chang</td>
<td>Regional Director</td>
<td>Singapore</td>
<td>28</td>
<td>2010/11/14</td>
<td>$357,650</td>
<td>9239</td>
<td>j.chang@datatables.net</td>
</tr>
<tr>
<td>Brenden</td>
<td>Wagner</td>
<td>Software Engineer</td>
<td>San Francisco</td>
<td>28</td>
<td>2011/06/07</td>
<td>$206,850</td>
<td>1314</td>
<td>b.wagner@datatables.net</td>
</tr>
<tr>
<td>Fiona</td>
<td>Green</td>
<td>Chief Operating Officer (COO)</td>
<td>San Francisco</td>
<td>48</td>
<td>2010/03/11</td>
<td>$850,000</td>
<td>2947</td>
<td>f.green@datatables.net</td>
</tr>
<tr>
<td>Shou</td>
<td>Itou</td>
<td>Regional Marketing</td>
<td>Tokyo</td>
<td>20</td>
<td>2011/08/14</td>
<td>$163,000</td>
<td>8899</td>
<td>s.itou@datatables.net</td>
</tr>
<tr>
<td>Michelle</td>
<td>House</td>
<td>Integration Specialist</td>
<td>Sidney</td>
<td>37</td>
<td>2011/06/02</td>
<td>$95,400</td>
<td>2769</td>
<td>m.house@datatables.net</td>
</tr>
<tr>
<td>Suki</td>
<td>Burks</td>
<td>Developer</td>
<td>London</td>
<td>53</td>
<td>2009/10/22</td>
<td>$114,500</td>
<td>6832</td>
<td>s.burks@datatables.net</td>
</tr>
<tr>
<td>Prescott</td>
<td>Bartlett</td>
<td>Technical Author</td>
<td>London</td>
<td>27</td>
<td>2011/05/07</td>
<td>$145,000</td>
<td>3606</td>
<td>p.bartlett@datatables.net</td>
</tr>
<tr>
<td>Gavin</td>
<td>Cortez</td>
<td>Team Leader</td>
<td>San Francisco</td>
<td>22</td>
<td>2008/10/26</td>
<td>$235,500</td>
<td>2860</td>
<td>g.cortez@datatables.net</td>
</tr>
<tr>
<td>Martena</td>
<td>Mccray</td>
<td>Post-Sales support</td>
<td>Edinburgh</td>
<td>46</td>
<td>2011/03/09</td>
<td>$324,050</td>
<td>8240</td>
<td>m.mccray@datatables.net</td>
</tr>
<tr>
<td>Unity</td>
<td>Butler</td>
<td>Marketing Designer</td>
<td>San Francisco</td>
<td>47</td>
<td>2009/12/09</td>
<td>$85,675</td>
<td>5384</td>
<td>u.butler@datatables.net</td>
</tr>
<tr>
<td>Howard</td>
<td>Hatfield</td>
<td>Office Manager</td>
<td>San Francisco</td>
<td>51</td>
<td>2008/12/16</td>
<td>$164,500</td>
<td>7031</td>
<td>h.hatfield@datatables.net</td>
</tr>
<tr>
<td>Hope</td>
<td>Fuentes</td>
<td>Secretary</td>
<td>San Francisco</td>
<td>41</td>
<td>2010/02/12</td>
<td>$109,850</td>
<td>6318</td>
<td>h.fuentes@datatables.net</td>
</tr>
<tr>
<td>Vivian</td>
<td>Harrell</td>
<td>Financial Controller</td>
<td>San Francisco</td>
<td>62</td>
<td>2009/02/14</td>
<td>$452,500</td>
<td>9422</td>
<td>v.harrell@datatables.net</td>
</tr>
<tr>
<td>Timothy</td>
<td>Mooney</td>
<td>Office Manager</td>
<td>London</td>
<td>37</td>
<td>2008/12/11</td>
<td>$136,200</td>
<td>7580</td>
<td>t.mooney@datatables.net</td>
</tr>
<tr>
<td>Jackson</td>
<td>Bradshaw</td>
<td>Director</td>
<td>New York</td>
<td>65</td>
<td>2008/09/26</td>
<td>$645,750</td>
<td>1042</td>
<td>j.bradshaw@datatables.net</td>
</tr>
<tr>
<td>Olivia</td>
<td>Liang</td>
<td>Support Engineer</td>
<td>Singapore</td>
<td>64</td>
<td>2011/02/03</td>
<td>$234,500</td>
<td>2120</td>
<td>o.liang@datatables.net</td>
</tr>
<tr>
<td>Bruno</td>
<td>Nash</td>
<td>Software Engineer</td>
<td>London</td>
<td>38</td>
<td>2011/05/03</td>
<td>$163,500</td>
<td>6222</td>
<td>b.nash@datatables.net</td>
</tr>
<tr>
<td>Sakura</td>
<td>Yamamoto</td>
<td>Support Engineer</td>
<td>Tokyo</td>
<td>37</td>
<td>2009/08/19</td>
<td>$139,575</td>
<td>9383</td>
<td>s.yamamoto@datatables.net</td>
</tr>
<tr>
<td>Thor</td>
<td>Walton</td>
<td>Developer</td>
<td>New York</td>
<td>61</td>
<td>2013/08/11</td>
<td>$98,540</td>
<td>8327</td>
<td>t.walton@datatables.net</td>
</tr>
<tr>
<td>Finn</td>
<td>Camacho</td>
<td>Support Engineer</td>
<td>San Francisco</td>
<td>47</td>
<td>2009/07/07</td>
<td>$87,500</td>
<td>2927</td>
<td>f.camacho@datatables.net</td>
</tr>
<tr>
<td>Serge</td>
<td>Baldwin</td>
<td>Data Coordinator</td>
<td>Singapore</td>
<td>64</td>
<td>2012/04/09</td>
<td>$138,575</td>
<td>8352</td>
<td>s.baldwin@datatables.net</td>
</tr>
<tr>
<td>Zenaida</td>
<td>Frank</td>
<td>Software Engineer</td>
<td>New York</td>
<td>63</td>
<td>2010/01/04</td>
<td>$125,250</td>
<td>7439</td>
<td>z.frank@datatables.net</td>
</tr>
<tr>
<td>Zorita</td>
<td>Serrano</td>
<td>Software Engineer</td>
<td>San Francisco</td>
<td>56</td>
<td>2012/06/01</td>
<td>$115,000</td>
<td>4389</td>
<td>z.serrano@datatables.net</td>
</tr>
<tr>
<td>Jennifer</td>
<td>Acosta</td>
<td>Junior Javascript Developer</td>
<td>Edinburgh</td>
<td>43</td>
<td>2013/02/01</td>
<td>$75,650</td>
<td>3431</td>
<td>j.acosta@datatables.net</td>
</tr>
<tr>
<td>Cara</td>
<td>Stevens</td>
<td>Sales Assistant</td>
<td>New York</td>
<td>46</td>
<td>2011/12/06</td>
<td>$145,600</td>
<td>3990</td>
<td>c.stevens@datatables.net</td>
</tr>
<tr>
<td>Hermione</td>
<td>Butler</td>
<td>Regional Director</td>
<td>London</td>
<td>47</td>
<td>2011/03/21</td>
<td>$356,250</td>
<td>1016</td>
<td>h.butler@datatables.net</td>
</tr>
<tr>
<td>Lael</td>
<td>Greer</td>
<td>Systems Administrator</td>
<td>London</td>
<td>21</td>
<td>2009/02/27</td>
<td>$103,500</td>
<td>6733</td>
<td>l.greer@datatables.net</td>
</tr>
<tr>
<td>Jonas</td>
<td>Alexander</td>
<td>Developer</td>
<td>San Francisco</td>
<td>30</td>
<td>2010/07/14</td>
<td>$86,500</td>
<td>8196</td>
<td>j.alexander@datatables.net</td>
</tr>
<tr>
<td>Shad</td>
<td>Decker</td>
<td>Regional Director</td>
<td>Edinburgh</td>
<td>51</td>
<td>2008/11/13</td>
<td>$183,000</td>
<td>6373</td>
<td>s.decker@datatables.net</td>
</tr>
<tr>
<td>Michael</td>
<td>Bruce</td>
<td>Javascript Developer</td>
<td>Singapore</td>
<td>29</td>
<td>2011/06/27</td>
<td>$183,000</td>
<td>5384</td>
<td>m.bruce@datatables.net</td>
</tr>
<tr>
<td>Donna</td>
<td>Snider</td>
<td>Customer Support</td>
<td>New York</td>
<td>27</td>
<td>2011/01/25</td>
<td>$112,000</td>
<td>4226</td>
<td>d.snider@datatables.net</td>
</tr>
</tbody>
</table>
<ul class="tabs">
<li class="active">Javascript</li>
<li>HTML</li>
<li>CSS</li>
<li>Ajax</li>
<li>Server-side script</li>
</ul>
<div class="tabs">
<div class="js">
<p>The Javascript shown below is used to initialise the table shown in this example:</p><code class="multiline language-js">$(document).ready(function() {
$('#example').DataTable();
} );</code>
<p>In addition to the above code, the following Javascript library files are loaded for use in this example:</p>
<ul>
<li>
<a href="//code.jquery.com/jquery-1.11.3.min.js">//code.jquery.com/jquery-1.11.3.min.js</a>
</li>
<li>
<a href="../../../../media/js/jquery.dataTables.js">../../../../media/js/jquery.dataTables.js</a>
</li>
<li>
<a href="../../js/dataTables.responsive.js">../../js/dataTables.responsive.js</a>
</li>
</ul>
</div>
<div class="table">
<p>The HTML shown below is the raw HTML table element, before it has been enhanced by DataTables:</p>
</div>
<div class="css">
<div>
<p>This example uses a little bit of additional CSS beyond what is loaded from the library files (below), in order to correctly display the table. The
additional CSS used is shown below:</p><code class="multiline language-css"></code>
</div>
<p>The following CSS library files are loaded for use in this example to provide the styling of the table:</p>
<ul>
<li>
<a href="../../../../media/css/jquery.dataTables.css">../../../../media/css/jquery.dataTables.css</a>
</li>
<li>
<a href="../../css/responsive.dataTables.css">../../css/responsive.dataTables.css</a>
</li>
</ul>
</div>
<div class="ajax">
<p>This table loads data by Ajax. The latest data that has been loaded is shown below. This data will update automatically as any additional data is
loaded.</p>
</div>
<div class="php">
<p>The script used to perform the server-side processing for this table is shown below. Please note that this is just an example script using PHP. Server-side
processing scripts can be written in any language, using <a href="//datatables.net/manual/server-side">the protocol described in the DataTables
documentation</a>.</p>
</div>
</div>
</section>
</div>
<section>
<div class="footer">
<div class="gradient"></div>
<div class="liner">
<h2>Other examples</h2>
<div class="toc">
<div class="toc-group">
<h3><a href="./index.html">Basic initialisation</a></h3>
<ul class="toc active">
<li class="active">
<a href="./className.html">Class name</a>
</li>
<li>
<a href="./option.html">Configuration option</a>
</li>
<li>
<a href="./new.html">`new` constructor</a>
</li>
<li>
<a href="./ajax.html">Ajax data</a>
</li>
<li>
<a href="./default.html">Default initialisation</a>
</li>
</ul>
</div>
<div class="toc-group">
<h3><a href="../display-types/index.html">Display-types</a></h3>
<ul class="toc">
<li>
<a href="../display-types/immediateShow.html">Immediately show hidden details</a>
</li>
<li>
<a href="../display-types/modal.html">Modal details display</a>
</li>
<li>
<a href="../display-types/bootstrap-modal.html">Bootstrap modal</a>
</li>
<li>
<a href="../display-types/foundation-modal.html">Foundation modal</a>
</li>
<li>
<a href="../display-types/jqueryui-modal.html">jQuery UI modal</a>
</li>
</ul>
</div>
<div class="toc-group">
<h3><a href="../column-control/index.html">Column-control</a></h3>
<ul class="toc">
<li>
<a href="../column-control/auto.html">Automatic column hiding</a>
</li>
<li>
<a href="../column-control/columnPriority.html">Column priority</a>
</li>
<li>
<a href="../column-control/classes.html">Class control</a>
</li>
<li>
<a href="../column-control/init-classes.html">Assigned class control</a>
</li>
<li>
<a href="../column-control/column-visibility.html">With Buttons - Column visibility</a>
</li>
<li>
<a href="../column-control/fixedHeader.html">With FixedHeader</a>
</li>
<li>
<a href="../column-control/colreorder.html">With ColReorder</a>
</li>
</ul>
</div>
<div class="toc-group">
<h3><a href="../child-rows/index.html">Child rows</a></h3>
<ul class="toc">
<li>
<a href="../child-rows/disable-child-rows.html">Disable child rows</a>
</li>
<li>
<a href="../child-rows/column-control.html">Column controlled child rows</a>
</li>
<li>
<a href="../child-rows/right-column.html">Column control - right</a>
</li>
<li>
<a href="../child-rows/whole-row-control.html">Whole row child row control</a>
</li>
<li>
<a href="../child-rows/custom-renderer.html">Custom child row renderer</a>
</li>
</ul>
</div>
<div class="toc-group">
<h3><a href="../styling/index.html">Styling</a></h3>
<ul class="toc">
<li>
<a href="../styling/bootstrap.html">Bootstrap styling</a>
</li>
<li>
<a href="../styling/foundation.html">Foundation styling</a>
</li>
<li>
<a href="../styling/jqueryui.html">jQuery UI styling</a>
</li>
<li>
<a href="../styling/compact.html">Compact styling</a>
</li>
<li>
<a href="../styling/scrolling.html">Vertical scrolling</a>
</li>
</ul>
</div>
</div>
<div class="epilogue">
<p>Please refer to the <a href="http://www.datatables.net">DataTables documentation</a> for full information about its API properties and methods.<br>
Additionally, there are a wide range of <a href="http://www.datatables.net/extensions">extensions</a> and <a href=
"http://www.datatables.net/plug-ins">plug-ins</a> which extend the capabilities of DataTables.</p>
<p class="copyright">DataTables designed and created by <a href="http://www.sprymedia.co.uk">SpryMedia Ltd</a> © 2007-2015<br>
DataTables is licensed under the <a href="http://www.datatables.net/mit">MIT license</a>.</p>
</div>
</div>
</div>
</section>
</body>
</html> | zhanglei13/zeppelin | zeppelin-client/src/asserts/DataTables-1.10.10/extensions/Responsive/examples/initialisation/className.html | HTML | apache-2.0 | 23,240 |
<!DOCTYPE html>
<meta charset="UTF-8">
<title>CSS Reference Test</title>
<link rel="author" title="Gérard Talbot" href="http://www.gtalbot.org/BrowserBugsSection/css21testsuite/">
<style>
div
{
border: black solid 2px;
font-family: monospace;
font-size: 32px;
width: 8ch;
}
</style>
<div>DNA<br>means<br>Deoxy-<br>ribonu-<br>cleic<br>acid.</div>
<!--
Hyphen-minus == - == -
Hyphen == ‐ == ‐
-->
| chromium/chromium | third_party/blink/web_tests/external/wpt/css/css-text/hyphens/reference/hyphens-manual-inline-012M-ref.html | HTML | bsd-3-clause | 495 |
<!DOCTYPE html>
<meta charset="utf-8">
<title>CSS Grid Layout Test: Self-Alignment along column axis of absolute positioned items with 'definite' grid positions</title>
<link rel="author" title="Javier Fernandez Garcia-Boente" href="mailto:jfernandez@igalia.com">
<link rel="help" href="https://drafts.csswg.org/css-grid-1/#column-align">
<link rel="help" href="https://drafts.csswg.org/css-grid-1/#abspos-items">
<link rel="help" href="https://drafts.csswg.org/css-align-3/#propdef-align-self">
<link rel="help" href="https://drafts.csswg.org/css-align-3/#valdef-self-position-flex-end">
<meta name="assert" content="The 'flex-end' value of align-self behaves like 'end' for absolute positioned grid items.">
<link rel="stylesheet" type="text/css" href="/fonts/ahem.css" />
<style>
.grid {
position: relative;
display: inline-grid;
grid-template-columns: 100px 150px;
grid-template-rows: 150px 100px;
font: 10px/1 Ahem;
background: grey;
justify-items: start;
}
.grid.RTL { width: 400px; }
.grid > div { position: absolute; }
.grid > :nth-child(1) { background: green; }
.grid > :nth-child(2) { background: blue; }
.grid > :nth-child(3) { background: yellow; }
.grid > :nth-child(4) { background: red; }
.RTL { direction: rtl; }
.verticalLR { writing-mode: vertical-lr; }
.verticalRL { writing-mode: vertical-rl; }
.firstRowFirstColumn {
grid-row: 1 / 2;
grid-column: 1 / 2;
align-self: flex-end;
}
.firstRowSecondColumn {
grid-row: 1 / 2;
grid-column: 2 / 3;
align-self: flex-end;
}
.secondRowFirstColumn {
grid-row: 2 / 3;
grid-column: 1 / 2;
align-self: flex-end;
}
.secondRowSecondColumn {
grid-row: 2 / 3;
grid-column: 2 / 3;
align-self: flex-end;
}
</style>
<script src="/resources/testharness.js"></script>
<script src="/resources/testharnessreport.js"></script>
<script src="/resources/check-layout-th.js"></script>
<script type="text/javascript">
setup({ explicit_done: true });
</script>
<body onload="document.fonts.ready.then(() => { checkLayout('.grid'); })">
<div class="grid">
<div data-offset-x="0" data-offset-y="140" data-expected-width="60" data-expected-height="10" class="firstRowFirstColumn">X XX X</div>
<div data-offset-x="100" data-offset-y="120" data-expected-width="70" data-expected-height="30" class="firstRowSecondColumn">XX X<br>X XXX X<br>XX XXX</div>
<div data-offset-x="0" data-offset-y="240" data-expected-width="60" data-expected-height="10" class="secondRowFirstColumn">X XX X</div>
<div data-offset-x="100" data-offset-y="210" data-expected-width="60" data-expected-height="40" class="secondRowSecondColumn">XX X<br>X XXX<br>X<br>XX XXX</div>
</div>
<div class="grid RTL">
<div data-offset-x="340" data-offset-y="140" data-expected-width="60" data-expected-height="10" class="firstRowFirstColumn">X XX X</div>
<div data-offset-x="230" data-offset-y="120" data-expected-width="70" data-expected-height="30" class="firstRowSecondColumn">XX X<br>X XXX X<br>XX XXX</div>
<div data-offset-x="340" data-offset-y="240" data-expected-width="60" data-expected-height="10" class="secondRowFirstColumn">X XX X</div>
<div data-offset-x="240" data-offset-y="210" data-expected-width="60" data-expected-height="40" class="secondRowSecondColumn">XX X<br>X XXX<br>X<br>XX XXX</div>
</div>
<br></br>
<div class="grid verticalLR">
<div data-offset-x="140" data-offset-y="0" data-expected-width="10" data-expected-height="60" class="firstRowFirstColumn">X XX X</div>
<div data-offset-x="120" data-offset-y="100" data-expected-width="30" data-expected-height="70" class="firstRowSecondColumn">XX X<br>X XXX X<br>XX XXX</div>
<div data-offset-x="240" data-offset-y="0" data-expected-width="10" data-expected-height="60" class="secondRowFirstColumn">X XX X</div>
<div data-offset-x="210" data-offset-y="100" data-expected-width="40" data-expected-height="60" class="secondRowSecondColumn">XX X<br>X XXX<br>X<br>XX XXX</div>
</div>
<div class="grid verticalRL">
<div data-offset-x="100" data-offset-y="0" data-expected-width="10" data-expected-height="60" class="firstRowFirstColumn">X XX X</div>
<div data-offset-x="100" data-offset-y="100" data-expected-width="30" data-expected-height="70" class="firstRowSecondColumn">XX X<br>X XXX X<br>XX XXX</div>
<div data-offset-x="0" data-offset-y="0" data-expected-width="10" data-expected-height="60" class="secondRowFirstColumn">X XX X</div>
<div data-offset-x="0" data-offset-y="100" data-expected-width="40" data-expected-height="60" class="secondRowSecondColumn">XX X<br>X XXX<br>X<br>XX XXX</div>
</div>
</body>
| scheib/chromium | third_party/blink/web_tests/external/wpt/css/css-grid/alignment/grid-column-axis-alignment-positioned-items-007.html | HTML | bsd-3-clause | 4,572 |
<!DOCTYPE html>
<html>
<title>CSS Flexbox: align-self: center content with flex-direction: column.</title>
<link rel="help" href="https://drafts.csswg.org/css-flexbox/#flex-direction-property">
<link rel="help" href="https://drafts.csswg.org/css-align/#align-self-property">
<link rel="help" href="https://crbug.com/750553"/>
<meta name="assert" content="This test ensures that no unnecessary horizontal offset is applied to inline content in a 'align-self: center' box, inside of a flexbox with 'flex-direction: column'."/>
<style>
html, body {
margin: 0;
}
body {
display: flex;
flex-direction: column;
}
.content {
align-self: center;
}
.content > div {
width: 400px;
display: inline-block;
}
</style>
<script src="/resources/testharness.js"></script>
<script src="/resources/testharnessreport.js"></script>
<script src="/resources/check-layout-th.js"></script>
<body onload="checkLayout('.content')">
<div class="content" data-offset-x="0">
<div data-offset-x="0">X</div>
<div>X</div>
<div>X</div>
<div>X</div>
<div>X</div>
</div>
</body>
</html>
| scheib/chromium | third_party/blink/web_tests/external/wpt/css/css-flexbox/align-self-014.html | HTML | bsd-3-clause | 1,081 |
<HTML>
<HEAD>
<TITLE>Function Browser Help</TITLE>
</HEAD>
<BODY>
<H1>The Function Browser</H1>
<img src="images/browser1.png" alt="layout1" width=164 height=171 align="right" border=0>
<img src="images/browser2.png" alt="layout2" width=164 height=170 align="right" border=0>
<h2>Overview</h2>
<p>The Function Browser may be used to search for specific functions
in the executable, allowing the user to easily browse through source
code and set and clear breakpoints at anywhere in the executable
with ease. Its powerful regular expression searches allow the user
to easily set breakpoints on multiple functions at once.</p>
<p>The Function Browser has two different layouts. Both layouts contain the same four sections;
Files, Function Filter, Functions, and Source Display.</p>
<h3>Files</h3>
<p>The Files section displays a list of all the source files. The files are
read from the debug information in the program being debugged. To see
the list of functions in a file, click on it. The function list should appear
in the Functions Display and the source should appear in the Source Display.
You can select multiple files by using the Control or Shift keys while
clicking the left mouse button. When multiple files are selected, all the functions in those files
are displayed in the Functions Display.
</p>
<p>At the bottom of the Files Display, you should see a checkbutton labelled "Hide .h files"
and a button labelled "Select All". Checking "Hide .h files" will remove all
files ending in ".h" from the Files Display. Clicking "Select All" will select all files
in the Files Display.</p>
<h3>Function Filter</h3>
<p>Above the Function Display you should see a section labelled "Function Filter".
The purpose of this section is to apply a filter to the list of functions in the Functions Display.
For example, if you click "Select All" in the Files Display, then many hundreds of functions
could appear in the Functions Display. To see all functions containing the string "print", for example, click on the combobox in the Function Filter and select "contains".
Then type "print" into the box to the right and hit the enter or return key. You should see the Function
Display updated with a list of all functions containing "print".</p>
<p>Insight remember what the last filter you used was and will always open the Function
Browser window with the last filter settings.
</p>
<h3>Function Display</h3>
<p>The Function Display contains the list of functions in the files that have been
selected in the Files Display, after running them through any filter settings in the Filter Display.
There are two buttons at the bottom of the display that allow you so set or delete breakpoints on every function
in the Function Display in one operation.
</p>
<p>For example, to set a breakpoint of every function name containing "print", follow the example in the Function Filter section to
get a list of all functions containing "print". Then simply click the "Set BP" button.</p>
<h3>Source Display</h3>
<p>The Source Display shows the source code for any file selected in the File Display. If a function
is selected in the Function Display, the first line of that function containing
executable code will be highlighted. If no source file is found, then the function will be
displayed disassembled.</p>
<p>At the bottom of the window are two comboboxes and a text field. The combobox on the far left
contains the function name or file location to display. Normally this is just output for your information, however
you can type the name of any function into this box to see its source.
</p>
<p>To the right of this is another combobox that allows you to toggle between source and assembly.
</p>
<p>To the far right is an empty field. You can type a string in it and hit enter to
search the current source file for any string.</p>
<p>In the source window itself, you can set breakpoints just like the source window.</p>
<h3>Popup Menu</h3>
<p>If you click the right mouse button while over the File Browser, you should get a simple menu
with three options; <i>Toggle Layout</i>, <i>Help</i>, and <i>Close</i>. <i>Toggle Layout</i>
switches you between the two different Browser Window layouts. Choose the one you like best;
Insight will remember it between sessions. <i>Help</i> pops up this help window. <i>Close</i> closes the Function Browser.
</p>
</BODY>
</HTML>
| chcbaram/FPGA | zap-2.3.0-windows/papilio-zap-ide/hardware/tools/avr/share/insight1.0/help/browser.html | HTML | mit | 4,380 |
<!DOCTYPE HTML>
<!--
Any copyright is dedicated to the Public Domain.
http://creativecommons.org/publicdomain/zero/1.0/
-->
<html><head>
<meta charset="utf-8">
<title>CSS Grid Test: Masonry layout with `align-content` in grid axis</title>
<link rel="author" title="Mats Palmgren" href="mailto:mats@mozilla.com">
<link rel="help" href="https://drafts.csswg.org/css-grid-2">
<link rel="match" href="masonry-align-content-003-ref.html">
<style>
html,body {
color:black; background-color:white; font:15px/1 monospace; padding:0; margin:0;
}
grid {
display: inline-grid;
gap: 1px 2px;
grid-template-columns: masonry;
grid-template-rows: repeat(4,auto);
background: content-box silver;
border: 1px solid;
padding: 0 3px 2px 0;
width: 100px;
height: 120px;
align-content: center;
justify-items: start;
}
item {
background-color: #444;
color: #fff;
}
.tall { padding: 3px 11px 1px 13px; }
</style>
</head>
<body>
<grid style="align-content:start">
<item class="tall">1</item>
<item>2</item>
<item>3</item>
<item>4</item>
<item>5</item>
<item>6</item>
</grid>
<grid style="align-content:start">
<item>1</item>
<item class="tall">2</item>
<item>3</item>
<item>4</item>
<item>5</item>
<item>6</item>
</grid>
<grid style="align-content:end">
<item class="tall">1</item>
<item>2</item>
<item>3</item>
<item>4</item>
<item>5</item>
<item>6</item>
</grid>
<grid style="align-content:end">
<item>1</item>
<item class="tall">2</item>
<item>3</item>
<item>4</item>
<item>5</item>
<item>6</item>
</grid>
<grid style="align-content:center">
<item class="tall">1</item>
<item>2</item>
<item>3</item>
<item>4</item>
<item>5</item>
<item>6</item>
</grid>
<grid style="align-content:center">
<item>1</item>
<item class="tall">2</item>
<item>3</item>
<item>4</item>
<item>5</item>
<item>6</item>
</grid>
<grid style="align-content:stretch">
<item class="tall">1</item>
<item>2</item>
<item>3</item>
<item>4</item>
<item>5</item>
<item>6</item>
</grid>
<grid style="align-content:space-between">
<item class="tall">1</item>
<item>2</item>
<item>3</item>
<item>4</item>
<item>5</item>
<item>6</item>
</grid>
<grid style="align-content:space-around">
<item class="tall">1</item>
<item>2</item>
<item>3</item>
<item>4</item>
<item>5</item>
<item>6</item>
</grid>
<grid style="align-content:space-evenly">
<item class="tall">1</item>
<item>2</item>
<item>3</item>
<item>4</item>
<item>5</item>
<item>6</item>
</grid>
| scheib/chromium | third_party/blink/web_tests/external/wpt/css/css-grid/masonry/tentative/masonry-align-content-003.html | HTML | bsd-3-clause | 2,570 |
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/>
<meta http-equiv="X-UA-Compatible" content="IE=9"/>
<title>RakNet: RakNet::SQLite3ClientPlugin Class Reference</title>
<link href="tabs.css" rel="stylesheet" type="text/css"/>
<script type="text/javascript" src="jquery.js"></script>
<script type="text/javascript" src="dynsections.js"></script>
<link href="doxygen.css" rel="stylesheet" type="text/css" />
</head>
<body>
<div id="top"><!-- do not remove this div, it is closed by doxygen! -->
<div id="titlearea">
<table cellspacing="0" cellpadding="0">
<tbody>
<tr style="height: 56px;">
<td style="padding-left: 0.5em;">
<div id="projectname">RakNet
 <span id="projectnumber">4.0</span>
</div>
</td>
</tr>
</tbody>
</table>
</div>
<!-- end header part -->
<!-- Generated by Doxygen 1.8.2 -->
<div id="navrow1" class="tabs">
<ul class="tablist">
<li><a href="index.html"><span>Main Page</span></a></li>
<li><a href="pages.html"><span>Related Pages</span></a></li>
<li><a href="modules.html"><span>Modules</span></a></li>
<li><a href="namespaces.html"><span>Namespaces</span></a></li>
<li class="current"><a href="annotated.html"><span>Classes</span></a></li>
<li><a href="files.html"><span>Files</span></a></li>
</ul>
</div>
<div id="navrow2" class="tabs2">
<ul class="tablist">
<li><a href="annotated.html"><span>Class List</span></a></li>
<li><a href="classes.html"><span>Class Index</span></a></li>
<li><a href="hierarchy.html"><span>Class Hierarchy</span></a></li>
<li><a href="functions.html"><span>Class Members</span></a></li>
</ul>
</div>
<div id="nav-path" class="navpath">
<ul>
<li class="navelem"><a class="el" href="namespaceRakNet.html">RakNet</a></li><li class="navelem"><a class="el" href="classRakNet_1_1SQLite3ClientPlugin.html">SQLite3ClientPlugin</a></li> </ul>
</div>
</div><!-- top -->
<div class="header">
<div class="summary">
<a href="#pub-methods">Public Member Functions</a> |
<a href="classRakNet_1_1SQLite3ClientPlugin-members.html">List of all members</a> </div>
<div class="headertitle">
<div class="title">RakNet::SQLite3ClientPlugin Class Reference<div class="ingroups"><a class="el" href="group__SQL__LITE__3__PLUGIN.html">SQLite3Plugin</a></div></div> </div>
</div><!--header-->
<div class="contents">
<p><code>#include <SQLite3ClientPlugin.h></code></p>
<div class="dynheader">
Inheritance diagram for RakNet::SQLite3ClientPlugin:</div>
<div class="dyncontent">
<div class="center">
<img src="classRakNet_1_1SQLite3ClientPlugin.png" usemap="#RakNet::SQLite3ClientPlugin_map" alt=""/>
<map id="RakNet::SQLite3ClientPlugin_map" name="RakNet::SQLite3ClientPlugin_map">
<area href="classRakNet_1_1PluginInterface2.html" alt="RakNet::PluginInterface2" shape="rect" coords="0,0,170,24"/>
</map>
</div></div>
<table class="memberdecls">
<tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pub-methods"></a>
Public Member Functions</h2></td></tr>
<tr class="memitem:a568808afb3220c34250a7038aa3b6892"><td class="memItemLeft" align="right" valign="top">void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1SQLite3ClientPlugin.html#a568808afb3220c34250a7038aa3b6892">AddResultHandler</a> (<a class="el" href="classRakNet_1_1SQLite3PluginResultInterface.html">SQLite3PluginResultInterface</a> *res)</td></tr>
<tr class="separator:a568808afb3220c34250a7038aa3b6892"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:ac80185c1a1cd44fb7612057147114853"><td class="memItemLeft" align="right" valign="top">unsigned int </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1SQLite3ClientPlugin.html#ac80185c1a1cd44fb7612057147114853">_sqlite3_exec</a> (<a class="el" href="classRakNet_1_1RakString.html">RakNet::RakString</a> dbIdentifier, <a class="el" href="classRakNet_1_1RakString.html">RakNet::RakString</a> inputStatement, <a class="el" href="PacketPriority_8h.html#a659378374e516180f93640c79f59705c">PacketPriority</a> priority, <a class="el" href="PacketPriority_8h.html#ae41fa01235e99dced384d137fa874a7e">PacketReliability</a> reliability, char orderingChannel, const <a class="el" href="structRakNet_1_1SystemAddress.html">SystemAddress</a> &systemAddress)</td></tr>
<tr class="separator:ac80185c1a1cd44fb7612057147114853"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:ac4a9a1dfc8221d1ef37ad83c3d9b157e"><td class="memItemLeft" align="right" valign="top">virtual <a class="el" href="group__PLUGIN__INTERFACE__GROUP.html#ga89998adaafb29e5d879113b992161085">PluginReceiveResult</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1SQLite3ClientPlugin.html#ac4a9a1dfc8221d1ef37ad83c3d9b157e">OnReceive</a> (<a class="el" href="structRakNet_1_1Packet.html">Packet</a> *packet)</td></tr>
<tr class="separator:ac4a9a1dfc8221d1ef37ad83c3d9b157e"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="inherit_header pub_methods_classRakNet_1_1PluginInterface2"><td colspan="2" onclick="javascript:toggleInherit('pub_methods_classRakNet_1_1PluginInterface2')"><img src="closed.png" alt="-"/> Public Member Functions inherited from <a class="el" href="classRakNet_1_1PluginInterface2.html">RakNet::PluginInterface2</a></td></tr>
<tr class="memitem:a550529f3753c4acf22c3b5c3e203552c inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top"><a class="anchor" id="a550529f3753c4acf22c3b5c3e203552c"></a>
virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#a550529f3753c4acf22c3b5c3e203552c">OnAttach</a> (void)</td></tr>
<tr class="memdesc:a550529f3753c4acf22c3b5c3e203552c inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="mdescLeft"> </td><td class="mdescRight">Called when the interface is attached. <br/></td></tr>
<tr class="separator:a550529f3753c4acf22c3b5c3e203552c inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a73d686ffe9a04a74e5a0ce78422c60f2 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top"><a class="anchor" id="a73d686ffe9a04a74e5a0ce78422c60f2"></a>
virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#a73d686ffe9a04a74e5a0ce78422c60f2">OnDetach</a> (void)</td></tr>
<tr class="memdesc:a73d686ffe9a04a74e5a0ce78422c60f2 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="mdescLeft"> </td><td class="mdescRight">Called when the interface is detached. <br/></td></tr>
<tr class="separator:a73d686ffe9a04a74e5a0ce78422c60f2 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a9587824d39ac045173442dbbc32051da inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top"><a class="anchor" id="a9587824d39ac045173442dbbc32051da"></a>
virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#a9587824d39ac045173442dbbc32051da">Update</a> (void)</td></tr>
<tr class="memdesc:a9587824d39ac045173442dbbc32051da inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="mdescLeft"> </td><td class="mdescRight">Update is called every time a packet is checked for . <br/></td></tr>
<tr class="separator:a9587824d39ac045173442dbbc32051da inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a14825e69f0560996327e4dd351842c06 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top"><a class="anchor" id="a14825e69f0560996327e4dd351842c06"></a>
virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#a14825e69f0560996327e4dd351842c06">OnRakPeerStartup</a> (void)</td></tr>
<tr class="memdesc:a14825e69f0560996327e4dd351842c06 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="mdescLeft"> </td><td class="mdescRight">Called when <a class="el" href="classRakNet_1_1RakPeer.html" title="Main interface for network communications.">RakPeer</a> is initialized. <br/></td></tr>
<tr class="separator:a14825e69f0560996327e4dd351842c06 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a37c873a1879871722e06acfc45923883 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top"><a class="anchor" id="a37c873a1879871722e06acfc45923883"></a>
virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#a37c873a1879871722e06acfc45923883">OnRakPeerShutdown</a> (void)</td></tr>
<tr class="memdesc:a37c873a1879871722e06acfc45923883 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="mdescLeft"> </td><td class="mdescRight">Called when <a class="el" href="classRakNet_1_1RakPeer.html" title="Main interface for network communications.">RakPeer</a> is shutdown. <br/></td></tr>
<tr class="separator:a37c873a1879871722e06acfc45923883 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a80c7612ca1a5dcfeec0b52d8049a71ea inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top">virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#a80c7612ca1a5dcfeec0b52d8049a71ea">OnClosedConnection</a> (const <a class="el" href="structRakNet_1_1SystemAddress.html">SystemAddress</a> &systemAddress, <a class="el" href="structRakNet_1_1RakNetGUID.html">RakNetGUID</a> rakNetGUID, <a class="el" href="group__PLUGIN__INTERFACE__GROUP.html#ga376cc546fd6892c2ead48cd51796c8b8">PI2_LostConnectionReason</a> lostConnectionReason)</td></tr>
<tr class="separator:a80c7612ca1a5dcfeec0b52d8049a71ea inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:abf13327cc10f772ba06dff8f2687f8ae inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top">virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#abf13327cc10f772ba06dff8f2687f8ae">OnNewConnection</a> (const <a class="el" href="structRakNet_1_1SystemAddress.html">SystemAddress</a> &systemAddress, <a class="el" href="structRakNet_1_1RakNetGUID.html">RakNetGUID</a> rakNetGUID, bool isIncoming)</td></tr>
<tr class="separator:abf13327cc10f772ba06dff8f2687f8ae inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a9504489498df14b6efa5ca9bd39aede4 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top">virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#a9504489498df14b6efa5ca9bd39aede4">OnFailedConnectionAttempt</a> (<a class="el" href="structRakNet_1_1Packet.html">Packet</a> *packet, <a class="el" href="group__PLUGIN__INTERFACE__GROUP.html#ga3e92f686bace869b78c10508c58e0825">PI2_FailedConnectionAttemptReason</a> failedConnectionAttemptReason)</td></tr>
<tr class="separator:a9504489498df14b6efa5ca9bd39aede4 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:accfca7d25262c48a87a30114383284aa inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top">virtual bool </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#accfca7d25262c48a87a30114383284aa">UsesReliabilityLayer</a> (void) const </td></tr>
<tr class="separator:accfca7d25262c48a87a30114383284aa inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a7a6f69c6fc3a121e3676298a63a9ef78 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top">virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#a7a6f69c6fc3a121e3676298a63a9ef78">OnDirectSocketSend</a> (const char *data, const BitSize_t bitsUsed, <a class="el" href="structRakNet_1_1SystemAddress.html">SystemAddress</a> remoteSystemAddress)</td></tr>
<tr class="separator:a7a6f69c6fc3a121e3676298a63a9ef78 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a9aac1101ad58e8443516588e96e066ec inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top">virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#a9aac1101ad58e8443516588e96e066ec">OnDirectSocketReceive</a> (const char *data, const BitSize_t bitsUsed, <a class="el" href="structRakNet_1_1SystemAddress.html">SystemAddress</a> remoteSystemAddress)</td></tr>
<tr class="separator:a9aac1101ad58e8443516588e96e066ec inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:abf51e60546bd74d21c91dc0d6f9f3a4b inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top">virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#abf51e60546bd74d21c91dc0d6f9f3a4b">OnReliabilityLayerNotification</a> (const char *errorMessage, const BitSize_t bitsUsed, <a class="el" href="structRakNet_1_1SystemAddress.html">SystemAddress</a> remoteSystemAddress, bool isError)</td></tr>
<tr class="separator:abf51e60546bd74d21c91dc0d6f9f3a4b inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a399b8c93daa0236599961e754742e2f7 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top">virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#a399b8c93daa0236599961e754742e2f7">OnInternalPacket</a> (<a class="el" href="structRakNet_1_1InternalPacket.html">InternalPacket</a> *internalPacket, unsigned frameNumber, <a class="el" href="structRakNet_1_1SystemAddress.html">SystemAddress</a> remoteSystemAddress, RakNet::TimeMS time, int isSend)</td></tr>
<tr class="separator:a399b8c93daa0236599961e754742e2f7 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:ae0b0cad31cfc209c48197c77d6b46345 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top">virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#ae0b0cad31cfc209c48197c77d6b46345">OnAck</a> (unsigned int messageNumber, <a class="el" href="structRakNet_1_1SystemAddress.html">SystemAddress</a> remoteSystemAddress, RakNet::TimeMS time)</td></tr>
<tr class="separator:ae0b0cad31cfc209c48197c77d6b46345 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a5c976aea56ed85055a17c19d91b90727 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memItemLeft" align="right" valign="top">virtual void </td><td class="memItemRight" valign="bottom"><a class="el" href="classRakNet_1_1PluginInterface2.html#a5c976aea56ed85055a17c19d91b90727">OnPushBackPacket</a> (const char *data, const BitSize_t bitsUsed, <a class="el" href="structRakNet_1_1SystemAddress.html">SystemAddress</a> remoteSystemAddress)</td></tr>
<tr class="separator:a5c976aea56ed85055a17c19d91b90727 inherit pub_methods_classRakNet_1_1PluginInterface2"><td class="memSeparator" colspan="2"> </td></tr>
</table>
<a name="details" id="details"></a><h2 class="groupheader">Detailed Description</h2>
<div class="textblock"><p>SQLite version 3 supports remote calls via networked file handles, but not over the regular internet This plugin will serialize calls to and results from sqlite3_exec That's all it does - any remote system can execute SQL queries. Intended as a starting platform to derive from for more advanced functionality (security over who can query, etc). Compatible as a plugin with both <a class="el" href="classRakNet_1_1RakPeerInterface.html" title="The main interface for network communications.">RakPeerInterface</a> and PacketizedTCP </p>
</div><h2 class="groupheader">Member Function Documentation</h2>
<a class="anchor" id="ac80185c1a1cd44fb7612057147114853"></a>
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">unsigned int RakNet::SQLite3ClientPlugin::_sqlite3_exec </td>
<td>(</td>
<td class="paramtype"><a class="el" href="classRakNet_1_1RakString.html">RakNet::RakString</a> </td>
<td class="paramname"><em>dbIdentifier</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype"><a class="el" href="classRakNet_1_1RakString.html">RakNet::RakString</a> </td>
<td class="paramname"><em>inputStatement</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype"><a class="el" href="PacketPriority_8h.html#a659378374e516180f93640c79f59705c">PacketPriority</a> </td>
<td class="paramname"><em>priority</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype"><a class="el" href="PacketPriority_8h.html#ae41fa01235e99dced384d137fa874a7e">PacketReliability</a> </td>
<td class="paramname"><em>reliability</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype">char </td>
<td class="paramname"><em>orderingChannel</em>, </td>
</tr>
<tr>
<td class="paramkey"></td>
<td></td>
<td class="paramtype">const <a class="el" href="structRakNet_1_1SystemAddress.html">SystemAddress</a> & </td>
<td class="paramname"><em>systemAddress</em> </td>
</tr>
<tr>
<td></td>
<td>)</td>
<td></td><td></td>
</tr>
</table>
</div><div class="memdoc">
<p>Execute a statement on the remote system </p>
<dl class="section note"><dt>Note</dt><dd>Don't forget to escape your input strings. <a class="el" href="classRakNet_1_1RakString.html#a6932a1a6069d3c017b3ed7389a8262bd" title="Scan for quote, double quote, and backslash and prepend with backslash.">RakString::SQLEscape()</a> is available for this. </dd></dl>
<dl class="params"><dt>Parameters</dt><dd>
<table class="params">
<tr><td class="paramdir">[in]</td><td class="paramname">dbIdentifier</td><td>Which database to use, added with AddDBHandle() </td></tr>
<tr><td class="paramdir">[in]</td><td class="paramname">inputStatement</td><td>SQL statement to execute </td></tr>
<tr><td class="paramdir">[in]</td><td class="paramname">priority</td><td>See <a class="el" href="classRakNet_1_1RakPeerInterface.html#a543ec5be9cf5f73f5c8733d1829789f9">RakPeerInterface::Send()</a> </td></tr>
<tr><td class="paramdir">[in]</td><td class="paramname">reliability</td><td>See <a class="el" href="classRakNet_1_1RakPeerInterface.html#a543ec5be9cf5f73f5c8733d1829789f9">RakPeerInterface::Send()</a> </td></tr>
<tr><td class="paramdir">[in]</td><td class="paramname">orderingChannel</td><td>See <a class="el" href="classRakNet_1_1RakPeerInterface.html#a543ec5be9cf5f73f5c8733d1829789f9">RakPeerInterface::Send()</a> </td></tr>
<tr><td class="paramdir">[in]</td><td class="paramname">systemAddress</td><td>See <a class="el" href="classRakNet_1_1RakPeerInterface.html#a543ec5be9cf5f73f5c8733d1829789f9">RakPeerInterface::Send()</a> </td></tr>
</table>
</dd>
</dl>
<dl class="section return"><dt>Returns</dt><dd>Query ID. Will be returned in _sqlite3_exec </dd></dl>
</div>
</div>
<a class="anchor" id="a568808afb3220c34250a7038aa3b6892"></a>
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">void RakNet::SQLite3ClientPlugin::AddResultHandler </td>
<td>(</td>
<td class="paramtype"><a class="el" href="classRakNet_1_1SQLite3PluginResultInterface.html">SQLite3PluginResultInterface</a> * </td>
<td class="paramname"><em>res</em></td><td>)</td>
<td></td>
</tr>
</table>
</div><div class="memdoc">
<p>Add an interface to get callbacks for results Up to user to make sure the pointer is valid through the lifetime of use </p>
</div>
</div>
<a class="anchor" id="ac4a9a1dfc8221d1ef37ad83c3d9b157e"></a>
<div class="memitem">
<div class="memproto">
<table class="mlabels">
<tr>
<td class="mlabels-left">
<table class="memname">
<tr>
<td class="memname">virtual <a class="el" href="group__PLUGIN__INTERFACE__GROUP.html#ga89998adaafb29e5d879113b992161085">PluginReceiveResult</a> RakNet::SQLite3ClientPlugin::OnReceive </td>
<td>(</td>
<td class="paramtype"><a class="el" href="structRakNet_1_1Packet.html">Packet</a> * </td>
<td class="paramname"><em>packet</em></td><td>)</td>
<td></td>
</tr>
</table>
</td>
<td class="mlabels-right">
<span class="mlabels"><span class="mlabel">virtual</span></span> </td>
</tr>
</table>
</div><div class="memdoc">
<p>OnReceive is called for every packet. </p>
<dl class="params"><dt>Parameters</dt><dd>
<table class="params">
<tr><td class="paramdir">[in]</td><td class="paramname">packet</td><td>the packet that is being returned to the user </td></tr>
</table>
</dd>
</dl>
<dl class="section return"><dt>Returns</dt><dd>True to allow the game and other plugins to get this message, false to absorb it </dd></dl>
<p>Reimplemented from <a class="el" href="classRakNet_1_1PluginInterface2.html#aa86f33263c1648f11b8a006469272639">RakNet::PluginInterface2</a>.</p>
</div>
</div>
<hr/>The documentation for this class was generated from the following file:<ul>
<li>D:/temp/RakNet_PC/DependentExtensions/SQLite3Plugin/<a class="el" href="SQLite3ClientPlugin_8h.html">SQLite3ClientPlugin.h</a></li>
</ul>
</div><!-- contents -->
<!-- start footer part -->
<hr class="footer"/><address class="footer"><small>
Generated on Mon Jun 2 2014 20:10:30 for RakNet by  <a href="http://www.doxygen.org/index.html">
<img class="footer" src="doxygen.png" alt="doxygen"/>
</a> 1.8.2
</small></address>
</body>
</html>
| JayStilla/AIEComplexSystems | dep/RakNet/Help/Doxygen/html/classRakNet_1_1SQLite3ClientPlugin.html | HTML | mit | 23,472 |
<!DOCTYPE html>
<html lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<meta name="generator" content="Asciidoctor 0.1.4">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Top Level API Objects</title>
<style>
/* Asciidoctor default stylesheet | MIT License | http://asciidoctor.org */
article, aside, details, figcaption, figure, footer, header, hgroup, main, nav, section, summary { display: block; }
audio, canvas, video { display: inline-block; }
audio:not([controls]) { display: none; height: 0; }
[hidden] { display: none; }
html { background: #fff; color: #000; font-family: sans-serif; -ms-text-size-adjust: 100%; -webkit-text-size-adjust: 100%; }
body { margin: 0; }
a:focus { outline: thin dotted; }
a:active, a:hover { outline: 0; }
h1 { font-size: 2em; margin: 0.67em 0; }
abbr[title] { border-bottom: 1px dotted; }
b, strong { font-weight: bold; }
dfn { font-style: italic; }
hr { -moz-box-sizing: content-box; box-sizing: content-box; height: 0; }
mark { background: #ff0; color: #000; }
code, kbd, pre, samp { font-family: monospace, serif; font-size: 1em; }
pre { white-space: pre-wrap; }
q { quotes: "\201C" "\201D" "\2018" "\2019"; }
small { font-size: 80%; }
sub, sup { font-size: 75%; line-height: 0; position: relative; vertical-align: baseline; }
sup { top: -0.5em; }
sub { bottom: -0.25em; }
img { border: 0; }
svg:not(:root) { overflow: hidden; }
figure { margin: 0; }
fieldset { border: 1px solid #c0c0c0; margin: 0 2px; padding: 0.35em 0.625em 0.75em; }
legend { border: 0; padding: 0; }
button, input, select, textarea { font-family: inherit; font-size: 100%; margin: 0; }
button, input { line-height: normal; }
button, select { text-transform: none; }
button, html input[type="button"], input[type="reset"], input[type="submit"] { -webkit-appearance: button; cursor: pointer; }
button[disabled], html input[disabled] { cursor: default; }
input[type="checkbox"], input[type="radio"] { box-sizing: border-box; padding: 0; }
input[type="search"] { -webkit-appearance: textfield; -moz-box-sizing: content-box; -webkit-box-sizing: content-box; box-sizing: content-box; }
input[type="search"]::-webkit-search-cancel-button, input[type="search"]::-webkit-search-decoration { -webkit-appearance: none; }
button::-moz-focus-inner, input::-moz-focus-inner { border: 0; padding: 0; }
textarea { overflow: auto; vertical-align: top; }
table { border-collapse: collapse; border-spacing: 0; }
*, *:before, *:after { -moz-box-sizing: border-box; -webkit-box-sizing: border-box; box-sizing: border-box; }
html, body { font-size: 100%; }
body { background: white; color: #222222; padding: 0; margin: 0; font-family: "Helvetica Neue", "Helvetica", Helvetica, Arial, sans-serif; font-weight: normal; font-style: normal; line-height: 1; position: relative; cursor: auto; }
a:hover { cursor: pointer; }
a:focus { outline: none; }
img, object, embed { max-width: 100%; height: auto; }
object, embed { height: 100%; }
img { -ms-interpolation-mode: bicubic; }
#map_canvas img, #map_canvas embed, #map_canvas object, .map_canvas img, .map_canvas embed, .map_canvas object { max-width: none !important; }
.left { float: left !important; }
.right { float: right !important; }
.text-left { text-align: left !important; }
.text-right { text-align: right !important; }
.text-center { text-align: center !important; }
.text-justify { text-align: justify !important; }
.hide { display: none; }
.antialiased, body { -webkit-font-smoothing: antialiased; }
img { display: inline-block; vertical-align: middle; }
textarea { height: auto; min-height: 50px; }
select { width: 100%; }
p.lead, .paragraph.lead > p, #preamble > .sectionbody > .paragraph:first-of-type p { font-size: 1.21875em; line-height: 1.6; }
.subheader, #content #toctitle, .admonitionblock td.content > .title, .exampleblock > .title, .imageblock > .title, .videoblock > .title, .listingblock > .title, .literalblock > .title, .openblock > .title, .paragraph > .title, .quoteblock > .title, .sidebarblock > .title, .tableblock > .title, .verseblock > .title, .dlist > .title, .olist > .title, .ulist > .title, .qlist > .title, .hdlist > .title, .tableblock > caption { line-height: 1.4; color: #7a2518; font-weight: 300; margin-top: 0.2em; margin-bottom: 0.5em; }
div, dl, dt, dd, ul, ol, li, h1, h2, h3, #toctitle, .sidebarblock > .content > .title, h4, h5, h6, pre, form, p, blockquote, th, td { margin: 0; padding: 0; direction: ltr; }
a { color: #005498; text-decoration: underline; line-height: inherit; }
a:hover, a:focus { color: #00467f; }
a img { border: none; }
p { font-family: inherit; font-weight: normal; font-size: 1em; line-height: 1.6; margin-bottom: 1.25em; text-rendering: optimizeLegibility; }
p aside { font-size: 0.875em; line-height: 1.35; font-style: italic; }
h1, h2, h3, #toctitle, .sidebarblock > .content > .title, h4, h5, h6 { font-family: Georgia, "URW Bookman L", Helvetica, Arial, sans-serif; font-weight: normal; font-style: normal; color: #ba3925; text-rendering: optimizeLegibility; margin-top: 1em; margin-bottom: 0.5em; line-height: 1.2125em; }
h1 small, h2 small, h3 small, #toctitle small, .sidebarblock > .content > .title small, h4 small, h5 small, h6 small { font-size: 60%; color: #e99b8f; line-height: 0; }
h1 { font-size: 2.125em; }
h2 { font-size: 1.6875em; }
h3, #toctitle, .sidebarblock > .content > .title { font-size: 1.375em; }
h4 { font-size: 1.125em; }
h5 { font-size: 1.125em; }
h6 { font-size: 1em; }
hr { border: solid #dddddd; border-width: 1px 0 0; clear: both; margin: 1.25em 0 1.1875em; height: 0; }
em, i { font-style: italic; line-height: inherit; }
strong, b { font-weight: bold; line-height: inherit; }
small { font-size: 60%; line-height: inherit; }
code { font-family: Consolas, "Liberation Mono", Courier, monospace; font-weight: normal; color: #6d180b; }
ul, ol, dl { font-size: 1em; line-height: 1.6; margin-bottom: 1.25em; list-style-position: outside; font-family: inherit; }
ul, ol { margin-left: 1.5em; }
ul li ul, ul li ol { margin-left: 1.25em; margin-bottom: 0; font-size: 1em; }
ul.square li ul, ul.circle li ul, ul.disc li ul { list-style: inherit; }
ul.square { list-style-type: square; }
ul.circle { list-style-type: circle; }
ul.disc { list-style-type: disc; }
ul.no-bullet { list-style: none; }
ol li ul, ol li ol { margin-left: 1.25em; margin-bottom: 0; }
dl dt { margin-bottom: 0.3125em; font-weight: bold; }
dl dd { margin-bottom: 1.25em; }
abbr, acronym { text-transform: uppercase; font-size: 90%; color: #222222; border-bottom: 1px dotted #dddddd; cursor: help; }
abbr { text-transform: none; }
blockquote { margin: 0 0 1.25em; padding: 0.5625em 1.25em 0 1.1875em; border-left: 1px solid #dddddd; }
blockquote cite { display: block; font-size: inherit; color: #555555; }
blockquote cite:before { content: "\2014 \0020"; }
blockquote cite a, blockquote cite a:visited { color: #555555; }
blockquote, blockquote p { line-height: 1.6; color: #6f6f6f; }
.vcard { display: inline-block; margin: 0 0 1.25em 0; border: 1px solid #dddddd; padding: 0.625em 0.75em; }
.vcard li { margin: 0; display: block; }
.vcard .fn { font-weight: bold; font-size: 0.9375em; }
.vevent .summary { font-weight: bold; }
.vevent abbr { cursor: auto; text-decoration: none; font-weight: bold; border: none; padding: 0 0.0625em; }
@media only screen and (min-width: 768px) { h1, h2, h3, #toctitle, .sidebarblock > .content > .title, h4, h5, h6 { line-height: 1.4; }
h1 { font-size: 2.75em; }
h2 { font-size: 2.3125em; }
h3, #toctitle, .sidebarblock > .content > .title { font-size: 1.6875em; }
h4 { font-size: 1.4375em; } }
.print-only { display: none !important; }
@media print { * { background: transparent !important; color: #000 !important; box-shadow: none !important; text-shadow: none !important; }
a, a:visited { text-decoration: underline; }
a[href]:after { content: " (" attr(href) ")"; }
abbr[title]:after { content: " (" attr(title) ")"; }
.ir a:after, a[href^="javascript:"]:after, a[href^="#"]:after { content: ""; }
pre, blockquote { border: 1px solid #999; page-break-inside: avoid; }
thead { display: table-header-group; }
tr, img { page-break-inside: avoid; }
img { max-width: 100% !important; }
@page { margin: 0.5cm; }
p, h2, h3, #toctitle, .sidebarblock > .content > .title { orphans: 3; widows: 3; }
h2, h3, #toctitle, .sidebarblock > .content > .title { page-break-after: avoid; }
.hide-on-print { display: none !important; }
.print-only { display: block !important; }
.hide-for-print { display: none !important; }
.show-for-print { display: inherit !important; } }
table { background: white; margin-bottom: 1.25em; border: solid 1px #dddddd; }
table thead, table tfoot { background: whitesmoke; font-weight: bold; }
table thead tr th, table thead tr td, table tfoot tr th, table tfoot tr td { padding: 0.5em 0.625em 0.625em; font-size: inherit; color: #222222; text-align: left; }
table tr th, table tr td { padding: 0.5625em 0.625em; font-size: inherit; color: #222222; }
table tr.even, table tr.alt, table tr:nth-of-type(even) { background: #f9f9f9; }
table thead tr th, table tfoot tr th, table tbody tr td, table tr td, table tfoot tr td { display: table-cell; line-height: 1.6; }
.clearfix:before, .clearfix:after, .float-group:before, .float-group:after { content: " "; display: table; }
.clearfix:after, .float-group:after { clear: both; }
*:not(pre) > code { font-size: 0.9375em; padding: 1px 3px 0; white-space: nowrap; background-color: #f2f2f2; border: 1px solid #cccccc; -webkit-border-radius: 4px; border-radius: 4px; text-shadow: none; }
pre, pre > code { line-height: 1.4; color: inherit; font-family: Consolas, "Liberation Mono", Courier, monospace; font-weight: normal; }
kbd.keyseq { color: #555555; }
kbd:not(.keyseq) { display: inline-block; color: #222222; font-size: 0.75em; line-height: 1.4; background-color: #F7F7F7; border: 1px solid #ccc; -webkit-border-radius: 3px; border-radius: 3px; -webkit-box-shadow: 0 1px 0 rgba(0, 0, 0, 0.2), 0 0 0 2px white inset; box-shadow: 0 1px 0 rgba(0, 0, 0, 0.2), 0 0 0 2px white inset; margin: -0.15em 0.15em 0 0.15em; padding: 0.2em 0.6em 0.2em 0.5em; vertical-align: middle; white-space: nowrap; }
kbd kbd:first-child { margin-left: 0; }
kbd kbd:last-child { margin-right: 0; }
.menuseq, .menu { color: #090909; }
p a > code:hover { color: #561309; }
#header, #content, #footnotes, #footer { width: 100%; margin-left: auto; margin-right: auto; margin-top: 0; margin-bottom: 0; max-width: 62.5em; *zoom: 1; position: relative; padding-left: 0.9375em; padding-right: 0.9375em; }
#header:before, #header:after, #content:before, #content:after, #footnotes:before, #footnotes:after, #footer:before, #footer:after { content: " "; display: table; }
#header:after, #content:after, #footnotes:after, #footer:after { clear: both; }
#header { margin-bottom: 2.5em; }
#header > h1 { color: black; font-weight: normal; border-bottom: 1px solid #dddddd; margin-bottom: -28px; padding-bottom: 32px; }
#header span { color: #6f6f6f; }
#header #revnumber { text-transform: capitalize; }
#header br { display: none; }
#header br + span { padding-left: 3px; }
#header br + span:before { content: "\2013 \0020"; }
#header br + span.author { padding-left: 0; }
#header br + span.author:before { content: ", "; }
#toc { border-bottom: 3px double #ebebeb; padding-bottom: 1.25em; }
#toc > ul { margin-left: 0.25em; }
#toc ul.sectlevel0 > li > a { font-style: italic; }
#toc ul.sectlevel0 ul.sectlevel1 { margin-left: 0; margin-top: 0.5em; margin-bottom: 0.5em; }
#toc ul { list-style-type: none; }
#toctitle { color: #7a2518; }
@media only screen and (min-width: 1280px) { body.toc2 { padding-left: 20em; }
#toc.toc2 { position: fixed; width: 20em; left: 0; top: 0; border-right: 1px solid #ebebeb; border-bottom: 0; z-index: 1000; padding: 1em; height: 100%; overflow: auto; }
#toc.toc2 #toctitle { margin-top: 0; }
#toc.toc2 > ul { font-size: .95em; }
#toc.toc2 ul ul { margin-left: 0; padding-left: 1.25em; }
#toc.toc2 ul.sectlevel0 ul.sectlevel1 { padding-left: 0; margin-top: 0.5em; margin-bottom: 0.5em; }
body.toc2.toc-right { padding-left: 0; padding-right: 20em; }
body.toc2.toc-right #toc.toc2 { border-right: 0; border-left: 1px solid #ebebeb; left: auto; right: 0; } }
#content #toc { border-style: solid; border-width: 1px; border-color: #d9d9d9; margin-bottom: 1.25em; padding: 1.25em; background: #f2f2f2; border-width: 0; -webkit-border-radius: 4px; border-radius: 4px; }
#content #toc > :first-child { margin-top: 0; }
#content #toc > :last-child { margin-bottom: 0; }
#content #toc a { text-decoration: none; }
#content #toctitle { font-weight: bold; font-family: "Helvetica Neue", "Helvetica", Helvetica, Arial, sans-serif; font-size: 1em; padding-left: 0.125em; }
#footer { max-width: 100%; background-color: #222222; padding: 1.25em; }
#footer-text { color: #dddddd; line-height: 1.44; }
.sect1 { padding-bottom: 1.25em; }
.sect1 + .sect1 { border-top: 3px double #ebebeb; }
#content h1 > a.anchor, h2 > a.anchor, h3 > a.anchor, #toctitle > a.anchor, .sidebarblock > .content > .title > a.anchor, h4 > a.anchor, h5 > a.anchor, h6 > a.anchor { position: absolute; width: 1em; margin-left: -1em; display: block; text-decoration: none; visibility: hidden; text-align: center; font-weight: normal; }
#content h1 > a.anchor:before, h2 > a.anchor:before, h3 > a.anchor:before, #toctitle > a.anchor:before, .sidebarblock > .content > .title > a.anchor:before, h4 > a.anchor:before, h5 > a.anchor:before, h6 > a.anchor:before { content: '\00A7'; font-size: .85em; vertical-align: text-top; display: block; margin-top: 0.05em; }
#content h1:hover > a.anchor, #content h1 > a.anchor:hover, h2:hover > a.anchor, h2 > a.anchor:hover, h3:hover > a.anchor, #toctitle:hover > a.anchor, .sidebarblock > .content > .title:hover > a.anchor, h3 > a.anchor:hover, #toctitle > a.anchor:hover, .sidebarblock > .content > .title > a.anchor:hover, h4:hover > a.anchor, h4 > a.anchor:hover, h5:hover > a.anchor, h5 > a.anchor:hover, h6:hover > a.anchor, h6 > a.anchor:hover { visibility: visible; }
#content h1 > a.link, h2 > a.link, h3 > a.link, #toctitle > a.link, .sidebarblock > .content > .title > a.link, h4 > a.link, h5 > a.link, h6 > a.link { color: #ba3925; text-decoration: none; }
#content h1 > a.link:hover, h2 > a.link:hover, h3 > a.link:hover, #toctitle > a.link:hover, .sidebarblock > .content > .title > a.link:hover, h4 > a.link:hover, h5 > a.link:hover, h6 > a.link:hover { color: #a53221; }
.imageblock, .literalblock, .listingblock, .verseblock, .videoblock { margin-bottom: 1.25em; }
.admonitionblock td.content > .title, .exampleblock > .title, .imageblock > .title, .videoblock > .title, .listingblock > .title, .literalblock > .title, .openblock > .title, .paragraph > .title, .quoteblock > .title, .sidebarblock > .title, .tableblock > .title, .verseblock > .title, .dlist > .title, .olist > .title, .ulist > .title, .qlist > .title, .hdlist > .title { text-align: left; font-weight: bold; }
.tableblock > caption { text-align: left; font-weight: bold; white-space: nowrap; overflow: visible; max-width: 0; }
table.tableblock #preamble > .sectionbody > .paragraph:first-of-type p { font-size: inherit; }
.admonitionblock > table { border: 0; background: none; width: 100%; }
.admonitionblock > table td.icon { text-align: center; width: 80px; }
.admonitionblock > table td.icon img { max-width: none; }
.admonitionblock > table td.icon .title { font-weight: bold; text-transform: uppercase; }
.admonitionblock > table td.content { padding-left: 1.125em; padding-right: 1.25em; border-left: 1px solid #dddddd; color: #6f6f6f; }
.admonitionblock > table td.content > :last-child > :last-child { margin-bottom: 0; }
.exampleblock > .content { border-style: solid; border-width: 1px; border-color: #e6e6e6; margin-bottom: 1.25em; padding: 1.25em; background: white; -webkit-border-radius: 4px; border-radius: 4px; }
.exampleblock > .content > :first-child { margin-top: 0; }
.exampleblock > .content > :last-child { margin-bottom: 0; }
.exampleblock > .content h1, .exampleblock > .content h2, .exampleblock > .content h3, .exampleblock > .content #toctitle, .sidebarblock.exampleblock > .content > .title, .exampleblock > .content h4, .exampleblock > .content h5, .exampleblock > .content h6, .exampleblock > .content p { color: #333333; }
.exampleblock > .content h1, .exampleblock > .content h2, .exampleblock > .content h3, .exampleblock > .content #toctitle, .sidebarblock.exampleblock > .content > .title, .exampleblock > .content h4, .exampleblock > .content h5, .exampleblock > .content h6 { line-height: 1; margin-bottom: 0.625em; }
.exampleblock > .content h1.subheader, .exampleblock > .content h2.subheader, .exampleblock > .content h3.subheader, .exampleblock > .content .subheader#toctitle, .sidebarblock.exampleblock > .content > .subheader.title, .exampleblock > .content h4.subheader, .exampleblock > .content h5.subheader, .exampleblock > .content h6.subheader { line-height: 1.4; }
.exampleblock.result > .content { -webkit-box-shadow: 0 1px 8px #d9d9d9; box-shadow: 0 1px 8px #d9d9d9; }
.sidebarblock { border-style: solid; border-width: 1px; border-color: #d9d9d9; margin-bottom: 1.25em; padding: 1.25em; background: #f2f2f2; -webkit-border-radius: 4px; border-radius: 4px; }
.sidebarblock > :first-child { margin-top: 0; }
.sidebarblock > :last-child { margin-bottom: 0; }
.sidebarblock h1, .sidebarblock h2, .sidebarblock h3, .sidebarblock #toctitle, .sidebarblock > .content > .title, .sidebarblock h4, .sidebarblock h5, .sidebarblock h6, .sidebarblock p { color: #333333; }
.sidebarblock h1, .sidebarblock h2, .sidebarblock h3, .sidebarblock #toctitle, .sidebarblock > .content > .title, .sidebarblock h4, .sidebarblock h5, .sidebarblock h6 { line-height: 1; margin-bottom: 0.625em; }
.sidebarblock h1.subheader, .sidebarblock h2.subheader, .sidebarblock h3.subheader, .sidebarblock .subheader#toctitle, .sidebarblock > .content > .subheader.title, .sidebarblock h4.subheader, .sidebarblock h5.subheader, .sidebarblock h6.subheader { line-height: 1.4; }
.sidebarblock > .content > .title { color: #7a2518; margin-top: 0; line-height: 1.6; }
.exampleblock > .content > :last-child > :last-child, .exampleblock > .content .olist > ol > li:last-child > :last-child, .exampleblock > .content .ulist > ul > li:last-child > :last-child, .exampleblock > .content .qlist > ol > li:last-child > :last-child, .sidebarblock > .content > :last-child > :last-child, .sidebarblock > .content .olist > ol > li:last-child > :last-child, .sidebarblock > .content .ulist > ul > li:last-child > :last-child, .sidebarblock > .content .qlist > ol > li:last-child > :last-child { margin-bottom: 0; }
.literalblock > .content pre, .listingblock > .content pre { background: none; border-width: 1px 0; border-style: dotted; border-color: #bfbfbf; -webkit-border-radius: 4px; border-radius: 4px; padding: 0.75em 0.75em 0.5em 0.75em; word-wrap: break-word; }
.literalblock > .content pre.nowrap, .listingblock > .content pre.nowrap { overflow-x: auto; white-space: pre; word-wrap: normal; }
.literalblock > .content pre > code, .listingblock > .content pre > code { display: block; }
@media only screen { .literalblock > .content pre, .listingblock > .content pre { font-size: 0.8em; } }
@media only screen and (min-width: 768px) { .literalblock > .content pre, .listingblock > .content pre { font-size: 0.9em; } }
@media only screen and (min-width: 1280px) { .literalblock > .content pre, .listingblock > .content pre { font-size: 1em; } }
.listingblock > .content { position: relative; }
.listingblock:hover code[class*=" language-"]:before { text-transform: uppercase; font-size: 0.9em; color: #999; position: absolute; top: 0.375em; right: 0.375em; }
.listingblock:hover code.asciidoc:before { content: "asciidoc"; }
.listingblock:hover code.clojure:before { content: "clojure"; }
.listingblock:hover code.css:before { content: "css"; }
.listingblock:hover code.groovy:before { content: "groovy"; }
.listingblock:hover code.html:before { content: "html"; }
.listingblock:hover code.java:before { content: "java"; }
.listingblock:hover code.javascript:before { content: "javascript"; }
.listingblock:hover code.python:before { content: "python"; }
.listingblock:hover code.ruby:before { content: "ruby"; }
.listingblock:hover code.scss:before { content: "scss"; }
.listingblock:hover code.xml:before { content: "xml"; }
.listingblock:hover code.yaml:before { content: "yaml"; }
.listingblock.terminal pre .command:before { content: attr(data-prompt); padding-right: 0.5em; color: #999; }
.listingblock.terminal pre .command:not([data-prompt]):before { content: '$'; }
table.pyhltable { border: 0; margin-bottom: 0; }
table.pyhltable td { vertical-align: top; padding-top: 0; padding-bottom: 0; }
table.pyhltable td.code { padding-left: .75em; padding-right: 0; }
.highlight.pygments .lineno, table.pyhltable td:not(.code) { color: #999; padding-left: 0; padding-right: .5em; border-right: 1px solid #dddddd; }
.highlight.pygments .lineno { display: inline-block; margin-right: .25em; }
table.pyhltable .linenodiv { background-color: transparent !important; padding-right: 0 !important; }
.quoteblock { margin: 0 0 1.25em; padding: 0.5625em 1.25em 0 1.1875em; border-left: 1px solid #dddddd; }
.quoteblock blockquote { margin: 0 0 1.25em 0; padding: 0 0 0.5625em 0; border: 0; }
.quoteblock blockquote > .paragraph:last-child p { margin-bottom: 0; }
.quoteblock .attribution { margin-top: -.25em; padding-bottom: 0.5625em; font-size: inherit; color: #555555; }
.quoteblock .attribution br { display: none; }
.quoteblock .attribution cite { display: block; margin-bottom: 0.625em; }
table thead th, table tfoot th { font-weight: bold; }
table.tableblock.grid-all { border-collapse: separate; border-spacing: 1px; -webkit-border-radius: 4px; border-radius: 4px; border-top: 1px solid #dddddd; border-bottom: 1px solid #dddddd; }
table.tableblock.frame-topbot, table.tableblock.frame-none { border-left: 0; border-right: 0; }
table.tableblock.frame-sides, table.tableblock.frame-none { border-top: 0; border-bottom: 0; }
table.tableblock td .paragraph:last-child p, table.tableblock td > p:last-child { margin-bottom: 0; }
th.tableblock.halign-left, td.tableblock.halign-left { text-align: left; }
th.tableblock.halign-right, td.tableblock.halign-right { text-align: right; }
th.tableblock.halign-center, td.tableblock.halign-center { text-align: center; }
th.tableblock.valign-top, td.tableblock.valign-top { vertical-align: top; }
th.tableblock.valign-bottom, td.tableblock.valign-bottom { vertical-align: bottom; }
th.tableblock.valign-middle, td.tableblock.valign-middle { vertical-align: middle; }
p.tableblock.header { color: #222222; font-weight: bold; }
td > div.verse { white-space: pre; }
ol { margin-left: 1.75em; }
ul li ol { margin-left: 1.5em; }
dl dd { margin-left: 1.125em; }
dl dd:last-child, dl dd:last-child > :last-child { margin-bottom: 0; }
ol > li p, ul > li p, ul dd, ol dd, .olist .olist, .ulist .ulist, .ulist .olist, .olist .ulist { margin-bottom: 0.625em; }
ul.unstyled, ol.unnumbered, ul.checklist, ul.none { list-style-type: none; }
ul.unstyled, ol.unnumbered, ul.checklist { margin-left: 0.625em; }
ul.checklist li > p:first-child > i[class^="icon-check"]:first-child, ul.checklist li > p:first-child > input[type="checkbox"]:first-child { margin-right: 0.25em; }
ul.checklist li > p:first-child > input[type="checkbox"]:first-child { position: relative; top: 1px; }
ul.inline { margin: 0 auto 0.625em auto; margin-left: -1.375em; margin-right: 0; padding: 0; list-style: none; overflow: hidden; }
ul.inline > li { list-style: none; float: left; margin-left: 1.375em; display: block; }
ul.inline > li > * { display: block; }
.unstyled dl dt { font-weight: normal; font-style: normal; }
ol.arabic { list-style-type: decimal; }
ol.decimal { list-style-type: decimal-leading-zero; }
ol.loweralpha { list-style-type: lower-alpha; }
ol.upperalpha { list-style-type: upper-alpha; }
ol.lowerroman { list-style-type: lower-roman; }
ol.upperroman { list-style-type: upper-roman; }
ol.lowergreek { list-style-type: lower-greek; }
.hdlist > table, .colist > table { border: 0; background: none; }
.hdlist > table > tbody > tr, .colist > table > tbody > tr { background: none; }
td.hdlist1 { padding-right: .8em; font-weight: bold; }
td.hdlist1, td.hdlist2 { vertical-align: top; }
.literalblock + .colist, .listingblock + .colist { margin-top: -0.5em; }
.colist > table tr > td:first-of-type { padding: 0 .8em; line-height: 1; }
.colist > table tr > td:last-of-type { padding: 0.25em 0; }
.qanda > ol > li > p > em:only-child { color: #00467f; }
.thumb, .th { line-height: 0; display: inline-block; border: solid 4px white; -webkit-box-shadow: 0 0 0 1px #dddddd; box-shadow: 0 0 0 1px #dddddd; }
.imageblock.left, .imageblock[style*="float: left"] { margin: 0.25em 0.625em 1.25em 0; }
.imageblock.right, .imageblock[style*="float: right"] { margin: 0.25em 0 1.25em 0.625em; }
.imageblock > .title { margin-bottom: 0; }
.imageblock.thumb, .imageblock.th { border-width: 6px; }
.imageblock.thumb > .title, .imageblock.th > .title { padding: 0 0.125em; }
.image.left, .image.right { margin-top: 0.25em; margin-bottom: 0.25em; display: inline-block; line-height: 0; }
.image.left { margin-right: 0.625em; }
.image.right { margin-left: 0.625em; }
a.image { text-decoration: none; }
span.footnote, span.footnoteref { vertical-align: super; font-size: 0.875em; }
span.footnote a, span.footnoteref a { text-decoration: none; }
#footnotes { padding-top: 0.75em; padding-bottom: 0.75em; margin-bottom: 0.625em; }
#footnotes hr { width: 20%; min-width: 6.25em; margin: -.25em 0 .75em 0; border-width: 1px 0 0 0; }
#footnotes .footnote { padding: 0 0.375em; line-height: 1.3; font-size: 0.875em; margin-left: 1.2em; text-indent: -1.2em; margin-bottom: .2em; }
#footnotes .footnote a:first-of-type { font-weight: bold; text-decoration: none; }
#footnotes .footnote:last-of-type { margin-bottom: 0; }
#content #footnotes { margin-top: -0.625em; margin-bottom: 0; padding: 0.75em 0; }
.gist .file-data > table { border: none; background: #fff; width: 100%; margin-bottom: 0; }
.gist .file-data > table td.line-data { width: 99%; }
div.unbreakable { page-break-inside: avoid; }
.big { font-size: larger; }
.small { font-size: smaller; }
.underline { text-decoration: underline; }
.overline { text-decoration: overline; }
.line-through { text-decoration: line-through; }
.aqua { color: #00bfbf; }
.aqua-background { background-color: #00fafa; }
.black { color: black; }
.black-background { background-color: black; }
.blue { color: #0000bf; }
.blue-background { background-color: #0000fa; }
.fuchsia { color: #bf00bf; }
.fuchsia-background { background-color: #fa00fa; }
.gray { color: #606060; }
.gray-background { background-color: #7d7d7d; }
.green { color: #006000; }
.green-background { background-color: #007d00; }
.lime { color: #00bf00; }
.lime-background { background-color: #00fa00; }
.maroon { color: #600000; }
.maroon-background { background-color: #7d0000; }
.navy { color: #000060; }
.navy-background { background-color: #00007d; }
.olive { color: #606000; }
.olive-background { background-color: #7d7d00; }
.purple { color: #600060; }
.purple-background { background-color: #7d007d; }
.red { color: #bf0000; }
.red-background { background-color: #fa0000; }
.silver { color: #909090; }
.silver-background { background-color: #bcbcbc; }
.teal { color: #006060; }
.teal-background { background-color: #007d7d; }
.white { color: #bfbfbf; }
.white-background { background-color: #fafafa; }
.yellow { color: #bfbf00; }
.yellow-background { background-color: #fafa00; }
span.icon > [class^="icon-"], span.icon > [class*=" icon-"] { cursor: default; }
.admonitionblock td.icon [class^="icon-"]:before { font-size: 2.5em; text-shadow: 1px 1px 2px rgba(0, 0, 0, 0.5); cursor: default; }
.admonitionblock td.icon .icon-note:before { content: "\f05a"; color: #005498; color: #003f72; }
.admonitionblock td.icon .icon-tip:before { content: "\f0eb"; text-shadow: 1px 1px 2px rgba(155, 155, 0, 0.8); color: #111; }
.admonitionblock td.icon .icon-warning:before { content: "\f071"; color: #bf6900; }
.admonitionblock td.icon .icon-caution:before { content: "\f06d"; color: #bf3400; }
.admonitionblock td.icon .icon-important:before { content: "\f06a"; color: #bf0000; }
.conum { display: inline-block; color: white !important; background-color: #222222; -webkit-border-radius: 100px; border-radius: 100px; text-align: center; width: 20px; height: 20px; font-size: 12px; font-weight: bold; line-height: 20px; font-family: Arial, sans-serif; font-style: normal; position: relative; top: -2px; letter-spacing: -1px; }
.conum * { color: white !important; }
.conum + b { display: none; }
.conum:after { content: attr(data-value); }
.conum:not([data-value]):empty { display: none; }
.literalblock > .content > pre, .listingblock > .content > pre { -webkit-border-radius: 0; border-radius: 0; }
</style>
</head>
<body class="article">
<div id="header">
</div>
<div id="content">
<div class="sect1">
<h2 id="_top_level_api_objects">Top Level API Objects</h2>
<div class="sectionbody">
</div>
</div>
<div class="sect1">
<h2 id="_definitions">Definitions</h2>
<div class="sectionbody">
<div class="sect2">
<h3 id="_v1_apiresourcelist">v1.APIResourceList</h3>
<div class="paragraph">
<p>APIResourceList is a list of APIResource, it is used to expose the name of the resources supported in a specific group and version, and if the resource is namespaced.</p>
</div>
<table class="tableblock frame-all grid-all" style="width:100%; ">
<colgroup>
<col style="width:20%;">
<col style="width:20%;">
<col style="width:20%;">
<col style="width:20%;">
<col style="width:20%;">
</colgroup>
<thead>
<tr>
<th class="tableblock halign-left valign-top">Name</th>
<th class="tableblock halign-left valign-top">Description</th>
<th class="tableblock halign-left valign-top">Required</th>
<th class="tableblock halign-left valign-top">Schema</th>
<th class="tableblock halign-left valign-top">Default</th>
</tr>
</thead>
<tbody>
<tr>
<td class="tableblock halign-left valign-top"><p class="tableblock">kind</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">Kind is a string value representing the REST resource this object represents. Servers may infer this from the endpoint the client submits requests to. Cannot be updated. In CamelCase. More info: <a href="http://releases.k8s.io/HEAD/docs/devel/api-conventions.md#types-kinds">http://releases.k8s.io/HEAD/docs/devel/api-conventions.md#types-kinds</a></p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">false</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">string</p></td>
<td class="tableblock halign-left valign-top"></td>
</tr>
<tr>
<td class="tableblock halign-left valign-top"><p class="tableblock">apiVersion</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">APIVersion defines the versioned schema of this representation of an object. Servers should convert recognized schemas to the latest internal value, and may reject unrecognized values. More info: <a href="http://releases.k8s.io/HEAD/docs/devel/api-conventions.md#resources">http://releases.k8s.io/HEAD/docs/devel/api-conventions.md#resources</a></p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">false</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">string</p></td>
<td class="tableblock halign-left valign-top"></td>
</tr>
<tr>
<td class="tableblock halign-left valign-top"><p class="tableblock">groupVersion</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">groupVersion is the group and version this APIResourceList is for.</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">true</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">string</p></td>
<td class="tableblock halign-left valign-top"></td>
</tr>
<tr>
<td class="tableblock halign-left valign-top"><p class="tableblock">resources</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">resources contains the name of the resources and if they are namespaced.</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">true</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock"><a href="#_v1_apiresource">v1.APIResource</a> array</p></td>
<td class="tableblock halign-left valign-top"></td>
</tr>
</tbody>
</table>
</div>
<div class="sect2">
<h3 id="_v1_apiresource">v1.APIResource</h3>
<div class="paragraph">
<p>APIResource specifies the name of a resource and whether it is namespaced.</p>
</div>
<table class="tableblock frame-all grid-all" style="width:100%; ">
<colgroup>
<col style="width:20%;">
<col style="width:20%;">
<col style="width:20%;">
<col style="width:20%;">
<col style="width:20%;">
</colgroup>
<thead>
<tr>
<th class="tableblock halign-left valign-top">Name</th>
<th class="tableblock halign-left valign-top">Description</th>
<th class="tableblock halign-left valign-top">Required</th>
<th class="tableblock halign-left valign-top">Schema</th>
<th class="tableblock halign-left valign-top">Default</th>
</tr>
</thead>
<tbody>
<tr>
<td class="tableblock halign-left valign-top"><p class="tableblock">name</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">name is the name of the resource.</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">true</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">string</p></td>
<td class="tableblock halign-left valign-top"></td>
</tr>
<tr>
<td class="tableblock halign-left valign-top"><p class="tableblock">namespaced</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">namespaced indicates if a resource is namespaced or not.</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">true</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">boolean</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">false</p></td>
</tr>
<tr>
<td class="tableblock halign-left valign-top"><p class="tableblock">kind</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">kind is the kind for the resource (e.g. <em>Foo</em> is the kind for a resource <em>foo</em>)</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">true</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">string</p></td>
<td class="tableblock halign-left valign-top"></td>
</tr>
<tr>
<td class="tableblock halign-left valign-top"><p class="tableblock">verbs</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">verbs is a list of supported kube verbs (this includes get, list, watch, create, update, patch, delete, deletecollection, and proxy)</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">true</p></td>
<td class="tableblock halign-left valign-top"><p class="tableblock">string array</p></td>
<td class="tableblock halign-left valign-top"></td>
</tr>
</tbody>
</table>
</div>
<div class="sect2">
<h3 id="_any">any</h3>
<div class="paragraph">
<p>Represents an untyped JSON map - see the description of the field for more info about the structure of this object.</p>
</div>
</div>
</div>
</div>
</div>
<div id="footer">
<div id="footer-text">
Last updated 2016-12-08 13:47:37 UTC
</div>
</div>
</body>
</html> | intelsdi-x/cri-o | vendor/k8s.io/kubernetes/docs/api-reference/batch/v2alpha1/definitions.html | HTML | apache-2.0 | 35,602 |
<!--
@MAC-ALLOW:AXRole*
@WIN-ALLOW:IA2_STATE_*
@WIN-ALLOW:xml-roles:*
@WIN-ALLOW:checkable:*
@WIN-ALLOW:CHECKED*
-->
<html>
<body>
<input type="checkbox" checked>
<input type="checkbox" aria-checked="true">
<input type="checkbox" role="checkbox" aria-checked="true">
</body>
</html>
| Chilledheart/chromium | content/test/data/accessibility/html/input-checkbox.html | HTML | bsd-3-clause | 289 |
<!DOCTYPE html>
<!--
Copyright (c) 2013 Intel Corporation.
Redistribution and use in source and binary forms, with or without modification,
are permitted provided that the following conditions are met:
* Redistributions of works must retain the original copyright notice, this list
of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the original copyright notice,
this list of conditions and the following disclaimer in the documentation
and/or other materials provided with the distribution.
* Neither the name of Intel Corporation nor the names of its contributors
may be used to endorse or promote products derived from this work without
specific prior written permission.
THIS SOFTWARE IS PROVIDED BY INTEL CORPORATION "AS IS"
AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
ARE DISCLAIMED. IN NO EVENT SHALL INTEL CORPORATION BE LIABLE FOR ANY DIRECT,
INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,
BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY
OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE,
EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
Authors:
Wang,Hongjuan <hongjuanx.wang@intel.com>
-->
<html>
<head>
<meta charset='utf-8'>
<title>WebRTC Test: RTCDataChannel</title>
<link rel='author' title='Intel' href='http://www.intel.com'>
<link rel='help' href='http://dev.w3.org/2011/webrtc/editor/webrtc.html#rtcpeerconnection-interface'>
<script src="../resources/testharness.js"></script>
<script src="../resources/testharnessreport.js"></script>
<script src="./support/support.js"></script>
</head>
<body>
<div id="log"></div>
<script>
var pc;
setup(function () {
if (typeof RTCPeerConnection != "undefined") {
pc = new RTCPeerConnection(null,null);
} else {
pc = new webkitRTCPeerConnection(null,null);
}
RTCDataChannel = pc.createDataChannel("label");
});
test(function () {
assert_equals(RTCDataChannel.binaryType, "blob", "the binaryType attribute init value");
}, "Check if the setting of RTCDataChannel.binaryType is normally");
test(function () {
assert_equals(RTCDataChannel.bufferedAmount, 0, "the RTCDataChannel.bufferedAmount init value");
}, "Check if the setting of RTCDataChannel.bufferedAmount is normally");
test(function () {
assert_not_equals(RTCDataChannel.id, null, "the RTCDataChannel.id init value");
}, "Check if the setting of RTCDataChannel.id is normally");
test(function () {
assert_not_equals(RTCDataChannel.label, null, "the RTCDataChannel.label init value");
}, "Check if the setting of RTCDataChannel.label is normally");
test(function () {
assert_equals(RTCDataChannel.maxRetransmits, 65535, "the RTCDataChannel.maxRetransmits init value");
}, "Check if the setting of RTCDataChannel.maxRetransmits is normally");
test(function () {
assert_not_equals(RTCDataChannel.maxRetransmitTime, null, "the RTCDataChannel.maxRetransmitTime init value");
}, "Check if the setting of RTCDataChannel.maxRetransmitTime is normally");
test(function () {
assert_equals(RTCDataChannel.negotiated, false, "the RTCDataChannel.negotiated init value");
}, "Check if the setting of RTCDataChannel.negotiated is normally");
test(function () {
assert_true(RTCDataChannel.ordered, "the RTCDataChannel.ordered init value");
}, "Check if the setting of RTCDataChannel.ordered is normally");
test(function () {
assert_equals(RTCDataChannel.protocol, "", "the RTCDataChannel.protocol init value");
}, "Check if the setting of RTCDataChannel.protocol is normally");
test(function () {
assert_equals(RTCDataChannel.readyState, "connecting", "the RTCDataChannel.readyState init value");
}, "Check if the setting of RTCDataChannel.readyState is normally");
</script>
</body>
</html>
| kaixinjxq/web-testing-service | wts/tests/webrtc/RTCDataChannel.html | HTML | bsd-3-clause | 4,330 |
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<title>Test case for text-decoration-skip-ink</title>
<meta name="assert" content="text-decoration-skip-ink: descenders are skipped">
<link rel="author" title="Charlie Marlow" href="cmarlow@mozilla.com">
<link rel="author" title="Mozilla" href="https://www.mozilla.org">
<link rel="help" href="https://drafts.csswg.org/css-text-decor-4/#text-decoration-skip-ink-property">
<link rel="mismatch" href="reference/text-decoration-skip-ink-sidewaysrl-001-notref.html">
<style>
div{
text-decoration: green underline;
text-decoration-skip-ink: auto;
writing-mode: sideways-rl;
}
</style>
</head>
<body>
<p>Test passes if p and g characters are skipped</p>
<div>ping pong</div>
</body>
</html>
| scheib/chromium | third_party/blink/web_tests/external/wpt/css/css-text-decor/text-decoration-skip-ink-sidewaysrl-001.html | HTML | bsd-3-clause | 916 |
<!DOCTYPE html><html lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<meta name="viewport" content="width=device-width; initial-scale=1.0; maximum-scale=1.0; user-scalable=0;">
<meta charset="utf-8">
<title>PHPExcel classes » \PHPExcel_Cell_IValueBinder</title>
<meta name="author" content="Mike van Riel">
<meta name="description" content="">
<link href="../css/template.css" rel="stylesheet" media="all">
<script src="../js/jquery-1.7.1.min.js" type="text/javascript"></script><script src="../js/jquery-ui-1.8.2.custom.min.js" type="text/javascript"></script><script src="../js/jquery.mousewheel.min.js" type="text/javascript"></script><script src="../js/bootstrap.js" type="text/javascript"></script><script src="../js/template.js" type="text/javascript"></script><script src="../js/prettify/prettify.min.js" type="text/javascript"></script><link rel="shortcut icon" href="../img/favicon.ico">
<link rel="apple-touch-icon" href="../img/apple-touch-icon.png">
<link rel="apple-touch-icon" sizes="72x72" href="../img/apple-touch-icon-72x72.png">
<link rel="apple-touch-icon" sizes="114x114" href="../img/apple-touch-icon-114x114.png">
</head>
<body>
<div class="navbar navbar-fixed-top">
<div class="navbar-inner"><div class="container">
<a class="btn btn-navbar" data-toggle="collapse" data-target=".nav-collapse"><span class="icon-bar"></span><span class="icon-bar"></span><span class="icon-bar"></span></a><a class="brand" href="../index.html">PHPExcel classes</a><div class="nav-collapse"><ul class="nav">
<li class="dropdown">
<a href="#api" class="dropdown-toggle" data-toggle="dropdown">
API Documentation <b class="caret"></b></a><ul class="dropdown-menu">
<li><a>Packages</a></li>
<li><a href="../packages/Default.html"><i class="icon-folder-open"></i> Default</a></li>
<li><a href="../packages/JAMA.html"><i class="icon-folder-open"></i> JAMA</a></li>
<li><a href="../packages/JAMA%0D%0ACholesky%20decomposition%20class%0D%0AFor%20a%20symmetric,%20positive%20definite%20matrix%20A,%20the%20Cholesky%20decomposition%0D%0Ais%20an%20lower%20triangular%20matrix%20L%20so%20that%20A%20=%20L*L'.html"><i class="icon-folder-open"></i> JAMA
Cholesky decomposition class
For a symmetric, positive definite matrix A, the Cholesky decomposition
is an lower triangular matrix L so that A = L*L'</a></li>
<li><a href="../packages/JAMA%0D%0AClass%20to%20obtain%20eigenvalues%20and%20eigenvectors%20of%20a%20real%20matrix.html"><i class="icon-folder-open"></i> JAMA
Class to obtain eigenvalues and eigenvectors of a real matrix</a></li>
<li><a href="../packages/JAMA%0D%0AError%20handling.html"><i class="icon-folder-open"></i> JAMA
Error handling</a></li>
<li><a href="../packages/JAMA%0D%0AFor%20an%20m-by-n%20matrix%20A%20with%20m%20>=%20n,%20the%20LU%20decomposition%20is%20an%20m-by-n%0D%0Aunit%20lower%20triangular%20matrix%20L,%20an%20n-by-n%20upper%20triangular%20matrix%20U,%0D%0Aand%20a%20permutation%20vector%20piv%20of%20length%20m%20so%20that%20A(piv,:)%20=%20L*U.html"><i class="icon-folder-open"></i> JAMA
For an m-by-n matrix A with m >= n, the LU decomposition is an m-by-n
unit lower triangular matrix L, an n-by-n upper triangular matrix U,
and a permutation vector piv of length m so that A(piv,:) = L*U</a></li>
<li><a href="../packages/JAMA%0D%0AFor%20an%20m-by-n%20matrix%20A%20with%20m%20>=%20n,%20the%20QR%20decomposition%20is%20an%20m-by-n%0D%0Aorthogonal%20matrix%20Q%20and%20an%20n-by-n%20upper%20triangular%20matrix%20R%20so%20that%0D%0AA%20=%20Q*R.html"><i class="icon-folder-open"></i> JAMA
For an m-by-n matrix A with m >= n, the QR decomposition is an m-by-n
orthogonal matrix Q and an n-by-n upper triangular matrix R so that
A = Q*R</a></li>
<li><a href="../packages/JAMA%0D%0AFor%20an%20m-by-n%20matrix%20A%20with%20m%20>=%20n,%20the%20singular%20value%20decomposition%20is%0D%0Aan%20m-by-n%20orthogonal%20matrix%20U,%20an%20n-by-n%20diagonal%20matrix%20S,%20and%0D%0Aan%20n-by-n%20orthogonal%20matrix%20V%20so%20that%20A%20=%20U*S*V'.html"><i class="icon-folder-open"></i> JAMA
For an m-by-n matrix A with m >= n, the singular value decomposition is
an m-by-n orthogonal matrix U, an n-by-n diagonal matrix S, and
an n-by-n orthogonal matrix V so that A = U*S*V'</a></li>
<li><a href="../packages/JAMA%0D%0APythagorean%20Theorem:%0D%0Aa%20=%203%0D%0Ab%20=%204%0D%0Ar%20=%20sqrt(square(a)%20+%20square(b))%0D%0Ar%20=%205%0D%0Ar%20=%20sqrt(a%5E2%20+%20b%5E2)%20without%20under.overflow.html"><i class="icon-folder-open"></i> JAMA
Pythagorean Theorem:
a = 3
b = 4
r = sqrt(square(a) + square(b))
r = 5
r = sqrt(a^2 + b^2) without under/overflow</a></li>
<li><a href="../packages/PHPExcel.html"><i class="icon-folder-open"></i> PHPExcel</a></li>
</ul>
</li>
<li class="dropdown" id="charts-menu">
<a href="#charts" class="dropdown-toggle" data-toggle="dropdown">
Charts <b class="caret"></b></a><ul class="dropdown-menu"><li><a href="../graph_class.html"><i class="icon-list-alt"></i> Class hierarchy diagram</a></li></ul>
</li>
<li class="dropdown" id="reports-menu">
<a href="#reports" class="dropdown-toggle" data-toggle="dropdown">
Reports <b class="caret"></b></a><ul class="dropdown-menu">
<li><a href="../errors.html"><i class="icon-remove-sign"></i> Errors
<span class="label label-info">551</span></a></li>
<li><a href="../markers.html"><i class="icon-map-marker"></i> Markers
<ul>
<li>todo
<span class="label label-info">19</span>
</li>
<li>fixme
<span class="label label-info">10</span>
</li>
</ul></a></li>
<li><a href="../deprecated.html"><i class="icon-stop"></i> Deprecated elements
<span class="label label-info">12</span></a></li>
</ul>
</li>
</ul></div>
</div></div>
<div class="go_to_top"><a href="#___" style="color: inherit">Back to top <i class="icon-upload icon-white"></i></a></div>
</div>
<div id="___" class="container">
<noscript><div class="alert alert-warning">
Javascript is disabled; several features are only available
if Javascript is enabled.
</div></noscript>
<div class="row">
<div class="span4">
<span class="btn-group visibility" data-toggle="buttons-checkbox"><button class="btn public active" title="Show public elements">Public</button><button class="btn protected" title="Show protected elements">Protected</button><button class="btn private" title="Show private elements">Private</button><button class="btn inherited active" title="Show inherited elements">Inherited</button></span><div class="btn-group view pull-right" data-toggle="buttons-radio">
<button class="btn details" title="Show descriptions and method names"><i class="icon-list"></i></button><button class="btn simple" title="Show only method names"><i class="icon-align-justify"></i></button>
</div>
<ul class="side-nav nav nav-list"><li class="nav-header">
<i class="icon-custom icon-method"></i> Methods
<ul><li class="method public "><a href="#method_bindValue" title="bindValue :: Bind value to a cell"><span class="description">Bind value to a cell</span><pre>bindValue()</pre></a></li></ul>
</li></ul>
</div>
<div class="span8">
<a id="\PHPExcel_Cell_IValueBinder"></a><ul class="breadcrumb">
<li>
<a href="../index.html"><i class="icon-custom icon-class"></i></a><span class="divider">\</span>
</li>
<li><a href="../namespaces/global.html">global</a></li>
<li class="active">
<span class="divider">\</span><a href="../classes/PHPExcel_Cell_IValueBinder.html">PHPExcel_Cell_IValueBinder</a>
</li>
</ul>
<div class="element interface">
<p class="short_description">PHPExcel_Cell_IValueBinder</p>
<div class="details">
<div class="long_description"></div>
<table class="table table-bordered">
<tr>
<th>category</th>
<td>PHPExcel</td>
</tr>
<tr>
<th>package</th>
<td><a href="../packages/PHPExcel.Cell.html">PHPExcel_Cell</a></td>
</tr>
<tr>
<th>copyright</th>
<td>Copyright (c) 2006 - 2014 PHPExcel (http://www.codeplex.com/PHPExcel)</td>
</tr>
</table>
<h3>
<i class="icon-custom icon-method"></i> Methods</h3>
<a id="method_bindValue"></a><div class="element clickable method public method_bindValue" data-toggle="collapse" data-target=".method_bindValue .collapse">
<h2>Bind value to a cell</h2>
<pre>bindValue(\PHPExcel_Cell $cell, mixed $value) : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$cell</h4>
<code><a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></code><p>Cell to bind value to</p></div>
<div class="subelement argument">
<h4>$value</h4>
<code>mixed</code><p>Value to bind in cell</p></div>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
</div>
</div>
</div>
</div>
<div class="row"><footer class="span12">
Template is built using <a href="http://twitter.github.com/bootstrap/">Twitter Bootstrap 2</a> and icons provided by <a href="http://glyphicons.com/">Glyphicons</a>.<br>
Documentation is powered by <a href="http://www.phpdoc.org/">phpDocumentor 2.0.0a12</a> and<br>
generated on 2014-03-02T15:27:34Z.<br></footer></div>
</div>
</body>
</html>
| u22al/pmrs | vendor/thirdparty/PHPExcel_1.8.0_doc/Documentation/API/classes/PHPExcel_Cell_IValueBinder.html | HTML | bsd-3-clause | 9,450 |
<!doctype html>
<html>
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<link rel="stylesheet" href="./../../../assets/css/combined.css">
<link rel="shortcut icon" href="./../../../favicon.ico" />
<script src="http://www.google.com/jsapi" type="text/javascript"></script>
<script type="text/javascript">
var path = './../../../';
var class_prefix = "$object->";
</script>
<script src="./../../../assets/js/combined.js"></script>
<title>Login - Driver types - Auth Package - FuelPHP Documentation</title>
</head>
<body>
<div id="container">
<header id="header">
<div class="table">
<h1>
<strong>FuelPHP, a PHP 5.3 Framework</strong>
Documentation
</h1>
<form id="google_search">
<p>
<span id="search_clear"> </span>
<input type="submit" name="search_submit" id="search_submit" value="search" />
<input type="text" value="" id="search_input" name="search_input" />
</p>
</form>
</div>
<nav>
<div class="clear"></div>
</nav>
<a href="#" id="toc_handle">table of contents</a>
<div class="clear"></div>
</header>
<div id="cse">
<div id="cse_point"></div>
<div id="cse_content"></div>
</div>
<div id="main">
<h2>Auth package</h2>
<p>The Auth package provides a standardized interface for authentication in Fuel. This allows our users to
write their own drivers and easily integrate a new driver to work with old code by keeping the basic methods
consistent.</p>
<section>
<h2 id="driver_types">Auth_Login_Driver</h2>
<p>
This driver is the base class for all Auth login drivers. It is defined as an abstract class which contains
all methods generic to all login drivers, and abstract method definitions for all methods any login driver
MUST implement.
</p>
<h3 id="driver_config">Driver configuration</h3>
<p>
A login driver can load additional drivers that it depends on. Generally, these are Group drivers. But your implementation
could introduce and use custom driver types as well. To do so, add this structure to your driver class:
</p>
<pre class="php"><code>// autoload the Simplegroup group driver when loading this login driver
// this also defines the additional user record fields this driver has a getter for
protected $config = array(
'drivers' => array('group' => array('Simplegroup')),
'additional_fields' => array('profile_fields'),
);
</code></pre>
<h3 id="static">Static interface</h3>
<p>For ease of use, the Auth package provides a static interface on the public methods of the Login driver.
for this reason, the login base driver also defines the methods <kbd>member()</kbd> and <kbd>has_access()</kbd>,
which provide static access to these methods in the group and ACL driver.</p>
<p>Using the static interface, you can do</p>
<pre class="php"><code>// returns 'simpleauth'
$id = Auth::get_id();
</code></pre>
<p>instead of</p>
<pre class="php"><code>// returns 'simpleauth'
$id = Auth::instance()->get_id();
</code></pre>
<p class="note">This only works if "verify_multiple_logins" is set to <kbd>false</kbd> in the Auth config, as you can
not map a static interface to multiple active login drivers!</p>
<h3 id="generic_methods">Generic methods</h3>
<p>
Generic methods are defined in the login base driver, and are available to all Auth login drivers through
extension. These methods provide functions to create and retrieve instances, to set and get configuration
values, as well as generic method for password hashing and access to the <a href="acl.html">ACL</a> and <a href="group.html">Group</a> drivers.
</p>
<p class="note">The methods defined in the classes but not documented here are used internally, and should not be called directly.</p>
<article>
<h4 id="method_get_id" class="method">get_id()</h4>
<p>Returns the drivers unique id. This can be used to identify the driver, or to select a specific driver instance.</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
None
</td>
</tr>
<tr>
<th>Returns</th>
<td>The drivers id string.</td>
</tr>
<tr>
<th>Example</th>
<td>
<pre class="php"><code>// returns 'simpleauth'
$id = Auth::instance('simpleauth')->get_id();
</code></pre>
</td>
</tr>
</tbody>
</table>
</article>
<article>
<h4 id="method_set_config" class="method">set_config($key, $value)</h4>
<p>Sets a driver configuration value.</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
<table class="parameters">
<tr>
<th>Param</th>
<th>Default</th>
<th class="description">Description</th>
</tr>
<tr>
<th><kbd>$key</kbd></th>
<td>required</td>
<td>Configuration key name</td>
</tr>
<tr>
<th><kbd>$value</kbd></th>
<td>required</td>
<td>Value for this configuration key</td>
</tr>
</table>
</td>
</tr>
<tr>
<th>Returns</th>
<td>void</td>
</tr>
<tr>
<th>Example</th>
<td>
<pre class="php"><code>// set a config value
Auth::instance()->set_config('key', 'value');
</code></pre>
</td>
</tr>
</tbody>
</table>
</article>
<article>
<h4 id="method_get_config" class="method">get_config($key, $default = null)</h4>
<p>Gets a driver configuration value.</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
<table class="parameters">
<tr>
<th>Param</th>
<th>Default</th>
<th class="description">Description</th>
</tr>
<tr>
<th><kbd>$key</kbd></th>
<td>required</td>
<td>Configuration key name</td>
</tr>
<tr>
<th><kbd>$default</kbd></th>
<td><i>null</i></td>
<td>Default value to be returned if the requested key does not exist</td>
</tr>
</table>
</td>
</tr>
<tr>
<th>Returns</th>
<td>mixed</td>
</tr>
<tr>
<th>Example</th>
<td>
<pre class="php"><code>// get a config value, return false if it doesn't exist
$key = Auth::instance()->get_config('key', false);
</code></pre>
</td>
</tr>
</tbody>
</table>
</article>
<article>
<h4 id="method_guest_login" class="method">guest_login()</h4>
<p>Returns if the driver supports guest logins (a non-authenticated guest user).</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
None.
</td>
</tr>
<tr>
<th>Returns</th>
<td>boolean</td>
</tr>
<tr>
<th>Example</th>
<td>
<pre class="php"><code>// check if the default instance supports guests
if (Auth::instance()->guest_login())
{
// this driver supports guest logins!
}
</code></pre>
</td>
</tr>
</tbody>
</table>
<p class="note">By default, this method returns 'false'. If your login driver supports guest logins, overload this
method in your driver class.</p>
</article>
<article>
<h4 id="method_get_user_array" class="method">get_user_array(Array $additional_fields = array())</h4>
<p>Returns an array describing the current logged in user, always includes at least a screenname and
an emailaddress. Additional fields can be configured in the driver config or requested through the
$additional_fields array, but they must have a get_user_<em>fieldname</em>() method within the driver
to be gettable.</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
<table class="parameters">
<tr>
<th>Param</th>
<th>Default</th>
<th class="description">Description</th>
</tr>
<tr>
<th><kbd>$additional_fields</kbd></th>
<td><i>array()</i></td>
<td>an array with fieldnames to fetch</td>
</tr>
</table>
</td>
</tr>
<tr>
<th>Returns</th>
<td>array</td>
</tr>
<tr>
<th>Example</th>
<td>
<pre class="php"><code>// call the method on the default instance
$user = Auth::instance()->get_user_array();
// call the method on a specific instance
$user = Auth::instance('simpleauth')->get_user_array();
// static call (if "verify_multiple_logins" is set to false)
$user = Auth::get_user_array();
</code></pre>
</td>
</tr>
</tbody>
</table>
<p class="note">You can define the 'additional_fields' in the driver configuration array to have them included by default when you call this method.</p>
</article>
<article>
<h4 id="method_hash_password" class="method">hash_password($password)</h4>
<p>Returns a base64 encoded hash of the given password. This method uses the very secure <a href="http://en.wikipedia.org/wiki/PBKDF2">pbkdf2</a> hashing algorithm.</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
<table class="parameters">
<tr>
<th>Param</th>
<th>Default</th>
<th class="description">Description</th>
</tr>
<tr>
<th><kbd>$password</kbd></th>
<td>required</td>
<td>The password to hash</td>
</tr>
</table>
</td>
</tr>
<tr>
<th>Returns</th>
<td>string</td>
</tr>
<tr>
<th>Example</th>
<td>
<pre class="php"><code>// hash a users password
$password = Auth::instance()->hash_password($password);
</code></pre>
</td>
</tr>
</tbody>
</table>
</article>
<h3 id="abstract_methods">Abstract methods</h3>
<p>
Every login driver you develop MUST provide all of these methods, and the MUST return the values documented here.
</p>
<article>
<h4 id="method_perform_check" class="method">perform_check()</h4>
<p>Internal class method which checks if there is a valid session for the current user. It is up to you how your driver will determine this.</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
None
</td>
</tr>
<tr>
<th>Returns</th>
<td>boolean, <strong>true</strong> if there is a valid user session, <strong>false</strong> if there isn't.</td>
</tr>
</tbody>
</table>
<p class="note">This method is called by Auth::check(), it should not be called directly by the application.</p>
</article>
<article>
<h4 id="method_validate_user" class="method">validate_user()</h4>
<p>The <strong>validate_user</strong> method validates a login request. It is up to you how your driver will do this.</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
None
</td>
</tr>
<tr>
<th>Returns</th>
<td>mixed. it should return <strong>false</strong> if the user didn't pass validation. Any value that evaluates to true is considered to be valid.</td>
</tr>
</tbody>
</table>
<p class="note">Applications calling this method should not make assumptions about the return value if it isn't <strong>false</strong>!</p>
</article>
<article>
<h4 id="method_login" class="method">login()</h4>
<p>The <strong>login</strong> method performs a login request. It should call the validate_user() to validate the request. It is up to you how your driver will do this.</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
None
</td>
</tr>
<tr>
<th>Returns</th>
<td>boolean. returns <strong>true</strong> if the login was succesful, <strong>false</strong> otherwise.</td>
</tr>
</tbody>
</table>
<p class="note">If your driver has guest user support, it must setup the guest before returning <strong>false</strong>.</p>
</article>
<article>
<h4 id="method_logout" class="method">logout()</h4>
<p>The <strong>logout</strong> method logs out the current logged-in user. It is up to you how your driver will do this.</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
None
</td>
</tr>
<tr>
<th>Returns</th>
<td>boolean. returns <strong>true</strong> if the logout was succesful, <strong>false</strong> otherwise.</td>
</tr>
</tbody>
</table>
<p class="note">If your driver has guest user support, it must setup the guest as current user after a succesful logout.</p>
</article>
<article>
<h4 id="method_get_user_id" class="method">get_user_id()</h4>
<p>The <strong>get_user_id</strong> method returns an array structure containing the drivers id value, and the id of the currently logged-in user.</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
None
</td>
</tr>
<tr>
<th>Returns</th>
<td>mixed. returns an array in the form <strong>array(driver_id, user_id)</strong> if a user is logged in, or <strong>false</strong> otherwise.</td>
</tr>
</tbody>
</table>
<p class="note">If your driver has guest user support, it must return the array with the (dummy) user_id of your guest, and not <strong>false</strong>!</p>
</article>
<article>
<h4 id="method_get_groups" class="method">get_groups()</h4>
<p>The <strong>get_groups</strong> method returns the user groups assigned to the currently logged-in user.</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
None
</td>
</tr>
<tr>
<th>Returns</th>
<td>mixed. returns an array in the form <strong>array(array(driver_id, group_id), array(driver_id, group_id), etc)</strong> if a user is logged in, or <strong>false</strong> otherwise.</td>
</tr>
</tbody>
</table>
<p class="note">If your driver has guest user support, it must return the array your guest user groups, and not <strong>false</strong>!</p>
</article>
<article>
<h4 id="method_get_email" class="method">get_email()</h4>
<p>The <strong>get_email</strong> method returns the email address assigned to the currently logged-in user.</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
None
</td>
</tr>
<tr>
<th>Returns</th>
<td>mixed. returns an email address if a user is logged in, or <strong>false</strong> if no email address is defined for the current user, or there is no user logged-in.</td>
</tr>
</tbody>
</table>
<p class="note">If your driver has guest user support, don't forget to return <strong>false</strong> if the guest does not have an email address defined!</p>
</article>
<article>
<h4 id="method_get_screen_name" class="method">get_screen_name()</h4>
<p>The <strong>get_screen_name</strong> method returns the screen- or display name of the currently logged-in user.</p>
<table class="method">
<tbody>
<tr>
<th class="legend">Static</th>
<td>No</td>
</tr>
<tr>
<th>Parameters</th>
<td>
None
</td>
</tr>
<tr>
<th>Returns</th>
<td>mixed. returns a string containing the name, or <strong>false</strong> if there is no user logged-in.</td>
</tr>
</tbody>
</table>
<p class="note">If your driver has guest user support, it must return the guests display name, and not <strong>false</strong>!</p>
</article>
</section>
</div>
<footer>
<p>
© FuelPHP Development Team 2010-2015 - <a href="http://fuelphp.com">FuelPHP</a> is released under the MIT license.
</p>
</footer>
</div>
</body>
</html>
| vano00/todo | docs/packages/auth/types/login.html | HTML | mit | 17,440 |
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<link rel="shortcut icon" type="image/ico" href="http://www.datatables.net/favicon.ico">
<meta name="viewport" content="initial-scale=1.0, maximum-scale=2.0">
<title>Buttons example - Foundation styling</title>
<link rel="stylesheet" type="text/css" href="//cdnjs.cloudflare.com/ajax/libs/foundation/5.5.2/css/foundation.min.css">
<link rel="stylesheet" type="text/css" href="../../../../media/css/dataTables.foundation.css">
<link rel="stylesheet" type="text/css" href="../../css/buttons.foundation.css">
<link rel="stylesheet" type="text/css" href="../../../../examples/resources/syntax/shCore.css">
<link rel="stylesheet" type="text/css" href="../../../../examples/resources/demo.css">
<style type="text/css" class="init">
</style>
<script type="text/javascript" language="javascript" src="//code.jquery.com/jquery-1.11.3.min.js"></script>
<script type="text/javascript" language="javascript" src="../../../../media/js/jquery.dataTables.js"></script>
<script type="text/javascript" language="javascript" src="../../../../media/js/dataTables.foundation.js"></script>
<script type="text/javascript" language="javascript" src="../../js/dataTables.buttons.js"></script>
<script type="text/javascript" language="javascript" src="../../js/buttons.foundation.js"></script>
<script type="text/javascript" language="javascript" src="//cdnjs.cloudflare.com/ajax/libs/jszip/2.5.0/jszip.min.js"></script>
<script type="text/javascript" language="javascript" src="//cdn.rawgit.com/bpampuch/pdfmake/0.1.18/build/pdfmake.min.js"></script>
<script type="text/javascript" language="javascript" src="//cdn.rawgit.com/bpampuch/pdfmake/0.1.18/build/vfs_fonts.js"></script>
<script type="text/javascript" language="javascript" src="../../js/buttons.html5.js"></script>
<script type="text/javascript" language="javascript" src="../../js/buttons.print.js"></script>
<script type="text/javascript" language="javascript" src="../../../../examples/resources/syntax/shCore.js"></script>
<script type="text/javascript" language="javascript" src="../../../../examples/resources/demo.js"></script>
<script type="text/javascript" language="javascript" class="init">
$(document).ready(function() {
var table = $('#example').DataTable( {
lengthChange: false,
buttons: true
} );
table.buttons().container()
.appendTo( '#example_wrapper .small-6.columns:eq(0)' );
} );
</script>
</head>
<body class="dt-example dt-example-foundation">
<div class="container">
<section>
<h1>Buttons example <span>Foundation styling</span></h1>
<div class="info">
<p>This example shows DataTables and the Buttons extension being used with the <a href="http://foundation.zurb.com">Foundation</a> framework providing the styling.
The <a href="//datatables.net/manual/styling/foundation">DataTables / Foundation integration</a> prove seamless integration for DataTables to be used in a
Foundation page.</p>
<p>Note that for ease of implementation, the <a href="//datatables.net/reference/option/buttons"><code class="option" title=
"Buttons initialisation option">buttons</code></a> option is specified as <code>true</code> to use the default options, and the <a href=
"//datatables.net/reference/api/buttons().container()"><code class="api" title="Buttons API method">buttons().container()</code></a> method then used to insert the
buttons into the document. It is possible to use the <a href="//datatables.net/reference/option/dom"><code class="option" title=
"DataTables initialisation option">dom</code></a> option to insert the buttons like in the DataTables styled examples, but the default <a href=
"//datatables.net/reference/option/dom"><code class="option" title="DataTables initialisation option">dom</code></a> option used for Foundation styling is quite
complex and would need to be fully restated.</p>
</div>
<table id="example" class="display" cellspacing="0" width="100%">
<thead>
<tr>
<th>Name</th>
<th>Position</th>
<th>Office</th>
<th>Age</th>
<th>Start date</th>
<th>Salary</th>
</tr>
</thead>
<tfoot>
<tr>
<th>Name</th>
<th>Position</th>
<th>Office</th>
<th>Age</th>
<th>Start date</th>
<th>Salary</th>
</tr>
</tfoot>
<tbody>
<tr>
<td>Tiger Nixon</td>
<td>System Architect</td>
<td>Edinburgh</td>
<td>61</td>
<td>2011/04/25</td>
<td>$320,800</td>
</tr>
<tr>
<td>Garrett Winters</td>
<td>Accountant</td>
<td>Tokyo</td>
<td>63</td>
<td>2011/07/25</td>
<td>$170,750</td>
</tr>
<tr>
<td>Ashton Cox</td>
<td>Junior Technical Author</td>
<td>San Francisco</td>
<td>66</td>
<td>2009/01/12</td>
<td>$86,000</td>
</tr>
<tr>
<td>Cedric Kelly</td>
<td>Senior Javascript Developer</td>
<td>Edinburgh</td>
<td>22</td>
<td>2012/03/29</td>
<td>$433,060</td>
</tr>
<tr>
<td>Airi Satou</td>
<td>Accountant</td>
<td>Tokyo</td>
<td>33</td>
<td>2008/11/28</td>
<td>$162,700</td>
</tr>
<tr>
<td>Brielle Williamson</td>
<td>Integration Specialist</td>
<td>New York</td>
<td>61</td>
<td>2012/12/02</td>
<td>$372,000</td>
</tr>
<tr>
<td>Herrod Chandler</td>
<td>Sales Assistant</td>
<td>San Francisco</td>
<td>59</td>
<td>2012/08/06</td>
<td>$137,500</td>
</tr>
<tr>
<td>Rhona Davidson</td>
<td>Integration Specialist</td>
<td>Tokyo</td>
<td>55</td>
<td>2010/10/14</td>
<td>$327,900</td>
</tr>
<tr>
<td>Colleen Hurst</td>
<td>Javascript Developer</td>
<td>San Francisco</td>
<td>39</td>
<td>2009/09/15</td>
<td>$205,500</td>
</tr>
<tr>
<td>Sonya Frost</td>
<td>Software Engineer</td>
<td>Edinburgh</td>
<td>23</td>
<td>2008/12/13</td>
<td>$103,600</td>
</tr>
<tr>
<td>Jena Gaines</td>
<td>Office Manager</td>
<td>London</td>
<td>30</td>
<td>2008/12/19</td>
<td>$90,560</td>
</tr>
<tr>
<td>Quinn Flynn</td>
<td>Support Lead</td>
<td>Edinburgh</td>
<td>22</td>
<td>2013/03/03</td>
<td>$342,000</td>
</tr>
<tr>
<td>Charde Marshall</td>
<td>Regional Director</td>
<td>San Francisco</td>
<td>36</td>
<td>2008/10/16</td>
<td>$470,600</td>
</tr>
<tr>
<td>Haley Kennedy</td>
<td>Senior Marketing Designer</td>
<td>London</td>
<td>43</td>
<td>2012/12/18</td>
<td>$313,500</td>
</tr>
<tr>
<td>Tatyana Fitzpatrick</td>
<td>Regional Director</td>
<td>London</td>
<td>19</td>
<td>2010/03/17</td>
<td>$385,750</td>
</tr>
<tr>
<td>Michael Silva</td>
<td>Marketing Designer</td>
<td>London</td>
<td>66</td>
<td>2012/11/27</td>
<td>$198,500</td>
</tr>
<tr>
<td>Paul Byrd</td>
<td>Chief Financial Officer (CFO)</td>
<td>New York</td>
<td>64</td>
<td>2010/06/09</td>
<td>$725,000</td>
</tr>
<tr>
<td>Gloria Little</td>
<td>Systems Administrator</td>
<td>New York</td>
<td>59</td>
<td>2009/04/10</td>
<td>$237,500</td>
</tr>
<tr>
<td>Bradley Greer</td>
<td>Software Engineer</td>
<td>London</td>
<td>41</td>
<td>2012/10/13</td>
<td>$132,000</td>
</tr>
<tr>
<td>Dai Rios</td>
<td>Personnel Lead</td>
<td>Edinburgh</td>
<td>35</td>
<td>2012/09/26</td>
<td>$217,500</td>
</tr>
<tr>
<td>Jenette Caldwell</td>
<td>Development Lead</td>
<td>New York</td>
<td>30</td>
<td>2011/09/03</td>
<td>$345,000</td>
</tr>
<tr>
<td>Yuri Berry</td>
<td>Chief Marketing Officer (CMO)</td>
<td>New York</td>
<td>40</td>
<td>2009/06/25</td>
<td>$675,000</td>
</tr>
<tr>
<td>Caesar Vance</td>
<td>Pre-Sales Support</td>
<td>New York</td>
<td>21</td>
<td>2011/12/12</td>
<td>$106,450</td>
</tr>
<tr>
<td>Doris Wilder</td>
<td>Sales Assistant</td>
<td>Sidney</td>
<td>23</td>
<td>2010/09/20</td>
<td>$85,600</td>
</tr>
<tr>
<td>Angelica Ramos</td>
<td>Chief Executive Officer (CEO)</td>
<td>London</td>
<td>47</td>
<td>2009/10/09</td>
<td>$1,200,000</td>
</tr>
<tr>
<td>Gavin Joyce</td>
<td>Developer</td>
<td>Edinburgh</td>
<td>42</td>
<td>2010/12/22</td>
<td>$92,575</td>
</tr>
<tr>
<td>Jennifer Chang</td>
<td>Regional Director</td>
<td>Singapore</td>
<td>28</td>
<td>2010/11/14</td>
<td>$357,650</td>
</tr>
<tr>
<td>Brenden Wagner</td>
<td>Software Engineer</td>
<td>San Francisco</td>
<td>28</td>
<td>2011/06/07</td>
<td>$206,850</td>
</tr>
<tr>
<td>Fiona Green</td>
<td>Chief Operating Officer (COO)</td>
<td>San Francisco</td>
<td>48</td>
<td>2010/03/11</td>
<td>$850,000</td>
</tr>
<tr>
<td>Shou Itou</td>
<td>Regional Marketing</td>
<td>Tokyo</td>
<td>20</td>
<td>2011/08/14</td>
<td>$163,000</td>
</tr>
<tr>
<td>Michelle House</td>
<td>Integration Specialist</td>
<td>Sidney</td>
<td>37</td>
<td>2011/06/02</td>
<td>$95,400</td>
</tr>
<tr>
<td>Suki Burks</td>
<td>Developer</td>
<td>London</td>
<td>53</td>
<td>2009/10/22</td>
<td>$114,500</td>
</tr>
<tr>
<td>Prescott Bartlett</td>
<td>Technical Author</td>
<td>London</td>
<td>27</td>
<td>2011/05/07</td>
<td>$145,000</td>
</tr>
<tr>
<td>Gavin Cortez</td>
<td>Team Leader</td>
<td>San Francisco</td>
<td>22</td>
<td>2008/10/26</td>
<td>$235,500</td>
</tr>
<tr>
<td>Martena Mccray</td>
<td>Post-Sales support</td>
<td>Edinburgh</td>
<td>46</td>
<td>2011/03/09</td>
<td>$324,050</td>
</tr>
<tr>
<td>Unity Butler</td>
<td>Marketing Designer</td>
<td>San Francisco</td>
<td>47</td>
<td>2009/12/09</td>
<td>$85,675</td>
</tr>
<tr>
<td>Howard Hatfield</td>
<td>Office Manager</td>
<td>San Francisco</td>
<td>51</td>
<td>2008/12/16</td>
<td>$164,500</td>
</tr>
<tr>
<td>Hope Fuentes</td>
<td>Secretary</td>
<td>San Francisco</td>
<td>41</td>
<td>2010/02/12</td>
<td>$109,850</td>
</tr>
<tr>
<td>Vivian Harrell</td>
<td>Financial Controller</td>
<td>San Francisco</td>
<td>62</td>
<td>2009/02/14</td>
<td>$452,500</td>
</tr>
<tr>
<td>Timothy Mooney</td>
<td>Office Manager</td>
<td>London</td>
<td>37</td>
<td>2008/12/11</td>
<td>$136,200</td>
</tr>
<tr>
<td>Jackson Bradshaw</td>
<td>Director</td>
<td>New York</td>
<td>65</td>
<td>2008/09/26</td>
<td>$645,750</td>
</tr>
<tr>
<td>Olivia Liang</td>
<td>Support Engineer</td>
<td>Singapore</td>
<td>64</td>
<td>2011/02/03</td>
<td>$234,500</td>
</tr>
<tr>
<td>Bruno Nash</td>
<td>Software Engineer</td>
<td>London</td>
<td>38</td>
<td>2011/05/03</td>
<td>$163,500</td>
</tr>
<tr>
<td>Sakura Yamamoto</td>
<td>Support Engineer</td>
<td>Tokyo</td>
<td>37</td>
<td>2009/08/19</td>
<td>$139,575</td>
</tr>
<tr>
<td>Thor Walton</td>
<td>Developer</td>
<td>New York</td>
<td>61</td>
<td>2013/08/11</td>
<td>$98,540</td>
</tr>
<tr>
<td>Finn Camacho</td>
<td>Support Engineer</td>
<td>San Francisco</td>
<td>47</td>
<td>2009/07/07</td>
<td>$87,500</td>
</tr>
<tr>
<td>Serge Baldwin</td>
<td>Data Coordinator</td>
<td>Singapore</td>
<td>64</td>
<td>2012/04/09</td>
<td>$138,575</td>
</tr>
<tr>
<td>Zenaida Frank</td>
<td>Software Engineer</td>
<td>New York</td>
<td>63</td>
<td>2010/01/04</td>
<td>$125,250</td>
</tr>
<tr>
<td>Zorita Serrano</td>
<td>Software Engineer</td>
<td>San Francisco</td>
<td>56</td>
<td>2012/06/01</td>
<td>$115,000</td>
</tr>
<tr>
<td>Jennifer Acosta</td>
<td>Junior Javascript Developer</td>
<td>Edinburgh</td>
<td>43</td>
<td>2013/02/01</td>
<td>$75,650</td>
</tr>
<tr>
<td>Cara Stevens</td>
<td>Sales Assistant</td>
<td>New York</td>
<td>46</td>
<td>2011/12/06</td>
<td>$145,600</td>
</tr>
<tr>
<td>Hermione Butler</td>
<td>Regional Director</td>
<td>London</td>
<td>47</td>
<td>2011/03/21</td>
<td>$356,250</td>
</tr>
<tr>
<td>Lael Greer</td>
<td>Systems Administrator</td>
<td>London</td>
<td>21</td>
<td>2009/02/27</td>
<td>$103,500</td>
</tr>
<tr>
<td>Jonas Alexander</td>
<td>Developer</td>
<td>San Francisco</td>
<td>30</td>
<td>2010/07/14</td>
<td>$86,500</td>
</tr>
<tr>
<td>Shad Decker</td>
<td>Regional Director</td>
<td>Edinburgh</td>
<td>51</td>
<td>2008/11/13</td>
<td>$183,000</td>
</tr>
<tr>
<td>Michael Bruce</td>
<td>Javascript Developer</td>
<td>Singapore</td>
<td>29</td>
<td>2011/06/27</td>
<td>$183,000</td>
</tr>
<tr>
<td>Donna Snider</td>
<td>Customer Support</td>
<td>New York</td>
<td>27</td>
<td>2011/01/25</td>
<td>$112,000</td>
</tr>
</tbody>
</table>
<ul class="tabs">
<li class="active">Javascript</li>
<li>HTML</li>
<li>CSS</li>
<li>Ajax</li>
<li>Server-side script</li>
</ul>
<div class="tabs">
<div class="js">
<p>The Javascript shown below is used to initialise the table shown in this example:</p><code class="multiline language-js">$(document).ready(function() {
var table = $('#example').DataTable( {
lengthChange: false,
buttons: true
} );
table.buttons().container()
.appendTo( '#example_wrapper .small-6.columns:eq(0)' );
} );</code>
<p>In addition to the above code, the following Javascript library files are loaded for use in this example:</p>
<ul>
<li><a href="//code.jquery.com/jquery-1.11.3.min.js">//code.jquery.com/jquery-1.11.3.min.js</a></li>
<li><a href="../../../../media/js/jquery.dataTables.js">../../../../media/js/jquery.dataTables.js</a></li>
<li><a href="../../../../media/js/dataTables.foundation.js">../../../../media/js/dataTables.foundation.js</a></li>
<li><a href="../../js/dataTables.buttons.js">../../js/dataTables.buttons.js</a></li>
<li><a href="../../js/buttons.foundation.js">../../js/buttons.foundation.js</a></li>
<li><a href="//cdnjs.cloudflare.com/ajax/libs/jszip/2.5.0/jszip.min.js">//cdnjs.cloudflare.com/ajax/libs/jszip/2.5.0/jszip.min.js</a></li>
<li><a href="//cdn.rawgit.com/bpampuch/pdfmake/0.1.18/build/pdfmake.min.js">//cdn.rawgit.com/bpampuch/pdfmake/0.1.18/build/pdfmake.min.js</a></li>
<li><a href="//cdn.rawgit.com/bpampuch/pdfmake/0.1.18/build/vfs_fonts.js">//cdn.rawgit.com/bpampuch/pdfmake/0.1.18/build/vfs_fonts.js</a></li>
<li><a href="../../js/buttons.html5.js">../../js/buttons.html5.js</a></li>
<li><a href="../../js/buttons.print.js">../../js/buttons.print.js</a></li>
</ul>
</div>
<div class="table">
<p>The HTML shown below is the raw HTML table element, before it has been enhanced by DataTables:</p>
</div>
<div class="css">
<div>
<p>This example uses a little bit of additional CSS beyond what is loaded from the library files (below), in order to correctly display the table. The
additional CSS used is shown below:</p><code class="multiline language-css"></code>
</div>
<p>The following CSS library files are loaded for use in this example to provide the styling of the table:</p>
<ul>
<li><a href=
"//cdnjs.cloudflare.com/ajax/libs/foundation/5.5.2/css/foundation.min.css">//cdnjs.cloudflare.com/ajax/libs/foundation/5.5.2/css/foundation.min.css</a></li>
<li><a href="../../../../media/css/dataTables.foundation.css">../../../../media/css/dataTables.foundation.css</a></li>
<li><a href="../../css/buttons.foundation.css">../../css/buttons.foundation.css</a></li>
</ul>
</div>
<div class="ajax">
<p>This table loads data by Ajax. The latest data that has been loaded is shown below. This data will update automatically as any additional data is
loaded.</p>
</div>
<div class="php">
<p>The script used to perform the server-side processing for this table is shown below. Please note that this is just an example script using PHP. Server-side
processing scripts can be written in any language, using <a href="//datatables.net/manual/server-side">the protocol described in the DataTables
documentation</a>.</p>
</div>
</div>
</section>
</div>
<section>
<div class="footer">
<div class="gradient"></div>
<div class="liner">
<h2>Other examples</h2>
<div class="toc">
<div class="toc-group">
<h3><a href="../column_visibility/index.html">Column Visibility</a></h3>
<ul class="toc">
<li><a href="../column_visibility/simple.html">Basic column visibility</a></li>
<li><a href="../column_visibility/layout.html">Multi-column layout</a></li>
<li><a href="../column_visibility/text.html">Internationalisation</a></li>
<li><a href="../column_visibility/restore.html">Restore column visibility</a></li>
<li><a href="../column_visibility/columns.html">Select columns</a></li>
<li><a href="../column_visibility/columnsToggle.html">Visibility toggle buttons</a></li>
<li><a href="../column_visibility/columnGroups.html">Column groups</a></li>
</ul>
</div>
<div class="toc-group">
<h3><a href="../flash/index.html">Flash</a></h3>
<ul class="toc">
<li><a href="../flash/simple.html">Flash export buttons</a></li>
<li><a href="../flash/tsv.html">Tab separated values</a></li>
<li><a href="../flash/filename.html">File name</a></li>
<li><a href="../flash/copyi18n.html">Copy button internationalisation</a></li>
<li><a href="../flash/pdfMessage.html">PDF message</a></li>
<li><a href="../flash/pdfPage.html">Page size and orientation</a></li>
<li><a href="../flash/hidden.html">Hidden initialisation</a></li>
<li><a href="../flash/swfPath.html">SWF file location</a></li>
</ul>
</div>
<div class="toc-group">
<h3><a href="../html5/index.html">Html5</a></h3>
<ul class="toc">
<li><a href="../html5/simple.html">HTML5 export buttons</a></li>
<li><a href="../html5/tsv.html">Tab separated values</a></li>
<li><a href="../html5/filename.html">File name</a></li>
<li><a href="../html5/copyi18n.html">Copy button internationalisation</a></li>
<li><a href="../html5/pdfMessage.html">PDF message</a></li>
<li><a href="../html5/pdfPage.html">PDF page size and orientation</a></li>
<li><a href="../html5/pdfImage.html">PDF with image</a></li>
<li><a href="../html5/pdfOpen.html">PDF - open in new window</a></li>
<li><a href="../html5/columns.html">Column selectors</a></li>
</ul>
</div>
<div class="toc-group">
<h3><a href="../initialisation/index.html">Initialisation</a></h3>
<ul class="toc">
<li><a href="../initialisation/simple.html">Basic initialisation</a></li>
<li><a href="../initialisation/export.html">File export</a></li>
<li><a href="../initialisation/custom.html">Custom button</a></li>
<li><a href="../initialisation/className.html">Class names</a></li>
<li><a href="../initialisation/keys.html">Keyboard activation</a></li>
<li><a href="../initialisation/collections.html">Collections</a></li>
<li><a href="../initialisation/plugins.html">Plug-ins</a></li>
<li><a href="../initialisation/new.html">`new` initialisation</a></li>
<li><a href="../initialisation/multiple.html">Multiple button groups</a></li>
</ul>
</div>
<div class="toc-group">
<h3><a href="../print/index.html">Print</a></h3>
<ul class="toc">
<li><a href="../print/simple.html">Print button</a></li>
<li><a href="../print/message.html">Custom message</a></li>
<li><a href="../print/columns.html">Export options - column selector</a></li>
<li><a href="../print/select.html">Export options - row selector</a></li>
<li><a href="../print/autoPrint.html">Disable auto print</a></li>
<li><a href="../print/customisation.html">Customisation of the print view window</a></li>
</ul>
</div>
<div class="toc-group">
<h3><a href="./index.html">Styling</a></h3>
<ul class="toc active">
<li><a href="./bootstrap.html">Bootstrap styling</a></li>
<li class="active"><a href="./foundation.html">Foundation styling</a></li>
<li><a href="./jqueryui.html">jQuery UI styling</a></li>
</ul>
</div>
<div class="toc-group">
<h3><a href="../api/index.html">API</a></h3>
<ul class="toc">
<li><a href="../api/enable.html">Enable / disable</a></li>
<li><a href="../api/text.html">Dynamic text</a></li>
<li><a href="../api/addRemove.html">Adding and removing buttons dynamically</a></li>
<li><a href="../api/group.html">Group selection</a></li>
</ul>
</div>
</div>
<div class="epilogue">
<p>Please refer to the <a href="http://www.datatables.net">DataTables documentation</a> for full information about its API properties and methods.<br>
Additionally, there are a wide range of <a href="http://www.datatables.net/extensions">extensions</a> and <a href=
"http://www.datatables.net/plug-ins">plug-ins</a> which extend the capabilities of DataTables.</p>
<p class="copyright">DataTables designed and created by <a href="http://www.sprymedia.co.uk">SpryMedia Ltd</a> © 2007-2015<br>
DataTables is licensed under the <a href="http://www.datatables.net/mit">MIT license</a>.</p>
</div>
</div>
</div>
</section>
</body>
</html> | lenscas/forum | third_party/DataTables-1.10.9/extensions/Buttons/examples/styling/foundation.html | HTML | mit | 23,128 |
<!DOCTYPE html>
<script src="../resources/testharness.js"></script>
<script src="../resources/testharnessreport.js"></script>
<div id='container'>
<div id='element'></div>
</div>
<script>
var element = document.getElementById('element');
var container = document.getElementById('container');
test(function() {
element.style.fontSize = '10px';
var player = element.animate([{verticalAlign: '3em'}, {verticalAlign: '5em'}], 10);
player.pause();
player.currentTime = 5;
element.style.fontSize = '20px';
assert_equals(getComputedStyle(element).verticalAlign, '80px');
}, 'verticalAlign responsive to style changes');
</script>
| js0701/chromium-crosswalk | third_party/WebKit/LayoutTests/web-animations-api/animations-responsive-verticalAlign.html | HTML | bsd-3-clause | 651 |
<!DOCTYPE html><html lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<meta name="viewport" content="width=device-width; initial-scale=1.0; maximum-scale=1.0; user-scalable=0;">
<meta charset="utf-8">
<title>PHPExcel classes » \PHPExcel_Worksheet</title>
<meta name="author" content="Mike van Riel">
<meta name="description" content="">
<link href="../css/template.css" rel="stylesheet" media="all">
<script src="../js/jquery-1.7.1.min.js" type="text/javascript"></script><script src="../js/jquery-ui-1.8.2.custom.min.js" type="text/javascript"></script><script src="../js/jquery.mousewheel.min.js" type="text/javascript"></script><script src="../js/bootstrap.js" type="text/javascript"></script><script src="../js/template.js" type="text/javascript"></script><script src="../js/prettify/prettify.min.js" type="text/javascript"></script><link rel="shortcut icon" href="../img/favicon.ico">
<link rel="apple-touch-icon" href="../img/apple-touch-icon.png">
<link rel="apple-touch-icon" sizes="72x72" href="../img/apple-touch-icon-72x72.png">
<link rel="apple-touch-icon" sizes="114x114" href="../img/apple-touch-icon-114x114.png">
</head>
<body>
<div class="navbar navbar-fixed-top">
<div class="navbar-inner"><div class="container">
<a class="btn btn-navbar" data-toggle="collapse" data-target=".nav-collapse"><span class="icon-bar"></span><span class="icon-bar"></span><span class="icon-bar"></span></a><a class="brand" href="../index.html">PHPExcel classes</a><div class="nav-collapse"><ul class="nav">
<li class="dropdown">
<a href="#api" class="dropdown-toggle" data-toggle="dropdown">
API Documentation <b class="caret"></b></a><ul class="dropdown-menu">
<li><a>Packages</a></li>
<li><a href="../packages/Default.html"><i class="icon-folder-open"></i> Default</a></li>
<li><a href="../packages/JAMA.html"><i class="icon-folder-open"></i> JAMA</a></li>
<li><a href="../packages/JAMA%0D%0ACholesky%20decomposition%20class%0D%0AFor%20a%20symmetric,%20positive%20definite%20matrix%20A,%20the%20Cholesky%20decomposition%0D%0Ais%20an%20lower%20triangular%20matrix%20L%20so%20that%20A%20=%20L*L'.html"><i class="icon-folder-open"></i> JAMA
Cholesky decomposition class
For a symmetric, positive definite matrix A, the Cholesky decomposition
is an lower triangular matrix L so that A = L*L'</a></li>
<li><a href="../packages/JAMA%0D%0AClass%20to%20obtain%20eigenvalues%20and%20eigenvectors%20of%20a%20real%20matrix.html"><i class="icon-folder-open"></i> JAMA
Class to obtain eigenvalues and eigenvectors of a real matrix</a></li>
<li><a href="../packages/JAMA%0D%0AError%20handling.html"><i class="icon-folder-open"></i> JAMA
Error handling</a></li>
<li><a href="../packages/JAMA%0D%0AFor%20an%20m-by-n%20matrix%20A%20with%20m%20>=%20n,%20the%20LU%20decomposition%20is%20an%20m-by-n%0D%0Aunit%20lower%20triangular%20matrix%20L,%20an%20n-by-n%20upper%20triangular%20matrix%20U,%0D%0Aand%20a%20permutation%20vector%20piv%20of%20length%20m%20so%20that%20A(piv,:)%20=%20L*U.html"><i class="icon-folder-open"></i> JAMA
For an m-by-n matrix A with m >= n, the LU decomposition is an m-by-n
unit lower triangular matrix L, an n-by-n upper triangular matrix U,
and a permutation vector piv of length m so that A(piv,:) = L*U</a></li>
<li><a href="../packages/JAMA%0D%0AFor%20an%20m-by-n%20matrix%20A%20with%20m%20>=%20n,%20the%20QR%20decomposition%20is%20an%20m-by-n%0D%0Aorthogonal%20matrix%20Q%20and%20an%20n-by-n%20upper%20triangular%20matrix%20R%20so%20that%0D%0AA%20=%20Q*R.html"><i class="icon-folder-open"></i> JAMA
For an m-by-n matrix A with m >= n, the QR decomposition is an m-by-n
orthogonal matrix Q and an n-by-n upper triangular matrix R so that
A = Q*R</a></li>
<li><a href="../packages/JAMA%0D%0AFor%20an%20m-by-n%20matrix%20A%20with%20m%20>=%20n,%20the%20singular%20value%20decomposition%20is%0D%0Aan%20m-by-n%20orthogonal%20matrix%20U,%20an%20n-by-n%20diagonal%20matrix%20S,%20and%0D%0Aan%20n-by-n%20orthogonal%20matrix%20V%20so%20that%20A%20=%20U*S*V'.html"><i class="icon-folder-open"></i> JAMA
For an m-by-n matrix A with m >= n, the singular value decomposition is
an m-by-n orthogonal matrix U, an n-by-n diagonal matrix S, and
an n-by-n orthogonal matrix V so that A = U*S*V'</a></li>
<li><a href="../packages/JAMA%0D%0APythagorean%20Theorem:%0D%0Aa%20=%203%0D%0Ab%20=%204%0D%0Ar%20=%20sqrt(square(a)%20+%20square(b))%0D%0Ar%20=%205%0D%0Ar%20=%20sqrt(a%5E2%20+%20b%5E2)%20without%20under.overflow.html"><i class="icon-folder-open"></i> JAMA
Pythagorean Theorem:
a = 3
b = 4
r = sqrt(square(a) + square(b))
r = 5
r = sqrt(a^2 + b^2) without under/overflow</a></li>
<li><a href="../packages/PHPExcel.html"><i class="icon-folder-open"></i> PHPExcel</a></li>
</ul>
</li>
<li class="dropdown" id="charts-menu">
<a href="#charts" class="dropdown-toggle" data-toggle="dropdown">
Charts <b class="caret"></b></a><ul class="dropdown-menu"><li><a href="../graph_class.html"><i class="icon-list-alt"></i> Class hierarchy diagram</a></li></ul>
</li>
<li class="dropdown" id="reports-menu">
<a href="#reports" class="dropdown-toggle" data-toggle="dropdown">
Reports <b class="caret"></b></a><ul class="dropdown-menu">
<li><a href="../errors.html"><i class="icon-remove-sign"></i> Errors
<span class="label label-info">551</span></a></li>
<li><a href="../markers.html"><i class="icon-map-marker"></i> Markers
<ul>
<li>todo
<span class="label label-info">19</span>
</li>
<li>fixme
<span class="label label-info">10</span>
</li>
</ul></a></li>
<li><a href="../deprecated.html"><i class="icon-stop"></i> Deprecated elements
<span class="label label-info">12</span></a></li>
</ul>
</li>
</ul></div>
</div></div>
<div class="go_to_top"><a href="#___" style="color: inherit">Back to top <i class="icon-upload icon-white"></i></a></div>
</div>
<div id="___" class="container">
<noscript><div class="alert alert-warning">
Javascript is disabled; several features are only available
if Javascript is enabled.
</div></noscript>
<div class="row">
<div class="span4">
<span class="btn-group visibility" data-toggle="buttons-checkbox"><button class="btn public active" title="Show public elements">Public</button><button class="btn protected" title="Show protected elements">Protected</button><button class="btn private" title="Show private elements">Private</button><button class="btn inherited active" title="Show inherited elements">Inherited</button></span><div class="btn-group view pull-right" data-toggle="buttons-radio">
<button class="btn details" title="Show descriptions and method names"><i class="icon-list"></i></button><button class="btn simple" title="Show only method names"><i class="icon-align-justify"></i></button>
</div>
<ul class="side-nav nav nav-list">
<li class="nav-header">
<i class="icon-custom icon-method"></i> Methods
<ul>
<li class="method public "><a href="#method___clone" title="__clone :: Implement PHP __clone to create a deep clone, not just a shallow copy."><span class="description">Implement PHP __clone to create a deep clone, not just a shallow copy.</span><pre>__clone()</pre></a></li>
<li class="method public "><a href="#method___construct" title="__construct :: Create a new worksheet"><span class="description">Create a new worksheet</span><pre>__construct()</pre></a></li>
<li class="method public "><a href="#method___destruct" title="__destruct :: Code to execute when this worksheet is unset()"><span class="description">Code to execute when this worksheet is unset()</span><pre>__destruct()</pre></a></li>
<li class="method public "><a href="#method_addChart" title="addChart :: Add chart"><span class="description">Add chart</span><pre>addChart()</pre></a></li>
<li class="method public "><a href="#method_calculateColumnWidths" title="calculateColumnWidths :: Calculate widths for auto-size columns"><span class="description">Calculate widths for auto-size columns</span><pre>calculateColumnWidths()</pre></a></li>
<li class="method public "><a href="#method_calculateWorksheetDataDimension" title="calculateWorksheetDataDimension :: Calculate worksheet data dimension"><span class="description">Calculate worksheet data dimension</span><pre>calculateWorksheetDataDimension()</pre></a></li>
<li class="method public "><a href="#method_calculateWorksheetDimension" title="calculateWorksheetDimension :: Calculate worksheet dimension"><span class="description">Calculate worksheet dimension</span><pre>calculateWorksheetDimension()</pre></a></li>
<li class="method public "><a href="#method_cellExists" title="cellExists :: Does the cell at a specific coordinate exist?"><span class="description">Does the cell at a specific coordinate exist?</span><pre>cellExists()</pre></a></li>
<li class="method public "><a href="#method_cellExistsByColumnAndRow" title="cellExistsByColumnAndRow :: Cell at a specific coordinate by using numeric cell coordinates exists?"><span class="description">Cell at a specific coordinate by using numeric cell coordinates exists?</span><pre>cellExistsByColumnAndRow()</pre></a></li>
<li class="method public "><a href="#method_conditionalStylesExists" title="conditionalStylesExists :: Do conditional styles exist for this cell?"><span class="description">Do conditional styles exist for this cell?</span><pre>conditionalStylesExists()</pre></a></li>
<li class="method public "><a href="#method_copy" title="copy :: Copy worksheet (!= clone!)"><span class="description">Copy worksheet (!= clone!)</span><pre>copy()</pre></a></li>
<li class="method public "><a href="#method_dataValidationExists" title="dataValidationExists :: Data validation at a specific coordinate exists?"><span class="description">Data validation at a specific coordinate exists?</span><pre>dataValidationExists()</pre></a></li>
<li class="method public "><a href="#method_disconnectCells" title="disconnectCells :: Disconnect all cells from this PHPExcel_Worksheet object,
typically so that the worksheet object can be unset"><span class="description">Disconnect all cells from this PHPExcel_Worksheet object,
typically so that the worksheet object can be unset</span><pre>disconnectCells()</pre></a></li>
<li class="method public "><a href="#method_duplicateConditionalStyle" title="duplicateConditionalStyle :: Duplicate conditional style to a range of cells"><span class="description">Duplicate conditional style to a range of cells</span><pre>duplicateConditionalStyle()</pre></a></li>
<li class="method public "><a href="#method_duplicateStyle" title="duplicateStyle :: Duplicate cell style to a range of cells"><span class="description">Duplicate cell style to a range of cells</span><pre>duplicateStyle()</pre></a></li>
<li class="method public "><a href="#method_duplicateStyleArray" title="duplicateStyleArray :: Duplicate cell style array to a range of cells"><span class="description">Duplicate cell style array to a range of cells</span><pre>duplicateStyleArray()</pre></a></li>
<li class="method public "><a href="#method_extractSheetTitle" title="extractSheetTitle :: Extract worksheet title from range."><span class="description">Extract worksheet title from range.</span><pre>extractSheetTitle()</pre></a></li>
<li class="method public "><a href="#method_freezePane" title="freezePane :: Freeze Pane"><span class="description">Freeze Pane</span><pre>freezePane()</pre></a></li>
<li class="method public "><a href="#method_freezePaneByColumnAndRow" title="freezePaneByColumnAndRow :: Freeze Pane by using numeric cell coordinates"><span class="description">Freeze Pane by using numeric cell coordinates</span><pre>freezePaneByColumnAndRow()</pre></a></li>
<li class="method public "><a href="#method_fromArray" title="fromArray :: Fill worksheet from values in array"><span class="description">Fill worksheet from values in array</span><pre>fromArray()</pre></a></li>
<li class="method public "><a href="#method_garbageCollect" title="garbageCollect :: Run PHPExcel garabage collector."><span class="description">Run PHPExcel garabage collector.</span><pre>garbageCollect()</pre></a></li>
<li class="method public "><a href="#method_getActiveCell" title="getActiveCell :: Get active cell"><span class="description">Get active cell</span><pre>getActiveCell()</pre></a></li>
<li class="method public "><a href="#method_getAutoFilter" title="getAutoFilter :: Get Autofilter"><span class="description">Get Autofilter</span><pre>getAutoFilter()</pre></a></li>
<li class="method public "><a href="#method_getBreaks" title="getBreaks :: Get breaks"><span class="description">Get breaks</span><pre>getBreaks()</pre></a></li>
<li class="method public "><a href="#method_getCell" title="getCell :: Get cell at a specific coordinate"><span class="description">Get cell at a specific coordinate</span><pre>getCell()</pre></a></li>
<li class="method public "><a href="#method_getCellByColumnAndRow" title="getCellByColumnAndRow :: Get cell at a specific coordinate by using numeric cell coordinates"><span class="description">Get cell at a specific coordinate by using numeric cell coordinates</span><pre>getCellByColumnAndRow()</pre></a></li>
<li class="method public "><a href="#method_getCellCacheController" title="getCellCacheController :: Return the cache controller for the cell collection"><span class="description">Return the cache controller for the cell collection</span><pre>getCellCacheController()</pre></a></li>
<li class="method public "><a href="#method_getCellCollection" title="getCellCollection :: Get collection of cells"><span class="description">Get collection of cells</span><pre>getCellCollection()</pre></a></li>
<li class="method public "><a href="#method_getChartByIndex" title="getChartByIndex :: Get a chart by its index position"><span class="description">Get a chart by its index position</span><pre>getChartByIndex()</pre></a></li>
<li class="method public "><a href="#method_getChartByName" title="getChartByName :: Get a chart by name"><span class="description">Get a chart by name</span><pre>getChartByName()</pre></a></li>
<li class="method public "><a href="#method_getChartCollection" title="getChartCollection :: Get collection of charts"><span class="description">Get collection of charts</span><pre>getChartCollection()</pre></a></li>
<li class="method public "><a href="#method_getChartCount" title="getChartCount :: Return the count of charts on this worksheet"><span class="description">Return the count of charts on this worksheet</span><pre>getChartCount()</pre></a></li>
<li class="method public "><a href="#method_getChartNames" title="getChartNames :: Return an array of the names of charts on this worksheet"><span class="description">Return an array of the names of charts on this worksheet</span><pre>getChartNames()</pre></a></li>
<li class="method public "><a href="#method_getCodeName" title="getCodeName :: Return the code name of the sheet"><span class="description">Return the code name of the sheet</span><pre>getCodeName()</pre></a></li>
<li class="method public "><a href="#method_getColumnDimension" title="getColumnDimension :: Get column dimension at a specific column"><span class="description">Get column dimension at a specific column</span><pre>getColumnDimension()</pre></a></li>
<li class="method public "><a href="#method_getColumnDimensionByColumn" title="getColumnDimensionByColumn :: Get column dimension at a specific column by using numeric cell coordinates"><span class="description">Get column dimension at a specific column by using numeric cell coordinates</span><pre>getColumnDimensionByColumn()</pre></a></li>
<li class="method public "><a href="#method_getColumnDimensions" title="getColumnDimensions :: Get collection of column dimensions"><span class="description">Get collection of column dimensions</span><pre>getColumnDimensions()</pre></a></li>
<li class="method public "><a href="#method_getComment" title="getComment :: Get comment for cell"><span class="description">Get comment for cell</span><pre>getComment()</pre></a></li>
<li class="method public "><a href="#method_getCommentByColumnAndRow" title="getCommentByColumnAndRow :: Get comment for cell by using numeric cell coordinates"><span class="description">Get comment for cell by using numeric cell coordinates</span><pre>getCommentByColumnAndRow()</pre></a></li>
<li class="method public "><a href="#method_getComments" title="getComments :: Get comments"><span class="description">Get comments</span><pre>getComments()</pre></a></li>
<li class="method public "><a href="#method_getConditionalStyles" title="getConditionalStyles :: Get conditional styles for a cell"><span class="description">Get conditional styles for a cell</span><pre>getConditionalStyles()</pre></a></li>
<li class="method public "><a href="#method_getConditionalStylesCollection" title="getConditionalStylesCollection :: Get collection of conditional styles"><span class="description">Get collection of conditional styles</span><pre>getConditionalStylesCollection()</pre></a></li>
<li class="method public "><a href="#method_getDataValidation" title="getDataValidation :: Get data validation"><span class="description">Get data validation</span><pre>getDataValidation()</pre></a></li>
<li class="method public "><a href="#method_getDataValidationCollection" title="getDataValidationCollection :: Get collection of data validations"><span class="description">Get collection of data validations</span><pre>getDataValidationCollection()</pre></a></li>
<li class="method public "><a href="#method_getDefaultColumnDimension" title="getDefaultColumnDimension :: Get default column dimension"><span class="description">Get default column dimension</span><pre>getDefaultColumnDimension()</pre></a></li>
<li class="method public "><a href="#method_getDefaultRowDimension" title="getDefaultRowDimension :: Get default row dimension"><span class="description">Get default row dimension</span><pre>getDefaultRowDimension()</pre></a></li>
<li class="method public "><a href="#method_getDefaultStyle" title="getDefaultStyle :: Get default style of workbook."><span class="description">Get default style of workbook.</span><pre>getDefaultStyle()</pre></a></li>
<li class="method public "><a href="#method_getDrawingCollection" title="getDrawingCollection :: Get collection of drawings"><span class="description">Get collection of drawings</span><pre>getDrawingCollection()</pre></a></li>
<li class="method public "><a href="#method_getFreezePane" title="getFreezePane :: Get Freeze Pane"><span class="description">Get Freeze Pane</span><pre>getFreezePane()</pre></a></li>
<li class="method public "><a href="#method_getHashCode" title="getHashCode :: Get hash code"><span class="description">Get hash code</span><pre>getHashCode()</pre></a></li>
<li class="method public "><a href="#method_getHeaderFooter" title="getHeaderFooter :: Get page header/footer"><span class="description">Get page header/footer</span><pre>getHeaderFooter()</pre></a></li>
<li class="method public "><a href="#method_getHighestColumn" title="getHighestColumn :: Get highest worksheet column"><span class="description">Get highest worksheet column</span><pre>getHighestColumn()</pre></a></li>
<li class="method public "><a href="#method_getHighestDataColumn" title="getHighestDataColumn :: Get highest worksheet column that contains data"><span class="description">Get highest worksheet column that contains data</span><pre>getHighestDataColumn()</pre></a></li>
<li class="method public "><a href="#method_getHighestDataRow" title="getHighestDataRow :: Get highest worksheet row that contains data"><span class="description">Get highest worksheet row that contains data</span><pre>getHighestDataRow()</pre></a></li>
<li class="method public "><a href="#method_getHighestRow" title="getHighestRow :: Get highest worksheet row"><span class="description">Get highest worksheet row</span><pre>getHighestRow()</pre></a></li>
<li class="method public "><a href="#method_getHighestRowAndColumn" title="getHighestRowAndColumn :: Get highest worksheet column and highest row that have cell records"><span class="description">Get highest worksheet column and highest row that have cell records</span><pre>getHighestRowAndColumn()</pre></a></li>
<li class="method public "><a href="#method_getHyperlink" title="getHyperlink :: Get hyperlink"><span class="description">Get hyperlink</span><pre>getHyperlink()</pre></a></li>
<li class="method public "><a href="#method_getHyperlinkCollection" title="getHyperlinkCollection :: Get collection of hyperlinks"><span class="description">Get collection of hyperlinks</span><pre>getHyperlinkCollection()</pre></a></li>
<li class="method public "><a href="#method_getInvalidCharacters" title="getInvalidCharacters :: Get array of invalid characters for sheet title"><span class="description">Get array of invalid characters for sheet title</span><pre>getInvalidCharacters()</pre></a></li>
<li class="method public "><a href="#method_getMergeCells" title="getMergeCells :: Get merge cells array."><span class="description">Get merge cells array.</span><pre>getMergeCells()</pre></a></li>
<li class="method public "><a href="#method_getPageMargins" title="getPageMargins :: Get page margins"><span class="description">Get page margins</span><pre>getPageMargins()</pre></a></li>
<li class="method public "><a href="#method_getPageSetup" title="getPageSetup :: Get page setup"><span class="description">Get page setup</span><pre>getPageSetup()</pre></a></li>
<li class="method public "><a href="#method_getParent" title="getParent :: Get parent"><span class="description">Get parent</span><pre>getParent()</pre></a></li>
<li class="method public "><a href="#method_getPrintGridlines" title="getPrintGridlines :: Print gridlines?"><span class="description">Print gridlines?</span><pre>getPrintGridlines()</pre></a></li>
<li class="method public "><a href="#method_getProtectedCells" title="getProtectedCells :: Get protected cells"><span class="description">Get protected cells</span><pre>getProtectedCells()</pre></a></li>
<li class="method public "><a href="#method_getProtection" title="getProtection :: Get Protection"><span class="description">Get Protection</span><pre>getProtection()</pre></a></li>
<li class="method public "><a href="#method_getRightToLeft" title="getRightToLeft :: Get right-to-left"><span class="description">Get right-to-left</span><pre>getRightToLeft()</pre></a></li>
<li class="method public "><a href="#method_getRowDimension" title="getRowDimension :: Get row dimension at a specific row"><span class="description">Get row dimension at a specific row</span><pre>getRowDimension()</pre></a></li>
<li class="method public "><a href="#method_getRowDimensions" title="getRowDimensions :: Get collection of row dimensions"><span class="description">Get collection of row dimensions</span><pre>getRowDimensions()</pre></a></li>
<li class="method public "><a href="#method_getRowIterator" title="getRowIterator :: Get row iterator"><span class="description">Get row iterator</span><pre>getRowIterator()</pre></a></li>
<li class="method public "><a href="#method_getSelectedCell" title="getSelectedCell :: Get selected cell"><span class="description">Get selected cell</span><pre>getSelectedCell()</pre></a></li>
<li class="method public "><a href="#method_getSelectedCells" title="getSelectedCells :: Get selected cells"><span class="description">Get selected cells</span><pre>getSelectedCells()</pre></a></li>
<li class="method public "><a href="#method_getSheetState" title="getSheetState :: Get sheet state"><span class="description">Get sheet state</span><pre>getSheetState()</pre></a></li>
<li class="method public "><a href="#method_getSheetView" title="getSheetView :: Get sheet view"><span class="description">Get sheet view</span><pre>getSheetView()</pre></a></li>
<li class="method public "><a href="#method_getShowGridlines" title="getShowGridlines :: Show gridlines?"><span class="description">Show gridlines?</span><pre>getShowGridlines()</pre></a></li>
<li class="method public "><a href="#method_getShowRowColHeaders" title="getShowRowColHeaders :: Show row and column headers?"><span class="description">Show row and column headers?</span><pre>getShowRowColHeaders()</pre></a></li>
<li class="method public "><a href="#method_getShowSummaryBelow" title="getShowSummaryBelow :: Show summary below? (Row/Column outlining)"><span class="description">Show summary below? (Row/Column outlining)</span><pre>getShowSummaryBelow()</pre></a></li>
<li class="method public "><a href="#method_getShowSummaryRight" title="getShowSummaryRight :: Show summary right? (Row/Column outlining)"><span class="description">Show summary right? (Row/Column outlining)</span><pre>getShowSummaryRight()</pre></a></li>
<li class="method public "><a href="#method_getStyle" title="getStyle :: Get style for cell"><span class="description">Get style for cell</span><pre>getStyle()</pre></a></li>
<li class="method public "><a href="#method_getStyleByColumnAndRow" title="getStyleByColumnAndRow :: Get style for cell by using numeric cell coordinates"><span class="description">Get style for cell by using numeric cell coordinates</span><pre>getStyleByColumnAndRow()</pre></a></li>
<li class="method public "><a href="#method_getStyles" title="getStyles :: Get styles"><span class="description">Get styles</span><pre>getStyles()</pre></a></li>
<li class="method public "><a href="#method_getTabColor" title="getTabColor :: Get tab color"><span class="description">Get tab color</span><pre>getTabColor()</pre></a></li>
<li class="method public "><a href="#method_getTitle" title="getTitle :: Get title"><span class="description">Get title</span><pre>getTitle()</pre></a></li>
<li class="method public "><a href="#method_hasCodeName" title="hasCodeName :: Sheet has a code name ?"><span class="description">Sheet has a code name ?</span><pre>hasCodeName()</pre></a></li>
<li class="method public "><a href="#method_hyperlinkExists" title="hyperlinkExists :: Hyperlink at a specific coordinate exists?"><span class="description">Hyperlink at a specific coordinate exists?</span><pre>hyperlinkExists()</pre></a></li>
<li class="method public "><a href="#method_insertNewColumnBefore" title="insertNewColumnBefore :: Insert a new column, updating all possible related data"><span class="description">Insert a new column, updating all possible related data</span><pre>insertNewColumnBefore()</pre></a></li>
<li class="method public "><a href="#method_insertNewColumnBeforeByIndex" title="insertNewColumnBeforeByIndex :: Insert a new column, updating all possible related data"><span class="description">Insert a new column, updating all possible related data</span><pre>insertNewColumnBeforeByIndex()</pre></a></li>
<li class="method public "><a href="#method_insertNewRowBefore" title="insertNewRowBefore :: Insert a new row, updating all possible related data"><span class="description">Insert a new row, updating all possible related data</span><pre>insertNewRowBefore()</pre></a></li>
<li class="method public "><a href="#method_isTabColorSet" title="isTabColorSet :: Tab color set?"><span class="description">Tab color set?</span><pre>isTabColorSet()</pre></a></li>
<li class="method public "><a href="#method_mergeCells" title="mergeCells :: Set merge on a cell range"><span class="description">Set merge on a cell range</span><pre>mergeCells()</pre></a></li>
<li class="method public "><a href="#method_mergeCellsByColumnAndRow" title="mergeCellsByColumnAndRow :: Set merge on a cell range by using numeric cell coordinates"><span class="description">Set merge on a cell range by using numeric cell coordinates</span><pre>mergeCellsByColumnAndRow()</pre></a></li>
<li class="method public "><a href="#method_namedRangeToArray" title="namedRangeToArray :: Create array from a range of cells"><span class="description">Create array from a range of cells</span><pre>namedRangeToArray()</pre></a></li>
<li class="method public "><a href="#method_protectCells" title="protectCells :: Set protection on a cell range"><span class="description">Set protection on a cell range</span><pre>protectCells()</pre></a></li>
<li class="method public "><a href="#method_protectCellsByColumnAndRow" title="protectCellsByColumnAndRow :: Set protection on a cell range by using numeric cell coordinates"><span class="description">Set protection on a cell range by using numeric cell coordinates</span><pre>protectCellsByColumnAndRow()</pre></a></li>
<li class="method public "><a href="#method_rangeToArray" title="rangeToArray :: Create array from a range of cells"><span class="description">Create array from a range of cells</span><pre>rangeToArray()</pre></a></li>
<li class="method public "><a href="#method_rebindParent" title="rebindParent :: Re-bind parent"><span class="description">Re-bind parent</span><pre>rebindParent()</pre></a></li>
<li class="method public "><a href="#method_refreshColumnDimensions" title="refreshColumnDimensions :: Refresh column dimensions"><span class="description">Refresh column dimensions</span><pre>refreshColumnDimensions()</pre></a></li>
<li class="method public "><a href="#method_refreshRowDimensions" title="refreshRowDimensions :: Refresh row dimensions"><span class="description">Refresh row dimensions</span><pre>refreshRowDimensions()</pre></a></li>
<li class="method public "><a href="#method_removeAutoFilter" title="removeAutoFilter :: Remove autofilter"><span class="description">Remove autofilter</span><pre>removeAutoFilter()</pre></a></li>
<li class="method public "><a href="#method_removeColumn" title="removeColumn :: Remove a column, updating all possible related data"><span class="description">Remove a column, updating all possible related data</span><pre>removeColumn()</pre></a></li>
<li class="method public "><a href="#method_removeColumnByIndex" title="removeColumnByIndex :: Remove a column, updating all possible related data"><span class="description">Remove a column, updating all possible related data</span><pre>removeColumnByIndex()</pre></a></li>
<li class="method public "><a href="#method_removeConditionalStyles" title="removeConditionalStyles :: Removes conditional styles for a cell"><span class="description">Removes conditional styles for a cell</span><pre>removeConditionalStyles()</pre></a></li>
<li class="method public "><a href="#method_removeRow" title="removeRow :: Delete a row, updating all possible related data"><span class="description">Delete a row, updating all possible related data</span><pre>removeRow()</pre></a></li>
<li class="method public "><a href="#method_resetTabColor" title="resetTabColor :: Reset tab color"><span class="description">Reset tab color</span><pre>resetTabColor()</pre></a></li>
<li class="method public "><a href="#method_setAutoFilter" title="setAutoFilter :: Set AutoFilter"><span class="description">Set AutoFilter</span><pre>setAutoFilter()</pre></a></li>
<li class="method public "><a href="#method_setAutoFilterByColumnAndRow" title="setAutoFilterByColumnAndRow :: Set Autofilter Range by using numeric cell coordinates"><span class="description">Set Autofilter Range by using numeric cell coordinates</span><pre>setAutoFilterByColumnAndRow()</pre></a></li>
<li class="method public "><a href="#method_setBreak" title="setBreak :: Set break on a cell"><span class="description">Set break on a cell</span><pre>setBreak()</pre></a></li>
<li class="method public "><a href="#method_setBreakByColumnAndRow" title="setBreakByColumnAndRow :: Set break on a cell by using numeric cell coordinates"><span class="description">Set break on a cell by using numeric cell coordinates</span><pre>setBreakByColumnAndRow()</pre></a></li>
<li class="method public "><a href="#method_setCellValue" title="setCellValue :: Set a cell value"><span class="description">Set a cell value</span><pre>setCellValue()</pre></a></li>
<li class="method public "><a href="#method_setCellValueByColumnAndRow" title="setCellValueByColumnAndRow :: Set a cell value by using numeric cell coordinates"><span class="description">Set a cell value by using numeric cell coordinates</span><pre>setCellValueByColumnAndRow()</pre></a></li>
<li class="method public "><a href="#method_setCellValueExplicit" title="setCellValueExplicit :: Set a cell value"><span class="description">Set a cell value</span><pre>setCellValueExplicit()</pre></a></li>
<li class="method public "><a href="#method_setCellValueExplicitByColumnAndRow" title="setCellValueExplicitByColumnAndRow :: Set a cell value by using numeric cell coordinates"><span class="description">Set a cell value by using numeric cell coordinates</span><pre>setCellValueExplicitByColumnAndRow()</pre></a></li>
<li class="method public "><a href="#method_setCodeName" title="setCodeName :: Define the code name of the sheet"><span class="description">Define the code name of the sheet</span><pre>setCodeName()</pre></a></li>
<li class="method public "><a href="#method_setComments" title="setComments :: Set comments array for the entire sheet."><span class="description">Set comments array for the entire sheet.</span><pre>setComments()</pre></a></li>
<li class="method public "><a href="#method_setConditionalStyles" title="setConditionalStyles :: Set conditional styles"><span class="description">Set conditional styles</span><pre>setConditionalStyles()</pre></a></li>
<li class="method public "><a href="#method_setDataValidation" title="setDataValidation :: Set data validation"><span class="description">Set data validation</span><pre>setDataValidation()</pre></a></li>
<li class="method public "><a href="#method_setDefaultStyle" title="setDefaultStyle :: Set default style - should only be used by PHPExcel_IReader implementations!"><span class="description">Set default style - should only be used by PHPExcel_IReader implementations!</span><pre>setDefaultStyle()</pre></a></li>
<li class="method public "><a href="#method_setHeaderFooter" title="setHeaderFooter :: Set page header/footer"><span class="description">Set page header/footer</span><pre>setHeaderFooter()</pre></a></li>
<li class="method public "><a href="#method_setHyperlink" title="setHyperlink :: Set hyperlnk"><span class="description">Set hyperlnk</span><pre>setHyperlink()</pre></a></li>
<li class="method public "><a href="#method_setMergeCells" title="setMergeCells :: Set merge cells array for the entire sheet."><span class="description">Set merge cells array for the entire sheet.</span><pre>setMergeCells()</pre></a></li>
<li class="method public "><a href="#method_setPageMargins" title="setPageMargins :: Set page margins"><span class="description">Set page margins</span><pre>setPageMargins()</pre></a></li>
<li class="method public "><a href="#method_setPageSetup" title="setPageSetup :: Set page setup"><span class="description">Set page setup</span><pre>setPageSetup()</pre></a></li>
<li class="method public "><a href="#method_setPrintGridlines" title="setPrintGridlines :: Set print gridlines"><span class="description">Set print gridlines</span><pre>setPrintGridlines()</pre></a></li>
<li class="method public "><a href="#method_setProtection" title="setProtection :: Set Protection"><span class="description">Set Protection</span><pre>setProtection()</pre></a></li>
<li class="method public "><a href="#method_setRightToLeft" title="setRightToLeft :: Set right-to-left"><span class="description">Set right-to-left</span><pre>setRightToLeft()</pre></a></li>
<li class="method public "><a href="#method_setSelectedCell" title="setSelectedCell :: Selected cell"><span class="description">Selected cell</span><pre>setSelectedCell()</pre></a></li>
<li class="method public "><a href="#method_setSelectedCellByColumnAndRow" title="setSelectedCellByColumnAndRow :: Selected cell by using numeric cell coordinates"><span class="description">Selected cell by using numeric cell coordinates</span><pre>setSelectedCellByColumnAndRow()</pre></a></li>
<li class="method public "><a href="#method_setSelectedCells" title="setSelectedCells :: Select a range of cells."><span class="description">Select a range of cells.</span><pre>setSelectedCells()</pre></a></li>
<li class="method public "><a href="#method_setSharedStyle" title="setSharedStyle :: Set shared cell style to a range of cells"><span class="description">Set shared cell style to a range of cells</span><pre>setSharedStyle()</pre></a></li>
<li class="method public "><a href="#method_setSheetState" title="setSheetState :: Set sheet state"><span class="description">Set sheet state</span><pre>setSheetState()</pre></a></li>
<li class="method public "><a href="#method_setSheetView" title="setSheetView :: Set sheet view"><span class="description">Set sheet view</span><pre>setSheetView()</pre></a></li>
<li class="method public "><a href="#method_setShowGridlines" title="setShowGridlines :: Set show gridlines"><span class="description">Set show gridlines</span><pre>setShowGridlines()</pre></a></li>
<li class="method public "><a href="#method_setShowRowColHeaders" title="setShowRowColHeaders :: Set show row and column headers"><span class="description">Set show row and column headers</span><pre>setShowRowColHeaders()</pre></a></li>
<li class="method public "><a href="#method_setShowSummaryBelow" title="setShowSummaryBelow :: Set show summary below"><span class="description">Set show summary below</span><pre>setShowSummaryBelow()</pre></a></li>
<li class="method public "><a href="#method_setShowSummaryRight" title="setShowSummaryRight :: Set show summary right"><span class="description">Set show summary right</span><pre>setShowSummaryRight()</pre></a></li>
<li class="method public "><a href="#method_setTitle" title="setTitle :: Set title"><span class="description">Set title</span><pre>setTitle()</pre></a></li>
<li class="method public "><a href="#method_shrinkRangeToFit" title="shrinkRangeToFit :: Accepts a range, returning it as a range that falls within the current highest row and column of the worksheet"><span class="description">Accepts a range, returning it as a range that falls within the current highest row and column of the worksheet</span><pre>shrinkRangeToFit()</pre></a></li>
<li class="method public "><a href="#method_sortCellCollection" title="sortCellCollection :: Sort collection of cells"><span class="description">Sort collection of cells</span><pre>sortCellCollection()</pre></a></li>
<li class="method public "><a href="#method_toArray" title="toArray :: Create array from worksheet"><span class="description">Create array from worksheet</span><pre>toArray()</pre></a></li>
<li class="method public "><a href="#method_unfreezePane" title="unfreezePane :: Unfreeze Pane"><span class="description">Unfreeze Pane</span><pre>unfreezePane()</pre></a></li>
<li class="method public "><a href="#method_unmergeCells" title="unmergeCells :: Remove merge on a cell range"><span class="description">Remove merge on a cell range</span><pre>unmergeCells()</pre></a></li>
<li class="method public "><a href="#method_unmergeCellsByColumnAndRow" title="unmergeCellsByColumnAndRow :: Remove merge on a cell range by using numeric cell coordinates"><span class="description">Remove merge on a cell range by using numeric cell coordinates</span><pre>unmergeCellsByColumnAndRow()</pre></a></li>
<li class="method public "><a href="#method_unprotectCells" title="unprotectCells :: Remove protection on a cell range"><span class="description">Remove protection on a cell range</span><pre>unprotectCells()</pre></a></li>
<li class="method public "><a href="#method_unprotectCellsByColumnAndRow" title="unprotectCellsByColumnAndRow :: Remove protection on a cell range by using numeric cell coordinates"><span class="description">Remove protection on a cell range by using numeric cell coordinates</span><pre>unprotectCellsByColumnAndRow()</pre></a></li>
</ul>
</li>
<li class="nav-header private">» Private
<ul>
<li class="method private "><a href="#method__checkSheetCodeName" title="_checkSheetCodeName :: Check sheet code name for valid Excel syntax"><span class="description">Check sheet code name for valid Excel syntax</span><pre>_checkSheetCodeName()</pre></a></li>
<li class="method private "><a href="#method__checkSheetTitle" title="_checkSheetTitle :: Check sheet title for valid Excel syntax"><span class="description">Check sheet title for valid Excel syntax</span><pre>_checkSheetTitle()</pre></a></li>
<li class="method private "><a href="#method__createNewCell" title="_createNewCell :: Create a new cell at the specified coordinate"><span class="description">Create a new cell at the specified coordinate</span><pre>_createNewCell()</pre></a></li>
</ul>
</li>
<li class="nav-header">
<i class="icon-custom icon-property"></i> Properties
<ul></ul>
</li>
<li class="nav-header private">» Private
<ul>
<li class="property private "><a href="#property__activeCell" title="$_activeCell :: Active cell."><span class="description"></span><pre>$_activeCell</pre></a></li>
<li class="property private "><a href="#property__autoFilter" title="$_autoFilter :: Autofilter Range and selection"><span class="description"></span><pre>$_autoFilter</pre></a></li>
<li class="property private "><a href="#property__breaks" title="$_breaks :: Collection of breaks"><span class="description"></span><pre>$_breaks</pre></a></li>
<li class="property private "><a href="#property__cachedHighestColumn" title="$_cachedHighestColumn :: Cached highest column"><span class="description"></span><pre>$_cachedHighestColumn</pre></a></li>
<li class="property private "><a href="#property__cachedHighestRow" title="$_cachedHighestRow :: Cached highest row"><span class="description"></span><pre>$_cachedHighestRow</pre></a></li>
<li class="property private "><a href="#property__cellCollection" title="$_cellCollection :: Cacheable collection of cells"><span class="description"></span><pre>$_cellCollection</pre></a></li>
<li class="property private "><a href="#property__cellCollectionIsSorted" title="$_cellCollectionIsSorted :: Is the current cell collection sorted already?"><span class="description"></span><pre>$_cellCollectionIsSorted</pre></a></li>
<li class="property private "><a href="#property__chartCollection" title="$_chartCollection :: Collection of Chart objects"><span class="description"></span><pre>$_chartCollection</pre></a></li>
<li class="property private "><a href="#property__codeName" title="$_codeName :: CodeName"><span class="description"></span><pre>$_codeName</pre></a></li>
<li class="property private "><a href="#property__columnDimensions" title="$_columnDimensions :: Collection of column dimensions"><span class="description"></span><pre>$_columnDimensions</pre></a></li>
<li class="property private "><a href="#property__comments" title="$_comments :: Collection of comments"><span class="description"></span><pre>$_comments</pre></a></li>
<li class="property private "><a href="#property__conditionalStylesCollection" title="$_conditionalStylesCollection :: Conditional styles."><span class="description"></span><pre>$_conditionalStylesCollection</pre></a></li>
<li class="property private "><a href="#property__dataValidationCollection" title="$_dataValidationCollection :: Data validation objects."><span class="description"></span><pre>$_dataValidationCollection</pre></a></li>
<li class="property private "><a href="#property__defaultColumnDimension" title="$_defaultColumnDimension :: Default column dimension"><span class="description"></span><pre>$_defaultColumnDimension</pre></a></li>
<li class="property private "><a href="#property__defaultRowDimension" title="$_defaultRowDimension :: Default row dimension"><span class="description"></span><pre>$_defaultRowDimension</pre></a></li>
<li class="property private "><a href="#property__dirty" title="$_dirty :: Dirty flag"><span class="description"></span><pre>$_dirty</pre></a></li>
<li class="property private "><a href="#property__drawingCollection" title="$_drawingCollection :: Collection of drawings"><span class="description"></span><pre>$_drawingCollection</pre></a></li>
<li class="property private "><a href="#property__freezePane" title="$_freezePane :: Freeze pane"><span class="description"></span><pre>$_freezePane</pre></a></li>
<li class="property private "><a href="#property__hash" title="$_hash :: Hash"><span class="description"></span><pre>$_hash</pre></a></li>
<li class="property private "><a href="#property__headerFooter" title="$_headerFooter :: Page header/footer"><span class="description"></span><pre>$_headerFooter</pre></a></li>
<li class="property private "><a href="#property__hyperlinkCollection" title="$_hyperlinkCollection :: Hyperlinks."><span class="description"></span><pre>$_hyperlinkCollection</pre></a></li>
<li class="property private "><a href="#property__invalidCharacters" title="$_invalidCharacters :: Invalid characters in sheet title"><span class="description"></span><pre>$_invalidCharacters</pre></a></li>
<li class="property private "><a href="#property__mergeCells" title="$_mergeCells :: Collection of merged cell ranges"><span class="description"></span><pre>$_mergeCells</pre></a></li>
<li class="property private "><a href="#property__pageMargins" title="$_pageMargins :: Page margins"><span class="description"></span><pre>$_pageMargins</pre></a></li>
<li class="property private "><a href="#property__pageSetup" title="$_pageSetup :: Page setup"><span class="description"></span><pre>$_pageSetup</pre></a></li>
<li class="property private "><a href="#property__parent" title="$_parent :: Parent spreadsheet"><span class="description"></span><pre>$_parent</pre></a></li>
<li class="property private "><a href="#property__printGridlines" title="$_printGridlines :: Print gridlines?"><span class="description"></span><pre>$_printGridlines</pre></a></li>
<li class="property private "><a href="#property__protectedCells" title="$_protectedCells :: Collection of protected cell ranges"><span class="description"></span><pre>$_protectedCells</pre></a></li>
<li class="property private "><a href="#property__protection" title="$_protection :: Protection"><span class="description"></span><pre>$_protection</pre></a></li>
<li class="property private "><a href="#property__rightToLeft" title="$_rightToLeft :: Right-to-left?"><span class="description"></span><pre>$_rightToLeft</pre></a></li>
<li class="property private "><a href="#property__rowDimensions" title="$_rowDimensions :: Collection of row dimensions"><span class="description"></span><pre>$_rowDimensions</pre></a></li>
<li class="property private "><a href="#property__selectedCells" title="$_selectedCells :: Selected cells"><span class="description"></span><pre>$_selectedCells</pre></a></li>
<li class="property private "><a href="#property__sheetState" title="$_sheetState :: Sheet state"><span class="description"></span><pre>$_sheetState</pre></a></li>
<li class="property private "><a href="#property__sheetView" title="$_sheetView :: Sheet view"><span class="description"></span><pre>$_sheetView</pre></a></li>
<li class="property private "><a href="#property__showGridlines" title="$_showGridlines :: Show gridlines?"><span class="description"></span><pre>$_showGridlines</pre></a></li>
<li class="property private "><a href="#property__showRowColHeaders" title="$_showRowColHeaders :: Show row and column headers?"><span class="description"></span><pre>$_showRowColHeaders</pre></a></li>
<li class="property private "><a href="#property__showSummaryBelow" title="$_showSummaryBelow :: Show summary below? (Row/Column outline)"><span class="description"></span><pre>$_showSummaryBelow</pre></a></li>
<li class="property private "><a href="#property__showSummaryRight" title="$_showSummaryRight :: Show summary right? (Row/Column outline)"><span class="description"></span><pre>$_showSummaryRight</pre></a></li>
<li class="property private "><a href="#property__styles" title="$_styles :: Collection of styles"><span class="description"></span><pre>$_styles</pre></a></li>
<li class="property private "><a href="#property__tabColor" title="$_tabColor :: Tab color"><span class="description"></span><pre>$_tabColor</pre></a></li>
<li class="property private "><a href="#property__title" title="$_title :: Worksheet title"><span class="description"></span><pre>$_title</pre></a></li>
</ul>
</li>
<li class="nav-header">
<i class="icon-custom icon-constant"></i> Constants
<ul>
<li class="constant "><a href="#constant_BREAK_COLUMN" title="BREAK_COLUMN :: "><span class="description">BREAK_COLUMN</span><pre>BREAK_COLUMN</pre></a></li>
<li class="constant "><a href="#constant_BREAK_NONE" title="BREAK_NONE :: "><span class="description">BREAK_NONE</span><pre>BREAK_NONE</pre></a></li>
<li class="constant "><a href="#constant_BREAK_ROW" title="BREAK_ROW :: "><span class="description">BREAK_ROW</span><pre>BREAK_ROW</pre></a></li>
<li class="constant "><a href="#constant_SHEETSTATE_HIDDEN" title="SHEETSTATE_HIDDEN :: "><span class="description">SHEETSTATE_HIDDEN</span><pre>SHEETSTATE_HIDDEN</pre></a></li>
<li class="constant "><a href="#constant_SHEETSTATE_VERYHIDDEN" title="SHEETSTATE_VERYHIDDEN :: "><span class="description">SHEETSTATE_VERYHIDDEN</span><pre>SHEETSTATE_VERYHIDDEN</pre></a></li>
<li class="constant "><a href="#constant_SHEETSTATE_VISIBLE" title="SHEETSTATE_VISIBLE :: "><span class="description">SHEETSTATE_VISIBLE</span><pre>SHEETSTATE_VISIBLE</pre></a></li>
</ul>
</li>
</ul>
</div>
<div class="span8">
<a id="\PHPExcel_Worksheet"></a><ul class="breadcrumb">
<li>
<a href="../index.html"><i class="icon-custom icon-class"></i></a><span class="divider">\</span>
</li>
<li><a href="../namespaces/global.html">global</a></li>
<li class="active">
<span class="divider">\</span><a href="../classes/PHPExcel_Worksheet.html">PHPExcel_Worksheet</a>
</li>
</ul>
<div class="element class">
<p class="short_description">PHPExcel_Worksheet</p>
<div class="details">
<div class="long_description"></div>
<table class="table table-bordered">
<tr>
<th>category</th>
<td>PHPExcel</td>
</tr>
<tr>
<th>package</th>
<td><a href="../packages/PHPExcel.Worksheet.html">PHPExcel_Worksheet</a></td>
</tr>
<tr>
<th>copyright</th>
<td>Copyright (c) 2006 - 2014 PHPExcel (http://www.codeplex.com/PHPExcel)</td>
</tr>
</table>
<h3>
<i class="icon-custom icon-method"></i> Methods</h3>
<a id="method___clone"></a><div class="element clickable method public method___clone" data-toggle="collapse" data-target=".method___clone .collapse">
<h2>Implement PHP __clone to create a deep clone, not just a shallow copy.</h2>
<pre>__clone() </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="method___construct"></a><div class="element clickable method public method___construct" data-toggle="collapse" data-target=".method___construct .collapse">
<h2>Create a new worksheet</h2>
<pre>__construct(\PHPExcel $pParent, string $pTitle) </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pParent</h4>
<code><a href="../classes/PHPExcel.html">\PHPExcel</a></code>
</div>
<div class="subelement argument">
<h4>$pTitle</h4>
<code>string</code>
</div>
</div></div>
</div>
<a id="method___destruct"></a><div class="element clickable method public method___destruct" data-toggle="collapse" data-target=".method___destruct .collapse">
<h2>Code to execute when this worksheet is unset()</h2>
<pre>__destruct() </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="method_addChart"></a><div class="element clickable method public method_addChart" data-toggle="collapse" data-target=".method_addChart .collapse">
<h2>Add chart</h2>
<pre>addChart(\PHPExcel_Chart $pChart, int | null $iChartIndex) : <a href="../classes/PHPExcel_Chart.html">\PHPExcel_Chart</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pChart</h4>
<code><a href="../classes/PHPExcel_Chart.html">\PHPExcel_Chart</a></code>
</div>
<div class="subelement argument">
<h4>$iChartIndex</h4>
<code>int</code><code>null</code><p>Index where chart should go (0,1,..., or null for last)</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Chart.html">\PHPExcel_Chart</a></code></div>
</div></div>
</div>
<a id="method_calculateColumnWidths"></a><div class="element clickable method public method_calculateColumnWidths" data-toggle="collapse" data-target=".method_calculateColumnWidths .collapse">
<h2>Calculate widths for auto-size columns</h2>
<pre>calculateColumnWidths(boolean $calculateMergeCells) : \PHPExcel_Worksheet;</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$calculateMergeCells</h4>
<code>boolean</code><p>Calculate merge cell width</p></div>
<h3>Returns</h3>
<div class="subelement response"><code>\PHPExcel_Worksheet;</code></div>
</div></div>
</div>
<a id="method_calculateWorksheetDataDimension"></a><div class="element clickable method public method_calculateWorksheetDataDimension" data-toggle="collapse" data-target=".method_calculateWorksheetDataDimension .collapse">
<h2>Calculate worksheet data dimension</h2>
<pre>calculateWorksheetDataDimension() : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response">
<code>string</code>String containing the dimension of this worksheet that actually contain data</div>
</div></div>
</div>
<a id="method_calculateWorksheetDimension"></a><div class="element clickable method public method_calculateWorksheetDimension" data-toggle="collapse" data-target=".method_calculateWorksheetDimension .collapse">
<h2>Calculate worksheet dimension</h2>
<pre>calculateWorksheetDimension() : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response">
<code>string</code>String containing the dimension of this worksheet</div>
</div></div>
</div>
<a id="method_cellExists"></a><div class="element clickable method public method_cellExists" data-toggle="collapse" data-target=".method_cellExists .collapse">
<h2>Does the cell at a specific coordinate exist?</h2>
<pre>cellExists(string $pCoordinate) : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCoordinate</h4>
<code>string</code><p>Coordinate of the cell</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
<a id="method_cellExistsByColumnAndRow"></a><div class="element clickable method public method_cellExistsByColumnAndRow" data-toggle="collapse" data-target=".method_cellExistsByColumnAndRow .collapse">
<h2>Cell at a specific coordinate by using numeric cell coordinates exists?</h2>
<pre>cellExistsByColumnAndRow(string $pColumn, string $pRow) : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn</h4>
<code>string</code><p>Numeric column coordinate of the cell</p></div>
<div class="subelement argument">
<h4>$pRow</h4>
<code>string</code><p>Numeric row coordinate of the cell</p></div>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
<a id="method_conditionalStylesExists"></a><div class="element clickable method public method_conditionalStylesExists" data-toggle="collapse" data-target=".method_conditionalStylesExists .collapse">
<h2>Do conditional styles exist for this cell?</h2>
<pre>conditionalStylesExists(string $pCoordinate) : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCoordinate</h4>
<code>string</code>
</div>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
<a id="method_copy"></a><div class="element clickable method public method_copy" data-toggle="collapse" data-target=".method_copy .collapse">
<h2>Copy worksheet (!= clone!)</h2>
<pre>copy() : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_dataValidationExists"></a><div class="element clickable method public method_dataValidationExists" data-toggle="collapse" data-target=".method_dataValidationExists .collapse">
<h2>Data validation at a specific coordinate exists?</h2>
<pre>dataValidationExists(string $pCoordinate) : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCoordinate</h4>
<code>string</code>
</div>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
<a id="method_disconnectCells"></a><div class="element clickable method public method_disconnectCells" data-toggle="collapse" data-target=".method_disconnectCells .collapse">
<h2>Disconnect all cells from this PHPExcel_Worksheet object,
typically so that the worksheet object can be unset</h2>
<pre>disconnectCells() </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="method_duplicateConditionalStyle"></a><div class="element clickable method public method_duplicateConditionalStyle" data-toggle="collapse" data-target=".method_duplicateConditionalStyle .collapse">
<h2>Duplicate conditional style to a range of cells</h2>
<pre>duplicateConditionalStyle(array $pCellStyle, string $pRange) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"><p>Please note that this will overwrite existing cell styles for cells in range!</p></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCellStyle</h4>
<code>array</code><p>of PHPExcel_Style_Conditional $pCellStyle Cell style to duplicate</p>
</div>
<div class="subelement argument">
<h4>$pRange</h4>
<code>string</code><p>Range of cells (i.e. "A1:B10"), or just one cell (i.e. "A1")</p>
</div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_duplicateStyle"></a><div class="element clickable method public method_duplicateStyle" data-toggle="collapse" data-target=".method_duplicateStyle .collapse">
<h2>Duplicate cell style to a range of cells</h2>
<pre>duplicateStyle(\PHPExcel_Style $pCellStyle, string $pRange) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"><p>Please note that this will overwrite existing cell styles for cells in range!</p></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCellStyle</h4>
<code><a href="../classes/PHPExcel_Style.html">\PHPExcel_Style</a></code><p>Cell style to duplicate</p></div>
<div class="subelement argument">
<h4>$pRange</h4>
<code>string</code><p>Range of cells (i.e. "A1:B10"), or just one cell (i.e. "A1")</p>
</div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_duplicateStyleArray"></a><div class="element clickable method public method_duplicateStyleArray" data-toggle="collapse" data-target=".method_duplicateStyleArray .collapse">
<h2>Duplicate cell style array to a range of cells</h2>
<pre>duplicateStyleArray(array $pStyles, string $pRange, boolean $pAdvanced) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"><p>Please note that this will overwrite existing cell styles for cells in range,
if they are in the styles array. For example, if you decide to set a range of
cells to font bold, only include font bold in the styles array.</p></div>
<table class="table table-bordered"><tr>
<th>deprecated</th>
<td></td>
</tr></table>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pStyles</h4>
<code>array</code><p>Array containing style information</p></div>
<div class="subelement argument">
<h4>$pRange</h4>
<code>string</code><p>Range of cells (i.e. "A1:B10"), or just one cell (i.e. "A1")</p>
</div>
<div class="subelement argument">
<h4>$pAdvanced</h4>
<code>boolean</code><p>Advanced mode for setting borders.</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_extractSheetTitle"></a><div class="element clickable method public method_extractSheetTitle" data-toggle="collapse" data-target=".method_extractSheetTitle .collapse">
<h2>Extract worksheet title from range.</h2>
<pre>extractSheetTitle(string $pRange, bool $returnRange) : mixed</pre>
<div class="labels"><span class="label">Static</span></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"><p>Example: extractSheetTitle("testSheet!A1") ==> 'A1'
Example: extractSheetTitle("'testSheet 1'!A1", true) ==> array('testSheet 1', 'A1');</p></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pRange</h4>
<code>string</code><p>Range to extract title from</p></div>
<div class="subelement argument">
<h4>$returnRange</h4>
<code>bool</code><p>Return range? (see example)</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code>mixed</code></div>
</div></div>
</div>
<a id="method_freezePane"></a><div class="element clickable method public method_freezePane" data-toggle="collapse" data-target=".method_freezePane .collapse">
<h2>Freeze Pane</h2>
<pre>freezePane(string $pCell) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCell</h4>
<code>string</code><p>Cell (i.e. A2)
Examples:
A2 will freeze the rows above cell A2 (i.e row 1)
B1 will freeze the columns to the left of cell B1 (i.e column A)
B2 will freeze the rows above and to the left of cell A2
(i.e row 1 and column A)</p>
</div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_freezePaneByColumnAndRow"></a><div class="element clickable method public method_freezePaneByColumnAndRow" data-toggle="collapse" data-target=".method_freezePaneByColumnAndRow .collapse">
<h2>Freeze Pane by using numeric cell coordinates</h2>
<pre>freezePaneByColumnAndRow(int $pColumn, int $pRow) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn</h4>
<code>int</code><p>Numeric column coordinate of the cell</p></div>
<div class="subelement argument">
<h4>$pRow</h4>
<code>int</code><p>Numeric row coordinate of the cell</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_fromArray"></a><div class="element clickable method public method_fromArray" data-toggle="collapse" data-target=".method_fromArray .collapse">
<h2>Fill worksheet from values in array</h2>
<pre>fromArray(array $source, mixed $nullValue, string $startCell, boolean $strictNullComparison) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$source</h4>
<code>array</code><p>Source array</p></div>
<div class="subelement argument">
<h4>$nullValue</h4>
<code>mixed</code><p>Value in source array that stands for blank cell</p></div>
<div class="subelement argument">
<h4>$startCell</h4>
<code>string</code><p>Insert array starting from this cell address as the top left coordinate</p></div>
<div class="subelement argument">
<h4>$strictNullComparison</h4>
<code>boolean</code><p>Apply strict comparison when testing for null values in the array</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_garbageCollect"></a><div class="element clickable method public method_garbageCollect" data-toggle="collapse" data-target=".method_garbageCollect .collapse">
<h2>Run PHPExcel garabage collector.</h2>
<pre>garbageCollect() : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_getActiveCell"></a><div class="element clickable method public method_getActiveCell" data-toggle="collapse" data-target=".method_getActiveCell .collapse">
<h2>Get active cell</h2>
<pre>getActiveCell() : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response">
<code>string</code>Example: 'A1'</div>
</div></div>
</div>
<a id="method_getAutoFilter"></a><div class="element clickable method public method_getAutoFilter" data-toggle="collapse" data-target=".method_getAutoFilter .collapse">
<h2>Get Autofilter</h2>
<pre>getAutoFilter() </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"><p>@return PHPExcel_Worksheet_AutoFilter</p></div></div></div>
</div>
<a id="method_getBreaks"></a><div class="element clickable method public method_getBreaks" data-toggle="collapse" data-target=".method_getBreaks .collapse">
<h2>Get breaks</h2>
<pre>getBreaks() : array[]</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>array[]</code></div>
</div></div>
</div>
<a id="method_getCell"></a><div class="element clickable method public method_getCell" data-toggle="collapse" data-target=".method_getCell .collapse">
<h2>Get cell at a specific coordinate</h2>
<pre>getCell(string $pCoordinate) : <a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCoordinate</h4>
<code>string</code><p>Coordinate of the cell</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response">
<code><a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></code>Cell that was found</div>
</div></div>
</div>
<a id="method_getCellByColumnAndRow"></a><div class="element clickable method public method_getCellByColumnAndRow" data-toggle="collapse" data-target=".method_getCellByColumnAndRow .collapse">
<h2>Get cell at a specific coordinate by using numeric cell coordinates</h2>
<pre>getCellByColumnAndRow(string $pColumn, string $pRow) : <a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn</h4>
<code>string</code><p>Numeric column coordinate of the cell</p></div>
<div class="subelement argument">
<h4>$pRow</h4>
<code>string</code><p>Numeric row coordinate of the cell</p></div>
<h3>Returns</h3>
<div class="subelement response">
<code><a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></code>Cell that was found</div>
</div></div>
</div>
<a id="method_getCellCacheController"></a><div class="element clickable method public method_getCellCacheController" data-toggle="collapse" data-target=".method_getCellCacheController .collapse">
<h2>Return the cache controller for the cell collection</h2>
<pre>getCellCacheController() : \PHPExcel_CachedObjectStorage_xxx</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>\PHPExcel_CachedObjectStorage_xxx</code></div>
</div></div>
</div>
<a id="method_getCellCollection"></a><div class="element clickable method public method_getCellCollection" data-toggle="collapse" data-target=".method_getCellCollection .collapse">
<h2>Get collection of cells</h2>
<pre>getCellCollection(boolean $pSorted) : <a href="PHPExcel.Cell.html#%5CPHPExcel_Cell">\PHPExcel_Cell[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pSorted</h4>
<code>boolean</code><p>Also sort the cell collection?</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="PHPExcel.Cell.html#%5CPHPExcel_Cell">\PHPExcel_Cell[]</a></code></div>
</div></div>
</div>
<a id="method_getChartByIndex"></a><div class="element clickable method public method_getChartByIndex" data-toggle="collapse" data-target=".method_getChartByIndex .collapse">
<h2>Get a chart by its index position</h2>
<pre>getChartByIndex(string $index) : false | <a href="../classes/PHPExcel_Chart.html">\PHPExcel_Chart</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$index</h4>
<code>string</code><p>Chart index position</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response">
<code>false</code><code><a href="../classes/PHPExcel_Chart.html">\PHPExcel_Chart</a></code>
</div>
</div></div>
</div>
<a id="method_getChartByName"></a><div class="element clickable method public method_getChartByName" data-toggle="collapse" data-target=".method_getChartByName .collapse">
<h2>Get a chart by name</h2>
<pre>getChartByName(string $chartName) : false | <a href="../classes/PHPExcel_Chart.html">\PHPExcel_Chart</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$chartName</h4>
<code>string</code><p>Chart name</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response">
<code>false</code><code><a href="../classes/PHPExcel_Chart.html">\PHPExcel_Chart</a></code>
</div>
</div></div>
</div>
<a id="method_getChartCollection"></a><div class="element clickable method public method_getChartCollection" data-toggle="collapse" data-target=".method_getChartCollection .collapse">
<h2>Get collection of charts</h2>
<pre>getChartCollection() : <a href="PHPExcel.Chart.html#%5CPHPExcel_Chart">\PHPExcel_Chart[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="PHPExcel.Chart.html#%5CPHPExcel_Chart">\PHPExcel_Chart[]</a></code></div>
</div></div>
</div>
<a id="method_getChartCount"></a><div class="element clickable method public method_getChartCount" data-toggle="collapse" data-target=".method_getChartCount .collapse">
<h2>Return the count of charts on this worksheet</h2>
<pre>getChartCount() : int</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response">
<code>int</code>The number of charts</div>
</div></div>
</div>
<a id="method_getChartNames"></a><div class="element clickable method public method_getChartNames" data-toggle="collapse" data-target=".method_getChartNames .collapse">
<h2>Return an array of the names of charts on this worksheet</h2>
<pre>getChartNames() : string[]</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response">
<code>string[]</code>The names of charts</div>
</div></div>
</div>
<a id="method_getCodeName"></a><div class="element clickable method public method_getCodeName" data-toggle="collapse" data-target=".method_getCodeName .collapse">
<h2>Return the code name of the sheet</h2>
<pre>getCodeName() : null | string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response">
<code>null</code><code>string</code>
</div>
</div></div>
</div>
<a id="method_getColumnDimension"></a><div class="element clickable method public method_getColumnDimension" data-toggle="collapse" data-target=".method_getColumnDimension .collapse">
<h2>Get column dimension at a specific column</h2>
<pre>getColumnDimension(string $pColumn, $create) : <a href="../classes/PHPExcel_Worksheet_ColumnDimension.html">\PHPExcel_Worksheet_ColumnDimension</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn</h4>
<code>string</code><p>String index of the column</p></div>
<div class="subelement argument"><h4>$create</h4></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet_ColumnDimension.html">\PHPExcel_Worksheet_ColumnDimension</a></code></div>
</div></div>
</div>
<a id="method_getColumnDimensionByColumn"></a><div class="element clickable method public method_getColumnDimensionByColumn" data-toggle="collapse" data-target=".method_getColumnDimensionByColumn .collapse">
<h2>Get column dimension at a specific column by using numeric cell coordinates</h2>
<pre>getColumnDimensionByColumn(string $pColumn) : <a href="../classes/PHPExcel_Worksheet_ColumnDimension.html">\PHPExcel_Worksheet_ColumnDimension</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn</h4>
<code>string</code><p>Numeric column coordinate of the cell</p></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet_ColumnDimension.html">\PHPExcel_Worksheet_ColumnDimension</a></code></div>
</div></div>
</div>
<a id="method_getColumnDimensions"></a><div class="element clickable method public method_getColumnDimensions" data-toggle="collapse" data-target=".method_getColumnDimensions .collapse">
<h2>Get collection of column dimensions</h2>
<pre>getColumnDimensions() : <a href="PHPExcel.Worksheet.ColumnDimension.html#%5CPHPExcel_Worksheet_ColumnDimension">\PHPExcel_Worksheet_ColumnDimension[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="PHPExcel.Worksheet.ColumnDimension.html#%5CPHPExcel_Worksheet_ColumnDimension">\PHPExcel_Worksheet_ColumnDimension[]</a></code></div>
</div></div>
</div>
<a id="method_getComment"></a><div class="element clickable method public method_getComment" data-toggle="collapse" data-target=".method_getComment .collapse">
<h2>Get comment for cell</h2>
<pre>getComment(string $pCellCoordinate) : <a href="../classes/PHPExcel_Comment.html">\PHPExcel_Comment</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCellCoordinate</h4>
<code>string</code><p>Cell coordinate to get comment for</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Comment.html">\PHPExcel_Comment</a></code></div>
</div></div>
</div>
<a id="method_getCommentByColumnAndRow"></a><div class="element clickable method public method_getCommentByColumnAndRow" data-toggle="collapse" data-target=".method_getCommentByColumnAndRow .collapse">
<h2>Get comment for cell by using numeric cell coordinates</h2>
<pre>getCommentByColumnAndRow(int $pColumn, int $pRow) : <a href="../classes/PHPExcel_Comment.html">\PHPExcel_Comment</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn</h4>
<code>int</code><p>Numeric column coordinate of the cell</p></div>
<div class="subelement argument">
<h4>$pRow</h4>
<code>int</code><p>Numeric row coordinate of the cell</p></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Comment.html">\PHPExcel_Comment</a></code></div>
</div></div>
</div>
<a id="method_getComments"></a><div class="element clickable method public method_getComments" data-toggle="collapse" data-target=".method_getComments .collapse">
<h2>Get comments</h2>
<pre>getComments() : <a href="PHPExcel.Comment.html#%5CPHPExcel_Comment">\PHPExcel_Comment[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="PHPExcel.Comment.html#%5CPHPExcel_Comment">\PHPExcel_Comment[]</a></code></div>
</div></div>
</div>
<a id="method_getConditionalStyles"></a><div class="element clickable method public method_getConditionalStyles" data-toggle="collapse" data-target=".method_getConditionalStyles .collapse">
<h2>Get conditional styles for a cell</h2>
<pre>getConditionalStyles(string $pCoordinate) : <a href="PHPExcel.Style.Conditional.html#%5CPHPExcel_Style_Conditional">\PHPExcel_Style_Conditional[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCoordinate</h4>
<code>string</code>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="PHPExcel.Style.Conditional.html#%5CPHPExcel_Style_Conditional">\PHPExcel_Style_Conditional[]</a></code></div>
</div></div>
</div>
<a id="method_getConditionalStylesCollection"></a><div class="element clickable method public method_getConditionalStylesCollection" data-toggle="collapse" data-target=".method_getConditionalStylesCollection .collapse">
<h2>Get collection of conditional styles</h2>
<pre>getConditionalStylesCollection() : array</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>array</code></div>
</div></div>
</div>
<a id="method_getDataValidation"></a><div class="element clickable method public method_getDataValidation" data-toggle="collapse" data-target=".method_getDataValidation .collapse">
<h2>Get data validation</h2>
<pre>getDataValidation(string $pCellCoordinate) </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCellCoordinate</h4>
<code>string</code><p>Cell coordinate to get data validation for</p></div>
</div></div>
</div>
<a id="method_getDataValidationCollection"></a><div class="element clickable method public method_getDataValidationCollection" data-toggle="collapse" data-target=".method_getDataValidationCollection .collapse">
<h2>Get collection of data validations</h2>
<pre>getDataValidationCollection() : <a href="PHPExcel.Cell.DataValidation.html#%5CPHPExcel_Cell_DataValidation">\PHPExcel_Cell_DataValidation[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="PHPExcel.Cell.DataValidation.html#%5CPHPExcel_Cell_DataValidation">\PHPExcel_Cell_DataValidation[]</a></code></div>
</div></div>
</div>
<a id="method_getDefaultColumnDimension"></a><div class="element clickable method public method_getDefaultColumnDimension" data-toggle="collapse" data-target=".method_getDefaultColumnDimension .collapse">
<h2>Get default column dimension</h2>
<pre>getDefaultColumnDimension() : <a href="../classes/PHPExcel_Worksheet_ColumnDimension.html">\PHPExcel_Worksheet_ColumnDimension</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet_ColumnDimension.html">\PHPExcel_Worksheet_ColumnDimension</a></code></div>
</div></div>
</div>
<a id="method_getDefaultRowDimension"></a><div class="element clickable method public method_getDefaultRowDimension" data-toggle="collapse" data-target=".method_getDefaultRowDimension .collapse">
<h2>Get default row dimension</h2>
<pre>getDefaultRowDimension() : <a href="../classes/PHPExcel_Worksheet_RowDimension.html">\PHPExcel_Worksheet_RowDimension</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet_RowDimension.html">\PHPExcel_Worksheet_RowDimension</a></code></div>
</div></div>
</div>
<a id="method_getDefaultStyle"></a><div class="element clickable method public method_getDefaultStyle" data-toggle="collapse" data-target=".method_getDefaultStyle .collapse">
<h2>Get default style of workbook.</h2>
<pre>getDefaultStyle() : <a href="../classes/PHPExcel_Style.html">\PHPExcel_Style</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<table class="table table-bordered"><tr>
<th>deprecated</th>
<td></td>
</tr></table>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Style.html">\PHPExcel_Style</a></code></div>
</div></div>
</div>
<a id="method_getDrawingCollection"></a><div class="element clickable method public method_getDrawingCollection" data-toggle="collapse" data-target=".method_getDrawingCollection .collapse">
<h2>Get collection of drawings</h2>
<pre>getDrawingCollection() : <a href="PHPExcel.Worksheet.BaseDrawing.html#%5CPHPExcel_Worksheet_BaseDrawing">\PHPExcel_Worksheet_BaseDrawing[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="PHPExcel.Worksheet.BaseDrawing.html#%5CPHPExcel_Worksheet_BaseDrawing">\PHPExcel_Worksheet_BaseDrawing[]</a></code></div>
</div></div>
</div>
<a id="method_getFreezePane"></a><div class="element clickable method public method_getFreezePane" data-toggle="collapse" data-target=".method_getFreezePane .collapse">
<h2>Get Freeze Pane</h2>
<pre>getFreezePane() : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>string</code></div>
</div></div>
</div>
<a id="method_getHashCode"></a><div class="element clickable method public method_getHashCode" data-toggle="collapse" data-target=".method_getHashCode .collapse">
<h2>Get hash code</h2>
<pre>getHashCode() : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response">
<code>string</code>Hash code</div>
</div></div>
</div>
<a id="method_getHeaderFooter"></a><div class="element clickable method public method_getHeaderFooter" data-toggle="collapse" data-target=".method_getHeaderFooter .collapse">
<h2>Get page header/footer</h2>
<pre>getHeaderFooter() : <a href="../classes/PHPExcel_Worksheet_HeaderFooter.html">\PHPExcel_Worksheet_HeaderFooter</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet_HeaderFooter.html">\PHPExcel_Worksheet_HeaderFooter</a></code></div>
</div></div>
</div>
<a id="method_getHighestColumn"></a><div class="element clickable method public method_getHighestColumn" data-toggle="collapse" data-target=".method_getHighestColumn .collapse">
<h2>Get highest worksheet column</h2>
<pre>getHighestColumn(string $row) : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$row</h4>
<code>string</code><p>Return the data highest column for the specified row,
or the highest column of any row if no row number is passed</p></div>
<h3>Returns</h3>
<div class="subelement response">
<code>string</code>Highest column name</div>
</div></div>
</div>
<a id="method_getHighestDataColumn"></a><div class="element clickable method public method_getHighestDataColumn" data-toggle="collapse" data-target=".method_getHighestDataColumn .collapse">
<h2>Get highest worksheet column that contains data</h2>
<pre>getHighestDataColumn(string $row) : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$row</h4>
<code>string</code><p>Return the highest data column for the specified row,
or the highest data column of any row if no row number is passed</p></div>
<h3>Returns</h3>
<div class="subelement response">
<code>string</code>Highest column name that contains data</div>
</div></div>
</div>
<a id="method_getHighestDataRow"></a><div class="element clickable method public method_getHighestDataRow" data-toggle="collapse" data-target=".method_getHighestDataRow .collapse">
<h2>Get highest worksheet row that contains data</h2>
<pre>getHighestDataRow(string $column) : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$column</h4>
<code>string</code><p>Return the highest data row for the specified column,
or the highest data row of any column if no column letter is passed</p></div>
<h3>Returns</h3>
<div class="subelement response">
<code>string</code>Highest row number that contains data</div>
</div></div>
</div>
<a id="method_getHighestRow"></a><div class="element clickable method public method_getHighestRow" data-toggle="collapse" data-target=".method_getHighestRow .collapse">
<h2>Get highest worksheet row</h2>
<pre>getHighestRow(string $column) : int</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$column</h4>
<code>string</code><p>Return the highest data row for the specified column,
or the highest row of any column if no column letter is passed</p></div>
<h3>Returns</h3>
<div class="subelement response">
<code>int</code>Highest row number</div>
</div></div>
</div>
<a id="method_getHighestRowAndColumn"></a><div class="element clickable method public method_getHighestRowAndColumn" data-toggle="collapse" data-target=".method_getHighestRowAndColumn .collapse">
<h2>Get highest worksheet column and highest row that have cell records</h2>
<pre>getHighestRowAndColumn() : array</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response">
<code>array</code>Highest column name and highest row number</div>
</div></div>
</div>
<a id="method_getHyperlink"></a><div class="element clickable method public method_getHyperlink" data-toggle="collapse" data-target=".method_getHyperlink .collapse">
<h2>Get hyperlink</h2>
<pre>getHyperlink(string $pCellCoordinate) </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCellCoordinate</h4>
<code>string</code><p>Cell coordinate to get hyperlink for</p></div>
</div></div>
</div>
<a id="method_getHyperlinkCollection"></a><div class="element clickable method public method_getHyperlinkCollection" data-toggle="collapse" data-target=".method_getHyperlinkCollection .collapse">
<h2>Get collection of hyperlinks</h2>
<pre>getHyperlinkCollection() : <a href="PHPExcel.Cell.Hyperlink.html#%5CPHPExcel_Cell_Hyperlink">\PHPExcel_Cell_Hyperlink[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="PHPExcel.Cell.Hyperlink.html#%5CPHPExcel_Cell_Hyperlink">\PHPExcel_Cell_Hyperlink[]</a></code></div>
</div></div>
</div>
<a id="method_getInvalidCharacters"></a><div class="element clickable method public method_getInvalidCharacters" data-toggle="collapse" data-target=".method_getInvalidCharacters .collapse">
<h2>Get array of invalid characters for sheet title</h2>
<pre>getInvalidCharacters() : array</pre>
<div class="labels"><span class="label">Static</span></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>array</code></div>
</div></div>
</div>
<a id="method_getMergeCells"></a><div class="element clickable method public method_getMergeCells" data-toggle="collapse" data-target=".method_getMergeCells .collapse">
<h2>Get merge cells array.</h2>
<pre>getMergeCells() : array[]</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>array[]</code></div>
</div></div>
</div>
<a id="method_getPageMargins"></a><div class="element clickable method public method_getPageMargins" data-toggle="collapse" data-target=".method_getPageMargins .collapse">
<h2>Get page margins</h2>
<pre>getPageMargins() : <a href="../classes/PHPExcel_Worksheet_PageMargins.html">\PHPExcel_Worksheet_PageMargins</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet_PageMargins.html">\PHPExcel_Worksheet_PageMargins</a></code></div>
</div></div>
</div>
<a id="method_getPageSetup"></a><div class="element clickable method public method_getPageSetup" data-toggle="collapse" data-target=".method_getPageSetup .collapse">
<h2>Get page setup</h2>
<pre>getPageSetup() : <a href="../classes/PHPExcel_Worksheet_PageSetup.html">\PHPExcel_Worksheet_PageSetup</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet_PageSetup.html">\PHPExcel_Worksheet_PageSetup</a></code></div>
</div></div>
</div>
<a id="method_getParent"></a><div class="element clickable method public method_getParent" data-toggle="collapse" data-target=".method_getParent .collapse">
<h2>Get parent</h2>
<pre>getParent() : <a href="../classes/PHPExcel.html">\PHPExcel</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel.html">\PHPExcel</a></code></div>
</div></div>
</div>
<a id="method_getPrintGridlines"></a><div class="element clickable method public method_getPrintGridlines" data-toggle="collapse" data-target=".method_getPrintGridlines .collapse">
<h2>Print gridlines?</h2>
<pre>getPrintGridlines() : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
<a id="method_getProtectedCells"></a><div class="element clickable method public method_getProtectedCells" data-toggle="collapse" data-target=".method_getProtectedCells .collapse">
<h2>Get protected cells</h2>
<pre>getProtectedCells() : array[]</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>array[]</code></div>
</div></div>
</div>
<a id="method_getProtection"></a><div class="element clickable method public method_getProtection" data-toggle="collapse" data-target=".method_getProtection .collapse">
<h2>Get Protection</h2>
<pre>getProtection() : <a href="../classes/PHPExcel_Worksheet_Protection.html">\PHPExcel_Worksheet_Protection</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet_Protection.html">\PHPExcel_Worksheet_Protection</a></code></div>
</div></div>
</div>
<a id="method_getRightToLeft"></a><div class="element clickable method public method_getRightToLeft" data-toggle="collapse" data-target=".method_getRightToLeft .collapse">
<h2>Get right-to-left</h2>
<pre>getRightToLeft() : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
<a id="method_getRowDimension"></a><div class="element clickable method public method_getRowDimension" data-toggle="collapse" data-target=".method_getRowDimension .collapse">
<h2>Get row dimension at a specific row</h2>
<pre>getRowDimension(int $pRow, $create) : <a href="../classes/PHPExcel_Worksheet_RowDimension.html">\PHPExcel_Worksheet_RowDimension</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pRow</h4>
<code>int</code><p>Numeric index of the row</p></div>
<div class="subelement argument"><h4>$create</h4></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet_RowDimension.html">\PHPExcel_Worksheet_RowDimension</a></code></div>
</div></div>
</div>
<a id="method_getRowDimensions"></a><div class="element clickable method public method_getRowDimensions" data-toggle="collapse" data-target=".method_getRowDimensions .collapse">
<h2>Get collection of row dimensions</h2>
<pre>getRowDimensions() : <a href="PHPExcel.Worksheet.RowDimension.html#%5CPHPExcel_Worksheet_RowDimension">\PHPExcel_Worksheet_RowDimension[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="PHPExcel.Worksheet.RowDimension.html#%5CPHPExcel_Worksheet_RowDimension">\PHPExcel_Worksheet_RowDimension[]</a></code></div>
</div></div>
</div>
<a id="method_getRowIterator"></a><div class="element clickable method public method_getRowIterator" data-toggle="collapse" data-target=".method_getRowIterator .collapse">
<h2>Get row iterator</h2>
<pre>getRowIterator(integer $startRow) : <a href="../classes/PHPExcel_Worksheet_RowIterator.html">\PHPExcel_Worksheet_RowIterator</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$startRow</h4>
<code>integer</code><p>The row number at which to start iterating</p></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet_RowIterator.html">\PHPExcel_Worksheet_RowIterator</a></code></div>
</div></div>
</div>
<a id="method_getSelectedCell"></a><div class="element clickable method public method_getSelectedCell" data-toggle="collapse" data-target=".method_getSelectedCell .collapse">
<h2>Get selected cell</h2>
<pre>getSelectedCell() : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<table class="table table-bordered"><tr>
<th>deprecated</th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code>string</code></div>
</div></div>
</div>
<a id="method_getSelectedCells"></a><div class="element clickable method public method_getSelectedCells" data-toggle="collapse" data-target=".method_getSelectedCells .collapse">
<h2>Get selected cells</h2>
<pre>getSelectedCells() : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>string</code></div>
</div></div>
</div>
<a id="method_getSheetState"></a><div class="element clickable method public method_getSheetState" data-toggle="collapse" data-target=".method_getSheetState .collapse">
<h2>Get sheet state</h2>
<pre>getSheetState() : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response">
<code>string</code>Sheet state (visible, hidden, veryHidden)</div>
</div></div>
</div>
<a id="method_getSheetView"></a><div class="element clickable method public method_getSheetView" data-toggle="collapse" data-target=".method_getSheetView .collapse">
<h2>Get sheet view</h2>
<pre>getSheetView() : <a href="../classes/PHPExcel_Worksheet_SheetView.html">\PHPExcel_Worksheet_SheetView</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet_SheetView.html">\PHPExcel_Worksheet_SheetView</a></code></div>
</div></div>
</div>
<a id="method_getShowGridlines"></a><div class="element clickable method public method_getShowGridlines" data-toggle="collapse" data-target=".method_getShowGridlines .collapse">
<h2>Show gridlines?</h2>
<pre>getShowGridlines() : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
<a id="method_getShowRowColHeaders"></a><div class="element clickable method public method_getShowRowColHeaders" data-toggle="collapse" data-target=".method_getShowRowColHeaders .collapse">
<h2>Show row and column headers?</h2>
<pre>getShowRowColHeaders() : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
<a id="method_getShowSummaryBelow"></a><div class="element clickable method public method_getShowSummaryBelow" data-toggle="collapse" data-target=".method_getShowSummaryBelow .collapse">
<h2>Show summary below? (Row/Column outlining)</h2>
<pre>getShowSummaryBelow() : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
<a id="method_getShowSummaryRight"></a><div class="element clickable method public method_getShowSummaryRight" data-toggle="collapse" data-target=".method_getShowSummaryRight .collapse">
<h2>Show summary right? (Row/Column outlining)</h2>
<pre>getShowSummaryRight() : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
<a id="method_getStyle"></a><div class="element clickable method public method_getStyle" data-toggle="collapse" data-target=".method_getStyle .collapse">
<h2>Get style for cell</h2>
<pre>getStyle(string $pCellCoordinate) : <a href="../classes/PHPExcel_Style.html">\PHPExcel_Style</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCellCoordinate</h4>
<code>string</code><p>Cell coordinate to get style for</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Style.html">\PHPExcel_Style</a></code></div>
</div></div>
</div>
<a id="method_getStyleByColumnAndRow"></a><div class="element clickable method public method_getStyleByColumnAndRow" data-toggle="collapse" data-target=".method_getStyleByColumnAndRow .collapse">
<h2>Get style for cell by using numeric cell coordinates</h2>
<pre>getStyleByColumnAndRow(int $pColumn, int $pRow) : <a href="../classes/PHPExcel_Style.html">\PHPExcel_Style</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn</h4>
<code>int</code><p>Numeric column coordinate of the cell</p></div>
<div class="subelement argument">
<h4>$pRow</h4>
<code>int</code><p>Numeric row coordinate of the cell</p></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Style.html">\PHPExcel_Style</a></code></div>
</div></div>
</div>
<a id="method_getStyles"></a><div class="element clickable method public method_getStyles" data-toggle="collapse" data-target=".method_getStyles .collapse">
<h2>Get styles</h2>
<pre>getStyles() : <a href="PHPExcel.Style.html#%5CPHPExcel_Style">\PHPExcel_Style[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="PHPExcel.Style.html#%5CPHPExcel_Style">\PHPExcel_Style[]</a></code></div>
</div></div>
</div>
<a id="method_getTabColor"></a><div class="element clickable method public method_getTabColor" data-toggle="collapse" data-target=".method_getTabColor .collapse">
<h2>Get tab color</h2>
<pre>getTabColor() : <a href="../classes/PHPExcel_Style_Color.html">\PHPExcel_Style_Color</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Style_Color.html">\PHPExcel_Style_Color</a></code></div>
</div></div>
</div>
<a id="method_getTitle"></a><div class="element clickable method public method_getTitle" data-toggle="collapse" data-target=".method_getTitle .collapse">
<h2>Get title</h2>
<pre>getTitle() : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>string</code></div>
</div></div>
</div>
<a id="method_hasCodeName"></a><div class="element clickable method public method_hasCodeName" data-toggle="collapse" data-target=".method_hasCodeName .collapse">
<h2>Sheet has a code name ?</h2>
<pre>hasCodeName() : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
<a id="method_hyperlinkExists"></a><div class="element clickable method public method_hyperlinkExists" data-toggle="collapse" data-target=".method_hyperlinkExists .collapse">
<h2>Hyperlink at a specific coordinate exists?</h2>
<pre>hyperlinkExists(string $pCoordinate) : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCoordinate</h4>
<code>string</code>
</div>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
<a id="method_insertNewColumnBefore"></a><div class="element clickable method public method_insertNewColumnBefore" data-toggle="collapse" data-target=".method_insertNewColumnBefore .collapse">
<h2>Insert a new column, updating all possible related data</h2>
<pre>insertNewColumnBefore(int $pBefore, int $pNumCols) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pBefore</h4>
<code>int</code><p>Insert before this one</p></div>
<div class="subelement argument">
<h4>$pNumCols</h4>
<code>int</code><p>Number of columns to insert</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_insertNewColumnBeforeByIndex"></a><div class="element clickable method public method_insertNewColumnBeforeByIndex" data-toggle="collapse" data-target=".method_insertNewColumnBeforeByIndex .collapse">
<h2>Insert a new column, updating all possible related data</h2>
<pre>insertNewColumnBeforeByIndex(int $pBefore, int $pNumCols) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pBefore</h4>
<code>int</code><p>Insert before this one (numeric column coordinate of the cell)</p>
</div>
<div class="subelement argument">
<h4>$pNumCols</h4>
<code>int</code><p>Number of columns to insert</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_insertNewRowBefore"></a><div class="element clickable method public method_insertNewRowBefore" data-toggle="collapse" data-target=".method_insertNewRowBefore .collapse">
<h2>Insert a new row, updating all possible related data</h2>
<pre>insertNewRowBefore(int $pBefore, int $pNumRows) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pBefore</h4>
<code>int</code><p>Insert before this one</p></div>
<div class="subelement argument">
<h4>$pNumRows</h4>
<code>int</code><p>Number of rows to insert</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_isTabColorSet"></a><div class="element clickable method public method_isTabColorSet" data-toggle="collapse" data-target=".method_isTabColorSet .collapse">
<h2>Tab color set?</h2>
<pre>isTabColorSet() : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code>boolean</code></div>
</div></div>
</div>
<a id="method_mergeCells"></a><div class="element clickable method public method_mergeCells" data-toggle="collapse" data-target=".method_mergeCells .collapse">
<h2>Set merge on a cell range</h2>
<pre>mergeCells(string $pRange) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pRange</h4>
<code>string</code><p>Cell range (e.g. A1:E1)</p>
</div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_mergeCellsByColumnAndRow"></a><div class="element clickable method public method_mergeCellsByColumnAndRow" data-toggle="collapse" data-target=".method_mergeCellsByColumnAndRow .collapse">
<h2>Set merge on a cell range by using numeric cell coordinates</h2>
<pre>mergeCellsByColumnAndRow(int $pColumn1, int $pRow1, int $pColumn2, int $pRow2) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn1</h4>
<code>int</code><p>Numeric column coordinate of the first cell</p></div>
<div class="subelement argument">
<h4>$pRow1</h4>
<code>int</code><p>Numeric row coordinate of the first cell</p></div>
<div class="subelement argument">
<h4>$pColumn2</h4>
<code>int</code><p>Numeric column coordinate of the last cell</p></div>
<div class="subelement argument">
<h4>$pRow2</h4>
<code>int</code><p>Numeric row coordinate of the last cell</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_namedRangeToArray"></a><div class="element clickable method public method_namedRangeToArray" data-toggle="collapse" data-target=".method_namedRangeToArray .collapse">
<h2>Create array from a range of cells</h2>
<pre>namedRangeToArray(string $pNamedRange, mixed $nullValue, boolean $calculateFormulas, boolean $formatData, boolean $returnCellRef) : array</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pNamedRange</h4>
<code>string</code><p>Name of the Named Range</p></div>
<div class="subelement argument">
<h4>$nullValue</h4>
<code>mixed</code><p>Value returned in the array entry if a cell doesn't exist</p>
</div>
<div class="subelement argument">
<h4>$calculateFormulas</h4>
<code>boolean</code><p>Should formulas be calculated?</p>
</div>
<div class="subelement argument">
<h4>$formatData</h4>
<code>boolean</code><p>Should formatting be applied to cell values?</p>
</div>
<div class="subelement argument">
<h4>$returnCellRef</h4>
<code>boolean</code><p>False - Return a simple array of rows and columns indexed by number counting from zero
True - Return rows and columns indexed by their actual row and column IDs</p>
</div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code>array</code></div>
</div></div>
</div>
<a id="method_protectCells"></a><div class="element clickable method public method_protectCells" data-toggle="collapse" data-target=".method_protectCells .collapse">
<h2>Set protection on a cell range</h2>
<pre>protectCells(string $pRange, string $pPassword, boolean $pAlreadyHashed) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pRange</h4>
<code>string</code><p>Cell (e.g. A1) or cell range (e.g. A1:E1)</p>
</div>
<div class="subelement argument">
<h4>$pPassword</h4>
<code>string</code><p>Password to unlock the protection</p></div>
<div class="subelement argument">
<h4>$pAlreadyHashed</h4>
<code>boolean</code><p>If the password has already been hashed, set this to true</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_protectCellsByColumnAndRow"></a><div class="element clickable method public method_protectCellsByColumnAndRow" data-toggle="collapse" data-target=".method_protectCellsByColumnAndRow .collapse">
<h2>Set protection on a cell range by using numeric cell coordinates</h2>
<pre>protectCellsByColumnAndRow(int $pColumn1, int $pRow1, int $pColumn2, int $pRow2, string $pPassword, boolean $pAlreadyHashed) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn1</h4>
<code>int</code><p>Numeric column coordinate of the first cell</p></div>
<div class="subelement argument">
<h4>$pRow1</h4>
<code>int</code><p>Numeric row coordinate of the first cell</p></div>
<div class="subelement argument">
<h4>$pColumn2</h4>
<code>int</code><p>Numeric column coordinate of the last cell</p></div>
<div class="subelement argument">
<h4>$pRow2</h4>
<code>int</code><p>Numeric row coordinate of the last cell</p></div>
<div class="subelement argument">
<h4>$pPassword</h4>
<code>string</code><p>Password to unlock the protection</p></div>
<div class="subelement argument">
<h4>$pAlreadyHashed</h4>
<code>boolean</code><p>If the password has already been hashed, set this to true</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_rangeToArray"></a><div class="element clickable method public method_rangeToArray" data-toggle="collapse" data-target=".method_rangeToArray .collapse">
<h2>Create array from a range of cells</h2>
<pre>rangeToArray(string $pRange, mixed $nullValue, boolean $calculateFormulas, boolean $formatData, boolean $returnCellRef) : array</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pRange</h4>
<code>string</code><p>Range of cells (i.e. "A1:B10"), or just one cell (i.e. "A1")</p>
</div>
<div class="subelement argument">
<h4>$nullValue</h4>
<code>mixed</code><p>Value returned in the array entry if a cell doesn't exist</p>
</div>
<div class="subelement argument">
<h4>$calculateFormulas</h4>
<code>boolean</code><p>Should formulas be calculated?</p>
</div>
<div class="subelement argument">
<h4>$formatData</h4>
<code>boolean</code><p>Should formatting be applied to cell values?</p>
</div>
<div class="subelement argument">
<h4>$returnCellRef</h4>
<code>boolean</code><p>False - Return a simple array of rows and columns indexed by number counting from zero
True - Return rows and columns indexed by their actual row and column IDs</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code>array</code></div>
</div></div>
</div>
<a id="method_rebindParent"></a><div class="element clickable method public method_rebindParent" data-toggle="collapse" data-target=".method_rebindParent .collapse">
<h2>Re-bind parent</h2>
<pre>rebindParent(\PHPExcel $parent) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$parent</h4>
<code><a href="../classes/PHPExcel.html">\PHPExcel</a></code>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_refreshColumnDimensions"></a><div class="element clickable method public method_refreshColumnDimensions" data-toggle="collapse" data-target=".method_refreshColumnDimensions .collapse">
<h2>Refresh column dimensions</h2>
<pre>refreshColumnDimensions() : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_refreshRowDimensions"></a><div class="element clickable method public method_refreshRowDimensions" data-toggle="collapse" data-target=".method_refreshRowDimensions .collapse">
<h2>Refresh row dimensions</h2>
<pre>refreshRowDimensions() : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_removeAutoFilter"></a><div class="element clickable method public method_removeAutoFilter" data-toggle="collapse" data-target=".method_removeAutoFilter .collapse">
<h2>Remove autofilter</h2>
<pre>removeAutoFilter() : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_removeColumn"></a><div class="element clickable method public method_removeColumn" data-toggle="collapse" data-target=".method_removeColumn .collapse">
<h2>Remove a column, updating all possible related data</h2>
<pre>removeColumn(int $pColumn, int $pNumCols) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn</h4>
<code>int</code><p>Remove starting with this one</p></div>
<div class="subelement argument">
<h4>$pNumCols</h4>
<code>int</code><p>Number of columns to remove</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_removeColumnByIndex"></a><div class="element clickable method public method_removeColumnByIndex" data-toggle="collapse" data-target=".method_removeColumnByIndex .collapse">
<h2>Remove a column, updating all possible related data</h2>
<pre>removeColumnByIndex(int $pColumn, int $pNumCols) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn</h4>
<code>int</code><p>Remove starting with this one (numeric column coordinate of the cell)</p>
</div>
<div class="subelement argument">
<h4>$pNumCols</h4>
<code>int</code><p>Number of columns to remove</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_removeConditionalStyles"></a><div class="element clickable method public method_removeConditionalStyles" data-toggle="collapse" data-target=".method_removeConditionalStyles .collapse">
<h2>Removes conditional styles for a cell</h2>
<pre>removeConditionalStyles(string $pCoordinate) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCoordinate</h4>
<code>string</code>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_removeRow"></a><div class="element clickable method public method_removeRow" data-toggle="collapse" data-target=".method_removeRow .collapse">
<h2>Delete a row, updating all possible related data</h2>
<pre>removeRow(int $pRow, int $pNumRows) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pRow</h4>
<code>int</code><p>Remove starting with this one</p></div>
<div class="subelement argument">
<h4>$pNumRows</h4>
<code>int</code><p>Number of rows to remove</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_resetTabColor"></a><div class="element clickable method public method_resetTabColor" data-toggle="collapse" data-target=".method_resetTabColor .collapse">
<h2>Reset tab color</h2>
<pre>resetTabColor() : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setAutoFilter"></a><div class="element clickable method public method_setAutoFilter" data-toggle="collapse" data-target=".method_setAutoFilter .collapse">
<h2>Set AutoFilter</h2>
<pre>setAutoFilter($pValue) </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"><p>@param PHPExcel_Worksheet_AutoFilter|string $pValue
A simple string containing a Cell range like 'A1:E10' is permitted for backward compatibility</p></div>
<h3>Parameters</h3>
<div class="subelement argument"><h4>$pValue</h4></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td>@return PHPExcel_Worksheet</td>
</tr></table>
</div></div>
</div>
<a id="method_setAutoFilterByColumnAndRow"></a><div class="element clickable method public method_setAutoFilterByColumnAndRow" data-toggle="collapse" data-target=".method_setAutoFilterByColumnAndRow .collapse">
<h2>Set Autofilter Range by using numeric cell coordinates</h2>
<pre>setAutoFilterByColumnAndRow($pColumn1, integer $pRow1, $pColumn2, $pRow2) </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"><p>@param integer $pColumn1 Numeric column coordinate of the first cell</p></div>
<h3>Parameters</h3>
<div class="subelement argument"><h4>$pColumn1</h4></div>
<div class="subelement argument">
<h4>$pRow1</h4>
<code>integer</code><p>Numeric row coordinate of the first cell
@param integer $pColumn2 Numeric column coordinate of the second cell
@param integer $pRow2 Numeric row coordinate of the second cell
@throws PHPExcel_Exception
@return PHPExcel_Worksheet</p>
</div>
<div class="subelement argument"><h4>$pColumn2</h4></div>
<div class="subelement argument"><h4>$pRow2</h4></div>
</div></div>
</div>
<a id="method_setBreak"></a><div class="element clickable method public method_setBreak" data-toggle="collapse" data-target=".method_setBreak .collapse">
<h2>Set break on a cell</h2>
<pre>setBreak(string $pCell, int $pBreak) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCell</h4>
<code>string</code><p>Cell coordinate (e.g. A1)</p>
</div>
<div class="subelement argument">
<h4>$pBreak</h4>
<code>int</code><p>Break type (type of PHPExcel_Worksheet::BREAK_*)</p>
</div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setBreakByColumnAndRow"></a><div class="element clickable method public method_setBreakByColumnAndRow" data-toggle="collapse" data-target=".method_setBreakByColumnAndRow .collapse">
<h2>Set break on a cell by using numeric cell coordinates</h2>
<pre>setBreakByColumnAndRow(integer $pColumn, integer $pRow, integer $pBreak) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn</h4>
<code>integer</code><p>Numeric column coordinate of the cell</p></div>
<div class="subelement argument">
<h4>$pRow</h4>
<code>integer</code><p>Numeric row coordinate of the cell</p></div>
<div class="subelement argument">
<h4>$pBreak</h4>
<code>integer</code><p>Break type (type of PHPExcel_Worksheet::BREAK_*)</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setCellValue"></a><div class="element clickable method public method_setCellValue" data-toggle="collapse" data-target=".method_setCellValue .collapse">
<h2>Set a cell value</h2>
<pre>setCellValue(string $pCoordinate, mixed $pValue, bool $returnCell) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a> | <a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCoordinate</h4>
<code>string</code><p>Coordinate of the cell</p></div>
<div class="subelement argument">
<h4>$pValue</h4>
<code>mixed</code><p>Value of the cell</p></div>
<div class="subelement argument">
<h4>$returnCell</h4>
<code>bool</code><p>Return the worksheet (false, default) or the cell (true)</p>
</div>
<h3>Returns</h3>
<div class="subelement response">
<code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code><code><a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></code>Depending on the last parameter being specified</div>
</div></div>
</div>
<a id="method_setCellValueByColumnAndRow"></a><div class="element clickable method public method_setCellValueByColumnAndRow" data-toggle="collapse" data-target=".method_setCellValueByColumnAndRow .collapse">
<h2>Set a cell value by using numeric cell coordinates</h2>
<pre>setCellValueByColumnAndRow(string $pColumn, string $pRow, mixed $pValue, bool $returnCell) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a> | <a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn</h4>
<code>string</code><p>Numeric column coordinate of the cell (A = 0)</p>
</div>
<div class="subelement argument">
<h4>$pRow</h4>
<code>string</code><p>Numeric row coordinate of the cell</p></div>
<div class="subelement argument">
<h4>$pValue</h4>
<code>mixed</code><p>Value of the cell</p></div>
<div class="subelement argument">
<h4>$returnCell</h4>
<code>bool</code><p>Return the worksheet (false, default) or the cell (true)</p>
</div>
<h3>Returns</h3>
<div class="subelement response">
<code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code><code><a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></code>Depending on the last parameter being specified</div>
</div></div>
</div>
<a id="method_setCellValueExplicit"></a><div class="element clickable method public method_setCellValueExplicit" data-toggle="collapse" data-target=".method_setCellValueExplicit .collapse">
<h2>Set a cell value</h2>
<pre>setCellValueExplicit(string $pCoordinate, mixed $pValue, string $pDataType, bool $returnCell) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a> | <a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCoordinate</h4>
<code>string</code><p>Coordinate of the cell</p></div>
<div class="subelement argument">
<h4>$pValue</h4>
<code>mixed</code><p>Value of the cell</p></div>
<div class="subelement argument">
<h4>$pDataType</h4>
<code>string</code><p>Explicit data type</p></div>
<div class="subelement argument">
<h4>$returnCell</h4>
<code>bool</code><p>Return the worksheet (false, default) or the cell (true)</p>
</div>
<h3>Returns</h3>
<div class="subelement response">
<code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code><code><a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></code>Depending on the last parameter being specified</div>
</div></div>
</div>
<a id="method_setCellValueExplicitByColumnAndRow"></a><div class="element clickable method public method_setCellValueExplicitByColumnAndRow" data-toggle="collapse" data-target=".method_setCellValueExplicitByColumnAndRow .collapse">
<h2>Set a cell value by using numeric cell coordinates</h2>
<pre>setCellValueExplicitByColumnAndRow(string $pColumn, string $pRow, mixed $pValue, string $pDataType, bool $returnCell) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a> | <a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn</h4>
<code>string</code><p>Numeric column coordinate of the cell</p></div>
<div class="subelement argument">
<h4>$pRow</h4>
<code>string</code><p>Numeric row coordinate of the cell</p></div>
<div class="subelement argument">
<h4>$pValue</h4>
<code>mixed</code><p>Value of the cell</p></div>
<div class="subelement argument">
<h4>$pDataType</h4>
<code>string</code><p>Explicit data type</p></div>
<div class="subelement argument">
<h4>$returnCell</h4>
<code>bool</code><p>Return the worksheet (false, default) or the cell (true)</p>
</div>
<h3>Returns</h3>
<div class="subelement response">
<code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code><code><a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></code>Depending on the last parameter being specified</div>
</div></div>
</div>
<a id="method_setCodeName"></a><div class="element clickable method public method_setCodeName" data-toggle="collapse" data-target=".method_setCodeName .collapse">
<h2>Define the code name of the sheet</h2>
<pre>setCodeName(null | string $pValue) : \objWorksheet</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code>null</code><code>string</code><p>Same rule as Title minus space not allowed (but, like Excel, change silently space to underscore)</p>
</div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code>\objWorksheet</code></div>
</div></div>
</div>
<a id="method_setComments"></a><div class="element clickable method public method_setComments" data-toggle="collapse" data-target=".method_setComments .collapse">
<h2>Set comments array for the entire sheet.</h2>
<pre>setComments(array $pValue) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code>array</code><p>of PHPExcel_Comment</p></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setConditionalStyles"></a><div class="element clickable method public method_setConditionalStyles" data-toggle="collapse" data-target=".method_setConditionalStyles .collapse">
<h2>Set conditional styles</h2>
<pre>setConditionalStyles($pCoordinate, $pValue) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCoordinate</h4><p>string E.g. 'A1'</p>
</div>
<div class="subelement argument">
<h4>$pValue</h4><p>PHPExcel_Style_Conditional[]</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setDataValidation"></a><div class="element clickable method public method_setDataValidation" data-toggle="collapse" data-target=".method_setDataValidation .collapse">
<h2>Set data validation</h2>
<pre>setDataValidation(string $pCellCoordinate, \PHPExcel_Cell_DataValidation $pDataValidation) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCellCoordinate</h4>
<code>string</code><p>Cell coordinate to insert data validation</p></div>
<div class="subelement argument">
<h4>$pDataValidation</h4>
<code><a href="../classes/PHPExcel_Cell_DataValidation.html">\PHPExcel_Cell_DataValidation</a></code>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setDefaultStyle"></a><div class="element clickable method public method_setDefaultStyle" data-toggle="collapse" data-target=".method_setDefaultStyle .collapse">
<h2>Set default style - should only be used by PHPExcel_IReader implementations!</h2>
<pre>setDefaultStyle(\PHPExcel_Style $pValue) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<table class="table table-bordered"><tr>
<th>deprecated</th>
<td></td>
</tr></table>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code><a href="../classes/PHPExcel_Style.html">\PHPExcel_Style</a></code>
</div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setHeaderFooter"></a><div class="element clickable method public method_setHeaderFooter" data-toggle="collapse" data-target=".method_setHeaderFooter .collapse">
<h2>Set page header/footer</h2>
<pre>setHeaderFooter(\PHPExcel_Worksheet_HeaderFooter $pValue) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code><a href="../classes/PHPExcel_Worksheet_HeaderFooter.html">\PHPExcel_Worksheet_HeaderFooter</a></code>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setHyperlink"></a><div class="element clickable method public method_setHyperlink" data-toggle="collapse" data-target=".method_setHyperlink .collapse">
<h2>Set hyperlnk</h2>
<pre>setHyperlink(string $pCellCoordinate, \PHPExcel_Cell_Hyperlink $pHyperlink) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCellCoordinate</h4>
<code>string</code><p>Cell coordinate to insert hyperlink</p></div>
<div class="subelement argument">
<h4>$pHyperlink</h4>
<code><a href="../classes/PHPExcel_Cell_Hyperlink.html">\PHPExcel_Cell_Hyperlink</a></code>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setMergeCells"></a><div class="element clickable method public method_setMergeCells" data-toggle="collapse" data-target=".method_setMergeCells .collapse">
<h2>Set merge cells array for the entire sheet.</h2>
<pre>setMergeCells(array $pValue) </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"><p>Use instead mergeCells() to merge
a single cell range.</p></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code>array</code>
</div>
</div></div>
</div>
<a id="method_setPageMargins"></a><div class="element clickable method public method_setPageMargins" data-toggle="collapse" data-target=".method_setPageMargins .collapse">
<h2>Set page margins</h2>
<pre>setPageMargins(\PHPExcel_Worksheet_PageMargins $pValue) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code><a href="../classes/PHPExcel_Worksheet_PageMargins.html">\PHPExcel_Worksheet_PageMargins</a></code>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setPageSetup"></a><div class="element clickable method public method_setPageSetup" data-toggle="collapse" data-target=".method_setPageSetup .collapse">
<h2>Set page setup</h2>
<pre>setPageSetup(\PHPExcel_Worksheet_PageSetup $pValue) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code><a href="../classes/PHPExcel_Worksheet_PageSetup.html">\PHPExcel_Worksheet_PageSetup</a></code>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setPrintGridlines"></a><div class="element clickable method public method_setPrintGridlines" data-toggle="collapse" data-target=".method_setPrintGridlines .collapse">
<h2>Set print gridlines</h2>
<pre>setPrintGridlines(boolean $pValue) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code>boolean</code><p>Print gridlines (true/false)</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setProtection"></a><div class="element clickable method public method_setProtection" data-toggle="collapse" data-target=".method_setProtection .collapse">
<h2>Set Protection</h2>
<pre>setProtection(\PHPExcel_Worksheet_Protection $pValue) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code><a href="../classes/PHPExcel_Worksheet_Protection.html">\PHPExcel_Worksheet_Protection</a></code>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setRightToLeft"></a><div class="element clickable method public method_setRightToLeft" data-toggle="collapse" data-target=".method_setRightToLeft .collapse">
<h2>Set right-to-left</h2>
<pre>setRightToLeft(boolean $value) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$value</h4>
<code>boolean</code><p>Right-to-left true/false</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setSelectedCell"></a><div class="element clickable method public method_setSelectedCell" data-toggle="collapse" data-target=".method_setSelectedCell .collapse">
<h2>Selected cell</h2>
<pre>setSelectedCell(string $pCoordinate) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCoordinate</h4>
<code>string</code><p>Cell (i.e. A1)</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setSelectedCellByColumnAndRow"></a><div class="element clickable method public method_setSelectedCellByColumnAndRow" data-toggle="collapse" data-target=".method_setSelectedCellByColumnAndRow .collapse">
<h2>Selected cell by using numeric cell coordinates</h2>
<pre>setSelectedCellByColumnAndRow(int $pColumn, int $pRow) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn</h4>
<code>int</code><p>Numeric column coordinate of the cell</p></div>
<div class="subelement argument">
<h4>$pRow</h4>
<code>int</code><p>Numeric row coordinate of the cell</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setSelectedCells"></a><div class="element clickable method public method_setSelectedCells" data-toggle="collapse" data-target=".method_setSelectedCells .collapse">
<h2>Select a range of cells.</h2>
<pre>setSelectedCells(string $pCoordinate) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCoordinate</h4>
<code>string</code><p>Cell range, examples: 'A1', 'B2:G5', 'A:C', '3:6'</p>
</div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setSharedStyle"></a><div class="element clickable method public method_setSharedStyle" data-toggle="collapse" data-target=".method_setSharedStyle .collapse">
<h2>Set shared cell style to a range of cells</h2>
<pre>setSharedStyle(\PHPExcel_Style $pSharedCellStyle, string $pRange) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"><p>Please note that this will overwrite existing cell styles for cells in range!</p></div>
<table class="table table-bordered"><tr>
<th>deprecated</th>
<td></td>
</tr></table>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pSharedCellStyle</h4>
<code><a href="../classes/PHPExcel_Style.html">\PHPExcel_Style</a></code><p>Cell style to share</p></div>
<div class="subelement argument">
<h4>$pRange</h4>
<code>string</code><p>Range of cells (i.e. "A1:B10"), or just one cell (i.e. "A1")</p>
</div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setSheetState"></a><div class="element clickable method public method_setSheetState" data-toggle="collapse" data-target=".method_setSheetState .collapse">
<h2>Set sheet state</h2>
<pre>setSheetState(string $value) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$value</h4>
<code>string</code><p>Sheet state (visible, hidden, veryHidden)</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setSheetView"></a><div class="element clickable method public method_setSheetView" data-toggle="collapse" data-target=".method_setSheetView .collapse">
<h2>Set sheet view</h2>
<pre>setSheetView(\PHPExcel_Worksheet_SheetView $pValue) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code><a href="../classes/PHPExcel_Worksheet_SheetView.html">\PHPExcel_Worksheet_SheetView</a></code>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setShowGridlines"></a><div class="element clickable method public method_setShowGridlines" data-toggle="collapse" data-target=".method_setShowGridlines .collapse">
<h2>Set show gridlines</h2>
<pre>setShowGridlines(boolean $pValue) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code>boolean</code><p>Show gridlines (true/false)</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setShowRowColHeaders"></a><div class="element clickable method public method_setShowRowColHeaders" data-toggle="collapse" data-target=".method_setShowRowColHeaders .collapse">
<h2>Set show row and column headers</h2>
<pre>setShowRowColHeaders(boolean $pValue) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code>boolean</code><p>Show row and column headers (true/false)</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setShowSummaryBelow"></a><div class="element clickable method public method_setShowSummaryBelow" data-toggle="collapse" data-target=".method_setShowSummaryBelow .collapse">
<h2>Set show summary below</h2>
<pre>setShowSummaryBelow(boolean $pValue) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code>boolean</code><p>Show summary below (true/false)</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setShowSummaryRight"></a><div class="element clickable method public method_setShowSummaryRight" data-toggle="collapse" data-target=".method_setShowSummaryRight .collapse">
<h2>Set show summary right</h2>
<pre>setShowSummaryRight(boolean $pValue) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code>boolean</code><p>Show summary right (true/false)</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_setTitle"></a><div class="element clickable method public method_setTitle" data-toggle="collapse" data-target=".method_setTitle .collapse">
<h2>Set title</h2>
<pre>setTitle(string $pValue, string $updateFormulaCellReferences) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code>string</code><p>String containing the dimension of this worksheet</p></div>
<div class="subelement argument">
<h4>$updateFormulaCellReferences</h4>
<code>string</code><p>boolean Flag indicating whether cell references in formulae should
be updated to reflect the new sheet name.
This should be left as the default true, unless you are
certain that no formula cells on any worksheet contain
references to this worksheet</p></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_shrinkRangeToFit"></a><div class="element clickable method public method_shrinkRangeToFit" data-toggle="collapse" data-target=".method_shrinkRangeToFit .collapse">
<h2>Accepts a range, returning it as a range that falls within the current highest row and column of the worksheet</h2>
<pre>shrinkRangeToFit(string $range) : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$range</h4>
<code>string</code>
</div>
<h3>Returns</h3>
<div class="subelement response">
<code>string</code>Adjusted range value</div>
</div></div>
</div>
<a id="method_sortCellCollection"></a><div class="element clickable method public method_sortCellCollection" data-toggle="collapse" data-target=".method_sortCellCollection .collapse">
<h2>Sort collection of cells</h2>
<pre>sortCellCollection() : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_toArray"></a><div class="element clickable method public method_toArray" data-toggle="collapse" data-target=".method_toArray .collapse">
<h2>Create array from worksheet</h2>
<pre>toArray(mixed $nullValue, boolean $calculateFormulas, boolean $formatData, boolean $returnCellRef) : array</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$nullValue</h4>
<code>mixed</code><p>Value returned in the array entry if a cell doesn't exist</p>
</div>
<div class="subelement argument">
<h4>$calculateFormulas</h4>
<code>boolean</code><p>Should formulas be calculated?</p>
</div>
<div class="subelement argument">
<h4>$formatData</h4>
<code>boolean</code><p>Should formatting be applied to cell values?</p>
</div>
<div class="subelement argument">
<h4>$returnCellRef</h4>
<code>boolean</code><p>False - Return a simple array of rows and columns indexed by number counting from zero
True - Return rows and columns indexed by their actual row and column IDs</p>
</div>
<h3>Returns</h3>
<div class="subelement response"><code>array</code></div>
</div></div>
</div>
<a id="method_unfreezePane"></a><div class="element clickable method public method_unfreezePane" data-toggle="collapse" data-target=".method_unfreezePane .collapse">
<h2>Unfreeze Pane</h2>
<pre>unfreezePane() : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_unmergeCells"></a><div class="element clickable method public method_unmergeCells" data-toggle="collapse" data-target=".method_unmergeCells .collapse">
<h2>Remove merge on a cell range</h2>
<pre>unmergeCells(string $pRange) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pRange</h4>
<code>string</code><p>Cell range (e.g. A1:E1)</p>
</div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_unmergeCellsByColumnAndRow"></a><div class="element clickable method public method_unmergeCellsByColumnAndRow" data-toggle="collapse" data-target=".method_unmergeCellsByColumnAndRow .collapse">
<h2>Remove merge on a cell range by using numeric cell coordinates</h2>
<pre>unmergeCellsByColumnAndRow(int $pColumn1, int $pRow1, int $pColumn2, int $pRow2) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn1</h4>
<code>int</code><p>Numeric column coordinate of the first cell</p></div>
<div class="subelement argument">
<h4>$pRow1</h4>
<code>int</code><p>Numeric row coordinate of the first cell</p></div>
<div class="subelement argument">
<h4>$pColumn2</h4>
<code>int</code><p>Numeric column coordinate of the last cell</p></div>
<div class="subelement argument">
<h4>$pRow2</h4>
<code>int</code><p>Numeric row coordinate of the last cell</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_unprotectCells"></a><div class="element clickable method public method_unprotectCells" data-toggle="collapse" data-target=".method_unprotectCells .collapse">
<h2>Remove protection on a cell range</h2>
<pre>unprotectCells(string $pRange) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pRange</h4>
<code>string</code><p>Cell (e.g. A1) or cell range (e.g. A1:E1)</p>
</div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method_unprotectCellsByColumnAndRow"></a><div class="element clickable method public method_unprotectCellsByColumnAndRow" data-toggle="collapse" data-target=".method_unprotectCellsByColumnAndRow .collapse">
<h2>Remove protection on a cell range by using numeric cell coordinates</h2>
<pre>unprotectCellsByColumnAndRow(int $pColumn1, int $pRow1, int $pColumn2, int $pRow2, string $pPassword, boolean $pAlreadyHashed) : <a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pColumn1</h4>
<code>int</code><p>Numeric column coordinate of the first cell</p></div>
<div class="subelement argument">
<h4>$pRow1</h4>
<code>int</code><p>Numeric row coordinate of the first cell</p></div>
<div class="subelement argument">
<h4>$pColumn2</h4>
<code>int</code><p>Numeric column coordinate of the last cell</p></div>
<div class="subelement argument">
<h4>$pRow2</h4>
<code>int</code><p>Numeric row coordinate of the last cell</p></div>
<div class="subelement argument">
<h4>$pPassword</h4>
<code>string</code><p>Password to unlock the protection</p></div>
<div class="subelement argument">
<h4>$pAlreadyHashed</h4>
<code>boolean</code><p>If the password has already been hashed, set this to true</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response"><code><a href="../classes/PHPExcel_Worksheet.html">\PHPExcel_Worksheet</a></code></div>
</div></div>
</div>
<a id="method__checkSheetCodeName"></a><div class="element clickable method private method__checkSheetCodeName" data-toggle="collapse" data-target=".method__checkSheetCodeName .collapse">
<h2>Check sheet code name for valid Excel syntax</h2>
<pre>_checkSheetCodeName(string $pValue) : string</pre>
<div class="labels"><span class="label">Static</span></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code>string</code><p>The string to check</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="http://php.net/manual/en/class.exception.php">\Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response">
<code>string</code>The valid string</div>
</div></div>
</div>
<a id="method__checkSheetTitle"></a><div class="element clickable method private method__checkSheetTitle" data-toggle="collapse" data-target=".method__checkSheetTitle .collapse">
<h2>Check sheet title for valid Excel syntax</h2>
<pre>_checkSheetTitle(string $pValue) : string</pre>
<div class="labels"><span class="label">Static</span></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pValue</h4>
<code>string</code><p>The string to check</p></div>
<h3>Exceptions</h3>
<table class="table table-bordered"><tr>
<th><code><a href="../classes/PHPExcel_Exception.html">\PHPExcel_Exception</a></code></th>
<td></td>
</tr></table>
<h3>Returns</h3>
<div class="subelement response">
<code>string</code>The valid string</div>
</div></div>
</div>
<a id="method__createNewCell"></a><div class="element clickable method private method__createNewCell" data-toggle="collapse" data-target=".method__createNewCell .collapse">
<h2>Create a new cell at the specified coordinate</h2>
<pre>_createNewCell(string $pCoordinate) : <a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description">
<div class="long_description"></div>
<h3>Parameters</h3>
<div class="subelement argument">
<h4>$pCoordinate</h4>
<code>string</code><p>Coordinate of the cell</p></div>
<h3>Returns</h3>
<div class="subelement response">
<code><a href="../classes/PHPExcel_Cell.html">\PHPExcel_Cell</a></code>Cell that was created</div>
</div></div>
</div>
<h3>
<i class="icon-custom icon-property"></i> Properties</h3>
<a id="property__activeCell"> </a><div class="element clickable property private property__activeCell" data-toggle="collapse" data-target=".property__activeCell .collapse">
<h2></h2>
<pre>$_activeCell : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"><p>(Only one!)</p></div></div></div>
</div>
<a id="property__autoFilter"> </a><div class="element clickable property private property__autoFilter" data-toggle="collapse" data-target=".property__autoFilter .collapse">
<h2></h2>
<pre>$_autoFilter : <a href="../classes/PHPExcel_Worksheet_AutoFilter.html">\PHPExcel_Worksheet_AutoFilter</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__breaks"> </a><div class="element clickable property private property__breaks" data-toggle="collapse" data-target=".property__breaks .collapse">
<h2></h2>
<pre>$_breaks : array</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__cachedHighestColumn"> </a><div class="element clickable property private property__cachedHighestColumn" data-toggle="collapse" data-target=".property__cachedHighestColumn .collapse">
<h2></h2>
<pre>$_cachedHighestColumn : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__cachedHighestRow"> </a><div class="element clickable property private property__cachedHighestRow" data-toggle="collapse" data-target=".property__cachedHighestRow .collapse">
<h2></h2>
<pre>$_cachedHighestRow : int</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__cellCollection"> </a><div class="element clickable property private property__cellCollection" data-toggle="collapse" data-target=".property__cellCollection .collapse">
<h2></h2>
<pre>$_cellCollection : \PHPExcel_CachedObjectStorage_xxx</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__cellCollectionIsSorted"> </a><div class="element clickable property private property__cellCollectionIsSorted" data-toggle="collapse" data-target=".property__cellCollectionIsSorted .collapse">
<h2></h2>
<pre>$_cellCollectionIsSorted : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__chartCollection"> </a><div class="element clickable property private property__chartCollection" data-toggle="collapse" data-target=".property__chartCollection .collapse">
<h2></h2>
<pre>$_chartCollection : <a href="PHPExcel.Chart.html#%5CPHPExcel_Chart">\PHPExcel_Chart[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__codeName"> </a><div class="element clickable property private property__codeName" data-toggle="collapse" data-target=".property__codeName .collapse">
<h2></h2>
<pre>$_codeName : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__columnDimensions"> </a><div class="element clickable property private property__columnDimensions" data-toggle="collapse" data-target=".property__columnDimensions .collapse">
<h2></h2>
<pre>$_columnDimensions : <a href="PHPExcel.Worksheet.ColumnDimension.html#%5CPHPExcel_Worksheet_ColumnDimension">\PHPExcel_Worksheet_ColumnDimension[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__comments"> </a><div class="element clickable property private property__comments" data-toggle="collapse" data-target=".property__comments .collapse">
<h2></h2>
<pre>$_comments : <a href="PHPExcel.Comment.html#%5CPHPExcel_Comment">\PHPExcel_Comment[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__conditionalStylesCollection"> </a><div class="element clickable property private property__conditionalStylesCollection" data-toggle="collapse" data-target=".property__conditionalStylesCollection .collapse">
<h2></h2>
<pre>$_conditionalStylesCollection : array</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"><p>Indexed by cell coordinate, e.g. 'A1'</p></div></div></div>
</div>
<a id="property__dataValidationCollection"> </a><div class="element clickable property private property__dataValidationCollection" data-toggle="collapse" data-target=".property__dataValidationCollection .collapse">
<h2></h2>
<pre>$_dataValidationCollection : array</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"><p>Indexed by cell coordinate, e.g. 'A1'</p></div></div></div>
</div>
<a id="property__defaultColumnDimension"> </a><div class="element clickable property private property__defaultColumnDimension" data-toggle="collapse" data-target=".property__defaultColumnDimension .collapse">
<h2></h2>
<pre>$_defaultColumnDimension : <a href="../classes/PHPExcel_Worksheet_ColumnDimension.html">\PHPExcel_Worksheet_ColumnDimension</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__defaultRowDimension"> </a><div class="element clickable property private property__defaultRowDimension" data-toggle="collapse" data-target=".property__defaultRowDimension .collapse">
<h2></h2>
<pre>$_defaultRowDimension : <a href="../classes/PHPExcel_Worksheet_RowDimension.html">\PHPExcel_Worksheet_RowDimension</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__dirty"> </a><div class="element clickable property private property__dirty" data-toggle="collapse" data-target=".property__dirty .collapse">
<h2></h2>
<pre>$_dirty : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__drawingCollection"> </a><div class="element clickable property private property__drawingCollection" data-toggle="collapse" data-target=".property__drawingCollection .collapse">
<h2></h2>
<pre>$_drawingCollection : <a href="PHPExcel.Worksheet.BaseDrawing.html#%5CPHPExcel_Worksheet_BaseDrawing">\PHPExcel_Worksheet_BaseDrawing[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__freezePane"> </a><div class="element clickable property private property__freezePane" data-toggle="collapse" data-target=".property__freezePane .collapse">
<h2></h2>
<pre>$_freezePane : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__hash"> </a><div class="element clickable property private property__hash" data-toggle="collapse" data-target=".property__hash .collapse">
<h2></h2>
<pre>$_hash : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__headerFooter"> </a><div class="element clickable property private property__headerFooter" data-toggle="collapse" data-target=".property__headerFooter .collapse">
<h2></h2>
<pre>$_headerFooter : <a href="../classes/PHPExcel_Worksheet_HeaderFooter.html">\PHPExcel_Worksheet_HeaderFooter</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__hyperlinkCollection"> </a><div class="element clickable property private property__hyperlinkCollection" data-toggle="collapse" data-target=".property__hyperlinkCollection .collapse">
<h2></h2>
<pre>$_hyperlinkCollection : array</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"><p>Indexed by cell coordinate, e.g. 'A1'</p></div></div></div>
</div>
<a id="property__invalidCharacters"> </a><div class="element clickable property private property__invalidCharacters" data-toggle="collapse" data-target=".property__invalidCharacters .collapse">
<h2></h2>
<pre>$_invalidCharacters : array</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__mergeCells"> </a><div class="element clickable property private property__mergeCells" data-toggle="collapse" data-target=".property__mergeCells .collapse">
<h2></h2>
<pre>$_mergeCells : array</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__pageMargins"> </a><div class="element clickable property private property__pageMargins" data-toggle="collapse" data-target=".property__pageMargins .collapse">
<h2></h2>
<pre>$_pageMargins : <a href="../classes/PHPExcel_Worksheet_PageMargins.html">\PHPExcel_Worksheet_PageMargins</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__pageSetup"> </a><div class="element clickable property private property__pageSetup" data-toggle="collapse" data-target=".property__pageSetup .collapse">
<h2></h2>
<pre>$_pageSetup : <a href="../classes/PHPExcel_Worksheet_PageSetup.html">\PHPExcel_Worksheet_PageSetup</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__parent"> </a><div class="element clickable property private property__parent" data-toggle="collapse" data-target=".property__parent .collapse">
<h2></h2>
<pre>$_parent : <a href="../classes/PHPExcel.html">\PHPExcel</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__printGridlines"> </a><div class="element clickable property private property__printGridlines" data-toggle="collapse" data-target=".property__printGridlines .collapse">
<h2></h2>
<pre>$_printGridlines : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__protectedCells"> </a><div class="element clickable property private property__protectedCells" data-toggle="collapse" data-target=".property__protectedCells .collapse">
<h2></h2>
<pre>$_protectedCells : array</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__protection"> </a><div class="element clickable property private property__protection" data-toggle="collapse" data-target=".property__protection .collapse">
<h2></h2>
<pre>$_protection : <a href="../classes/PHPExcel_Worksheet_Protection.html">\PHPExcel_Worksheet_Protection</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__rightToLeft"> </a><div class="element clickable property private property__rightToLeft" data-toggle="collapse" data-target=".property__rightToLeft .collapse">
<h2></h2>
<pre>$_rightToLeft : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__rowDimensions"> </a><div class="element clickable property private property__rowDimensions" data-toggle="collapse" data-target=".property__rowDimensions .collapse">
<h2></h2>
<pre>$_rowDimensions : <a href="PHPExcel.Worksheet.RowDimension.html#%5CPHPExcel_Worksheet_RowDimension">\PHPExcel_Worksheet_RowDimension[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__selectedCells"> </a><div class="element clickable property private property__selectedCells" data-toggle="collapse" data-target=".property__selectedCells .collapse">
<h2></h2>
<pre>$_selectedCells : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__sheetState"> </a><div class="element clickable property private property__sheetState" data-toggle="collapse" data-target=".property__sheetState .collapse">
<h2></h2>
<pre>$_sheetState : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__sheetView"> </a><div class="element clickable property private property__sheetView" data-toggle="collapse" data-target=".property__sheetView .collapse">
<h2></h2>
<pre>$_sheetView : <a href="../classes/PHPExcel_Worksheet_SheetView.html">\PHPExcel_Worksheet_SheetView</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__showGridlines"> </a><div class="element clickable property private property__showGridlines" data-toggle="collapse" data-target=".property__showGridlines .collapse">
<h2></h2>
<pre>$_showGridlines : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__showRowColHeaders"> </a><div class="element clickable property private property__showRowColHeaders" data-toggle="collapse" data-target=".property__showRowColHeaders .collapse">
<h2></h2>
<pre>$_showRowColHeaders : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__showSummaryBelow"> </a><div class="element clickable property private property__showSummaryBelow" data-toggle="collapse" data-target=".property__showSummaryBelow .collapse">
<h2></h2>
<pre>$_showSummaryBelow : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__showSummaryRight"> </a><div class="element clickable property private property__showSummaryRight" data-toggle="collapse" data-target=".property__showSummaryRight .collapse">
<h2></h2>
<pre>$_showSummaryRight : boolean</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__styles"> </a><div class="element clickable property private property__styles" data-toggle="collapse" data-target=".property__styles .collapse">
<h2></h2>
<pre>$_styles : <a href="PHPExcel.Style.html#%5CPHPExcel_Style">\PHPExcel_Style[]</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__tabColor"> </a><div class="element clickable property private property__tabColor" data-toggle="collapse" data-target=".property__tabColor .collapse">
<h2></h2>
<pre>$_tabColor : <a href="../classes/PHPExcel_Style_Color.html">\PHPExcel_Style_Color</a></pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="property__title"> </a><div class="element clickable property private property__title" data-toggle="collapse" data-target=".property__title .collapse">
<h2></h2>
<pre>$_title : string</pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<h3>
<i class="icon-custom icon-constant"></i> Constants</h3>
<a id="constant_BREAK_COLUMN"> </a><div class="element clickable constant constant_BREAK_COLUMN" data-toggle="collapse" data-target=".constant_BREAK_COLUMN .collapse">
<h2>BREAK_COLUMN</h2>
<pre>BREAK_COLUMN </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="constant_BREAK_NONE"> </a><div class="element clickable constant constant_BREAK_NONE" data-toggle="collapse" data-target=".constant_BREAK_NONE .collapse">
<h2>BREAK_NONE</h2>
<pre>BREAK_NONE </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="constant_BREAK_ROW"> </a><div class="element clickable constant constant_BREAK_ROW" data-toggle="collapse" data-target=".constant_BREAK_ROW .collapse">
<h2>BREAK_ROW</h2>
<pre>BREAK_ROW </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="constant_SHEETSTATE_HIDDEN"> </a><div class="element clickable constant constant_SHEETSTATE_HIDDEN" data-toggle="collapse" data-target=".constant_SHEETSTATE_HIDDEN .collapse">
<h2>SHEETSTATE_HIDDEN</h2>
<pre>SHEETSTATE_HIDDEN </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="constant_SHEETSTATE_VERYHIDDEN"> </a><div class="element clickable constant constant_SHEETSTATE_VERYHIDDEN" data-toggle="collapse" data-target=".constant_SHEETSTATE_VERYHIDDEN .collapse">
<h2>SHEETSTATE_VERYHIDDEN</h2>
<pre>SHEETSTATE_VERYHIDDEN </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
<a id="constant_SHEETSTATE_VISIBLE"> </a><div class="element clickable constant constant_SHEETSTATE_VISIBLE" data-toggle="collapse" data-target=".constant_SHEETSTATE_VISIBLE .collapse">
<h2>SHEETSTATE_VISIBLE</h2>
<pre>SHEETSTATE_VISIBLE </pre>
<div class="labels"></div>
<div class="row collapse"><div class="detail-description"><div class="long_description"></div></div></div>
</div>
</div>
</div>
</div>
</div>
<div class="row"><footer class="span12">
Template is built using <a href="http://twitter.github.com/bootstrap/">Twitter Bootstrap 2</a> and icons provided by <a href="http://glyphicons.com/">Glyphicons</a>.<br>
Documentation is powered by <a href="http://www.phpdoc.org/">phpDocumentor 2.0.0a12</a> and<br>
generated on 2014-03-02T15:27:39Z.<br></footer></div>
</div>
</body>
</html>
| jerico1990/ideasaccion | web/PHPExcel/Documentation/API/classes/PHPExcel_Worksheet.html | HTML | bsd-3-clause | 188,648 |
<!DOCTYPE html>
<html>
<head>
<meta charset="UTF-8">
<title>ComboBox Actions - jQuery EasyUI Demo</title>
<link rel="stylesheet" type="text/css" href="../../themes/default/easyui.css">
<link rel="stylesheet" type="text/css" href="../../themes/icon.css">
<link rel="stylesheet" type="text/css" href="../demo.css">
<script type="text/javascript" src="../../jquery.min.js"></script>
<script type="text/javascript" src="../../jquery.easyui.min.js"></script>
</head>
<body>
<h2>ComboBox</h2>
<p>Click the buttons below to perform actions.</p>
<div style="margin:20px 0;">
<a href="javascript:void(0)" class="easyui-linkbutton" onclick="setvalue()">SetValue</a>
<a href="javascript:void(0)" class="easyui-linkbutton" onclick="alert($('#state').combobox('getValue'))">GetValue</a>
<a href="javascript:void(0)" class="easyui-linkbutton" onclick="$('#state').combobox('disable')">Disable</a>
<a href="javascript:void(0)" class="easyui-linkbutton" onclick="$('#state').combobox('enable')">Enable</a>
</div>
<script type="text/javascript">
function setvalue(){
$.messager.prompt('SetValue','Please input the value(CO,NV,UT,etc):',function(v){
if (v){
$('#state').combobox('setValue',v);
}
});
}
</script>
<select id="state" class="easyui-combobox" name="state" style="width:200px;">
<option value="AL">Alabama</option>
<option value="AK">Alaska</option>
<option value="AZ">Arizona</option>
<option value="AR">Arkansas</option>
<option value="CA">California</option>
<option value="CO">Colorado</option>
<option value="CT">Connecticut</option>
<option value="DE">Delaware</option>
<option value="FL">Florida</option>
<option value="GA">Georgia</option>
<option value="HI">Hawaii</option>
<option value="ID">Idaho</option>
<option value="IL">Illinois</option>
<option value="IN">Indiana</option>
<option value="IA">Iowa</option>
<option value="KS">Kansas</option>
<option value="KY">Kentucky</option>
<option value="LA">Louisiana</option>
<option value="ME">Maine</option>
<option value="MD">Maryland</option>
<option value="MA">Massachusetts</option>
<option value="MI">Michigan</option>
<option value="MN">Minnesota</option>
<option value="MS">Mississippi</option>
<option value="MO">Missouri</option>
<option value="MT">Montana</option>
<option value="NE">Nebraska</option>
<option value="NV">Nevada</option>
<option value="NH">New Hampshire</option>
<option value="NJ">New Jersey</option>
<option value="NM">New Mexico</option>
<option value="NY">New York</option>
<option value="NC">North Carolina</option>
<option value="ND">North Dakota</option>
<option value="OH" selected>Ohio</option>
<option value="OK">Oklahoma</option>
<option value="OR">Oregon</option>
<option value="PA">Pennsylvania</option>
<option value="RI">Rhode Island</option>
<option value="SC">South Carolina</option>
<option value="SD">South Dakota</option>
<option value="TN">Tennessee</option>
<option value="TX">Texas</option>
<option value="UT">Utah</option>
<option value="VT">Vermont</option>
<option value="VA">Virginia</option>
<option value="WA">Washington</option>
<option value="WV">West Virginia</option>
<option value="WI">Wisconsin</option>
<option value="WY">Wyoming</option>
</select>
</body>
</html> | tlan16/price-match-crawler | web/protected/controls/jQueryEasyUI/lib/demo/combobox/actions.html | HTML | mit | 3,414 |
{% load i18n %}
<noscript><h3>{{ step }}</h3></noscript>
<table class="table-fixed" id="networkListSortContainer">
<tbody>
<tr>
<td class="actions">
<label id="selected_network_label">{% trans "Selected networks" %}</label>
<ul id="selected_network" class="networklist">
</ul>
<label>{% trans "Available networks" %}</label>
<ul id="available_network" class="networklist">
</ul>
</td>
<td class="help_text">
{% include "project/databases/_launch_network_help.html" %}
</td>
</tr>
</tbody>
</table>
<table class="table-fixed" id="networkListIdContainer">
<tbody>
<tr>
<td class="actions">
<div id="networkListId">
{% include "horizon/common/_form_fields.html" %}
</div>
</td>
<td class="help_text">
{{ step.get_help_text }}
</td>
</tr>
</tbody>
</table>
<script>
if (typeof $ !== 'undefined') {
horizon.instances.workflow_init($(".workflow"));
} else {
addHorizonLoadEvent(function() {
horizon.instances.workflow_init($(".workflow"));
});
}
</script>
| kfox1111/horizon | openstack_dashboard/dashboards/project/databases/templates/databases/_launch_networks.html | HTML | apache-2.0 | 1,150 |
<!DOCTYPE HTML PUBLIC "-//IETF//DTD HTML//EN">
<html>
<head>
<script src="../../resources/js-test.js"></script>
<style>
:valid { background: lime; }
:invalid { background: red; }
input { background: red; }
</style>
</head>
<body>
<p id="description"></p>
<form method="get">
<input name="victim" type="text" value="Lorem ipsum"/>
<input name="victim" type="text" value="Lorem ipsum" required/>
<input name="victim" type="text" value="Lorem ipsum" pattern="Lorem ipsum"/>
<input name="victim" type="submit">
<button name="victim"></button>
</form>
<div id="console"></div>
<script>
description("This test performs a check for the :valid CSS selector on various input and button elements.");
v = document.getElementsByName("victim");
for (i = 0; i < v.length; i++)
shouldBe("document.defaultView.getComputedStyle(v[i], null).getPropertyValue('background-color')", "'rgb(0, 255, 0)'");
</script>
</body>
</html>
| scheib/chromium | third_party/blink/web_tests/fast/css/pseudo-valid-001.html | HTML | bsd-3-clause | 917 |
<!DOCTYPE HTML PUBLIC "-//IETF//DTD HTML//EN">
<html>
<head>
<script src="../../resources/js-test.js"></script>
</head>
<body>
<p id="description"></p>
<div id="console"></div>
<script>
description("This test performs some simple check on the noValidate attribute.");
var f = document.createElement("form");
shouldBe("f.hasAttribute('noValidate')", "false");
shouldBe("f.getAttribute('noValidate')", "null");
shouldBe("f.noValidate", "false");
f.noValidate = true;
shouldBe("f.hasAttribute('noValidate')", "true");
shouldBe("f.getAttribute('noValidate')", "''");
shouldBe("f.noValidate", "true");
var f2 = document.createElement("form");
f2.noValidate = f.noValidate;
f.noValidate = false;
shouldBe("f.hasAttribute('noValidate')", "false");
shouldBe("f.getAttribute('noValidate')", "null");
shouldBe("f.noValidate", "false");
shouldBe("f2.hasAttribute('noValidate')", "true");
shouldBe("f2.getAttribute('noValidate')", "''");
shouldBe("f2.noValidate", "true");
f2.noValidate = false;
shouldBe("f2.noValidate", "false");
f2.noValidate = "something";
shouldBe("f2.hasAttribute('noValidate')", "true");
shouldBe("f2.getAttribute('noValidate')", "''");
shouldBe("f2.noValidate", "true");
</script>
</body>
</html>
| scheib/chromium | third_party/blink/web_tests/fast/forms/novalidate-attribute.html | HTML | bsd-3-clause | 1,220 |
<!doctype html>
<html lang="en">
<head>
<title>jCarousel Test</title>
<!--
jQuery
-->
<script type="text/javascript" src="../../libs/jquery-loader.js"></script>
<!--
jCarousel core
-->
<script type="text/javascript" src="../../src/core.js"></script>
<script type="text/javascript" src="../../src/core_plugin.js"></script>
<!--
jCarousel stylesheet
-->
<link rel="stylesheet" type="text/css" href="../horizontal.css">
<link rel="stylesheet" type="text/css" href="../vertical.css">
<script type="text/javascript">
$(function() {
$('#jcarousel1').jcarousel();
});
</script>
<style>
.jcarousel li {
border: 1px solid black;
width: 75px;
height: 75px;
}
</style>
</head>
<body>
<div class="jcarousel-skin-default">
<div class="jcarousel" id="jcarousel1" style="display:none">
<ul>
<li><img src="not_there.jpg" alt=""></li>
<li><img src="not_there.jpg" alt=""></li>
<li><img src="not_there.jpg" alt=""></li>
<li><img src="not_there.jpg" alt=""></li>
<li><img src="not_there.jpg" alt=""></li>
<li><img src="not_there.jpg" alt=""></li>
<li><img src="not_there.jpg" alt=""></li>
<li><img src="not_there.jpg" alt=""></li>
<li><img src="not_there.jpg" alt=""></li>
<li><img src="not_there.jpg" alt=""></li>
</ul>
</div>
<a href="#" onclick="$('#jcarousel1').jcarousel('scroll', '-=1'); return false;">Prev (1)</a>
<a href="#" onclick="$('#jcarousel1').jcarousel('scroll', '+=1'); return false;">Next (1)</a>
|
<a href="#" onclick="$('#jcarousel1').jcarousel('scroll', '-=2'); return false;">Prev (2)</a>
<a href="#" onclick="$('#jcarousel1').jcarousel('scroll', '+=2'); return false;">Next (2)</a>
|
<a href="#" onclick="$('#jcarousel1').jcarousel('scroll', '-=5'); return false;">Prev (5)</a>
<a href="#" onclick="$('#jcarousel1').jcarousel('scroll', '+=5'); return false;">Next (5)</a>
|
<a href="#" onclick="$('#jcarousel1').jcarousel('scroll', '-=10'); return false;">Prev (10)</a>
<a href="#" onclick="$('#jcarousel1').jcarousel('scroll', '+=10'); return false;">Next (10)</a>
|
<a href="#" onclick="$('#jcarousel1').jcarousel('scroll', '-=20'); return false;">Prev (20)</a>
<a href="#" onclick="$('#jcarousel1').jcarousel('scroll', '+=20'); return false;">Next (20)</a>
|
<a href="#" onclick="$('#jcarousel1').show(); return false;">Show</a>
<a href="#" onclick="$('#jcarousel1').hide(); return false;">Hide</a>
</div>
<p>
<a href="#" onclick="$('html').attr('dir', 'rtl'); $('.jcarousel').jcarousel('reload'); return false;">RTL</a>
<a href="#" onclick="$('html').attr('dir', 'ltr'); $('.jcarousel').jcarousel('reload'); return false;">LTR</a>
|
<a href="#" onclick="$('.jcarousel').addClass('jcarousel-vertical').jcarousel('reload'); return false;">Vertical</a>
<a href="#" onclick="$('.jcarousel').removeClass('jcarousel-vertical').jcarousel('reload'); return false;">Horizontal</a>
</p>
</body>
</html>
| burakkp/jcarousel | test/functional/hidden.html | HTML | mit | 3,225 |
<body>
<script>
if ("testRunner" in window) {
testRunner.dumpAsText();
document.cookie = "result=FAIL"
// The results of the form submission is a page that performs a non-
// cacheable sync XHR request. Upon returning to that page, we expect the
// sync XHR request to still succeed. This relies on it loading from the
// network and not being restricted to loading from the cache (as the main
// page is).
testRunner.queueLoadingScript("document.forms[0].submit()");
testRunner.queueBackNavigation(1);
testRunner.queueForwardNavigation(1);
}
</script>
<form method="POST" action="resources/subresource-failover-to-network.cgi" enctype="multipart/form-data">
<input type="submit">
</form>
<p>
This test verifies that a synchronous XMLHttpRequest, generated from a page
that is the result of a form submission, loads properly when the user navigates
back to the page.
<p>
When navigating back to a page that resulted from a form submission, the page
is loaded with the ReturnCacheDataDontLoad cache policy. It is important that
subresources (including XMLHttpRequest instances) do not inherit this cache
policy.
</body>
| scheib/chromium | third_party/blink/web_tests/http/tests/cache/subresource-failover-to-network.html | HTML | bsd-3-clause | 1,170 |
<html>
<body>
<!-- Test for https://bugs.webkit.org/show_bug.cgi?id=93972 -->
<div id="result"></div>
<svg xmlns="http://www.w3.org/2000/svg">
<rect id="rect" height="100" fill="green">
<animate id="animation" attributeName="width" from="10" to="100" begin="0s" dur="indefinite" fill="freeze" />
</rect>
</svg>
<script>
if (window.testRunner) {
testRunner.dumpAsText();
testRunner.waitUntilDone();
}
function check() {
var width = document.getElementById('rect').width.animVal.value;
document.getElementById('result').innerHTML = (width == 100 ? "PASS: " : "FAIL: ") + 'animated width is ' + width;
if (window.testRunner)
testRunner.notifyDone();
}
window.setTimeout(function() {
var ani = document.getElementById('animation');
ani.setAttribute("from", "100");
ani.beginElement();
window.setTimeout(function() { check(); }, 0);
}, 0);
</script>
</body>
</html>
| chromium/chromium | third_party/blink/web_tests/svg/animations/updated-attributes.html | HTML | bsd-3-clause | 944 |
<!DOCTYPE html>
<html>
<head>
<title>AngularJS: UI-Router Quick Start</title>
<meta name="viewport" content="initial-scale=1.0, user-scalable=no" />
<script src="script-tags-for-development.js"></script>
<script src="//cdnjs.cloudflare.com/ajax/libs/angular-ui-bootstrap/0.12.1/ui-bootstrap.js"></script>
<script src="//cdnjs.cloudflare.com/ajax/libs/angular-ui-bootstrap/0.12.1/ui-bootstrap-tpls.js"></script>
<link href="//cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/2.3.1/css/bootstrap.min.css" rel="stylesheet">
<script src="//angular-ui.github.io/ui-router/release/angular-ui-router.js"></script>
<script>
var myapp = angular.module('myapp', ['ngMap',"ui.router", 'ui.bootstrap'])
myapp.controller('barCtrl', function($modal) {
var vm = this;
vm.modal = function() {
$modal.open({ templateUrl: 'foo.html' });
}
});
myapp.config(function($stateProvider, $urlRouterProvider){
$urlRouterProvider.otherwise("/foo")
$stateProvider
.state('foo', { url: "/foo", templateUrl: "foo.html" })
.state('bar', { url: "/bar", templateUrl: "bar.html", controller: 'barCtrl', controllerAs: 'vm' })
})
</script>
</head>
<body ng-app="myapp" class="container">
<script type="text/ng-template" id="foo.html">
<h1>Map</h1>
<ng-map center="[40.74, -74.18]"></ng-map>
</script>
<script type="text/ng-template" id="bar.html">
<h1>No Map</h1>
<button ng-click="vm.modal()">Show Map</button>
</script>
<div class="navbar">
<div class="navbar-inner">
<ul class="nav">
<li><a ui-sref="foo">Route 1</a></li>
<li><a ui-sref="bar">Route 2</a></li>
</ul>
</div>
</div>
<div class="row">
<div class="span12">
<div class="well" ui-view></div>
</div>
</div>
</body>
</html>
| synchronit/synchronit_website | zensum/node_modules/ngmap/testapp/ui-bootstrap.html | HTML | apache-2.0 | 1,782 |
<!DOCTYPE html>
<html>
<head>
<title>Leaflet debug page</title>
<link rel="stylesheet" href="../../dist/leaflet.css" />
<link rel="stylesheet" href="../css/screen.css" />
<script type="text/javascript" src="../../build/deps.js"></script>
<script src="../leaflet-include.js"></script>
</head>
<body>
<div id="map" style="width: 800px; height: 600px; border: 1px solid #ccc"></div>
<button onclick="group.removeLayer(path)">Remove path</button>
<button onclick="group.removeLayer(circle)">Remove circle</button>
<button onclick="group.clearLayers()">Remove all layers</button>
<script src="route.js"></script>
<script>
var osmUrl = 'http://{s}.tile.openstreetmap.org/{z}/{x}/{y}.png',
osmAttrib = '© <a href="http://openstreetmap.org/copyright">OpenStreetMap</a> contributors',
osm = L.tileLayer(osmUrl, {maxZoom: 18, attribution: osmAttrib});
for (var i = 0, latlngs = [], len = route.length; i < len; i++) {
latlngs.push(new L.LatLng(route[i][0], route[i][1]));
}
var canvas = L.canvas();
var path = new L.Polyline(latlngs, {renderer: canvas});
var map = new L.Map('map', {layers: [osm], preferCanvas: true});
var group = new L.LayerGroup();
map.fitBounds(new L.LatLngBounds(latlngs));
var circleLocation = new L.LatLng(51.508, -0.11),
circleOptions = {
color: 'red',
fillColor: 'yellow',
fillOpacity: 0.7,
renderer: canvas
};
var circle = new L.Circle(circleLocation, 500000, circleOptions),
circleMarker = new L.CircleMarker(circleLocation, {fillColor: 'blue', fillOpacity: 1, stroke: false});
group.addLayer(circle).addLayer(circleMarker);
circle.bindPopup('I am a circle');
circleMarker.bindPopup('I am a circle marker');
group.addLayer(path);
path.bindPopup('I am a polyline');
var p1 = latlngs[0],
p2 = latlngs[parseInt(len/4)],
p3 = latlngs[parseInt(len/3)],
p4 = latlngs[parseInt(len/2)],
p5 = latlngs[len - 1],
polygonPoints = [p1, p2, p3, p4, p5];
var h1 = new L.LatLng(p1.lat, p1.lng),
h2 = new L.LatLng(p2.lat, p2.lng),
h3 = new L.LatLng(p3.lat, p3.lng),
h4 = new L.LatLng(p4.lat, p4.lng),
h5 = new L.LatLng(p5.lat, p5.lng);
h1.lng += 20;
h2.lat -= 5;
h3.lat -= 5;
h4.lng -= 10;
h5.lng -= 8;
h5.lat += 10;
var holePoints = [h5, h4, h3, h2, h1];
var polygon = new L.Polygon([polygonPoints, holePoints], {
fillColor: "#333",
color: 'green',
renderer: canvas
});
group.addLayer(polygon);
polygon.bindPopup('I am a polygon');
map.addLayer(group);
</script>
</body>
</html>
| cmulders/Leaflet | debug/vector/vector-canvas.html | HTML | bsd-2-clause | 2,657 |
<p>Paragraph, list with no space: * ciao</p>
<p>Paragraph, list with 1 space: * ciao</p>
<p>Paragraph, list with 3 space: * ciao</p>
<p>Paragraph, list with 4 spaces: * ciao</p>
<p>Paragraph, list with 1 tab: * ciao</p>
<p>Paragraph (1 space after), list with no space: * ciao</p>
<p>Paragraph (2 spaces after), list with no space:<br />* ciao</p>
<p>Paragraph (3 spaces after), list with no space: <br />* ciao</p>
<p>Paragraph with block quote:</p>
<blockquote>
<p>Quoted</p>
</blockquote>
<p>Paragraph with header:</p>
<h3 id='header'>header</h3>
<p>Paragraph with header on two lines:</p>
<h2 id='header'>header</h2>
<p>Paragraph with html after <div /></p>
<p>Paragraph with html after, indented: <em>Emphasis</em></p>
<p>Paragraph with html after, indented: <em>Emphasis</em> <em>tralla</em> <em>Emph</em></p>
<p>Paragraph with html after, indented: <em>Emphasis *tralla* Emph</em></p>
| Calculingua/cali-app | vendor/markdown/test/fixtures/docs-maruku-unittest/lists_after_paragraph.html | HTML | bsd-2-clause | 909 |
<!--
Licensed to the Apache Software Foundation (ASF) under one or more
contributor license agreements. See the NOTICE file distributed with
this work for additional information regarding copyright ownership.
The ASF licenses this file to You under the Apache License, Version 2.0
(the "License"); you may not use this file except in compliance with
the License. You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
-->
<html>
<head>
</head>
<body>
Camel <a href="http://camel.apache.org/tokenizer">Tokenizer</a> language.
</body>
</html>
| coderczp/camel | camel-core/src/main/java/org/apache/camel/language/tokenizer/package.html | HTML | apache-2.0 | 935 |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8" />
<link rel="shortcut icon" href="favicon.png" />
<title>Show Invisibles ▲ Prism plugins</title>
<base href="../.." />
<link rel="stylesheet" href="style.css" />
<link rel="stylesheet" href="prism.css" data-noprefix />
<link rel="stylesheet" href="plugins/show-invisibles/prism-show-invisibles.css" data-noprefix />
<script src="prefixfree.min.js"></script>
<script>var _gaq = [['_setAccount', 'UA-33746269-1'], ['_trackPageview']];</script>
<script src="http://www.google-analytics.com/ga.js" async></script>
</head>
<body>
<header>
<div class="intro" data-src="templates/header-plugins.html" data-type="text/html"></div>
<h2>Show Invisibles</h2>
<p>Show hidden characters such as tabs and line breaks.</p>
</header>
<section>
<h1>Examples</h1>
<pre data-src="plugins/show-invisibles/prism-show-invisibles.js"></pre>
<pre data-src="plugins/show-invisibles/prism-show-invisibles.css"></pre>
<pre data-src="plugins/show-invisibles/index.html"></pre>
</section>
<footer data-src="templates/footer.html" data-type="text/html"></footer>
<script src="prism.js"></script>
<script src="plugins/show-invisibles/prism-show-invisibles.js"></script>
<script src="utopia.js"></script>
<script src="code.js"></script>
</body>
</html> | vvo/jsdelivr | files/prism/0.1/plugins/show-invisibles/index.html | HTML | mit | 1,307 |
<!DOCTYPE html>
<html lang="en">
<head>
<title>three.js misc - lookAt</title>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, user-scalable=no, minimum-scale=1.0, maximum-scale=1.0">
<style>
body {
color: #404040;
font-family:Monospace;
font-size:13px;
text-align:center;
background-color: #ffffff;
margin: 0px;
overflow: hidden;
}
#info {
position: absolute;
top: 0px; width: 100%;
padding: 5px;
}
a {
color: #0080bb;
}
</style>
</head>
<body>
<div id="info"><a href="http://threejs.org" target="_blank">three.js</a> - Object3D::lookAt() demo</div>
<script src="../build/three.min.js"></script>
<script src="js/libs/stats.min.js"></script>
<script>
var container, stats;
var camera, scene, renderer;
var mesh, geometry, sphere;
var mouseX = 0, mouseY = 0;
var windowHalfX = window.innerWidth / 2;
var windowHalfY = window.innerHeight / 2;
document.addEventListener( 'mousemove', onDocumentMouseMove, false );
init();
animate();
function init() {
container = document.createElement( 'div' );
document.body.appendChild( container );
camera = new THREE.PerspectiveCamera( 40, window.innerWidth / window.innerHeight, 1, 15000 );
camera.position.z = 3200;
scene = new THREE.Scene();
sphere = new THREE.Mesh( new THREE.SphereGeometry( 100, 20, 20 ), new THREE.MeshNormalMaterial( { shading: THREE.SmoothShading } ) );
scene.add( sphere );
var geometry = new THREE.CylinderGeometry( 0, 10, 100, 3 );
geometry.applyMatrix( new THREE.Matrix4().makeRotationFromEuler( new THREE.Euler( Math.PI / 2, Math.PI, 0 ) ) );
var material = new THREE.MeshNormalMaterial();
for ( var i = 0; i < 1000; i ++ ) {
var mesh = new THREE.Mesh( geometry, material );
mesh.position.x = Math.random() * 4000 - 2000;
mesh.position.y = Math.random() * 4000 - 2000;
mesh.position.z = Math.random() * 4000 - 2000;
mesh.scale.x = mesh.scale.y = mesh.scale.z = Math.random() * 4 + 2;
scene.add( mesh );
}
scene.matrixAutoUpdate = false;
renderer = new THREE.WebGLRenderer( { antialias: true } );
renderer.setClearColor( 0xffffff );
renderer.setPixelRatio( window.devicePixelRatio );
renderer.setSize( window.innerWidth, window.innerHeight );
renderer.sortObjects = false;
container.appendChild( renderer.domElement );
stats = new Stats();
stats.domElement.style.position = 'absolute';
stats.domElement.style.top = '0px';
stats.domElement.style.zIndex = 100;
container.appendChild( stats.domElement );
//
window.addEventListener( 'resize', onWindowResize, false );
}
function onWindowResize() {
windowHalfX = window.innerWidth / 2;
windowHalfY = window.innerHeight / 2;
camera.aspect = window.innerWidth / window.innerHeight;
camera.updateProjectionMatrix();
renderer.setSize( window.innerWidth, window.innerHeight );
}
function onDocumentMouseMove(event) {
mouseX = ( event.clientX - windowHalfX ) * 10;
mouseY = ( event.clientY - windowHalfY ) * 10;
}
//
function animate() {
requestAnimationFrame( animate );
render();
stats.update();
}
function render() {
var time = Date.now() * 0.0005;
sphere.position.x = Math.sin( time * 0.7 ) * 2000;
sphere.position.y = Math.cos( time * 0.5 ) * 2000;
sphere.position.z = Math.cos( time * 0.3 ) * 2000;
for ( var i = 1, l = scene.children.length; i < l; i ++ ) {
scene.children[ i ].lookAt( sphere.position );
}
camera.position.x += ( mouseX - camera.position.x ) * .05;
camera.position.y += ( - mouseY - camera.position.y ) * .05;
camera.lookAt( scene.position );
renderer.render( scene, camera );
}
</script>
</body>
</html>
| ryangibbs/tosser | three.js/examples/misc_lookat.html | HTML | mit | 3,878 |
<html>
<head><title>Test redirect page</title></head>
<body>Redirect page. This page redirects to another page.</body>
</html>
| plxaye/chromium | src/content/test/data/npapi/plugin_read_page_redirect_src.html | HTML | apache-2.0 | 127 |
<!DOCTYPE html>
<meta charset=utf-8>
<title>dialog element: close()</title>
<link rel="author" title="Denis Ah-Kang" href="mailto:denis@w3.org">
<link rel=help href="https://html.spec.whatwg.org/multipage/#the-dialog-element">
<script src="/resources/testharness.js"></script>
<script src="/resources/testharnessreport.js"></script>
<div id="log"></div>
<dialog id="d1">
<p>foobar</p>
<button>OK</button>
</dialog>
<dialog id="d2" open>
<p>foobar</p>
<button>OK</button>
</dialog>
<dialog id="d3" open>
<p>foobar</p>
<button>OK</button>
</dialog>
<dialog id="d4" open>
<p>foobar</p>
<button>OK</button>
</dialog>
<dialog id="d5" open>
<p>foobar</p>
<button>OK</button>
</dialog>
<script>
var d1 = document.getElementById('d1'),
d2 = document.getElementById('d2'),
d3 = document.getElementById('d3'),
d4 = document.getElementById('d4'),
d5 = document.getElementById('d5'),
t = async_test("close() fires a close event"),
was_queued = false;
test(function(){
d1.close("closedialog");
assert_equals(d1.returnValue, "");
}, "close() on a <dialog> that doesn't have an open attribute aborts the steps");
test(function(){
assert_true(d2.open);
assert_equals(d2.returnValue, "");
d2.close("closedialog");
assert_false(d2.hasAttribute("open"));
assert_equals(d2.returnValue, "closedialog");
}, "close() removes the open attribute and set the returnValue to the first argument");
test(function(){
assert_true(d3.open);
assert_equals(d3.returnValue, "");
d3.returnValue = "foobar";
d3.close();
assert_false(d3.hasAttribute("open"));
assert_equals(d3.returnValue, "foobar");
}, "close() without argument removes the open attribute and there's no returnValue");
d4.onclose = t.step_func_done(function(e) {
assert_true(was_queued, "close event should be queued");
assert_true(e.isTrusted, "close event is trusted");
assert_false(e.bubbles, "close event doesn't bubble");
assert_false(e.cancelable, "close event is not cancelable");
});
t.step(function() {
d4.close();
was_queued = true;
})
test(function(){
Object.defineProperty(HTMLDialogElement.prototype, 'returnValue', { set: function(v) { assert_unreached('JS-defined setter returnValue on the prototype was invoked'); }, configurable:true });
Object.defineProperty(d5, 'returnValue', { set: function(v) { assert_unreached('JS-defined setter returnValue on the instance was invoked'); }, configurable:true });
d5.close('foo');
}, "close() should set the returnValue IDL attribute but not the JS property");
</script>
| chromium/chromium | third_party/blink/web_tests/external/wpt/html/semantics/interactive-elements/the-dialog-element/dialog-close.html | HTML | bsd-3-clause | 2,635 |
<!DOCTYPE html>
<html manifest="javascript:example.com/">
<meta charset=utf-8>
<title>invalid manifest: scheme-javascript-no-slash-malformed</title>
</html>
| youtube/cobalt | third_party/web_platform_tests/conformance-checkers/html/elements/html/manifest/scheme-javascript-no-slash-malformed-novalid.html | HTML | bsd-3-clause | 157 |
<template name="recipeItem">
<a class="item-recipe {{highlightedClass}}" href="{{path}}">
{{#with recipe}}
<span class="attribution">
<span class="title-recipe">{{title}}</span>
<span class="metadata-recipe">
<span class="author-recipe">{{source.name}}</span>
<span class="bookmarks-recipe"><span class="icon-bookmark"></span> {{bookmarkCount}}</span>
</span>
</span>
{{/with}}
<img src="{{recipeImage recipe=recipe size=size}}" />
</a>
</template> | zurawiki/meteor-seminar | localmarket/client/templates/recipe-item.html | HTML | mit | 521 |
<!doctype html>
1
<script>
onload = parent.t.step_func(function() {
location = location.toString().replace("assign_before_load-1.html", "assign_before_load-2.html");
});
</script>
| frivoal/presto-testo | wpt/html/loading_web_pages/session_history_and_navigation/location_interface/assign_before_load-1.html | HTML | bsd-3-clause | 182 |
<!doctype html>
<!--
@license
Copyright (c) 2016 The Polymer Project Authors. All rights reserved.
This code may only be used under the BSD style license found at http://polymer.github.io/LICENSE.txt
The complete set of authors may be found at http://polymer.github.io/AUTHORS.txt
The complete set of contributors may be found at http://polymer.github.io/CONTRIBUTORS.txt
Code distributed by Google as part of the polymer project is also
subject to an additional IP rights grant found at http://polymer.github.io/PATENTS.txt
-->
<html>
<head>
<title>iron-flex-behavior tests</title>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1">
<meta name="viewport" content="width=device-width, minimum-scale=1.0, initial-scale=1, user-scalable=yes">
<script src="../../web-component-tester/browser.js"></script>
</head>
<body>
<script>
WCT.loadSuites([
'iron-flex-layout.html',
'iron-flex-layout.html?dom=shadow',
'iron-flex-layout-classes.html',
'iron-flex-layout-classes.html?dom=shadow'
]);
</script>
</body>
</html>
| DocWave/docwave.github.io | www/lib/iron-flex-layout/test/index.html | HTML | mit | 1,128 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.