path stringlengths 5 312 | repo_name stringlengths 5 116 | content stringlengths 2 1.04M |
|---|---|---|
_posts/_site/2017-06-20-working-with-jar-files-in-java.html | Abhey/Abhey.github.io | <p>Whenever a developer wants to distribute a version of his software, then all he want is to distribute a single file and not a directory structure filled with class files. JAR files were designed for this purpose. A JAR file can contain both class files and other file types like sound and image files which may be included in the project. All the files in a JAR file are compressed using a format similar to zip.</p>
<p style="text-align: center"><strong>Creating a JAR file – more Options</strong></p>
<p>A jar file is created using jar tool. The general command looks somewhat like this:</p>
<pre> jar options jar-file [manifest-file] file1 file2 file3 ...</pre>
<ul>
<li><strong>jar – file : </strong>name of jar file on which you want to use jar tool.</li>
<li><strong>file1, file2, file3 : </strong> files which you want to add inside a jar file. manifest-file is the name of file which contains manifest of that jar file, giving manifest-file as an argument is entirely optional.</li>
<li><strong>c</strong> : Creates a new or empty archive and adds files to it. If any of the specified file name are directories, then the jar program processes them recursively.</li>
<li><strong>C</strong> : Temporarily changes the directory.</li>
<li><strong>e :</strong> Creates an entry point in the manifest.</li>
<li><strong>f</strong> : Specifies the JAR file name as the second command-line argument. If this parameter is missing, jar will write the result to standard output (when creating a JAR file)or read it from standard input(when extracting or tabulating a JAR file).</li>
<li><strong>i</strong> : Creates an index file.</li>
<li><strong>m</strong> : Adds a manifest file to the JAR file. A manifest is a description of the archive contents and origin. Every archive has a default manifest, but you can supply your own if you want to authenticate the contents of the archive.</li>
<li><strong>M</strong> : Does not create a manifest file for the entries.</li>
<li><strong>t :</strong> Displays the table of contents.</li>
<li><strong>u :</strong> Updates an existing JAR file.</li>
<li><strong>v :</strong> Generates verbose output.</li>
<li><strong>x :</strong> Extract files. If you supply one or more file names, only those files are extracted Otherwise, all files are extracted.</li>
<li><strong>0 :</strong> Stores without zip compression.</li>
</ul>
<p>The options of jar command are almost similar to that of UNIX tar command. In windows you can also get help about various options of jar command just by typing jar in cmd and then pressing enter, the output will be somewhat similar to this:</p>
<p><img src="http://cdncontribute.geeksforgeeks.org/wp-content/uploads/Capture12.png" alt="jar command options" /></p>
<p>Example :</p>
<p>For creating a JAR file which have two classes server.class and client.class and a Jpeg image logo.jpeg, one need to write following command :</p>
<pre> jar cvf chat.jar server.class client.class logo.jpeg</pre>
<p>The output of above command will be somewhat like this:</p>
<p><img src="http://cdncontribute.geeksforgeeks.org/wp-content/uploads/Capture22.png" alt="" /></p>
<p>It’s a better practice to use <strong>-v</strong> option along with jar command as you will get to know how the things are going on.</p>
<p style="text-align: center"><strong> Manifest File </strong></p>
<p>Each JAR file contains a manifest file that describe the features of the archive. Each JAR file have a manifest file by default. Default manifest file is named as MANIFEST.MF and is present in the META-INF subdirectory of archive. Although the default manifest file contains just two entries, but complex manifest files can have way more. Here, is what a default manifest file looks like –</p>
<p><img src="http://cdncontribute.geeksforgeeks.org/wp-content/uploads/Capture3.png" alt="Default manifest" /></p>
<p>The entries of manifest files are grouped into sections. Each section have two entries section name and its value. We will see a bit later how these sections can really help us in controlling the properties of our archive. Manifest file can also be updated by using the <strong>m</strong> option of jar command. But there are certain things which need to kept in mind while updating manifest file otherwise you may get the following creepy message.</p>
<pre> java.io.IOException: invalid manifest format</pre>
<p><strong>Things to keep in mind while handling Manifest files:</strong></p>
<ol>
<li>You should leave space between the name and value of any section in manifest file, like Version:1.1 is in valid section instead write Version: 1.1 that space between colon and 1.1 really matters a lot.</li>
<li>While specifying the main class you should not add .class extension at the end of class name. Simply specify the main class by typing:
<pre>Main-Class: Classname</pre>
<p>(I’ll be briefing about Main-Class section very shortly).</li>
<li>You must add newline at the end of file. You need not to write \n for specifying newline instead just leave the last line of your manifest file blank that will serve the purpose.</li>
<li>Text file for manifest must use UTF-8 encoding otherwise you may get into some trouble.</li>
</ol>
<p><strong>Example:</strong></p>
<p>Now let’s come back and update the contents of our chat.jar archive. To update the manifest file we simply need to write the following command:</p>
<pre> jar uvfm chat.jar manifest.txt</pre>
<p>Here manifest.txt is the new manifest file, which has following contents:</p>
<p><img src="http://cdncontribute.geeksforgeeks.org/wp-content/uploads/Capture5.png" alt="manifest.txt" /></p>
<p>The output of above command will be somewhat like this:</p>
<p><img src="http://cdncontribute.geeksforgeeks.org/wp-content/uploads/Capture6.png" alt="null" /></p>
<p>Here we are getting two warnings because we are trying to overwrite to previously present entries.</p>
<p style="text-align: center"><strong> Executable Jar Files </strong></p>
<p>You can use the <strong>e</strong> option of jar command to specify the entry point of your program, ie. class which you normally want to invoke when launching your Java application.</p>
<p><strong>Example:</strong></p>
<p>To create chat.jar file having client class as main class you need to write following command –</p>
<pre> jar cvfe chat.jar client client.class server.class logo.jpeg</pre>
<p>The output of above command will be somewhat like this:</p>
<p><img src="http://cdncontribute.geeksforgeeks.org/wp-content/uploads/Capture41.png" alt="" /></p>
<p>Remember not to add .class extension after the name of class which you want to set main class.</p>
<p>Alternatively you can add a Main-Class entry in the manifest file and then update it. For the above example you just need to add this entry:</p>
<pre> Main-Class: client</pre>
<p>With main class being set one can simply run a jar program by writing following command –</p>
<pre> java -jar chat.jar</pre>
<p>Depending on operating system configuration, users may even be able to launch application by double clicking the JAR file icon.</p>
<p style="text-align: center"><strong> Package Sealing </strong></p>
<p>Finally, we are going to discuss about package sealing in Java. We can seal a package in Java to ensure that no further classes can add themselves to it. You may want to seal a package if you use a package visible classes, methods and fields in your code. Without package sealing, other classes can add themselves to the same package and thereby gain access to package visible features.</p>
<ul>
<li>To achieve package sealing all one need to do is to put all classes of that package into a JAR file.</li>
<li> By default the packages in a jar file are not sealed but one can change the global default by adding few lines in manifest file. </li>
<li>Let’s again consider the case of our chat.jar archive, now the package of classes client.class and server.class is application and we want to seal this package all we need to do is to add following line in the manifest file and update it.
<pre> Name: application
Sealed: true</pre>
<p></li>
</ul>
<p>This is all from my side on how to work with JAR files. Stay Tuned!!<br />
<br />
</p></p></li></ul></p></li></ol>
|
_site/2014/11/05/hps-sridhar-solur-shares-his-top-five-secrets-to.html | MDInsider/mdinsider.github.io |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<title>MDInsider ♥ Open Source / HP's Sridhar Solur Shares His Top Five Secrets to Building Great Wearables </title>
<meta name="author" content="MDInsider, Inc.">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<link rel="shortcut icon" href="/assets/themes//img/favicon.ico">
<link href="/atom.xml" type="application/atom+xml" rel="alternate" title="Sitewide ATOM Feed">
<link href="/rss.xml" type="application/rss+xml" rel="alternate" title="Sitewide RSS Feed">
<link rel="stylesheet" href="//maxcdn.bootstrapcdn.com/font-awesome/4.3.0/css/font-awesome.min.css">
<link rel="stylesheet" href="/assets/themes//css/github-light.css">
<link rel="stylesheet/less" href="/assets/themes//css/style.less">
<script src="//cdnjs.cloudflare.com/ajax/libs/less.js/2.5.0/less.min.js"></script>
<script src="/assets/themes//js/jekyll-search.js"></script>
<script>
var searchJsonPath = '/search.json',
searchTemplate = '<menuitem><a href="{url}">{title}</a></menuitem>';
</script>
<script>
(function() {
var shr = document.createElement('script');
shr.setAttribute('data-cfasync', 'false');
shr.src = '//dsms0mj1bbhn4.cloudfront.net/assets/pub/shareaholic.js';
shr.type = 'text/javascript'; shr.async = 'true';
shr.onload = shr.onreadystatechange = function() {
var rs = this.readyState;
if (rs && rs != 'complete' && rs != 'loaded') return;
var site_id = 'aed9a48340b830002b74641e868bfcec';
try { Shareaholic.init(site_id); } catch (e) {}
};
var s = document.getElementsByTagName('script')[0];
s.parentNode.insertBefore(shr, s);
})();
</script>
</head>
<body>
<div id="body">
<header>
<nav>
<span>
<a href="http://www.mdinsider.com/careers/">Join MD Insider Tech</a>
<a href="http://mdinsider.com">MDInsider.com</a>
</span>
</nav>
<section id="subnav">
<span>
<a class="categories">Categories</a>
<p class="social github"><a href="https://github.com/mdinsider" title="Github"></a></p>
<p class="social twitter"><a href="https://twitter.com/mdinsidercorp" title="Twitter"></a></p>
<p class="social facebook"><a href="https://www.facebook.com/mdinsider" title="Facebook"></a></p>
<!-- <p class="social google"><a href="https://plus.google.com/109372432870680352734" title="Google+"></a></p> -->
<span id="search">
<input type="search" placeholder="Search …" title="Search for:" />
</span>
<menu id="categories-menu">
<menuitem>
<a href="/categories.html#AWS-ref">AWS</a>
</menuitem>
<menuitem>
<a href="/categories.html#Leadership-ref">Leadership</a>
</menuitem>
<menuitem>
<a href="/categories.html#agile-ref">agile</a>
</menuitem>
<menuitem>
<a href="/categories.html#analytics-ref">analytics</a>
</menuitem>
<menuitem>
<a href="/categories.html#aws-ref">aws</a>
</menuitem>
<menuitem>
<a href="/categories.html#blog-ref">blog</a>
</menuitem>
<menuitem>
<a href="/categories.html#conferences-ref">conferences</a>
</menuitem>
<menuitem>
<a href="/categories.html#culture-ref">culture</a>
</menuitem>
<menuitem>
<a href="/categories.html#deployment-ref">deployment</a>
</menuitem>
<menuitem>
<a href="/categories.html#front-end-ref">front-end</a>
</menuitem>
<menuitem>
<a href="/categories.html#mobile-ref">mobile</a>
</menuitem>
<menuitem>
<a href="/categories.html#scala-ref">scala</a>
</menuitem>
<menuitem>
<a href="/categories.html#swift-ref">swift</a>
</menuitem>
<menuitem>
<a href="/categories.html#tech-ref">tech</a>
</menuitem>
<menuitem>
<a href="/categories.html#tvOS-ref">tvOS</a>
</menuitem>
</menu>
<menu id="search-results">
</menu>
</span>
</section>
<a class="logo" href="/" class="logo"></a>
<h1>Tech Blog</h1>
</header>
<section id="main">
<article>
<h1><a href="/2014/11/05/hps-sridhar-solur-shares-his-top-five-secrets-to">HP's Sridhar Solur Shares His Top Five Secrets to Building Great Wearables </a></h1>
<header>
<time>05 November 2014</time>
</header>
<div class="content">
<p><strong><img alt="image" src="https://31.media.tumblr.com/d3802fce01d16d49397cb8af2f8cba03/tumblr_inline_nel32dlrcX1s17bu5.jpg"/></strong></p>
<p>Recently <a href="http://www.gilt.com/" target="_blank">Gilt</a> collaborated with Hewlett-Packard and fashion designer Michael Bastian on the MB Chronowing: a super-stylish, <strong>limited-edition smartwatch </strong>(see above) that<strong> <a href="http://www.gilt.com/sale/men/mm/michael-bastian-x-hewlettpackard-1" target="_blank">you can buy <em>exclusively</em> on Gilt starting November 7</a></strong>. <a href="https://www.linkedin.com/profile/view?id=250770" target="_blank">Sridhar Solur</a> is the Director, Next Gen Computing–Incubation and Innovation at HP, and the man behind the engineering of this amazing new timepiece.</p>
<p>“I don’t consider myself a guru on wearables, but <a href="http://online.wsj.com/articles/michael-bastian-creates-a-smartwatch-that-looks-like-a-watch-1414776232" target="_blank">collaborating with Gilt and Michael Bastian to create this smartwatch</a> has taught me quite a bit about them,” he says. When it comes to describing himself, Sridhar’s apparently a lot like his latest wearable creation – i.e., classy and understated. So we’ll highlight some of his many accomplishments for you: In addition to founding of HP’s Wearables business, he is widely recognized as an expert on cloud computing, product management and mobile devices. One of the cross-platform apps he’s developed has been downloaded +40 million times.</p>
<p>Sridhar has generously shared with us–and you–his list of the top five things to keep in mind when building wearable tech:</p>
<ol><li>Remember: Fashion is what you wear, and electronics are what you carry. So either make it gorgeous or make it invisible.</li>
<li>Resist the temptation to duplicate the old UI rules of mobile into a wearable.</li>
<li>Use familiar shapes and socially acceptable practices. (For example, screaming commands into a watch may be a tad uncomfortable for many people!)</li>
<li>Trying to sell your wearable as jewelry is not easy. Remember: Jewelry is timeless, and technology is ephemeral.</li>
<li>And finally: less is more. We are already slaves to our phones and live in a hyper-notified world. Wearables/IOT technologies should amplify our ability to absorb information and make it possible for more things to be done <em>for us</em>, not done <em>by us</em>. The less often the wearer has to engage with your smartwatch, the better. The last thing you want is people looking at their smartwatches and driving!</li>
</ol><p>Here’s a pic of (L-R) Sridhar, Michael Bastian and Gilt Chief Merchandising Officer Keith George at last night's MB Chronowing event at the Ludlow Hotel:</p>
<p><img alt="image" src="https://31.media.tumblr.com/41e88d5ddbedf1705ac557a429efb9da/tumblr_inline_nel68qkVqX1s17bu5.jpg"/></p>
<p><em>Photographer: Max Lakner/<a href="http://bfanyc.com/" target="_blank">BFAnyc.com</a></em></p>
</div>
<div class="shareaholic-canvas" data-app="share_buttons" data-app-id="18213596"></div>
<section class="tags">
<a href="/tags.html#Gilt-ref">Gilt <span>340</span></a>
<a href="/tags.html#Gilt Groupe-ref">Gilt Groupe <span>282</span></a>
<a href="/tags.html#Gilt Tech-ref">Gilt Tech <span>287</span></a>
<a href="/tags.html#gilttech-ref">gilttech <span>332</span></a>
<a href="/tags.html#HP-ref">HP <span>1</span></a>
<a href="/tags.html#Hewlett-Packard-ref">Hewlett-Packard <span>1</span></a>
<a href="/tags.html#Michael Bastian-ref">Michael Bastian <span>1</span></a>
<a href="/tags.html#smartwatch-ref">smartwatch <span>1</span></a>
<a href="/tags.html#Internet of Things-ref">Internet of Things <span>2</span></a>
<a href="/tags.html#wearables-ref">wearables <span>1</span></a>
<a href="/tags.html#wearable-ref">wearable <span>1</span></a>
<a href="/tags.html#wearable technology-ref">wearable technology <span>1</span></a>
<a href="/tags.html#watches-ref">watches <span>1</span></a>
<a href="/tags.html#technology-ref">technology <span>70</span></a>
<a href="/tags.html#innovation-ref">innovation <span>4</span></a>
<a href="/tags.html#IoT-ref">IoT <span>2</span></a>
<a href="/tags.html#Sridhar Solur-ref">Sridhar Solur <span>1</span></a>
<a href="/tags.html#how-to-ref">how-to <span>17</span></a>
<a href="/tags.html#advice-ref">advice <span>3</span></a>
<a href="/tags.html#wearabletech-ref">wearabletech <span>1</span></a>
<a href="/tags.html#mbxhp-ref">mbxhp <span>1</span></a>
<a href="/tags.html#MB Chronowing-ref">MB Chronowing <span>1</span></a>
</section>
</article>
</section>
<footer>
<nav>
<span>
<a href="http://www.mdinsider.com/careers/">Join MD Insider Tech</a>
<a href="http://mdinsider.com">MDInsider.com</a>
</span>
</nav>
<section id="copyright">
© 2015 MDInsider, Inc. • <a href="/archive.html">Archives</a>
</section>
</footer>
</div>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.4/jquery.min.js"></script>
<script src="/assets/themes//js/main.js"></script>
</body>
</html>
|
registry/templates/authorize.html | sausages-of-the-future/registry | {% extends "base.html" %}
{% block title %}Confirm access{% endblock %}
{% block content %}
<div class="row authorize">
<div class="small-12 columns">
<h1>Permissions</h1>
<p>
<strong>
{% if client.organisation_type == 'central government' %}
The {{ client.name }} service will:
{% elif client.organisation_type == 'local government' %}
{{ client.name }} is requesting access to:
{% else %}
{{ client.name }} is requesting access to:
{% endif %}
</strong>
</p>
<ul class="permissions">
{% for key,value in avaliable_scopes.items() %}
{% for scope in scopes %}
{% if scope == key %}
<li>{{value}}</li>
{% endif %}
{% endfor %}
{% endfor %}
</ul>
<form action="/oauth/authorize" method="post">
<input type="hidden" name="client_id" value="{{ client.client_id }}">
<input type="hidden" name="scope" value="{{ scopes|join(' ') }}">
<input type="hidden" name="response_type" value="{{ response_type }}">
{% if state %}
<input type="hidden" name="state" value="{{ state }}">
{% endif %}
{% if client.organisation_type == 'central government' %}
<ul class="button-group even-2">
<li><button type="submit" class="button" name="confirm" value="yes">Proceed</button></li>
<li><button type="submit" class="button" name="confirm" value="no">Cancel</button></li>
</ul>
<p class="permission-hint">
This service is able to request access to this information because it has met the <a href="#">government data access principles</a>.
</p>
{% elif client.organisation_type == 'local government' %}
<ul class="button-group even-2">
<li><button type="submit" class="button" name="confirm" value="yes">Proceed</button></li>
<li><button type="submit" class="button" name="confirm" value="no">Cancel</button></li>
</ul>
<p class="permission-hint">
This local government service is able to request access to this information because it has met the <a href="#">government data access principles</a>.
</p>
{% else %}
<p>
<strong>Do you grant permission to {{client.name}}?</strong>
</p>
<ul class="button-group even-2">
<li><button type="submit" class="button" name="confirm" value="yes">Yes</button></li>
<li><button type="submit" class="button" name="confirm" value="no">No</button></li>
</ul>
<p class="permission-hint">
This local government service is able to request access to this information because it has met the <a href="#">government data access principles</a>.
</p>
{% endif %}
</form>
</div>
</div>
<script>
$('.button').attr("disabled", "disabled");
setTimeout(function() {
$('.button').attr("disabled", false);
}, 2000);
</script>
{% endblock %}
|
www/templates/sidebar.html | gabormol/FinancePlannerLiteMobile | <ion-side-menus enable-menu-with-back-views="false">
<ion-side-menu-content>
<ion-nav-bar class="bar-energized">
<ion-nav-back-button>
</ion-nav-back-button>
<ion-nav-buttons side="left">
<button class="button button-icon button-clear ion-navicon" menu-toggle="left">
</button>
</ion-nav-buttons>
</ion-nav-bar>
<ion-nav-view name="mainContent"></ion-nav-view>
</ion-side-menu-content>
<ion-side-menu side="left">
<ion-header-bar class="bar-positive">
<h1 class="title">Navigation</h1>
</ion-header-bar>
<ion-content>
<ion-list>
<ion-item class="item-divider" ng-if="loggedIn">
{{username}}
</ion-item>
<ion-item class="item-divider">
User Guide
</ion-item>
<ion-item menu-close href="#/app/userguide">
How does it work?
</ion-item>
<ion-item class="item-divider">
Actions
</ion-item>
<ion-item menu-close href="#/app/home">
Select Action
</ion-item>
<ion-item menu-close href="#/app/expenses">
My Template
</ion-item>
<ion-item menu-close href="#/app/timesheet">
Timesheet
</ion-item>
<ion-item menu-close href="#/app/balance">
Balance
</ion-item>
<ion-item class="item-divider">
User Management
</ion-item>
<ion-item menu-close ng-click="login()" ng-if="!loggedIn">
Login
</ion-item>
<ion-item menu-close ng-click="logOut()" ng-if="loggedIn">
Logout
</ion-item>
<ion-item menu-close ng-click="register()">
Register
</ion-item>
<ion-item class="item-divider">
User Settings
</ion-item>
<ion-item menu-close href="#/app/usersettings" ng-if="loggedIn">
Change settings
</ion-item>
</ion-list>
</ion-content>
</ion-side-menu>
</ion-side-menus>
|
examples/module1-data.html | iuap-design/neoui-kero | <!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>Title</title>
<link rel="stylesheet" href="//design.yonyoucloud.com/static/uploader/css/webuploader.css">
<link rel="stylesheet" href="//design.yonyoucloud.com/static/uui/latest/css/font-awesome.css">
<link rel="stylesheet" type="text/css" href="//design.yonyoucloud.com/static/uui/latest/css/u.css">
<link rel="stylesheet" type="text/css" href="//design.yonyoucloud.com/static/uui/latest/css/tree.css">
<link rel="stylesheet" type="text/css" href="//design.yonyoucloud.com/static/uui/latest/css/grid.css">
<style id="demo-style" media="screen">
</style>
</head>
<body style="background-color: #eceff1;margin-left: 20px;width: calc(100% - 20px );">
<!--
HTML
u-meta:框架特有标记,框架通过识别此标记创建对应UI组件,以及进行数据绑定
id,type.data,field为必选项
id:创建组件唯一标识
type:创建组件对应的类型
data:指定数据模型中的数据集
field:绑定数据集中对应的字段
-->
<input id="demo_input" u-meta='{"id":"t1","type":"string","data":"dt1","field":"f1"}' />
<div id="demo_div"></div><script src="//design.yonyoucloud.com/static/jquery/jquery-1.11.2.js"></script>
<script src="//design.yonyoucloud.com/static/uploader/js/webuploader.js"></script>
<script src="//design.yonyoucloud.com/static/knockout/knockout-3.2.0.debug.js"></script>
<script src="//design.yonyoucloud.com/static/uui/latest/js/u-polyfill.js"></script>
<script src="//design.yonyoucloud.com/static/uui/latest/js/u.js"></script>
<script src="//design.yonyoucloud.com/static/uui/latest/js/u-tree.js"></script>
<script src="//design.yonyoucloud.com/static/uui/latest/js/u-grid.js"></script>
<script src="//design.yonyoucloud.com/static/requirejs/require.debug.js"></script>
<script>
// JS
var app,viewModel;
/**
* viewModel 创建数据模型
* dt1 创建的数据集
* f1 创建数据集中的字段
* type:指定数据对应的类型
*/
viewModel = {
dt1: new u.DataTable({
meta:{
f1:{
type:'string'
}
}
})
};
/**
* app 创建框架服务
* el 指定服务对应的顶层DOM
* model 指定服务对应的数据模型
*/
app = u.createApp({
el:'body',
model:viewModel
});
// 数据集dt1创建空行,并为字符f1赋值'Hello World'
var r = viewModel.dt1.createEmptyRow();
r.setValue('f1','Hello World');
/**
* 数据集发生改变时,将#demo_input数据显示在#demo_div中
* @return {[type]} [description]
*/
var demoInput = document.getElementById('demo_input');
var demoDiv = document.getElementById('demo_div');
var getDtValue = function() {
var dtVal = viewModel.dt1.getValue('f1');
demoDiv.innerHTML = dtVal;
};
demoInput.addEventListener('blur',getDtValue);
getDtValue();</script>
</body>
</html>
|
melktech-b2c-mobile/public/stylesheets/page/CommonInformation/PersonInformationView.css | daiyang1995/demo | .header-cancel, .header-save{
position: absolute;
color: #ffffff;
margin-top: 0.2rem;
margin-left: 0.4rem;
font-size: 0.28rem;
}
.header-save{
top: 0;
right: 0;
margin-right: 0.4rem;
}
.cue1{
font-size: 0.28rem ;
padding: 1.5% 3%;
}
#identityImg{
border-bottom: 0.02rem #d8d8d8 solid ;
}
#SetDefault{
margin: 0.2rem 0;
border-bottom: 0.02rem #d8d8d8 solid ;
}
#SetDefault div.ui-slider-switch.ui-mini{
float: right;
top: -0.2rem;
}
#SetDefault span:first-child{
color: #A1A1A1;
}
.personInputError{
display: none;
text-align: center;
color: #ffffff;
position: absolute;
font-size: 0.32rem;
left: 0;
width: 100%;
border: none;
border: none;
outline: none;
line-height: 0.756rem;
height: 0.756rem;
margin-top: -0.17rem;
background: #FF0000;
}
.personDel{
width: 100%;
background: #33CC99;
color: #ffffff;
text-align: center;
line-height: 0.8rem;
height: 0.8rem;
}
.personDel span{
display: block;
line-height: 0.8rem;
margin: 0 auto;
padding: 0 30%;
}
#Confirmdel{
padding: 0.4rem;
display: none;
text-align: center;
background: #ffffff;
font-size: 0.4rem;
}
#Confirmdel div{
padding: 0.4rem;
}
#Confirmdel span{
text-align: center;
display: inline-block;
width: 48%;
line-height: 0.7rem;
color: #fff;
}
#SuccessConfirm{
padding: 0.4rem;
text-align: center;
background: #ffffff;
font-size: 0.4rem;
display: none;
}
#SuccessConfirm div{
padding: 0.4rem;
}
#SuccessConfirm span{
text-align: center;
display: inline-block;
width: 48%;
line-height: 0.7rem;
color: #fff;
} |
client/admin/admin.html | hkniberg/carbonmanifesto | <template name="admin">
<h1>Admin</h1>
{{#unless user}}
{{> loginButtons}}
{{/unless}}
<div><a href="/">Back to the manifesto</a></div>
{{#if admin}}
<div>
{{#if pending.count}}
<h3>Translations waiting for approval <span class="badge">{{pending.count}}</span></h3>
<div>
{{#each pending}}
<button class="btn languageButton btn-default" data-languagecode="{{languageCode}}">
<b>{{languageName}}</b> {{progress}} {{lastUpdated}}
</button>
{{/each}}
</div>
{{else}}
No translations waiting for approval
{{/if}}
</div>
<div>
{{#if started.count}}
<h3>Translations in progress <span class="badge">{{started.count}}</span></h3>
{{#each started}}
<button class="btn languageButton btn-default" data-languagecode="{{languageCode}}">
<b>{{languageName}}</b> {{progress}} {{lastUpdated}}
</button>
{{/each}}
{{/if}}
</div>
{{else}}
{{#if user}}
<p>You don't have admin privileges. Ask another admin to set that up for you.</p>
{{/if}}
{{/if}}
</template> |
docs/seminars2016/feb12.html | siddhartha-gadgil/www.math.iisc.ernet.in | ---
---
<p style="margin-top: -2px; margin-bottom: -2px;" align="center"><font face="Verdana, Arial, Helvetica, sans-serif" size="2"><b>
<font color="#008000">Department of Mathematics</font></b></font></p>
<p style="margin-top: -2px; margin-bottom: -2px;" align="center"><b>
<font color="#008000" face="Verdana, Arial, Helvetica, sans-serif" size="2">
Indian Institute of Science</font></b></p>
<p style="margin-top: -2px; margin-bottom: -2px;" align="center"><b>
<font color="#008000" face="Verdana, Arial, Helvetica, sans-serif" size="2">
Bangalore 560 012</font></b></p>
<p style="margin-top: -2px; margin-bottom: -2px;" align="center"> </p>
<p style="margin-top: -2px; margin-bottom: -2px;" align="center"><font face="Verdana, Arial, Helvetica, sans-serif" size="2"><b>
<font color="#ff00ff">SEMINAR</font></b></font></p>
<p> </p>
<table style="border-collapse: collapse;" id="AutoNumber1" border="0" bordercolor="#111111" cellspacing="1" height="201" width="136%">
<tbody><tr>
<td align="left" height="35" valign="top" width="11%">
<p style="margin-top: -2px; margin-bottom: -2px;"><font face="Verdana, Arial, Helvetica, sans-serif" size="2"><b>
Speaker</b> </font>
</p></td>
<td align="left" height="35" valign="top" width="2%">
<p style="margin-top: -2px; margin-bottom: -2px;">
<font face="Verdana" size="2"><b>
:</b> </font>
</p></td>
<td align="left" height="35" width="141%">
<pre><font face="Verdana">Mr. Haripada Sau</font></pre>
</td>
</tr>
<tr>
<td align="left" height="35" valign="top" width="11%">
<b><font face="Verdana, Arial, Helvetica, sans-serif" size="2">Affiliation</font></b></td>
<td align="left" height="35" valign="top" width="2%">
<b><font face="Verdana" size="2">:</font></b></td>
<td align="left" height="35" valign="top" width="141%">
<font face="Verdana" size="2">IISc, Bangalore</font></td>
</tr>
<tr>
<td align="left" height="31" valign="top" width="11%">
<p style="margin-top: -2px; margin-bottom: -2px;"><font face="Verdana, Arial, Helvetica, sans-serif" size="2"><b>
Subject Area</b></font></p></td>
<td align="left" height="31" valign="top" width="2%">
<p style="margin-top: -2px; margin-bottom: -2px;">
<font face="Verdana" size="2"><b>
:</b> </font>
</p></td>
<td align="left" height="31" width="141%">
<p style="margin-top: -2px; margin-bottom: -2px;">
<font face="Verdana" size="2">Mathematics</font></p>
<p style="margin-top: -2px; margin-bottom: -2px;"> </p></td>
</tr>
<tr>
<td align="left" height="31" valign="top" width="11%">
<p style="margin-top: -2px; margin-bottom: -2px;"><font face="Verdana, Arial, Helvetica, sans-serif" size="2"><b>
Venue</b></font></p></td>
<td align="left" height="31" valign="top" width="2%">
<p style="margin-top: -2px; margin-bottom: -2px;">
<font face="Verdana" size="2"><b>
:</b> </font>
</p></td>
<td align="left" height="31" width="141%">
<p style="margin-top: -2px; margin-bottom: -2px;">
<font face="Verdana" size="2"> Department of Mathematics, Lecture Hall I</font></p>
<p style="margin-top: -2px; margin-bottom: -2px;"> </p></td>
</tr>
<tr>
<td align="left" height="31" valign="top" width="11%">
<p style="margin-top: -2px; margin-bottom: -2px;"><font face="Verdana, Arial, Helvetica, sans-serif" size="2"><b>
Time</b> </font>
</p></td>
<td align="left" height="31" valign="top" width="2%">
<p style="margin-top: -2px; margin-bottom: -2px;">
<font face="Verdana" size="2"><b>
:</b> </font>
</p></td>
<td align="left" height="31" width="141%">
<p style="margin-top: -2px; margin-bottom: -2px;">
<font face="Verdana" size="2">11.00 a.m.</font></p>
<p style="margin-top: -2px; margin-bottom: -2px;"> </p></td>
</tr>
<tr>
<td align="left" height="35" valign="top" width="11%">
<p style="margin-top: -2px; margin-bottom: -2px;"><font face="Verdana, Arial, Helvetica, sans-serif" size="2"><b>
Date</b> </font></p></td>
<td align="left" height="35" valign="top" width="2%">
<p style="margin-top: -2px; margin-bottom: -2px;">
<font face="Verdana" size="2"><b>
:</b> </font>
</p></td>
<td align="left" height="35" width="141%">
<pre><font face="Verdana">February</font><font face="Verdana" size="2"> 12, 2016 (</font><font face="Verdana">Friday</font><font face="Verdana" size="2">)</font></pre>
</td>
</tr>
<tr>
<td align="left" height="1" valign="top" width="11%">
<p style="margin-top: -2px; margin-bottom: -2px;"><font face="Verdana, Arial, Helvetica, sans-serif" size="2"><b>
Title</b></font></p></td>
<td align="left" height="1" valign="top" width="2%">
<p style="margin-top: -2px; margin-bottom: -2px;">
<font face="Verdana" size="2"><b>
:</b> </font>
</p></td>
<td align="left" height="1" width="141%">
<pre><font face="Verdana">"Operator theory on symmetrized bidisc and tetrablock - some explicit constructions"</font></pre>
</td>
</tr>
<tr>
<td align="left" height="1" valign="top" width="11%">
<b>
<font face="Verdana, Arial, Helvetica, sans-serif" size="2">Abstract</font></b></td>
<td align="left" height="1" valign="top" width="2%">
<p style="margin-top: -2px; margin-bottom: -2px;">
<font face="Verdana" size="2"><b>
:</b> </font>
</p></td>
<td align="left" height="1" width="141%">
<div align="justify">
<pre><font face="Verdana"><p align="justify">A pair of commuting bounded operators $(S,P)$ acting on a Hilbert space, is
called a $\Gamma$-contraction, if it has the symmetrised bidisc $$\Gamma=\{
(z_1+z_2,z_1z_2):|z_1| \leq 1,|z_2| \leq 1 \}\subseteq \mathbb{C}^2$$ as a spectral
set. For
every $\Gamma$-contraction $(S,P)$, the operator equation $$S-S^*P=D_PFD_P$$ has a
unique solution $F$ with numerical radius, $w(F)$ no greater than one, where $D_P$
is the
positive square root of $(I-P^*P)$. This unique operator is called the fundamental
operator of
$(S,P)$. This thesis constructs an explicit normal boundary dilation for a
$\Gamma$-contraction. A triple of commuting bounded operators $(A,B,P)$ acting on a
Hilbert space with the closure of the tetrablock $E=\{(a_{11},a_{22},\text{det}A):
A=\begin{pmatrix} a_{11} & a_{12} \\
a_{21} & a_{22} \end{pmatrix}\text{ with }\lVert A \rVert < 1\}\subseteq\mathbb{C}^3
$$ as a spectral set, is called a tetrablock contraction. Every tetrablock contraction
possesses two fundamental operators and these are the unique solutions of $$
A-B^*P=D_PF_1D_P, \text{ and } B-A^*P=D_PF_2D_P. $$ Moreover, $w(F_1)$ and
$w(F_2)$ are no greater than one. This thesisalso constructs an explicit normal
boundary
dilation for a tetrablock contraction. In these constructions, the fundamental
operators play a
pivotal role. Both the dilations in the symmetrized bidisc and in the tetrablock are
proved to
be minimal. But unlike the one variable case, uniqueness of minimal dilations
usually does
not hold good in several variables, e.g., Ando's dilation is not unique. However, we
show that
the dilations are unique under a certain natural condition. In view of the abundance of
operators and their complicated structure, a basic problem in operator theory is to
find nice
functional models and complete sets of unitary invariants. We develop a functional
model
theory for a special class of triples of commuting bounded operators associated with
the
tetrablock. We also find a set of complete sort of unitary invariants for this
special class.
Along the way, we find a Beurling-Lax-Halmos type of result for a triple of
multiplication
operators acting on vector-valuedHardy spaces. In both the model theory and unitary
invariance,fundamental operators play a fundamental role. This thesis answers the
question
when two operators $F$ and $G$ with $w(F)$ and $w(G)$ no greater than one, are
admissible as fundamental operators, in other words, when there exists a
$\Gamma$-contraction $(S,P)$ such that $F$ is the fundamental operator of $(S,P)$ and
$G$ is the fundamental operator of $(S^*,P^*)$. This thesis also answers a similar
question
in the tetrablock setting.
</p>
</font><font face="Verdana" size="2">
</font></pre>
</div>
<pre> </pre>
</td>
</tr>
</tbody></table>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
</script>
<script language="JavaScript">
<!--
var SymRealOnLoad;
var SymRealOnUnload;
function SymOnUnload()
{
window.open = SymWinOpen;
if(SymRealOnUnload != null)
SymRealOnUnload();
}
function SymOnLoad()
{
if(SymRealOnLoad != null)
SymRealOnLoad();
window.open = SymRealWinOpen;
SymRealOnUnload = window.onunload;
window.onunload = SymOnUnload;
}
SymRealOnLoad = window.onload;
window.onload = SymOnLoad;
//-->
|
public/modules/core/css/core.css | missmaggiemo/hairy-octo-avenger | .content {
margin-top: 50px;
}
.undecorated-link:hover {
text-decoration: none;
}
[ng\:cloak], [ng-cloak], [data-ng-cloak], [x-ng-cloak], .ng-cloak, .x-ng-cloak {
display: none !important;
}
.ng-invalid.ng-dirty {
border-color: #FA787E;
}
.ng-valid.ng-dirty {
border-color: #78FA89;
}
.browsehappy.jumbotron.hide,
body.ng-cloak
{
display: block;
}
.angular-google-map-container { height: 400px; }
|
animator.html | melnikovkolya/webflow | <!DOCTYPE html>
<html>
<head>
<style>
@import url(./css/style20120427.css);
.link {
stroke: #000;
}
.node {
fill: #ccc;
stroke: #000;
}
.node.sticky {
fill: #f00;
}
.x.axis line {
shape-rendering: auto;
}
.line {
fill: none;
stroke: #000;
stroke-width: 1.5px;
}
.inner {
fill: red;
stroke: #000;
stroke-width:1px;
}
.outer {
fill: steelblue;
stroke: #000;
stroke-width:3px;
}
</style>
<style type='text/css'>
.chart {
/*background: #fff;*/
/*border: solid 1px #ddd;*/
/*box-shadow: 0 0 4px rgba(0,0,0,.2);*/
font: 10px sans-serif;
height: 900px;
position: relative;
width: 1000px;
}
.chart svg {
/*border-right: solid 2px #ddd;*/
/*right: 160px;*/
border-left: solid 2px #ddd;
left: 300px;
position: absolute;
top: 0;
}
.chart pre {
font: 12px monospace;
height: 900px;
left: 10px;
position: absolute;
top: 0;
width: 340px;
}
.chart circle.little {
fill: #aaa;
stroke: #666;
stroke-width: 1.5px;
}
.chart button {
left: 275px;
position: absolute;
top: 145px;
width: 80px;
}
.chart .data rect {
fill: #eee;
stroke: #ccc;
}
</style>
<link type="text/css" rel="stylesheet" href="./css/button.css"/>
<link rel="stylesheet" href="css/jquery-ui-1.8.17.custom.css"/>
<link rel="stylesheet" href="css/fa.css"/>
<link rel="stylesheet" href="http://code.jquery.com/ui/1.9.0/themes/base/jquery-ui.css"/>
<link rel="stylesheet" href="css/bootstrap.min.css">
<script src="scripts/jquery-1.8.2.js"></script>
<script src="scripts/jquery-ui.js"></script>
<script type="text/javascript" src="scripts/d3.v2.min.js"></script>
<script src="scripts/jquery-1.7.1.min.js"></script>
<script src="scripts/jquery-ui-1.8.17.custom.min.js"></script>
<script src="js/cubism.v1.js"></script>
<script src="scripts/fisheye.js"></script>
<title>Animator</title>
</head>
<body>
<div id="chart">
<div id="pop-up">
<div id="pop-up-title"></div>
<div id="pop-up-content">
<table> <tr>
<td><div id="pop-img"></div></td>
<td><div id="pop-desc"></div></td>
</tr> </table>
</div>
</div>
</div>
<script>
var my_search = location.search.substr(1);
my_params = my_search.split("=");
mongo_params = my_params[1].split(".");
var DB = mongo_params[0];
var COLLECTION = mongo_params[1];
/*function insertText () {
document.getElementById('p1').innerHTML = "Animating: " + COLLECTION;
}*/
function goHome(){
window.location = "index.html"
}
function goAnimator(){
window.location = "phpscripts/animator.php"
}
</script>
<div class="offset1">
<button id="show" onclick="goHome()">
Homepage
</button>
<button id="show" class="offset1" onclick="goAnimator()">
Animate another trace
</button>
<br><br>
</div>
<div id="div1" class="offset1"></div>
<div id="div2"></div>
<div id="animator">
<div id="vis">
<body id="demo">
<!--<script>
var context = cubism.context()
.serverDelay(new Date(2012, 4, 2) - Date.now())
.step(864e5)
.size(1280)
.stop();
d3.select("#demo").selectAll(".axis")
.data(["top", "bottom"])
.enter().append("div")
.attr("class", function(d) { return d + " axis"; })
.each(function(d) { d3.select(this).call(context.axis().ticks(12).orient(d)); });
d3.select("body").append("div")
.attr("class", "rule")
.call(context.rule());
d3.select("body").selectAll(".horizon")
.data(["AAPL"].map(stock))
.enter().insert("div", ".bottom")
.attr("class", "horizon")
.call(context.horizon()
.format(d3.format("+,.2p")));
context.on("focus", function(i) {
d3.selectAll(".value").style("right", i == null ? null : context.size() - i + "px");
});
// Replace this with context.graphite and graphite.metric!
function stock(name) {
var format = d3.time.format("%d-%b-%y");
return context.metric(function(start, stop, step, callback) {
d3.csv("data/" + name + ".csv", function(rows) {
rows = rows.map(function(d) { return [format.parse(d.Date), +d.Open]; }).filter(function(d) { return d[1]; }).reverse();
var date = rows[0][0], compare = rows[400][1], value = rows[0][1], values = [value];
rows.forEach(function(d) {
while ((date = d3.time.day.offset(date, 1)) < d[0]) values.push(value);
values.push(value = (d[1] - compare) / compare);
});
callback(null, values.slice(-context.size()));
});
}, name);
}
</script>-->
<div class='chart' id='chart-3'>
<!--<pre class='code'>
circle.style("fill", "steelblue");
circle.attr("cy", 90);
circle.attr("r", 30);
</pre>-->
</div> <script>
</script>
<script type='text/javascript'>
//Example of a moving timeline
(function() {
var n = 243,
duration = 750,
now = new Date(Date.now() - duration), // In ms
count = 0,
data = d3.range(n).map(function() { return 0; });
var margin = {top: 6, right: 0, bottom: 20, left: 20},
width = 840 - margin.right,
height = 80 - margin.top - margin.bottom;
var x = d3.time.scale()
.domain([now - (n - 2) * duration, now - duration]) // 180,75 seconds range
.range([0, width]);
var y = d3.scale.linear()
.range([height, 0]);
var line = d3.svg.line()
.interpolate("basis")
.x(function(d, i) { return x(now - (n - 1 - i) * duration); })
.y(function(d, i) { return y(d); });
var svg = d3.select("div.chart").append("svg")
.attr("width", width + margin.left + margin.right)
.attr("height", height + margin.top + margin.bottom)
//.style("margin-left", -margin.left + "px")
.append("g")
.attr("transform", "translate(" + margin.left + "," + margin.top + ")");
/* Establishes a cliping area in the shape of a rectangle */
svg.append("defs").append("clipPath")
.attr("id", "clip")
.append("rect")
.attr("width", width)
.attr("height", height);
var axis = svg.append("g")
.attr("class", "x axis")
.attr("transform", "translate(0," + height + ")")
.call(x.axis = d3.svg.axis().scale(x).orient("bottom"));
var path = svg.append("g")
.attr("clip-path", "url(#clip)")
.append("path")
.data([data])
.attr("class", "line");
tick();
d3.select(window)
.on("scroll", function() { ++count; });
function tick() {
// update the domains
now = new Date();
x.domain([now - (n - 2) * duration, now - duration]);
y.domain([0, d3.max(data)]);
// push the accumulated count onto the back, and reset the count
data.push(Math.min(30, count));
count = 0;
// redraw the line
svg.select(".line")
.attr("d", line)
.attr("transform", null);
// slide the x-axis left
axis.transition()
.duration(duration)
.ease("linear")
.call(x.axis);
// slide the line left
path.transition()
.duration(duration)
.ease("linear")
.attr("transform", "translate(" + x(now - (n - 1) * duration) + ")")
.each("end", tick);
// pop the old data point off the front
data.shift();
}
})()
/*Read command line argument*/
function getUrlVars() {
var vars = {};
var parts = window.location.href.replace(/[?&]+([^=&]+)=([^&]*)/gi, function(m,key,value) {
vars[key] = value;
});
return vars;
}
var tracefile = getUrlVars()["csvfile"];
if(tracefile === "demo_repo.test_col_niks_new_nf")
{
ff = 5;
posoff = 400;
}
else
{
ff = 400;
posoff = -100;
}
// Format date as stored by the nfdump
var formatDate = d3.time.format("%Y-%m-%d %H:%M:%S");
var w = 1000;
var h = 900;
var p = 30;
var ffw = ff; //controls the speed of playback (50 <=> 50 times faster than real time)
var basiclen = 125; //minimal edge length between nodes
opac = d3.scale.linear().domain([0, 1550]).range([0.5,1]);
var td = Date.now(); //time delay to add smoothness in animation when many-many nodes start transitioning at the same time
//d3.csv("./data/demo_repo.test_col_2011_03_03.csv", function(data) {
d3.csv("./data/demo_repo.test", function(data) {
//d3.csv("./data/"+tracefile, function(data) {
/* Read CSV file: first row => year,top1,top5 */
var max_ts = 0;
var min_ts = 0;
/* Arrays for each of the flow record parameters */
var tsarr = [];
var tdarr = [];
var saarr = [];
var daarr = [];
var flarr = [];
var bytarr = [];
var pktarr = [];
var bpparr = [];
var bpsarr = [];
var ts_byt_bpp = [];
var sampsize = data.length;
var graph = [];
console.log(sampsize);
/*Get the bytes statistics to show on a timeline*/
var timelineByt = [];
for(var j=0; j<sampsize; j++)
{
timelineByt.push(data["byt"]);
}
//console.log(timelineByt);
anim_scale = d3.time.scale();
var aa = anim_scale.domain([formatDate.parse(data[0].ts), formatDate.parse(data[sampsize-1].ts)]).ticks((timelineByt.length)-1);
console.log(aa);
/*
for (var i=0; i < sampsize; i++)
{
bytarr[i] = parseInt(data[i].byt);
pktarr[i] = parseInt(data[i].pkt);
tdarr[i] = parseFloat(data[i].td);
tsarr[i] = formatDate.parse(data[i].ts);
//ts_byt_bpp[i] = { x: tsarr[i], y: parseInt(data[i].byt), z: parseInt(data[i].bpp) };
}
*/
/*Identify a set of 'sa' addresses in the graph*/
function findSaKeys(graph)
{
var keys = [];
for(var key in graph)
{
keys.push(graph[key]["sa"]);
}
return keys;
}
/*Identify a set of 'das' addresses in flow records associated with particular 'sa'*/
function findDasKeys(graph, sakeys, i)
{
var keys = [];
for(var key in graph[sakeys.indexOf(data[i].sa)]["das"])
{
keys.push(graph[sakeys.indexOf(data[i].sa)]["das"][key]["da"]);
}
return keys;
}
/*Extract das lists for each sa from the graph*/
function findDasLists(graph, i)
{
var keys = [];
for(var key in graph[i]["das"])
{
keys.push(graph[i]["das"][key]["da"]);
}
return keys;
}
/*Builds the structure of a network based on the flow records
* An 'sa' is associated with a number of 'das'. Each 'da' stores
* all flow records stats that were sent to it from 'sa'.
*
* if (sa was not seen before)
* add (sa and its da) to the graph
* else
* {
* if (sa's da is recorded)
* update its 'data' by pushing new flow record parameters
* else
* add the unseen 'da' and its 'data' to sa's 'das'
* }
* At the moment, the function doesn't care about time window
* and populates the graph based on all flow records available.
* TODO: Make it accept a time window parameter that would specify
* which flow records to use in order to populate the new graph*/
function populateGraph(graph)
{
/*Position the first record at the center of a screen. Further flow
* records will use its position as a reference point for their posX,posY values*/
graph.push
(
{
"sa": data[0].sa,
"satopology":
{
"posX": w/4,
"posY": h/4
},
"das":
[
{
"da": data[0].da,
"datopology":
{
"posX": w/4,
"posY": h/4
},
"data":
[
{
"byt": bytarr[0],
"pkt": pktarr[0],
"td": tdarr[0],
"active": tsarr[0]
}
]
}
]
}
);
for (var i=1; i < sampsize; i++)
{
var sakeys = findSaKeys(graph);
//console.log("sakeys: "+ sakeys.indexOf(data[i].sa));
if(sakeys.indexOf(data[i].sa) < 0) // if 'sa' is still not in dictionary, then add it
{
graph.push
(
{
"sa": data[i].sa,
"satopology":
{
"posX": w/4,
"posY": h/4
},
"das":
[
{
"da": data[i].da,
"datopology":
{
"posX": w/4,
"posY": h/4
},
"data":
[
{
"byt": bytarr[i],
"pkt": pktarr[i],
"td": tdarr[i],
"active": tsarr[i]
}
]
}
]
}
);
}else
{
/*Get a list of 'das' associated with sakeys[i] arguments*/
var daskeys = findDasKeys(graph, sakeys, i);
if(daskeys.indexOf(data[i].da) > -1) // if 'da' exists - push data
{
graph[sakeys.indexOf(data[i].sa)]["das"][daskeys.indexOf(data[i].da)]["data"].push
(
{
"byt": bytarr[i],
"pkt": pktarr[i],
"td": tdarr[i],
"active": tsarr[i]
}
)
}else //push a new 'da' along with its data
{
graph[sakeys.indexOf(data[i].sa)]["das"].push
(
{
"da": data[i].da,
"data":
[
{
"byt": bytarr[i],
"pkt": pktarr[i],
"td": tdarr[i],
"active": tsarr[i]
}
]
}
)
}
}
}
return graph;
}
/*Return a list of sotrted sa,[das] tuples*/
function buildSortedTuples(graph)
{
var sakeys = findSaKeys(graph);
var tuples = [];
for(var key in graph)
{
var daskeys = findDasLists(graph, key);
//console.log(sakeys[key]);
//console.log(daskeys);
tuples.push
(
{
"sa": sakeys[key],
"da": daskeys
}
);
}
/*sorts (sa,[das]) tuples according to the length of [das]*/
var sortedtuples = tuples.sort(function(a,b)
{
var n1 = a["da"].length;
var n2 = b["da"].length;
if (n1 > n2) {return -1}
else {return 1}
});
return sortedtuples;
}
/*Determine the length of the das list associated with a da
* that is connected to an even more-connected sa
* That is, if the more connected sa A has da B in its list of das,
* then we check the length of the list of das for B.
* This will determine how remotely it is going to be place away from A
*
* finddalen(sortedtuples, da, tuple) - sorted by '[das].length' list of
* (sa,[das]), sa - source address to look for, tuple - strating position
* for iteration to find sa (since it cannot occur before that position)*/
var finddalen = function(sortedt, da, sapos)
{
if(parseInt(sapos)+1==sortedt.length)//reached the end, so no more (sa,[das]) tuples
{
return 0.7182; // 0.7182+2 in alphalen will evaluate to ~1, corresponds to list finishing
}
else
{
var iterlen = sortedt.length;
for (var i = parseInt(sapos)+1; i<iterlen; i++)
{
var sssa = sortedt[i]["sa"];
if( sssa == da)
{
return sortedt[i]["da"].length; //return length if found
}
}
return 0.7182;
}
};
/*Determine the position of nodes and links*/
function buildTopology(sortedtuples)
{
var saseen = []; //store traversed sa addresses
var daseen = []; //store traversed da addresses
var topology = []; //store final topology
/* Logarithmic scale multiplier for well-connected da nodes
* This way the edges to these well-connected nodes are longer
* In turn this gives more space for well-connected nodes to
* spread their own node connections */
var alphalen = function(d){return Math.log(2+d);};
for (var tuple in sortedtuples)
{
if(tuple == 0) //Store the initial, and most connected point at the center of a screen
{
var sa = sortedtuples[tuple]["sa"];
saseen.push(sa);
var src = { "addr": sa,
"posX": w/4,
"posY": h/4 };
var das = sortedtuples[tuple]["da"]
for(var len in d3.range(das.length))
{
var da = sortedtuples[tuple]["da"][len];
if(daseen.indexOf(da) < 0)
{
daseen.push(da);
}
var dst = { "addr": da,
"posX": w/4 + Math.random()*20 + (basiclen/1.1)*alphalen(finddalen(sortedtuples, da, tuple))*Math.cos((len*222.496) % 360),
"posY": h/4 + Math.random()*20 + (basiclen/1.1)*alphalen(finddalen(sortedtuples, da, tuple))*Math.sin((len*222.496) % 360)};
topology.push([src,dst]);
}
}
else // following sa's stem from the position (origin) of the most connected sa
{
var nextsa = sortedtuples[tuple]["sa"];
/* if inspected 'sa' address is part of daseen list,
* then it was already given a position, so its position
* should be stored into the following 'src' */
if(daseen.indexOf(nextsa) > -1 || saseen.indexOf(nextsa) > -1)
{
/*Storing the previously recorded position of the node*/
for(var tl in topology)
{
if(topology[tl][0]["addr"] === nextsa )
{
var src = { "addr": nextsa,
"posX": topology[tl][0]["posX"] ,
"posY": topology[tl][0]["posY"] };
}else if(topology[tl][1]["addr"] === nextsa)
{
var src = { "addr": nextsa,
"posX": topology[tl][1]["posX"] ,
"posY": topology[tl][1]["posY"] };
}
}
var das = sortedtuples[tuple]["da"];
for(var len in d3.range(das.length))
{
var nextda = sortedtuples[tuple]["da"][len];
// if its part of any seen lists already, then just copy its existing location
if(saseen.indexOf(nextda) > 0 || daseen.indexOf(nextda) > 0)
{
/*Storing the previously recorded position of the node*/
for(var tl in topology)
{
if(topology[tl][0]["addr"] === nextda )
{
var dst = { "addr": nextda,
"posX": topology[tl][0]["posX"] ,
"posY":topology[tl][0]["posY"] };
topology.push([src,dst]);
break;
}
else if(topology[tl][1]["addr"] === nextda)
{
var dst = { "addr": nextda,
"posX": topology[tl][1]["posX"] ,
"posY": topology[tl][1]["posY"] };
topology.push([src,dst]);
break;
}
}
}
// if its not part of any list, then add it wrt to its sa node's position
else
{
var parentposX = src["posX"];
var parentposY = src["posY"];
var dst = { "addr": nextda,
"posX": parentposX + (basiclen/2)*alphalen(finddalen(sortedtuples, nextda, tuple))*Math.cos((len*222.496) % 360),
"posY": parentposY + (basiclen/2)*alphalen(finddalen(sortedtuples, nextda, tuple))*Math.sin((len*222.496) % 360)};
topology.push([src,dst]);
}
if(daseen.indexOf(nextda) < 0)
{
daseen.push(nextda);
}
}
}
else
/*when sa is not part of any list its da position is still going to
* be calculated as above. If its da is part of any lists, then this
* da's position should be taken into consideration when finding the
* root for this sa and it should be distant enough from another sa
* with multiple connection to its existing das*/
{
var connecteddas = [];
var das = sortedtuples[tuple]["da"];
for(var len in d3.range(das.length))
{
var nextda = sortedtuples[tuple]["da"][len];
/*If its part of any seen lists already, then place this new sa
* close to where its connected to the rest of the layout via its da*/
if( (saseen.indexOf(nextda) > 0 || daseen.indexOf(nextda) > 0) )
{
// Determine the position of a root wrt to its connected nodes
for(var tl in topology)
{
if(topology[tl][0]["addr"] === nextda )
{
var src = { "addr": nextsa,
"posX": topology[tl][0]["posX"] + basiclen*2*alphalen(finddalen(sortedtuples, nextda, tuple))*Math.cos((len*222.496) % 360) ,
"posY": topology[tl][0]["posY"] + basiclen*2*alphalen(finddalen(sortedtuples, nextda, tuple))*Math.sin((len*222.496) % 360) };
connecteddas.push(nextda);
break;
}
else if(topology[tl][1]["addr"] === nextda)
{
var src = { "addr": nextsa,
"posX": topology[tl][0]["posX"] + basiclen*2*alphalen(finddalen(sortedtuples, nextda, tuple))*Math.cos((len*222.496) % 360) ,
"posY": topology[tl][0]["posY"] + basiclen*2*alphalen(finddalen(sortedtuples, nextda, tuple))*Math.sin((len*222.496) % 360) };
connecteddas.push(nextda);
break;
}
}
/*Once the src position is fixed, all its children can be positioned around it
* All children except those that are already part of the graph*/
for(var len in d3.range(das.length))
{
var nextda = sortedtuples[tuple]["da"][len];
// new node is not part of topology yet
if( connecteddas.indexOf(nextda) < 0 && (saseen.indexOf(nextda) < 0 || daseen.indexOf(nextda) < 0 ) )
{
var dst = { "addr": nextda,
"posX": src["posX"] + Math.random()*10 + (basiclen/2)*alphalen(finddalen(sortedtuples, nextda, tuple))*Math.cos((len*222.496) % 360) ,
"posY": src["posY"] + Math.random()*10 + (basiclen/2)*alphalen(finddalen(sortedtuples, nextda, tuple))*Math.sin((len*222.496) % 360) };
topology.push([src,dst]);
}
/*console.log(src);
console.log(dst);*/
//topology.push([src,dst]);
}
break;
/*For the rest of the nodes, which are fully disconnected from the rest of the
* topology - place them at a certain distance away from the center of the plot.
* Following, it puts all those nodes in its das list around itself.
* TODO: modify this one to take into account all of the existing node positions
* and place it in the region away from them*/
}else if( (saseen.indexOf(nextda) < 0 && daseen.indexOf(nextda) < 0) )
{
var srcn = { "addr": nextsa,
"posX": posoff + Math.random()*40,
"posY": posoff + Math.random()*40 };
var dstn = { "addr": nextda,
"posX": posoff + Math.random()*40 ,
"posY": posoff + Math.random()*40 };
topology.push([srcn,dstn]);
/*
var srcn = { "addr": nextsa,
"posX": w/4 + (0.5-Math.random()*2)*100 ,
"posY": h/4 + (0.5-Math.random()*2)*100 };
for(var len in d3.range(das.length))
{
var nextda = sortedtuples[tuple]["da"][len];
// new node is not part of topology yet
if( connecteddas.indexOf(nextda) < 0 && (saseen.indexOf(nextda) < 0 || daseen.indexOf(nextda) < 0 ) )
{
var dstn = { "addr": nextda,
"posX": srcn["posX"] + (basiclen/4)*alphalen(finddalen(sortedtuples, nextda, tuple))*Math.cos((len+1)*222.496*Math.random() % 360) ,
"posY": srcn["posY"] + (basiclen/4)*alphalen(finddalen(sortedtuples, nextda, tuple))*Math.sin((len+1)*222.496*Math.random() % 360) };
console.log(srcn);
console.log(dstn);
topology.push([srcn,dstn]);
}
topology.push([srcn,dstn]);
}*/
}
if(daseen.indexOf(nextda) < 0)
{
daseen.push(nextda);
}
}
}
if(saseen.indexOf(nextsa) < 0)
{
saseen.push(nextsa);
}
}
}
return topology;
}
/*Extract unique node positions on the SVG. These positions are further used
* to establish the start and end position of individual travellers (flow
* records that are represented by a travelling node over the edge)*/
var nodePositions = function(topology)
{
var topologyLen = topology.length;
var nodePositions = [];
for(var tuple = 0; tuple < topologyLen; tuple ++)
{
if(nodePositions.indexOf(topology[tuple][0]) < 0)
{
nodePositions.push(topology[tuple][0]);
}
}
for(var tuple = 0; tuple < topologyLen; tuple ++)
{
if(nodePositions.indexOf(topology[tuple][1]) < 0)
{
nodePositions.push(topology[tuple][1]);
}
}
return nodePositions;
}
populateGraph(graph);
var sortedtuples = buildSortedTuples(graph);
console.log(sortedtuples);
var topology = buildTopology(sortedtuples);
console.log(topology);
var nodepos = nodePositions(topology);
console.log(nodepos);
var addTrav = function(nodepos, flowrecord)
{
var sa = flowrecord["sa"];
var da = flowrecord["da"];
var td = flowrecord["td"];
var byt = flowrecord["byt"];
var bpp = flowrecord["bpp"];
var nodeposLen = nodepos.length;
/*Calculate position of sa and da according to the existing topology*/
for(var ps = 0; ps < nodeposLen; ps++)
{
if(nodepos[ps]["addr"] === sa)
{
var sapos = nodepos[ps];
//console.log(sapos);
}
}
for(var pd = 0; pd < nodeposLen; pd++)
{
if(nodepos[pd]["addr"] === da)
{
var dapos = nodepos[pd];
}
}
if(typeof sapos != 'undefined') //TODO: this is a quick fix for the missing single topology elements
{
return {sa: sapos, da: dapos, td: td, byt: byt, bpp: bpp};
}
else
{
return {sa: dapos, da: dapos, td: td, byt: byt, bpp: bpp};
}
};
/*Visualizing the topology*/
var svg = d3.select("div.chart").append("svg")
.attr("width", w)
.attr("height", h);
var lines = svg.selectAll("line")
.data(topology)
.enter().append("line")
.attr("x1", function(d,i){return topology[i][0]["posX"]; })
.attr("y1", function(d,i){return topology[i][0]["posY"]; })
.attr("x2", function(d,i){return topology[i][1]["posX"]; })
.attr("y2", function(d,i){return topology[i][1]["posY"]; })
.attr("stroke", "gainsboro") //or gainsboro
.attr("stroke-width", "1px")
.style("stroke-opacity", 0.5);
var circles = svg.selectAll("circle.outer")
.data(topology)
.enter().append("circle")
.attr("cx", function(d,i){return topology[i][0]["posX"]; })
.attr("cy", function(d,i){return topology[i][0]["posY"]; })
.attr("name", function(d,i){return topology[i][0]["addr"]; })
.attr("cx", function(d,i){return topology[i][1]["posX"]; })
.attr("cy", function(d,i){return topology[i][1]["posY"]; })
.attr("name", function(d,i){return topology[i][1]["addr"]; })
.attr("stroke", "darkslategrey")
.attr("stroke-width", "1px")
.style("stroke-opacity", 1)
.style("fill", "#F6E365")
.style("fill-opacity", 1)
.attr("r", 6);
/*Fisheye distortion*/
/*
var fisheye = d3.fisheye.circular()
.radius(200)
.distortion(2);
svg.on("mousemove", function() {
fisheye.focus(d3.mouse(this));
circles.each(function(d) { d.fisheye = fisheye(d); })
.attr("cx", function(d) { return d.fisheye.x; })
.attr("cy", function(d) { return d.fisheye.y; })
.attr("r", function(d) { return d.fisheye.z * 4.5; });
lines.attr("x1", function(d) { return d.source.fisheye.x; })
.attr("y1", function(d) { return d.source.fisheye.y; })
.attr("x2", function(d) { return d.target.fisheye.x; })
.attr("y2", function(d) { return d.target.fisheye.y; });
});
*/
// Variables
var lE = new Object(); // Create global object
// Create arrays for storing zoom levels
lE.currentZoom= new Array();
lE.lastZoom = new Array();
lE.luFactor = {"sayward":10,"nootka":700};
lE.luStats = {
"sayward":
{"numT": 140,"areaT":532532,"percentT":32,"numA": 35,"areaA":532532,"percentA":32},
"nootka":
{"numT": 56,"areaT":532532,"percentT":32,"numA": 15,"areaA":532532,"percentA":32}
};
lE.xPad = 20;
lE.yPad = 10;
lE.graphWidth = 600;
lE.graphHeight = 470;
// Mouse position.
svg.on("mousemove", function() {
lE.cL = d3.svg.mouse(this);
});
circles.on("mouseover",function (d) {
$("#pop-up").fadeOut(100,function () {
// Popup content
$("#pop-up-title").html("IP:");
$("#pop-img").html("./img/cnds.png");
$("#pop-desc").html("Most communicated nodes:");
// Popup position
var popLeft = lE.cL[0] + 100;
var popTop = lE.cL[1] + 20;
$("#pop-up").css({"left":popLeft,"top":popTop});
$("#pop-up").fadeIn(100);
});
d3.select(this).attr("fill","url(#act1)");
}).
on("mouseout",function () {
$("#pop-up").fadeOut(50);
d3.select(this).attr("fill","url(#ten1)");
})
//var traveller = addTrav(nodepos, data[1]);
//console.log(traveller);
/*The least ts in all flow records. Other flow records are going to be
* displayed with the reference to tStart*/
var tStartTrace = Math.floor(formatDate.parse(data[0].ts)/1000);
var tStartReal = Date.now();
//console.log(tStartTrace);
//console.log(tStartReal);
//console.log(tStartTrace+10);
/*The current position in the flow trace that needs to be
* animated once the next time threshold was reached. */
var tracePos = 0;
var update = function()
{
//console.log("I was triggered");
/*Stores flow records that start at tracePos and finish
* before their timestamp is greater than
* myDateTs <= tStartTrace + (Math.floor(tRealDifference/1000))
* travellers is therefore passed as data into data().append().enter()*/
var travellers = [];
var tProcessReal = Date.now();
var tRealDifference = tProcessReal-tStartReal;
var tDiff = Math.floor(tRealDifference/1000);
/*Iterate over all flow records and visualize them*/
for(var pos=tracePos; pos < sampsize; pos++)
{
//console.log(tracePos);
/*Get the timestamp of the next flow record in the trace to be animated*/
var myDate = new Date(formatDate.parse(data[pos]["ts"])); //TODO: Change the ts format to second since epoch
var myDateTs = Math.floor(myDate.getTime()/1000);
//console.log(myDateTs);
//console.log(tStartTrace + (ffw*Math.floor(tRealDifference/1000)));
/*Check if flow record's timestamp is less than the time has passed since
* (the first flow record + time elapsed since visulization started)
* In this calculation we don't start iterating over all flow records,
* but only starting at the position (tracePos) where the last
* animation finished at. This way, as soon as another real time
* second elapses, all the flow records whose timestamp has become
* less than the first_flow_record.ts+elapsed_real_time are going to
* be animated*/
var currentTs = tStartTrace + (ffw*tDiff);
if(myDateTs <= currentTs)
{
console.log(tracePos);
var traveller = addTrav(nodepos, data[pos]);
//console.log(traveller);
travellers.push(traveller);
tracePos++;
}else
{
break;
}
}
//console.log(travellers);
var travs = svg.selectAll("circle.inner")
.data(travellers)
.enter().append("circle")
.attr("r", 0)
.attr("fill", "#562FA2")
.attr("cx", function(d,i){return d["sa"]["posX"]; })
.attr("cy", function(d,i){return d["sa"]["posY"]; })
.attr("opacity", function(d,i){ return opac(d["bpp"]);} )
.each(fadein());
function fadein(){
return function(d,i ){
d3.select(this).transition().duration(function(d,i){ return 100*i;})
.attr("r", 2)
.each(slide(d,i));
}
}
function slide() {
return function() {
d3.select(this).transition().duration( function(d,i){return 2000*(parseFloat(d["td"])+2);} )
.delay(function(d, i) { return (i % 64) * 500; })
.attr("cx", function(d,i){return d["da"]["posX"];})
.attr("cy", function(d,i){return d["da"]["posY"];})
//.attr("opacity", 0.2)
.each(fadeout());
};
}
function fadeout(){
return function(){
d3.select(this).transition().delay(function(d,i){return 2000*(parseFloat(d["td"])+2);}).duration(500)
.attr("r", 0)
.remove();
}
}
var timeoutId = setTimeout(update, 1000);
if(tracePos+1 >= sampsize){
clearTimeout(timeoutId);
console.log("Animation finished");
}
};
update();
/*
var last = 0;
var t = 0.1;
d3.timer(function(elapsed) {
t = (t + (elapsed - last) / 10000) % 1;
last = elapsed;
update();
});
*/
/* min_ts = d3.min(tsarr);
console.log(min_ts);
max_ts = d3.max(tsarr);
console.log(max_ts);*/
//console.log(data[0].ts);
//console.log(data[sampsize-1].ts);
//console.log(formatDate.parse(data[0].ts));
/* Scale time domain from lowest to largest timestamps present in the trace.
* These will represent the x-axis on the time line with flow record values */
/*var anim_scale = d3.time.scale();
var aa = anim_scale.domain([formatDate.parse(data[0].ts), formatDate.parse(data[sampsize-1].ts)]).ticks(d3.time.minutes, 15);
console.log(aa);*/
});
</script>
<!--
<script>
//Example of a moving timeline
(function() {
var n = 243,
duration = 750,
now = new Date(Date.now() - duration), // In ms
count = 0,
data = d3.range(n).map(function() { return 0; });
var margin = {top: 6, right: 0, bottom: 20, left: 40},
width = 840 - margin.right,
height = 80 - margin.top - margin.bottom;
var x = d3.time.scale()
.domain([now - (n - 2) * duration, now - duration]) // 180,75 seconds range
.range([0, width]);
var y = d3.scale.linear()
.range([height, 0]);
var line = d3.svg.line()
.interpolate("basis")
.x(function(d, i) { return x(now - (n - 1 - i) * duration); })
.y(function(d, i) { return y(d); });
var svg = d3.select("body").append("p").append("svg")
.attr("width", width + margin.left + margin.right)
.attr("height", height + margin.top + margin.bottom)
.style("margin-left", -margin.left + "px")
.append("g")
.attr("transform", "translate(" + margin.left + "," + margin.top + ")");
/* Establishes a cliping area in the shape of a rectangle */
svg.append("defs").append("clipPath")
.attr("id", "clip")
.append("rect")
.attr("width", width)
.attr("height", height);
var axis = svg.append("g")
.attr("class", "x axis")
.attr("transform", "translate(0," + height + ")")
.call(x.axis = d3.svg.axis().scale(x).orient("bottom"));
var path = svg.append("g")
.attr("clip-path", "url(#clip)")
.append("path")
.data([data])
.attr("class", "line");
tick();
d3.select(window)
.on("scroll", function() { ++count; });
function tick() {
// update the domains
now = new Date();
x.domain([now - (n - 2) * duration, now - duration]);
y.domain([0, d3.max(data)]);
// push the accumulated count onto the back, and reset the count
data.push(Math.min(30, count));
count = 0;
// redraw the line
svg.select(".line")
.attr("d", line)
.attr("transform", null);
// slide the x-axis left
axis.transition()
.duration(duration)
.ease("linear")
.call(x.axis);
// slide the line left
path.transition()
.duration(duration)
.ease("linear")
.attr("transform", "translate(" + x(now - (n - 1) * duration) + ")")
.each("end", tick);
// pop the old data point off the front
data.shift();
}
})()
</script>
-->
</div>
<body>
</html> |
src/styles/App.css | lucasvmiguel/reactapp | /* Base Application Styles */
body {
}
.index{
margin-left: auto;
margin-right: auto;
width: 900px;
}
|
post/another3/index.html | ionutvilie/ionutvilie.github.io | <!DOCTYPE html>
<html lang="en-us">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<title>Wow! Such Post!</title>
<meta name="description" content="A place to publish my incomprehensible ramblings">
<meta name="author" content="Ionut Ilie">
<link rel="stylesheet" href="https://fonts.googleapis.com/icon?family=Material+Icons">
<link rel="stylesheet" href="https://code.getmdl.io/1.3.0/material.blue_grey-orange.min.css">
<link rel="stylesheet" href="https://use.fontawesome.com/releases/v5.3.1/css/all.css" integrity="sha384-mzrmE5qonljUremFsqc01SB46JvROS7bZs3IO2EmfFsd15uHvIt+Y8vEf7N7fWAU"
crossorigin="anonymous">
<link rel="stylesheet" href="https://ionutvilie.github.io/css/style.css">
<meta name="generator" content="Hugo 0.48" />
</head>
<body class="mdl-demo mdl-color--grey-100 mdl-color-text--grey-700 mdl-base">
<div class="mdl-layout mdl-js-layout mdl-layout--fixed-header">
<header class="mdl-layout__header mdl-layout__header--waterfall mdl-layout--no-desktop-drawer-button">
<div class="mdl-layout__header-row">
<span class="mdl-layout-title">ionutvilie</span>
<div class="mdl-layout-spacer"></div>
<div class="mdl-layout__header-row mdl-layout--large-screen-only">
<div class="mdl-layout-spacer"></div>
<nav class="mdl-navigation">
<a href="/" class="mdl-navigation__link">Home</a>
<a href="/docs/" class="mdl-navigation__link">Docs</a>
<a href="/about/" class="mdl-navigation__link">About</a>
</nav>
</div>
</div>
</header>
<div class="mdl-layout__drawer">
<span class="mdl-layout-title">ionutvilie</span>
<nav class="mdl-navigation">
<a href="/" class="mdl-navigation__link">Home</a>
<a href="/docs/" class="mdl-navigation__link">Docs</a>
<a href="/about/" class="mdl-navigation__link">About</a>
</nav>
</div>
<main class="mdl-layout__content">
<div class="page-content">
<section class="section--center mdl-grid mdl-grid--no-spacing mdl-shadow--2dp">
</section>
<section class="section--center mdl-grid mdl-grid--no-spacing mdl-shadow--2dp">
<div class="mdl-card mdl-shadow--4dp mdl-cell mdl-cell--12-col">
<div class="mdl-card__media mdl-color-text--grey-50">
<h3 style="padding:40px;">Wow! Such Post!</h3>
</div>
<div class="mdl-color-text--grey-700 mdl-card__supporting-text meta">
<div class="minilogo"></div>
<div>
<strong>Ionut Ilie</strong>
<div class="section-spacer"></div>
<span>19.08.2015 00:00</span>
</div>
<div class="section-spacer"></div>
</div>
<div class="mdl-color-text--grey-700 mdl-card__supporting-text">
<p>Lorem Ipsum is simply dummy text of the printing and typesetting industry.
Lorem Ipsum has been the industry’s standard dummy text ever since the 1500s,
when an unknown printer took a galley of type and scrambled it to make a type
specimen book. It has survived not only five centuries, but also the leap into
electronic typesetting, remaining essentially unchanged. It was popularised in
the 1960s with the release of Letraset sheets containing Lorem Ipsum passages,
and more recently with desktop publishing software like Aldus PageMaker
including versions of Lorem Ipsum.</p>
<h3 id="lorem-ipsum">Lorem Ipsum</h3>
<p>Lorem Ipsum is simply dummy text of the printing and typesetting industry.
Lorem Ipsum has been the industry’s standard dummy text ever since the 1500s,
when an unknown printer took a galley of type and scrambled it to make a type
specimen book. It has survived not only five centuries, but also the leap into
electronic typesetting, remaining essentially unchanged. It was popularised in
the 1960s with the release of Letraset sheets containing Lorem Ipsum passages,
and more recently with desktop publishing software like Aldus PageMaker
including versions of Lorem Ipsum.</p>
<p>Lorem Ipsum is simply dummy text of the printing and typesetting industry.
Lorem Ipsum has been the industry’s standard dummy text ever since the 1500s,
when an unknown printer took a galley of type and scrambled it to make a type
specimen book. It has survived not only five centuries, but also the leap into
electronic typesetting, remaining essentially unchanged. It was popularised in
the 1960s with the release of Letraset sheets containing Lorem Ipsum passages,
and more recently with desktop publishing software like Aldus PageMaker
including versions of Lorem Ipsum.</p>
<h3 id="lorem-ipsum-1">Lorem Ipsum</h3>
<p>Lorem Ipsum is simply dummy text of the printing and typesetting industry.
Lorem Ipsum has been the industry’s standard dummy text ever since the 1500s,
when an unknown printer took a galley of type and scrambled it to make a type
specimen book. It has survived not only five centuries, but also the leap into
electronic typesetting, remaining essentially unchanged. It was popularised in
the 1960s with the release of Letraset sheets containing Lorem Ipsum passages,
and more recently with desktop publishing software like Aldus PageMaker
including versions of Lorem Ipsum.</p>
</div>
<div class="mdl-color-text--primary-contrast mdl-card__supporting-text comments">
<div>
<ul id="tags">
<li><a href="/tags/meta">meta</a> </li>
<li><a href="/tags/test">test</a> </li>
</ul>
</div>
</div>
</div>
</section>
<section class="section--center mdl-grid mdl-grid--no-spacing mdl-shadow--2dp">
</section>
</div>
</main>
<footer class="mdl-mini-footer">
<div class="mdl-mini-footer__left-section">
<p>made with <a href="https://gohugo.io/" target="_blank">gohugo</a> and <a href="https://getmdl.io/" target="_blank">mdl</a></p>
</div>
<div class="mdl-mini-footer__right-section">
<div class="social-icons">
<a href="https://github.com/ionutvilie" target="_blank"><i class="fab fa-github fa-lg"></i></a>
<a href="https://twitter.com/ionutvilie" target="_blank"><i class="fab fa-twitter fa-lg"></i></a>
<a href="https://linkedin.com/in/ionutvilie/" target="_blank"><i class="fab fa-linkedin fa-lg"></i></a>
<a href="https://medium.com/@ionut.v.ilie" target="_blank"><i class="fab fa-medium-m fa-lg"></i></a>
</div>
</div>
</footer>
</div>
<script defer src="https://code.getmdl.io/1.3.0/material.min.js"></script>
</body>
</html> |
reimun_old/resolutions/wpscripts/blank.html | ReiMUN/reimun.github.io | <!DOCTYPE HTML PUBLIC "-//IETF//DTD HTML 2.0//EN">
<HTML><HEAD>
<TITLE>404 Not Found</TITLE>
</HEAD><BODY>
<H1>Not Found</H1>
The requested URL /resolutions/wpscripts/blank.gif was not found on this server.<P>
</BODY></HTML>
|
scripts/server/public/notes/d8c03c3a7c231ce3a842f549b54ef77f.html | cefn/firmware-codesign-readinglog | <html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8"/>
<!-- TITLE -->
<title>
The Timeless Way
of Building
</title>
</head>
<body>
<h1>
<a href="../papers/d8c03c3a7c231ce3a842f549b54ef77f.pdf">The Timeless Way
of Building</a>
</h1>
<h2>
Authors
</h2>
<p>
Christopher Alexander
</p>
<h2>
Status
</h2>
<p>
Unread
</p>
<h2>
Relevance
</h2>
<p/>
<h2>
Quotations
</h2>
<p/>
<h2>
Notes
</h2>
<p/>
<h2>
References
</h2>
<p/>
<h2>
Concepts
</h2>
<p/>
<h2>
Field of Study
</h2>
<p/>
<h2>
Methodology
</h2>
<p/>
<!-- UNIQUE HASH d8c03c3a7c231ce3a842f549b54ef77f -->
</body>
</html>
|
app/assets/js/ckeditor/samples/old/sample.css | maukoese/jabali | /*
Copyright (c) 2003-2017, CKSource - Frederico Knabben. All rights reserved.
For licensing, see LICENSE.md or https://ckeditor.com/license
*/
html, body, h1, h2, h3, h4, h5, h6, div, span, blockquote, p, address, form, fieldset, img, ul, ol, dl, dt, dd, li, hr, table, td, th, strong, em, sup, sub, dfn, ins, del, q, cite, var, samp, code, kbd, tt, pre
{
line-height: 1.5;
}
body
{
padding: 10px 30px;
}
input, textarea, select, option, optgroup, button, td, th
{
font-size: 100%;
}
pre
{
-moz-tab-size: 4;
tab-size: 4;
}
pre, code, kbd, samp, tt
{
font-family: monospace,monospace;
font-size: 1em;
}
body {
width: 960px;
margin: 0 auto;
}
code
{
background: #f3f3f3;
border: 1px solid #ddd;
padding: 1px 4px;
border-radius: 3px;
}
abbr
{
border-bottom: 1px dotted #555;
cursor: pointer;
}
.new, .beta
{
text-transform: uppercase;
font-size: 10px;
font-weight: bold;
padding: 1px 4px;
margin: 0 0 0 5px;
color: #fff;
float: right;
border-radius: 3px;
}
.new
{
background: #FF7E00;
border: 1px solid #DA8028;
text-shadow: 0 1px 0 #C97626;
box-shadow: 0 2px 3px 0 #FFA54E inset;
}
.beta
{
background: #18C0DF;
border: 1px solid #19AAD8;
text-shadow: 0 1px 0 #048CAD;
font-style: italic;
box-shadow: 0 2px 3px 0 #50D4FD inset;
}
h1.samples
{
color: #0782C1;
font-size: 200%;
font-weight: normal;
margin: 0;
padding: 0;
}
h1.samples a
{
color: #0782C1;
text-decoration: none;
border-bottom: 1px dotted #0782C1;
}
.samples a:hover
{
border-bottom: 1px dotted #0782C1;
}
h2.samples
{
color: #000000;
font-size: 130%;
margin: 15px 0 0 0;
padding: 0;
}
p, blockquote, address, form, pre, dl, h1.samples, h2.samples
{
margin-bottom: 15px;
}
ul.samples
{
margin-bottom: 15px;
}
.clear
{
clear: both;
}
fieldset
{
margin: 0;
padding: 10px;
}
body, input, textarea
{
color: #333333;
font-family: Arial, Helvetica, sans-serif;
}
body
{
font-size: 75%;
}
a.samples
{
color: #189DE1;
text-decoration: none;
}
form
{
margin: 0;
padding: 0;
}
pre.samples
{
background-color: #F7F7F7;
border: 1px solid #D7D7D7;
overflow: auto;
padding: 0.25em;
white-space: pre-wrap; /* CSS 2.1 */
word-wrap: break-word; /* IE7 */
}
#footer
{
clear: both;
padding-top: 10px;
}
#footer hr
{
margin: 10px 0 15px 0;
height: 1px;
border: solid 1px gray;
border-bottom: none;
}
#footer p
{
margin: 0 10px 10px 10px;
float: left;
}
#footer #copy
{
float: right;
}
#outputSample
{
width: 100%;
table-layout: fixed;
}
#outputSample thead th
{
color: #dddddd;
background-color: #999999;
padding: 4px;
white-space: nowrap;
}
#outputSample tbody th
{
vertical-align: top;
text-align: left;
}
#outputSample pre
{
margin: 0;
padding: 0;
}
.description
{
border: 1px dotted #B7B7B7;
margin-bottom: 10px;
padding: 10px 10px 0;
overflow: hidden;
}
label
{
display: block;
margin-bottom: 6px;
}
/**
* CKEditor editables are automatically set with the "cke_editable" class
* plus cke_editable_(inline|themed) depending on the editor type.
*/
/* Style a bit the inline editables. */
.cke_editable.cke_editable_inline
{
cursor: pointer;
}
/* Once an editable element gets focused, the "cke_focus" class is
added to it, so we can style it differently. */
.cke_editable.cke_editable_inline.cke_focus
{
box-shadow: inset 0px 0px 20px 3px #ddd, inset 0 0 1px #000;
outline: none;
background: #eee;
cursor: text;
}
/* Avoid pre-formatted overflows inline editable. */
.cke_editable_inline pre
{
white-space: pre-wrap;
word-wrap: break-word;
}
/**
* Samples index styles.
*/
.twoColumns,
.twoColumnsLeft,
.twoColumnsRight
{
overflow: hidden;
}
.twoColumnsLeft,
.twoColumnsRight
{
width: 45%;
}
.twoColumnsLeft
{
float: left;
}
.twoColumnsRight
{
float: right;
}
dl.samples
{
padding: 0 0 0 40px;
}
dl.samples > dt
{
display: list-item;
list-style-type: disc;
list-style-position: outside;
margin: 0 0 3px;
}
dl.samples > dd
{
margin: 0 0 3px;
}
.warning
{
color: #ff0000;
background-color: #FFCCBA;
border: 2px dotted #ff0000;
padding: 15px 10px;
margin: 10px 0;
}
.warning.deprecated {
font-size: 1.3em;
}
/* Used on inline samples */
blockquote
{
font-style: italic;
font-family: Georgia, Times, "Times New Roman", serif;
padding: 2px 0;
border-style: solid;
border-color: #ccc;
border-width: 0;
}
.cke_contents_ltr blockquote
{
padding-left: 20px;
padding-right: 8px;
border-left-width: 5px;
}
.cke_contents_rtl blockquote
{
padding-left: 8px;
padding-right: 20px;
border-right-width: 5px;
}
img.right {
border: 1px solid #ccc;
float: right;
margin-left: 15px;
padding: 5px;
}
img.left {
border: 1px solid #ccc;
float: left;
margin-right: 15px;
padding: 5px;
}
.marker
{
background-color: Yellow;
}
|
template.html | justinforce/hello | <!DOCTYPE html>
<html>
<head>
<title>hello world</title>
<meta charset="utf-8" />
<style type="text/css">
body {
color: hotpink;
background: #262626;
margin-top: 1em;
font-size: 10em;
text-align: center;
transform: rotate(180deg);
-ms-transform: rotate(180deg);
-webkit-transform: rotate(180deg);
}
</style>
</head>
<body>
%{text}
</body>
</html>
|
06-MaquinaDispensadoraSingleton/doc/index-files/index-6.html | Cesarfr/desarrollo-aplicaciones | <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<!-- NewPage -->
<html lang="es">
<head>
<!-- Generated by javadoc (1.8.0_91) on Thu Jun 09 16:48:59 CDT 2016 -->
<title>I-Index</title>
<meta name="date" content="2016-06-09">
<link rel="stylesheet" type="text/css" href="../stylesheet.css" title="Style">
<script type="text/javascript" src="../script.js"></script>
</head>
<body>
<script type="text/javascript"><!--
try {
if (location.href.indexOf('is-external=true') == -1) {
parent.document.title="I-Index";
}
}
catch(err) {
}
//-->
</script>
<noscript>
<div>JavaScript is disabled on your browser.</div>
</noscript>
<!-- ========= START OF TOP NAVBAR ======= -->
<div class="topNav"><a name="navbar.top">
<!-- -->
</a>
<div class="skipNav"><a href="#skip.navbar.top" title="Skip navigation links">Skip navigation links</a></div>
<a name="navbar.top.firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../overview-summary.html">Overview</a></li>
<li>Package</li>
<li>Class</li>
<li>Use</li>
<li><a href="../overview-tree.html">Tree</a></li>
<li><a href="../deprecated-list.html">Deprecated</a></li>
<li class="navBarCell1Rev">Index</li>
<li><a href="../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li><a href="index-5.html">Prev Letter</a></li>
<li><a href="index-7.html">Next Letter</a></li>
</ul>
<ul class="navList">
<li><a href="../index.html?index-files/index-6.html" target="_top">Frames</a></li>
<li><a href="index-6.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="contentContainer"><a href="index-1.html">A</a> <a href="index-2.html">C</a> <a href="index-3.html">D</a> <a href="index-4.html">E</a> <a href="index-5.html">G</a> <a href="index-6.html">I</a> <a href="index-7.html">L</a> <a href="index-8.html">M</a> <a href="index-9.html">O</a> <a href="index-10.html">P</a> <a href="index-11.html">R</a> <a href="index-12.html">S</a> <a href="index-13.html">T</a> <a href="index-14.html">V</a> <a href="index-15.html">W</a> <a name="I:I">
<!-- -->
</a>
<h2 class="title">I</h2>
<dl>
<dt><span class="memberNameLink"><a href="../modelo/GuardarProducto.html#instanciaGP--">instanciaGP()</a></span> - Static method in class modelo.<a href="../modelo/GuardarProducto.html" title="class in modelo">GuardarProducto</a></dt>
<dd>
<div class="block">Método para retornar la instancia Producto</div>
</dd>
<dt><span class="memberNameLink"><a href="../modelo/RegresaCambio.html#instanciaRC--">instanciaRC()</a></span> - Static method in class modelo.<a href="../modelo/RegresaCambio.html" title="class in modelo">RegresaCambio</a></dt>
<dd>
<div class="block">Método para retornar la instancia RegresaCambio</div>
</dd>
</dl>
<a href="index-1.html">A</a> <a href="index-2.html">C</a> <a href="index-3.html">D</a> <a href="index-4.html">E</a> <a href="index-5.html">G</a> <a href="index-6.html">I</a> <a href="index-7.html">L</a> <a href="index-8.html">M</a> <a href="index-9.html">O</a> <a href="index-10.html">P</a> <a href="index-11.html">R</a> <a href="index-12.html">S</a> <a href="index-13.html">T</a> <a href="index-14.html">V</a> <a href="index-15.html">W</a> </div>
<!-- ======= START OF BOTTOM NAVBAR ====== -->
<div class="bottomNav"><a name="navbar.bottom">
<!-- -->
</a>
<div class="skipNav"><a href="#skip.navbar.bottom" title="Skip navigation links">Skip navigation links</a></div>
<a name="navbar.bottom.firstrow">
<!-- -->
</a>
<ul class="navList" title="Navigation">
<li><a href="../overview-summary.html">Overview</a></li>
<li>Package</li>
<li>Class</li>
<li>Use</li>
<li><a href="../overview-tree.html">Tree</a></li>
<li><a href="../deprecated-list.html">Deprecated</a></li>
<li class="navBarCell1Rev">Index</li>
<li><a href="../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li><a href="index-5.html">Prev Letter</a></li>
<li><a href="index-7.html">Next Letter</a></li>
</ul>
<ul class="navList">
<li><a href="../index.html?index-files/index-6.html" target="_top">Frames</a></li>
<li><a href="index-6.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>
|
clean/Linux-x86_64-4.03.0-2.0.5/released/8.8.0/mathcomp-multinomials/1.3.html | coq-bench/coq-bench.github.io | <!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>mathcomp-multinomials: 1 m 20 s 🏆</title>
<link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" />
<link href="../../../../../bootstrap.min.css" rel="stylesheet">
<link href="../../../../../bootstrap-custom.css" rel="stylesheet">
<link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet">
<script src="../../../../../moment.min.js"></script>
<!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries -->
<!-- WARNING: Respond.js doesn't work if you view the page via file:// -->
<!--[if lt IE 9]>
<script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script>
<script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script>
<![endif]-->
</head>
<body>
<div class="container">
<div class="navbar navbar-default" role="navigation">
<div class="container-fluid">
<div class="navbar-header">
<a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a>
</div>
<div id="navbar" class="collapse navbar-collapse">
<ul class="nav navbar-nav">
<li><a href="../..">clean / released</a></li>
<li class="active"><a href="">8.8.0 / mathcomp-multinomials - 1.3</a></li>
</ul>
</div>
</div>
</div>
<div class="article">
<div class="row">
<div class="col-md-12">
<a href="../..">« Up</a>
<h1>
mathcomp-multinomials
<small>
1.3
<span class="label label-success">1 m 20 s 🏆</span>
</small>
</h1>
<p>📅 <em><script>document.write(moment("2022-02-28 15:52:49 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-02-28 15:52:49 UTC)</em><p>
<h2>Context</h2>
<pre># Packages matching: installed
# Name # Installed # Synopsis
base-bigarray base
base-num base Num library distributed with the OCaml compiler
base-threads base
base-unix base
camlp5 7.14 Preprocessor-pretty-printer of OCaml
conf-findutils 1 Virtual package relying on findutils
conf-perl 2 Virtual package relying on perl
coq 8.8.0 Formal proof management system
num 0 The Num library for arbitrary-precision integer and rational arithmetic
ocaml 4.03.0 The OCaml compiler (virtual package)
ocaml-base-compiler 4.03.0 Official 4.03.0 release
ocaml-config 1 OCaml Switch Configuration
ocamlfind 1.9.3 A library manager for OCaml
# opam file:
opam-version: "2.0"
maintainer: "pierre-yves@strub.nu"
homepage: "https://github.com/math-comp/multinomials-ssr"
bug-reports: "https://github.com/math-comp/multinomials-ssr/issues"
dev-repo: "git+https://github.com/math-comp/multinomials.git"
license: "CeCILL-B"
authors: ["Pierre-Yves Strub"]
build: [
[make "INSTMODE=global" "config"]
[make "-j%{jobs}%"]
]
install: [
[make "install"]
]
depends: [
"coq" {>= "8.7" & < "8.12~"}
"coq-mathcomp-algebra" {>= "1.8.0" & < "1.10~"}
"coq-mathcomp-bigenough" {>= "1.0.0" & < "1.1~"}
"coq-mathcomp-finmap" {>= "1.2.1" & < "1.3~"}
]
tags: [
"keyword:multinomials"
"keyword:monoid algebra"
"category:Mathematics/Algebra"
"date:2019-06-04"
"logpath:SsrMultinomials"
]
synopsis: "A multivariate polynomial library for the Mathematical Components Library"
url {
src: "https://github.com/math-comp/multinomials/archive/1.3.tar.gz"
checksum: "sha256=dd07b00ca5ed8b46d3a635d4ca1261948020f615bddfc4d9ac7bdc2842e83604"
}
</pre>
<h2>Lint</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Dry install 🏜️</h2>
<p>Dry install with the current Coq version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam install -y --show-action coq-mathcomp-multinomials.1.3 coq.8.8.0</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Install dependencies</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam list; echo; ulimit -Sv 4000000; timeout 4h opam install -y --deps-only coq-mathcomp-multinomials.1.3 coq.8.8.0</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>10 m 14 s</dd>
</dl>
<h2>Install 🚀</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam list; echo; ulimit -Sv 16000000; timeout 4h opam install -y -v coq-mathcomp-multinomials.1.3 coq.8.8.0</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>1 m 20 s</dd>
</dl>
<h2>Installation size</h2>
<p>Total: 18 M</p>
<ul>
<li>12 M <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/xfinmap.vo</code></li>
<li>2 M <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/mpoly.vo</code></li>
<li>1 M <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/mpoly.glob</code></li>
<li>473 K <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/monalg.vo</code></li>
<li>424 K <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/monalg.glob</code></li>
<li>390 K <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/freeg.vo</code></li>
<li>369 K <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/freeg.glob</code></li>
<li>189 K <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/mpoly.v</code></li>
<li>136 K <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/ssrcomplements.vo</code></li>
<li>122 K <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/ssrcomplements.glob</code></li>
<li>64 K <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/monalg.v</code></li>
<li>48 K <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/freeg.v</code></li>
<li>14 K <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/ssrcomplements.v</code></li>
<li>4 K <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/xfinmap.glob</code></li>
<li>1 K <code>../ocaml-base-compiler.4.03.0/lib/coq/user-contrib/SsrMultinomials/xfinmap.v</code></li>
</ul>
<h2>Uninstall 🧹</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam remove -y coq-mathcomp-multinomials.1.3</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Missing removes</dt>
<dd>
none
</dd>
<dt>Wrong removes</dt>
<dd>
none
</dd>
</dl>
</div>
</div>
</div>
<hr/>
<div class="footer">
<p class="text-center">
Sources are on <a href="https://github.com/coq-bench">GitHub</a> © Guillaume Claret 🐣
</p>
</div>
</div>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script src="../../../../../bootstrap.min.js"></script>
</body>
</html>
|
all-data/1000-1999/1027-34.html | BuzzAcademy/idioms-moe-unformatted-data | <table width="90%" border="0"><tr><td><script>function openfile(url) {fullwin = window.open(url, "fulltext", "toolbar=no,location=no,directories=no,status=no,menubar=no,scrollbars=yes,resizable=yes");}</script><div class="layoutclass_pic"><div class="layoutclass_first_pic"><table class="ztable"><tr><th class="ztd1"><b>成語 </b></th><td class="ztd2">苟且偷安</td></tr>
<tr><th class="ztd1"><b>注音 </b></th><td class="ztd2">ㄍㄡ<sup class="subfont">ˇ</sup> ㄑ|ㄝ<sup class="subfont">ˇ</sup> ㄊㄡ ㄢ</td></tr>
<tr><th class="ztd1"><b>漢語拼音 </b></th><td class="ztd2"><font class="english_word">gǒu qiě tōu ān</font></td></tr>
<tr><th class="ztd1"><b>釋義 </b></th><td class="ztd2"></font> 「苟且」,行事馬虎草率,得過且過。語出《漢書.卷八六.何武王嘉師丹傳.王嘉》。「偷安」,貪圖眼前的安逸,不顧將來可能發生的危難。語出漢.賈誼《新書.數寧》。「苟且偷安」形容得過且過,只圖眼前安逸,不顧將來。</font></td></tr>
<tr><th class="ztd1"><b><style>.tableoutfmt2 .std1{width:3%;}</style></b></th><td class="ztd2"><br><br></td></tr>
</td></tr></table></div> <!-- layoutclass_first_pic --><div class="layoutclass_second_pic"></div> <!-- layoutclass_second_pic --></div> <!-- layoutclass_pic --></td></tr></table>
|
index.html | behzad88/aurelia-converters-sample | <!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>Aurelia Value Converters</title>
<link rel="stylesheet" type="text/css" href="jspm_packages/npm/font-awesome@4.3.0/css/font-awesome.min.css">
<link rel="stylesheet" type="text/css" href="styles/styles.css">
<link rel="stylesheet" type="text/css" href="prism/prism.css">
</head>
<body aurelia-main>
<div class="splash">
<div class="message">Loading...</div>
<i class="fa fa-spinner fa-spin"></i>
</div>
<!-- for embedding aurelia app in ghost blog post via iframe: -->
<script src="https://cdnjs.cloudflare.com/ajax/libs/set-iframe-height/1.1.1/set-iframe-height-child-min.js"></script>
<!-- custom build of prism syntax highlighting: -->
<script src="prism/prism.js" data-manual></script>
<script src="jspm_packages/system.js"></script>
<script src="config.js"></script>
<script>
System.baseUrl = 'dist'; //NOTE: You can move this into the config.js file, if you like.
System.import('aurelia-bootstrapper');
</script>
<script>
(function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){
(i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o),
m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m)
})(window,document,'script','//www.google-analytics.com/analytics.js','ga');
ga('create', 'UA-59973368-1', 'auto');
ga('send', 'pageview');
</script>
</body>
</html>
|
docs/partials/api/ng/provider/$animateProvider.html | zensh/serve-ngdocs | <a href='https://github.com/angular/angular.js/edit/master/src/ng/animate.js?message=docs($animateProvider)%3A%20describe%20your%20change...#L5' 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/master/src/ng/animate.js#L5' 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">$animateProvider</h1>
<ol class="api-profile-header-structure naked-list step-list">
<li>
<a href="api/ng/service/$animate">- $animate</a>
</li>
<li>
- provider in module <a href="api/ng">ng</a>
</li>
</ol>
</header>
<div class="api-profile-description">
<p>Default implementation of $animate that doesn't perform any animations, instead just
synchronously performs DOM
updates and calls done() callbacks.</p>
<p>In order to enable animations the ngAnimate module has to be loaded.</p>
<p>To see the functional implementation check out src/ngAnimate/animate.js</p>
</div>
<div>
<h2>Methods</h2>
<ul class="methods">
<li id="register">
<h3><p><code>register(name, factory);</code></p>
</h3>
<div><p>Registers a new injectable animation factory function. The factory function produces the
animation object which contains callback functions for each event that is expected to be
animated.</p>
<ul>
<li><code>eventFn</code>: <code>function(Element, doneFunction)</code> The element to animate, the <code>doneFunction</code>
must be called once the element animation is complete. If a function is returned then the
animation service will use this function to cancel the animation whenever a cancel event is
triggered.</li>
</ul>
<pre><code class="lang-js">return {
eventFn : function(element, done) {
//code to run the animation
//once complete, then run done()
return function cancellationFunction() {
//code to cancel the animation
}
}
}
</code></pre>
</div>
<h4>Parameters</h4>
<table class="variables-matrix input-arguments">
<thead>
<tr>
<th>Param</th>
<th>Type</th>
<th>Details</th>
</tr>
</thead>
<tbody>
<tr>
<td>
name
</td>
<td>
<a href="" class="label type-hint type-hint-string">string</a>
</td>
<td>
<p>The name of the animation.</p>
</td>
</tr>
<tr>
<td>
factory
</td>
<td>
<a href="" class="label type-hint type-hint-function">Function</a>
</td>
<td>
<p>The factory function that will be executed to return the animation
object.</p>
</td>
</tr>
</tbody>
</table>
</li>
<li id="classNameFilter">
<h3><p><code>classNameFilter([expression]);</code></p>
</h3>
<div><p>Sets and/or returns the CSS class regular expression that is checked when performing
an animation. Upon bootstrap the classNameFilter value is not set at all and will
therefore enable $animate to attempt to perform an animation on any element.
When setting the classNameFilter value, animations will only be performed on elements
that successfully match the filter expression. This in turn can boost performance
for low-powered devices as well as applications containing a lot of structural operations.</p>
</div>
<h4>Parameters</h4>
<table class="variables-matrix input-arguments">
<thead>
<tr>
<th>Param</th>
<th>Type</th>
<th>Details</th>
</tr>
</thead>
<tbody>
<tr>
<td>
expression
<div><em>(optional)</em></div>
</td>
<td>
<a href="" class="label type-hint type-hint-regexp">RegExp</a>
</td>
<td>
<p>The className expression which will be checked against all animations</p>
</td>
</tr>
</tbody>
</table>
<h4>Returns</h4>
<table class="variables-matrix return-arguments">
<tr>
<td><a href="" class="label type-hint type-hint-regexp">RegExp</a></td>
<td><p>The current CSS className expression value. If null then there is no expression value</p>
</td>
</tr>
</table>
</li>
</ul>
</div>
|
index.html | sergeyloysha/vue-spinner-component | <!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>Vue Spinner Component</title>
<meta name="viewport" content="width=device-width, initial-scale=1, shrink-to-fit=no">
<link href="https://fonts.googleapis.com/css?family=Roboto:300,400,700,900" rel="stylesheet">
</head>
<body>
<div id="app"></div>
<script src="dist/build.js"></script>
<script async defer src="https://buttons.github.io/buttons.js"></script>
</body>
</html> |
index.html | andrewjuey/andrewjuey.github.io | scribbles and scrabbles
|
docs/api/animation/AnimationAction.html | shinate/three.js | <!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8" />
<base href="../../" />
<script src="list.js"></script>
<script src="page.js"></script>
<link type="text/css" rel="stylesheet" href="page.css" />
</head>
<body>
<h1>[name]</h1>
<div class="desc">
AnimationActions schedule the performance of the animations which are stored in
[page:AnimationClip AnimationClips].<br /><br />
Note: Most of AnimationAction's methods can be chained.<br /><br />
For an overview of the different elements of the three.js animation system see the
"Animation System" article in the "Next Steps" section of the manual.
</div>
<h2>Constructor</h2>
<h3>[name]( [param:AnimationMixer mixer], [param:AnimationClip clip], [param:Object3D localRoot] )</h3>
<div>
[page:AnimationMixer mixer] - the *AnimationMixer* that is controlled by this action.<br />
[page:AnimationClip clip] - the *AnimationClip* that holds the animation data for this action.<br />
[page:Object3D localRoot] - the root object on which this action is performed.<br /><br />
Note: Instead of calling this constructor directly you should instantiate an AnimationAction with
[page:AnimationMixer.clipAction] since this method provides caching for better performance.
</div>
<h2>Properties</h2>
<h3>[property:Boolean clampWhenFinished]</h3>
<div>
If *clampWhenFinished* is set to true the animation will automatically be [page:.paused paused]
on its last frame.<br /><br />
If *clampWhenFinished* is set to false, [page:.enabled enabled] will automatically be switched
to false when the last loop of the action has finished, so that this action has no further
impact.<br /><br />
Default is false.<br /><br />
Note: *clampWhenFinished* has no impact if the action is interrupted (it has only an effect if
its last loop has really finished).
</div>
<h3>[property:Boolean enabled]</h3>
<div>
Setting *enabled* to *false* disables this action, so that it has no impact. Default is *true*.<br /><br />
When the action is re-enabled, the animation continues from its current [page:.time time]
(setting *enabled* to *false* doesn't reset the action).<br /><br />
Note: Setting *enabled* to *true* doesn’t automatically restart the animation. Setting *enabled*
to *true* will only restart the animation immediately if the following condition is fulfilled:
[page:.paused paused] is *false*, this action has not been deactivated in the meantime (by
executing a [page:.stop stop] or [page:.reset reset] command), and neither [page:.weight weight]
nor [page:.timeScale timeScale] is 0.
</div>
<h3>[property:Number loop]</h3>
<div>
The looping mode (can be changed with [page:.setLoop setLoop]). Default is
[page:Animation THREE.LoopRepeat] (with an infinite number of [page:.repetitions repetitions])<br /><br />
Must be one of these constants:<br /><br />
[page:Animation THREE.LoopOnce] - playing the clip once,<br />
[page:Animation THREE.LoopRepeat] - playing the clip with the choosen number of *repetitions*,
each time jumping from the end of the clip directly to its beginning,<br />
[page:Animation THREE.LoopPingPong] - playing the clip with the choosen number of *repetitions*,
alternately playing forward and backward.
</div>
<h3>[property:Boolean paused]</h3>
<div>
Setting *paused* to *true* pauses the execution of the action by setting the effective time scale
to 0. Default is *false*.<br /><br />
</div>
<h3>[property:Number repetitions]</h3>
<div>
The number of repetitions of the performed [page:AnimationClip] over the course of this action.
Can be set via [page:.setLoop setLoop]. Default is *Infinity*.<br /><br />
Setting this number has no effect, if the [page:.loop loop mode] is set to
[page:Animation THREE.LoopOnce].
</div>
<h3>[property:Number time]</h3>
<div>
The local time of this action (in seconds, starting with 0).<br /><br />
The value gets clamped or wrapped to 0...clip.duration (according to the loop state). It can be
scaled relativly to the global mixer time by changing [page:.timeScale timeScale] (using
[page:.setEffectiveTimeScale setEffectiveTimeScale] or [page:.setDuration setDuration]).<br />
</div>
<h3>[property:Number timeScale]</h3>
<div>
Scaling factor for the [page:.time time]. A value of 0 causes the animation to pause. Negative
values cause the animation to play backwards. Default is 1.<br /><br />
Properties/methods concerning *timeScale* (respectively *time*) are:
[page:.getEffectiveTimeScale getEffectiveTimeScale],
[page:.halt halt],
[page:.paused paused],
[page:.setDuration setDuration],
[page:.setEffectiveTimeScale setEffectiveTimeScale],
[page:.stopWarping stopWarping],
[page:.syncWith syncWith],
[page:.warp warp].
</div>
<h3>[property:Number weight]</h3>
<div>
The degree of influence of this action (in the interval [0, 1]). Values between 0 (no impact)
and 1 (full impact) can be used to blend between several actions. Default is 1. <br /><br />
Properties/methods concerning *weight* are:
[page:.crossFadeFrom crossFadeFrom],
[page:.crossFadeTo crossFadeTo],
[page:.enabled enabled],
[page:.fadeIn fadeIn],
[page:.fadeOut fadeOut],
[page:.getEffectiveWeight getEffectiveWeight],
[page:.setEffectiveWeight setEffectiveWeight],
[page:.stopFading stopFading].
</div>
<h3>[property:Boolean zeroSlopeAtEnd]</h3>
<div>
Enables smooth interpolation without separate clips for start, loop and end. Default is *true*.
</div>
<h3>[property:Boolean zeroSlopeAtStart]</h3>
<div>
Enables smooth interpolation without separate clips for start, loop and end. Default is *true*.
</div>
<h2>Methods</h2>
<h3>[method:AnimationAction crossFadeFrom]( [param:AnimationAction fadeOutAction], [param:Number durationInSeconds], [param:Boolean warpBoolean] )</h3>
<div>
Causes this action to [page:.fadeIn fade in], fading out another action simultaneously, within
the passed time interval. This method can be chained.<br /><br />
If warpBoolean is true, additional [page:.warp warping] (gradually changes of the time scales)
will be applied.<br /><br />
Note: Like with *fadeIn*/*fadeOut*, the fading starts/ends with a weight of 1.
</div>
<h3>[method:AnimationAction crossFadeTo]( [param:AnimationAction fadeInAction], [param:Number durationInSeconds], [param:Boolean warpBoolean] )</h3>
<div>
Causes this action to [page:.fadeOut fade out], fading in another action simultaneously, within
the passed time interval. This method can be chained.<br /><br />
If warpBoolean is true, additional [page:.warp warping] (gradually changes of the time scales)
will be applied.<br /><br />
Note: Like with *fadeIn*/*fadeOut*, the fading starts/ends with a weight of 1.
</div>
<h3>[method:AnimationAction fadeIn]( [param:Number durationInSeconds] )</h3>
<div>
Increases the [page:.weight weight] of this action gradually from 0 to 1, within the passed time
interval. This method can be chained.
</div>
<h3>[method:AnimationAction fadeOut]( [param:Number durationInSeconds] )</h3>
<div>
Decreases the [page:.weight weight] of this action gradually from 1 to 0, within the passed time
interval. This method can be chained.
</div>
<h3>[method:Number getEffectiveTimeScale]()</h3>
<div>
Returns the effective time scale (considering the current states of warping and
[page:.paused paused]).
</div>
<h3>[method:number getEffectiveWeight]()</h3>
<div>
Returns the effective weight (considering the current states of fading and
[page:.enabled enabled]).
</div>
<h3>[method:AnimationClip getClip]()</h3>
<div>
Returns the clip which holds the animation data for this action.
</div>
<h3>[method:AnimationMixer getMixer]()</h3>
<div>
Returns the mixer which is responsible for playing this action.
</div>
<h3>[method:Object3D getRoot]()</h3>
<div>
Returns the root object on which this action is performed.
</div>
<h3>[method:AnimationAction halt]( [param:Number durationInSeconds] )</h3>
<div>
Decelerates this animation's speed to 0 by decreasing [page:.timeScale timeScale] gradually
(starting from its current value), within the passed time interval. This method can be chained.
</div>
<h3>[method:Boolean isRunning]()</h3>
<div>
Returns true if the action’s [page:.time time] is currently running.<br /><br />
In addition to being activated in the mixer (see [page:.isScheduled isScheduled]) the following conditions must be fulfilled:
[page:.paused paused] is equal to false, [page:.enabled enabled] is equal to true,
[page:.timeScale timeScale] is different from 0, and there is no scheduling for a delayed start
([page:.startAt startAt]).<br /><br />
Note: *isRunning* being true doesn’t necessarily mean that the animation can actually be seen.
This is only the case, if [page:.weight weight] is additionally set to a non-zero value.
</div>
<h3>[method:Boolean isScheduled]()</h3>
<div>
Returns true, if this action is activated in the mixer.<br /><br />
Note: This doesn’t necessarily mean that the animation is actually running (compare the additional
conditions for [page:.isRunning isRunning]).
</div>
<h3>[method:AnimationAction play]()</h3>
<div>
Tells the mixer to activate the action. This method can be chained.<br /><br />
Note: Activating this action doesn’t necessarily mean that the animation starts immediately:
If the action had already finished before (by reaching the end of its last loop), or if a time
for a delayed start has been set (via [page:.startAt startAt]), a [page:.reset reset] must be
executed first. Some other settings ([page:.paused paused]=true, [page:.enabled enabled]=false,
[page:.weight weight]=0, [page:.timeScale timeScale]=0) can prevent the animation from playing,
too.
</div>
<h3>[method:AnimationAction reset]()</h3>
<div>
Resets the action. This method can be chained.<br /><br />
This method sets [page:.paused paused] to false, [page:.enabled enabled] to true,
[page:.time time] to 0, interrupts any scheduled fading and warping, and removes the internal
loop count and scheduling for delayed starting.<br /><br />
Note: .*reset* is always called by [page:.stop stop], but .*reset* doesn’t call .*stop* itself.
This means: If you want both, resetting and stopping, don’t call .*reset*; call .*stop* instead.
</div>
<h3>[method:AnimationAction setDuration]( [param:Number durationInSeconds] )</h3>
<div>
Sets the duration for a single loop of this action (by adjusting [page:.timeScale timeScale]
and stopping any scheduled warping). This method can be chained.
</div>
<h3>[method:AnimationAction setEffectiveTimeScale]( [param:Number timeScale] )</h3>
<div>
Sets the [page:.timeScale timeScale] and stops any scheduled warping. This method can be chained.<br /><br />
If [page:.paused paused] is false, the effective time scale (an internal property) will also be set
to this value; otherwise the effective time scale (directly affecting the animation at
this moment) will be set to 0.<br /><br />
Note: .*paused* will not be switched to *true* automatically, if .*timeScale* is set to 0 by
this method.
</div>
<h3>[method:AnimationAction setEffectiveWeight]( [param:Number weight] )</h3>
<div>
Sets the [page:.weight weight] and stops any scheduled fading. This method can be chained.<br /><br />
If [page:.enabled enabled] is true, the effective weight (an internal property) will also be set
to this value; otherwise the effective weight (directly affecting the animation at this moment)
will be set to 0.<br /><br />
Note: .*enabled* will not be switched to *false* automatically, if .*weight* is set to 0 by
this method.
</div>
<h3>[method:AnimationAction setLoop]( [param:Number loopMode], [param:Number repetitions] )</h3>
<div>
Sets the [page:.loop loop mode] and the number of [page:.repetitions repetitions]. This method
can be chained.
</div>
<h3>[method:AnimationAction startAt]( [param:Number startTimeInSeconds] )</h3>
<div>
Defines the time for a delayed start (usually passed as [page:AnimationMixer.time] +
deltaTimeInSeconds). This method can be chained.<br /><br />
Note: The animation will only start at the given time, if .*startAt* is chained with
[page:.play play], or if the action has already been activated in the mixer (by a previous
call of .*play*, without stopping or resetting it in the meantime).
</div>
<h3>[method:AnimationAction stop]()</h3>
<div>
Tells the mixer to deactivate this action. This method can be chained.<br /><br />
The action will be immediately stopped and completely [page:.reset reset].<br /><br />
Note: You can stop all active actions on the same mixer in one go via
[page:AnimationMixer.stopAllAction mixer.stopAllAction].
</div>
<h3>[method:AnimationAction stopFading]()</h3>
<div>
Stops any scheduled [page:.fadeIn fading] which is applied to this action. This method can be
chained.
</div>
<h3>[method:AnimationAction stopWarping]()</h3>
<div>
Stops any scheduled [page:.warp warping] which is applied to this action. This method can be
chained.
</div>
<h3>[method:AnimationAction syncWith]( [param:AnimationAction otherAction] )</h3>
<div>
Synchronizes this action with the passed other action. This method can be chained.<br /><br />
Synchronizing is done by setting this action’s [page:.time time] and [page:.timeScale timeScale] values
to the corresponding values of the other action (stopping any scheduled warping).<br /><br />
Note: Future changes of the other action's *time* and *timeScale* will not be detected.
</div>
<h3>[method:AnimationAction warp]( [param:Number startTimeScale], [param:Number endTimeScale], [param:Number durationInSeconds] )</h3>
<div>
Changes the playback speed, within the passed time interval, by modifying
[page:.timeScale timeScale] gradually from *startTimeScale* to *endTimeScale*. This method can
be chained.
</div>
<h2>Events</h2>
<div class="desc">
There are two events indicating when a single loop of the action respectively the entire action has finished. You can react to them with:
</div>
<code>
mixer.addEventListener( 'loop', function( e ) { …} ); // properties of e: type, action and loopDelta
mixer.addEventListener( 'finished', function( e ) { …} ); // properties of e: type, action and direction
</code>
<h2>Source</h2>
[link:https://github.com/mrdoob/three.js/blob/master/src/[path].js src/[path].js]
</body>
</html>
|
src/main/webapp/WEB-INF/static/login.html | shallotsh/kylin | <!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title></title>
<link rel="stylesheet" href="/css/reset.css" />
<link rel="stylesheet" href="/css/login.css" />
<script src="https://cdn.jsdelivr.net/npm/vue"></script>
<script type="text/javascript" src="/js/login.js"></script>
</head>
<body>
<div class="page" id="login">
<div class="loginwarrp">
<div class="logo">登 录</div>
<div class="login_form">
<form action="/login/auth" method="post">
<li class="login-item">
<span>用户名:</span>
<input type="text" id="username" name="userName" v-model="user.userName" class="login_input" >
<span id="count-msg" class="error"></span>
</li>
<li class="login-item">
<span>密 码:</span>
<input type="password" id="password" name="password" v-model=user.password" class="login_input" >
<span id="password-msg" class="error"></span>
</li>
<!--<!–-->
<!--<li class="login-item verify">-->
<!--<span>验证码:</span>-->
<!--<input type="text" name="CheckCode" class="login_input verify_input">-->
<!--</li>-->
<!--<img src="images/verify.png" border="0" class="verifyimg" />-->
<!--<div class="clearfix"></div> --!>-->
<li class="login-sub">
<input type="submit" value="登 录" @submit="login" />
<input type="reset" name="Reset" value="重置" />
</li>
</form>
</div>
</div>
</div>
<script type="text/javascript">
window.onload = function() {
var config = {
vx : 4,
vy : 4,
height : 2,
width : 2,
count : 100,
color : "121, 162, 185",
stroke : "100, 200, 180",
dist : 6000,
e_dist : 20000,
max_conn : 10
}
CanvasParticle(config);
}
</script>
<script type="text/javascript" src="/js/canvas-particle.js"></script>
</body>
</html> |
css/badges.css | latoyale/latoyale.github.io | .report-card {
text-align:center;
}
.badges {
margin:10px 10px 25px;
padding:0;
}
.badges li {
display:inline-block;
margin:2px;
}
.badges li img {
width: 100%;
text-align: center;
-webkit-box-reflect: below 0 -webkit-gradient(linear, left top, left bottom, from(transparent), color-stop(70%, transparent), to(rgba(255,255,255,0.2)));
}
.badges li img:hover {
opacity:.7;
animation:badges 100ms;
-webkit-animation:badges 100ms;
}
@keyframes badges {
0% { margin: -17px 2px 0px 0px }
50% { margin: -27px 2px 0px 0px }
100% { margin: -17px 2px 0px 0px }
}
@-webkit-keyframes badges /* Safari and Chrome */ {
0% { margin: -17px 2px 0px 0px }
50% { margin: -27px 2px 0px 0px }
100% { margin: -17px 2px 0px 0px }
}
.spinner {
width: 40px;
height: 40px;
margin: 100px auto;
background-color: #333;
border-radius: 100%;
-webkit-animation: scaleout 1.0s infinite ease-in-out;
animation: scaleout 1.0s infinite ease-in-out;
}
@-webkit-keyframes scaleout {
0% { -webkit-transform: scale(0.0) }
100% {
-webkit-transform: scale(1.0);
opacity: 0;
}
}
@keyframes scaleout {
0% {
transform: scale(0.0);
-webkit-transform: scale(0.0);
} 100% {
transform: scale(1.0);
-webkit-transform: scale(1.0);
opacity: 0;
}
} |
client/sign_in.html | dcurletti/KnowledgeScout | <!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>Sign In</title>
</head>
<body>
<form action="">
<input type="text" />
<a href="/sign_in">Login</a>
</form>
</body>
</html>
|
ProactiveLaw2/www/templates/citations.html | bclark8923/proactive-law | <ion-view view-title="Citations">
<ion-content>
<ion-list>
<ion-item ng-repeat="citation in citations" href="#/app/citations/{{citation.id}}">
{{citation.title}}
</ion-item>
</ion-list>
</ion-content>
</ion-view>
|
logya/sites/base/content/contact.html | yaph/logya | ---
title: Contact
created: 2020-10-07 00:25:42
template: page.html
noindex: 1
---
<div class="flex two-800">
<form role="form" id="sendmail">
<label>Subject: <input type="text" id="subject"></label>
<label for="message">Message</label>
<textarea id="message"></textarea>
<button type="submit">Submit</button>
</form>
<div>
<iframe width="100%" height="350" frameborder="0" scrolling="no" marginheight="0" marginwidth="0" src="https://www.openstreetmap.org/export/embed.html?bbox=-2.8711304068565373%2C53.37506926366071%2C-2.867589890956879%2C53.376438958518065&layer=mapnik" style="border: 1px solid black"></iframe><br/>
<small><a href="https://www.openstreetmap.org/#map=19/53.37575/-2.86936">View Larger Map</a></small>
<h2>Mail address</h2>
<address>
<strong>{{ author }}</strong><br>
Church Road<br>
Woolton, Liverpool, Merseyside<br>
England
</address>
</div>
</div>
<script>
document.getElementById('sendmail').onsubmit = () => {
let subject = encodeURIComponent(document.getElementById('subject').value);
let message = encodeURIComponent(document.getElementById('message').value);
let a = document.createElement('a');
a.href = `mailto:name@example.com?subject=${subject}&body=${message}`;
a.click();
return false;
}
</script> |
ptrLight.min.css | aurasalexander/ptrLight | #ptr-light-indicator{width:35px;height:55px;margin:0 auto;transform:translateY(0);position:relative;top:-55px;transition:transform 300ms ease}#ptr-light-spinner{display:block;height:35px;width:35px;position:absolute;top:10px;background:url('reload.svg');background-size:contain}.rotateLoop{-webkit-animation:rotation .9s infinite linear;-moz-animation:rotation .9s infinite linear;-o-animation:rotation .9s infinite linear;animation:rotation .9s infinite linear}@-webkit-keyframes rotation{from{-webkit-transform:rotate(0deg)}to{-webkit-transform:rotate(359deg)}}@-moz-keyframes rotation{from{-moz-transform:rotate(0deg)}to{-moz-transform:rotate(359deg)}}@-o-keyframes rotation{from{-o-transform:rotate(0deg)}to{-o-transform:rotate(359deg)}}@keyframes rotation{from{transform:rotate(0deg)}to{transform:rotate(359deg)}} |
docs/isambard.html | woolfson-group/isambard |
<!DOCTYPE html>
<!--[if IE 8]><html class="no-js lt-ie9" lang="en" > <![endif]-->
<!--[if gt IE 8]><!--> <html class="no-js" lang="en" > <!--<![endif]-->
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>isambard package — ISAMBARD 1.4.1 documentation</title>
<link rel="stylesheet" href="_static/css/theme.css" type="text/css" />
<link rel="index" title="Index"
href="genindex.html"/>
<link rel="search" title="Search" href="search.html"/>
<link rel="top" title="ISAMBARD 1.4.1 documentation" href="index.html"/>
<script src="_static/js/modernizr.min.js"></script>
</head>
<body class="wy-body-for-nav" role="document">
<div class="wy-grid-for-nav">
<nav data-toggle="wy-nav-shift" class="wy-nav-side">
<div class="wy-side-scroll">
<div class="wy-side-nav-search">
<a href="index.html" class="icon icon-home"> ISAMBARD
</a>
<div class="version">
2016.4
</div>
<div role="search">
<form id="rtd-search-form" class="wy-form" action="search.html" method="get">
<input type="text" name="q" placeholder="Search docs" />
<input type="hidden" name="check_keywords" value="yes" />
<input type="hidden" name="area" value="default" />
</form>
</div>
</div>
<div class="wy-menu wy-menu-vertical" data-spy="affix" role="navigation" aria-label="main navigation">
<ul>
<li class="toctree-l1"><a class="reference internal" href="overview.html">Overview</a></li>
<li class="toctree-l1"><a class="reference internal" href="tutorial/tutorial.html">Tutorial</a></li>
<li class="toctree-l1"><a class="reference internal" href="getting_started.html">Getting Started</a></li>
<li class="toctree-l1"><a class="reference internal" href="api_reference.html">API Reference</a></li>
<li class="toctree-l1"><a class="reference internal" href="developer_guide.html">Developer Guide</a></li>
<li class="toctree-l1"><a class="reference internal" href="citing_isambard.html">Citing ISAMBARD</a></li>
</ul>
</div>
</div>
</nav>
<section data-toggle="wy-nav-shift" class="wy-nav-content-wrap">
<nav class="wy-nav-top" role="navigation" aria-label="top navigation">
<i data-toggle="wy-nav-top" class="fa fa-bars"></i>
<a href="index.html">ISAMBARD</a>
</nav>
<div class="wy-nav-content">
<div class="rst-content">
<div role="navigation" aria-label="breadcrumbs navigation">
<ul class="wy-breadcrumbs">
<li><a href="index.html">Docs</a> »</li>
<li>isambard package</li>
<li class="wy-breadcrumbs-aside">
<a href="_sources/isambard.rst.txt" rel="nofollow"> View page source</a>
</li>
</ul>
<hr/>
</div>
<div role="main" class="document" itemscope="itemscope" itemtype="http://schema.org/Article">
<div itemprop="articleBody">
<div class="section" id="isambard-package">
<h1>isambard package<a class="headerlink" href="#isambard-package" title="Permalink to this headline">¶</a></h1>
<div class="section" id="subpackages">
<h2>Subpackages<a class="headerlink" href="#subpackages" title="Permalink to this headline">¶</a></h2>
<div class="toctree-wrapper compound">
<ul>
<li class="toctree-l1"><a class="reference internal" href="isambard.add_ons.html">isambard.add_ons package</a><ul>
<li class="toctree-l2"><a class="reference internal" href="isambard.add_ons.html#submodules">Submodules</a><ul>
<li class="toctree-l3"><a class="reference internal" href="isambard.add_ons.filesystem.html">isambard.add_ons.filesystem module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.add_ons.knobs_into_holes.html">isambard.add_ons.knobs_into_holes module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.add_ons.pacc.html">isambard.add_ons.pacc module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.add_ons.parmed_to_ampal.html">isambard.add_ons.parmed_to_ampal module</a></li>
</ul>
</li>
<li class="toctree-l2"><a class="reference internal" href="isambard.add_ons.html#module-isambard.add_ons">Module contents</a></li>
</ul>
</li>
<li class="toctree-l1"><a class="reference internal" href="isambard.ampal.html">isambard.ampal package</a><ul>
<li class="toctree-l2"><a class="reference internal" href="isambard.ampal.html#subpackages">Subpackages</a><ul>
<li class="toctree-l3"><a class="reference internal" href="isambard.ampal.specifications.html">isambard.ampal.specifications package</a><ul>
<li class="toctree-l4"><a class="reference internal" href="isambard.ampal.specifications.html#subpackages">Subpackages</a><ul>
<li class="toctree-l5"><a class="reference internal" href="isambard.ampal.specifications.assembly_specs.html">isambard.ampal.specifications.assembly_specs package</a><ul>
<li class="toctree-l6"><a class="reference internal" href="isambard.ampal.specifications.assembly_specs.html#submodules">Submodules</a><ul>
<li class="toctree-l7"><a class="reference internal" href="isambard.ampal.specifications.assembly_specs.coiledcoil.html">isambard.ampal.specifications.assembly_specs.coiledcoil module</a></li>
<li class="toctree-l7"><a class="reference internal" href="isambard.ampal.specifications.assembly_specs.nucleic_acid_duplex.html">isambard.ampal.specifications.assembly_specs.nucleic_acid_duplex module</a></li>
<li class="toctree-l7"><a class="reference internal" href="isambard.ampal.specifications.assembly_specs.solenoid.html">isambard.ampal.specifications.assembly_specs.solenoid module</a></li>
</ul>
</li>
<li class="toctree-l6"><a class="reference internal" href="isambard.ampal.specifications.assembly_specs.html#module-isambard.ampal.specifications.assembly_specs">Module contents</a></li>
</ul>
</li>
<li class="toctree-l5"><a class="reference internal" href="isambard.ampal.specifications.polymer_specs.html">isambard.ampal.specifications.polymer_specs package</a><ul>
<li class="toctree-l6"><a class="reference internal" href="isambard.ampal.specifications.polymer_specs.html#submodules">Submodules</a><ul>
<li class="toctree-l7"><a class="reference internal" href="isambard.ampal.specifications.polymer_specs.helix.html">isambard.ampal.specifications.polymer_specs.helix module</a></li>
<li class="toctree-l7"><a class="reference internal" href="isambard.ampal.specifications.polymer_specs.nucleic_acid_strand.html">isambard.ampal.specifications.polymer_specs.nucleic_acid_strand module</a></li>
<li class="toctree-l7"><a class="reference internal" href="isambard.ampal.specifications.polymer_specs.ta_polypeptide.html">isambard.ampal.specifications.polymer_specs.ta_polypeptide module</a></li>
</ul>
</li>
<li class="toctree-l6"><a class="reference internal" href="isambard.ampal.specifications.polymer_specs.html#module-isambard.ampal.specifications.polymer_specs">Module contents</a></li>
</ul>
</li>
</ul>
</li>
<li class="toctree-l4"><a class="reference internal" href="isambard.ampal.specifications.html#module-isambard.ampal.specifications">Module contents</a></li>
</ul>
</li>
</ul>
</li>
<li class="toctree-l2"><a class="reference internal" href="isambard.ampal.html#submodules">Submodules</a><ul>
<li class="toctree-l3"><a class="reference internal" href="isambard.ampal.ampal_databases.html">isambard.ampal.ampal_databases module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.ampal.analyse_protein.html">isambard.ampal.analyse_protein module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.ampal.assembly.html">isambard.ampal.assembly module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.ampal.base_ampal.html">isambard.ampal.base_ampal module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.ampal.interactions.html">isambard.ampal.interactions module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.ampal.ligands.html">isambard.ampal.ligands module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.ampal.non_canonical.html">isambard.ampal.non_canonical module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.ampal.nucleic_acid.html">isambard.ampal.nucleic_acid module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.ampal.pdb_parser.html">isambard.ampal.pdb_parser module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.ampal.protein.html">isambard.ampal.protein module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.ampal.pseudo_atoms.html">isambard.ampal.pseudo_atoms module</a></li>
</ul>
</li>
<li class="toctree-l2"><a class="reference internal" href="isambard.ampal.html#module-isambard.ampal">Module contents</a></li>
</ul>
</li>
<li class="toctree-l1"><a class="reference internal" href="isambard.buff.html">isambard.buff package</a><ul>
<li class="toctree-l2"><a class="reference internal" href="isambard.buff.html#submodules">Submodules</a><ul>
<li class="toctree-l3"><a class="reference internal" href="isambard.buff.calculate_energy.html">isambard.buff.calculate_energy module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.buff.force_field.html">isambard.buff.force_field module</a></li>
</ul>
</li>
<li class="toctree-l2"><a class="reference internal" href="isambard.buff.html#module-isambard.buff">Module contents</a></li>
</ul>
</li>
<li class="toctree-l1"><a class="reference internal" href="isambard.external_programs.html">isambard.external_programs package</a><ul>
<li class="toctree-l2"><a class="reference internal" href="isambard.external_programs.html#submodules">Submodules</a><ul>
<li class="toctree-l3"><a class="reference internal" href="isambard.external_programs.dssp.html">isambard.external_programs.dssp module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.external_programs.naccess.html">isambard.external_programs.naccess module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.external_programs.profit.html">isambard.external_programs.profit module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.external_programs.reduce.html">isambard.external_programs.reduce module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.external_programs.scwrl.html">isambard.external_programs.scwrl module</a></li>
</ul>
</li>
<li class="toctree-l2"><a class="reference internal" href="isambard.external_programs.html#module-isambard.external_programs">Module contents</a></li>
</ul>
</li>
<li class="toctree-l1"><a class="reference internal" href="isambard.optimisation.html">isambard.optimisation package</a><ul>
<li class="toctree-l2"><a class="reference internal" href="isambard.optimisation.html#submodules">Submodules</a><ul>
<li class="toctree-l3"><a class="reference internal" href="isambard.optimisation.base_evo_opt.html">isambard.optimisation.base_evo_opt module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.optimisation.evo_optimizers.html">isambard.optimisation.evo_optimizers module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.optimisation.mmc_optimizer.html">isambard.optimisation.mmc_optimizer module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.optimisation.optimizer.html">isambard.optimisation.optimizer module</a></li>
</ul>
</li>
<li class="toctree-l2"><a class="reference internal" href="isambard.optimisation.html#module-isambard.optimisation">Module contents</a></li>
</ul>
</li>
<li class="toctree-l1"><a class="reference internal" href="isambard.tools.html">isambard.tools package</a><ul>
<li class="toctree-l2"><a class="reference internal" href="isambard.tools.html#submodules">Submodules</a><ul>
<li class="toctree-l3"><a class="reference internal" href="isambard.tools.amino_acids.html">isambard.tools.amino_acids module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.tools.file_parsing.html">isambard.tools.file_parsing module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.tools.geometry.html">isambard.tools.geometry module</a></li>
<li class="toctree-l3"><a class="reference internal" href="isambard.tools.isambard_warnings.html">isambard.tools.isambard_warnings module</a></li>
</ul>
</li>
<li class="toctree-l2"><a class="reference internal" href="isambard.tools.html#module-isambard.tools">Module contents</a></li>
</ul>
</li>
</ul>
</div>
</div>
<div class="section" id="submodules">
<h2>Submodules<a class="headerlink" href="#submodules" title="Permalink to this headline">¶</a></h2>
<div class="toctree-wrapper compound">
<ul>
<li class="toctree-l1"><a class="reference internal" href="isambard.configure.html">isambard.configure module</a></li>
<li class="toctree-l1"><a class="reference internal" href="isambard.settings.html">isambard.settings module</a></li>
</ul>
</div>
</div>
<div class="section" id="module-isambard">
<span id="module-contents"></span><h2>Module contents<a class="headerlink" href="#module-isambard" title="Permalink to this headline">¶</a></h2>
</div>
</div>
</div>
<div class="articleComments">
</div>
</div>
<footer>
<hr/>
<div role="contentinfo">
<p>
© Copyright 2017, Woolfson Group.
Last updated on October 09, 2017.
</p>
</div>
Built with <a href="http://sphinx-doc.org/">Sphinx</a> using a <a href="https://github.com/snide/sphinx_rtd_theme">theme</a> provided by <a href="https://readthedocs.org">Read the Docs</a>.
</footer>
</div>
</div>
</section>
</div>
<script type="text/javascript">
var DOCUMENTATION_OPTIONS = {
URL_ROOT:'./',
VERSION:'1.4.1',
COLLAPSE_INDEX:false,
FILE_SUFFIX:'.html',
HAS_SOURCE: true,
SOURCELINK_SUFFIX: '.txt'
};
</script>
<script type="text/javascript" src="_static/jquery.js"></script>
<script type="text/javascript" src="_static/underscore.js"></script>
<script type="text/javascript" src="_static/doctools.js"></script>
<script type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.0/MathJax.js?config=TeX-AMS-MML_HTMLorMML"></script>
<script type="text/javascript" src="_static/js/theme.js"></script>
<script type="text/javascript">
jQuery(function () {
SphinxRtdTheme.StickyNav.enable();
});
</script>
</body>
</html> |
clean/Linux-x86_64-4.02.1-1.2.0/stable/8.4.dev/math-classes/1.0.2/index.html | coq-bench/coq-bench.github.io-old | <!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>Coq bench</title>
<link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" />
<link href="../../../../../bootstrap.min.css" rel="stylesheet">
<link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet">
<script src="../../../../../moment.min.js"></script>
<!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries -->
<!-- WARNING: Respond.js doesn't work if you view the page via file:// -->
<!--[if lt IE 9]>
<script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script>
<script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script>
<![endif]-->
</head>
<body>
<div class="container">
<div class="navbar navbar-default" role="navigation">
<div class="container-fluid">
<div class="navbar-header">
<button type="button" class="navbar-toggle collapsed" data-toggle="collapse" data-target="#navbar" aria-expanded="false" aria-controls="navbar">
<span class="sr-only">Toggle navigation</span>
<span class="icon-bar"></span>
<span class="icon-bar"></span>
<span class="icon-bar"></span>
</button>
<a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a>
</div>
<div id="navbar" class="collapse navbar-collapse">
<ul class="nav navbar-nav">
<li><a href="../../..">Stable</a></li>
<li class="active"><a href="">8.4.dev / math-classes 1.0.2</a></li>
</ul>
<ul class="nav navbar-nav navbar-right">
<li><a href="../../../../../about.html">About</a></li>
</ul>
</div>
</div>
</div>
<div class="article">
<div class="row">
<div class="col-md-12">
<a href="../../..">« Up</a>
<h1>math-classes <small>1.0.2</small></h1>
<table class="table table-striped text-center">
<thead>
<tr>
<td>Date</td>
<td>Time</td>
<td>Relative</td>
<td>Status</td>
</tr>
</thead>
<tbody>
<tr>
<td>2015-01-31</td>
<td>07:07:03</td>
<td><script>document.write(moment("2015-01-31 07:07:03 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script></td>
<td class="success"><a href="2015-01-31_07-07-03.html">2 m 45 s</a></td>
</tr>
<tr>
<td>2015-01-28</td>
<td>17:16:14</td>
<td><script>document.write(moment("2015-01-28 17:16:14 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script></td>
<td class="success"><a href="2015-01-28_17-16-14.html">2 m 49 s</a></td>
</tr>
<tr>
<td>2015-01-07</td>
<td>11:33:27</td>
<td><script>document.write(moment("2015-01-07 11:33:27 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script></td>
<td class="success"><a href="2015-01-07_11-33-27.html">2 m 49 s</a></td>
</tr>
<tr>
<td>2014-12-13</td>
<td>02:44:28</td>
<td><script>document.write(moment("2014-12-13 02:44:28 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script></td>
<td class="success"><a href="2014-12-13_02-44-28.html">2 m 44 s</a></td>
</tr>
<tr>
<td>2014-12-03</td>
<td>14:03:48</td>
<td><script>document.write(moment("2014-12-03 14:03:48 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script></td>
<td class="success"><a href="2014-12-03_14-03-48.html">2 m 44 s</a></td>
</tr>
<tr>
<td>2014-11-26</td>
<td>01:17:55</td>
<td><script>document.write(moment("2014-11-26 01:17:55 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script></td>
<td class="success"><a href="2014-11-26_01-17-55.html">2 m 38 s</a></td>
</tr>
</tbody>
</table>
</div>
</div>
</div>
<hr/>
<div class="footer">
<p class="text-center">
<small>Sources are on <a href="https://github.com/coq-bench">GitHub</a>. © Guillaume Claret.</small>
</p>
</div>
</div>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script src="../../../../../bootstrap.min.js"></script>
</body>
</html> |
toolchain/osx/gcc-arm-none-eabi-6-2017-q1-update/share/doc/gcc-arm-none-eabi/html/stabs/N_005fPC.html | ChangsoonKim/STM32F7DiscTutor | <html lang="en">
<head>
<title>N_PC - STABS</title>
<meta http-equiv="Content-Type" content="text/html">
<meta name="description" content="STABS">
<meta name="generator" content="makeinfo 4.8">
<link title="Top" rel="start" href="index.html#Top">
<link rel="up" href="Expanded-Reference.html#Expanded-Reference" title="Expanded Reference">
<link rel="next" href="N_005fNSYMS.html#N_005fNSYMS" title="N_NSYMS">
<link href="http://www.gnu.org/software/texinfo/" rel="generator-home" title="Texinfo Homepage">
<!--
Copyright (C) 1992-2017 Free Software Foundation, Inc.
Contributed by Cygnus Support. Written by Julia Menapace, Jim Kingdon,
and David MacKenzie.
Permission is granted to copy, distribute and/or modify this document
under the terms of the GNU Free Documentation License, Version 1.3 or
any later version published by the Free Software Foundation; with no
Invariant Sections, with no Front-Cover Texts, and with no Back-Cover
Texts. A copy of the license is included in the section entitled ``GNU
Free Documentation License''.-->
<meta http-equiv="Content-Style-Type" content="text/css">
<style type="text/css"><!--
pre.display { font-family:inherit }
pre.format { font-family:inherit }
pre.smalldisplay { font-family:inherit; font-size:smaller }
pre.smallformat { font-family:inherit; font-size:smaller }
pre.smallexample { font-size:smaller }
pre.smalllisp { font-size:smaller }
span.sc { font-variant:small-caps }
span.roman { font-family:serif; font-weight:normal; }
span.sansserif { font-family:sans-serif; font-weight:normal; }
--></style>
</head>
<body>
<div class="node">
<p>
<a name="N_PC"></a>
<a name="N_005fPC"></a>
Next: <a rel="next" accesskey="n" href="N_005fNSYMS.html#N_005fNSYMS">N_NSYMS</a>,
Up: <a rel="up" accesskey="u" href="Expanded-Reference.html#Expanded-Reference">Expanded Reference</a>
<hr>
</div>
<h3 class="section">D.1 N_PC</h3>
<div class="defun">
— <code>.stabs</code>: <b>N_PC</b><var><a name="index-N_005fPC-53"></a></var><br>
<blockquote><p><a name="index-N_005fPC-54"></a>Global symbol (for Pascal).
<pre class="example"> "name" -> "symbol_name" <<?>>
value -> supposedly the line number (stab.def is skeptical)
</pre>
<pre class="display"> <samp><span class="file">stabdump.c</span></samp> says:
global pascal symbol: name,,0,subtype,line
<< subtype? >>
</pre>
</blockquote></div>
</body></html>
|
6.Blog_Layout/assets/css/style_responsive.css | avinassh/Code-Examples-RWD | body {
font-family: georgia;
background-color: #f4f4f4;
margin: 15px auto;
width: 80%;
}
header {
font-size: 4em;
text-align: center;
background-color: rgb(66, 139, 202);
color: #fff;
padding: 10px 10px;
}
#blog {
max-width: 70%;
float: left;
margin-bottom: 10px;
line-height: 1.7em;
}
#about p {
margin: 6px 10px 6px 10px;
line-height: 1.4em;
}
nav {
margin-top: 20px;
float: right;
width: 30%;
}
nav section {
margin-bottom: 10px;
background-color: rgb(227, 236, 243);
color: rgba(0, 0, 0, 0.7);
border-radius: 3%;
width: 100%;
padding: 2px 2px 2px 2px;
}
nav h1 {
text-align: center;
}
#social {
text-align: center;
}
img,video {
max-width: 100%;
}
#avatar {
width: 70%;
border-radius: 5%;
margin: 5px 15% 20px 15%;
}
.ads {
text-align: center;
}
#post-title {
font-size: 35px;
font-style: italic
}
hr {
border: 0;
height: 1px;
background: #333;
background-image: -webkit-linear-gradient(left, #ccc, #333, #ccc);
background-image: -moz-linear-gradient(left, #ccc, #333, #ccc);
background-image: -ms-linear-gradient(left, #ccc, #333, #ccc);
background-image: -o-linear-gradient(left, #ccc, #333, #ccc);
}
blockquote {
background: url('http://i.imgur.com/VG5N5iW.gif') top left no-repeat;
padding-left: 70px;
background-color: #dadada;
padding-left: 70px;
padding-top: 18px;
padding-bottom: 18px;
padding-right: 10px;
}
footer {
font-size: 32px;
text-align: center;
background-color: rgba(0, 0, 0, 0.7);
color: rgba(255, 255, 255, 0.9);
padding: 60px 5px;
clear: both;
}
@media (max-width: 968px) {
#blog {
max-width: 100%;
}
nav {
display: none;
}
blockquote {
padding-left: 20%;
padding-top: 3%;
padding-bottom: 3%;
padding-right: 5%;
margin-right: -5%;
margin-left: -5%;
}
}
@media (max-width: 319px) {
header {
font-size: 1em;
text-align: center;
background-color: rgb(66, 139, 202);
color: #fff;
padding: 2px 2px;
}
#post-title {
font-size: 1em;
font-style: italic;
}
#blog {
font-size: 0.5em;
}
nav {
display: none;
}
blockquote {
padding-left: 20%;
padding-top: 3%;
padding-bottom: 3%;
padding-right: 5%;
margin-right: -5%;
margin-left: -5%;
}
footer {
font-size: 1em;
text-align: center;
background-color: rgba(0, 0, 0, 0.7);
color: rgba(255, 255, 255, 0.9);
padding: 2px 2px;
clear: both;
}
}
|
src/map.css | MFlores2021/QuiGMap | svg {
font: 10px sans-serif;
}
path {
fill: steelblue;
}
.axis path,
.axis line {
fill: none;
stroke: #000;
shape-rendering: crispEdges;
stroke-width: 0);
}
.brush .extent {
stroke: #fff;
fill-opacity: .125;
shape-rendering: crispEdges;
}
.arc{
fill: pink;
stroke: red;
}
.line {
fill: none;
stroke: #666;
stroke-width: 1.5px;
}
div.tooltip {
position: absolute;
text-align: center;
width: 80px;
height: 22px;
padding: 3px;
font: 10px sans-serif;
background: #ddd;
border: solid 1px #aaa;
border-radius: 6px;
pointer-events: none;
z-index:-1;
}
|
blog-posts/week3_technical.html | gphummer/gphummer.github.io | <!DOCTYPE html>
<html>
<head>
<title> @granthummer | grant's_blog </title>
<link rel="stylesheet" type="text/css" href="../stylesheets/blog-stylesheet.css" />
</head>
<body>
<div id="header">
<img id="header_image" src="../imgs/cool-g-100px-alpha.png" />
<ul id="upper_navbar">
<li> @granthummer </li>
|
<li> grant_pw_hummer </li>
</ul>
<hr />
<ul id="lower_navbar">
<li> <a href="#">about </a>|</li>
<li> <a href="#">blog_archive </a>|</li>
<li> <a href="#">twitter </a>|</li>
<li> <a href="#">github </a>|</li>
<li> <a href="#">say_hello </a></li>
</ul>
</div>
<div id="posts">
<h1 class="post_title"> JavaScript Technical Post </h1>
<div class="post_content">
<p> JavaScript is oftentimes called the 'programming language of the web.' It allows you to modify what would normally be static elements on an HTML page and move them around, modify their values, add to them, delete them, animate them, and so on, all within the comfort of the client web browser. But there's one question people sometimes have: WHY? Why is JavaScript so popular?
</p>
<p>
First of all, JavaScript is (relatively) easy to learn. It's a weakly typed language, meaning that beginners can make mistakes with object/variable data types and still have their programs run. This can actually be counterproductive since it introduces hard-to-track bugs, but it enables you to get up and running with JavaScript quickly. JavaScript also benefits from a network effect; that is, the more people that use it, the more libraries, frameworks and documentation are written for it, making it more valuable than other languages which might be superior but lack the extraordinary and huge community JavaScript has built over decades of being the web's programming language.
</p>
<p>
Perhaps the biggest reason why JavaScript is so popular is because it's implemented in every web browser. Simply put, if you want to easily create client side/front-end code, as far as I can see JavaScript is your only real option.
</p>
</div>
</div>
<!--- three_column_footer -->
<div id="footer">
<h3 id="latest_tweet"> latest_tweet </h3>
<h3 id="recent_posts"> recent_posts </h3>
<h3 id="get_in_touch"> get_in_touch </h3>
</div>
<div id="footer_of_footer"> @2014 grant_hummer </div>
</body>
</html> |
doc/files/doc/files/doc/files/doc/files/test/use_uuid_test_rb_html_html_html.html | henriquez/use_uuid | <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en">
<head>
<title>File: use_uuid_test_rb_html_html.html [RDoc Documentation]</title>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta http-equiv="Content-Script-Type" content="text/javascript" />
<link rel="stylesheet" href="../../../../../../../.././rdoc-style.css" type="text/css" media="screen" />
<script type="text/javascript">
// <![CDATA[
function popupCode( url ) {
window.open(url, "Code", "resizable=yes,scrollbars=yes,toolbar=no,status=no,height=150,width=400")
}
function toggleCode( id ) {
if ( document.getElementById )
elem = document.getElementById( id );
else if ( document.all )
elem = eval( "document.all." + id );
else
return false;
elemStyle = elem.style;
if ( elemStyle.display != "block" ) {
elemStyle.display = "block"
} else {
elemStyle.display = "none"
}
return true;
}
// Make codeblocks hidden by default
document.writeln( "<style type=\"text/css\">div.method-source-code { display: none }<\/style>" )
// ]]>
</script>
</head>
<body>
<div id="fileHeader">
<h1>use_uuid_test_rb_html_html.html</h1>
<table class="header-table">
<tr class="top-aligned-row">
<td><strong>Path:</strong></td>
<td>doc/files/doc/files/doc/files/test/use_uuid_test_rb_html_html.html
</td>
</tr>
<tr class="top-aligned-row">
<td><strong>Last Update:</strong></td>
<td>Mon Apr 27 10:26:34 -0700 2009</td>
</tr>
</table>
</div>
<!-- banner header -->
<div id="bodyContent">
<div id="contextContent">
<div id="description">
<p>
<!DOCTYPE html PUBLIC “-//W3C//DTD XHTML 1.0 Strict//EN“
“<a
href="http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd</a>“>
<html xmlns=“<a
href="http://www.w3.org/1999/xhtml">www.w3.org/1999/xhtml</a>“
xml:lang=“en” lang=“en”> <head>
</p>
<pre>
<title>File: use_uuid_test_rb_html.html [RDoc Documentation]</title>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta http-equiv="Content-Script-Type" content="text/javascript" />
<link rel="stylesheet" href="../../../../../.././rdoc-style.css" type="text/css" media="screen" />
<script type="text/javascript">
// <![CDATA[
function popupCode( url ) {
window.open(url, "Code", "resizable=yes,scrollbars=yes,toolbar=no,status=no,height=150,width=400")
}
function toggleCode( id ) {
if ( document.getElementById )
elem = document.getElementById( id );
else if ( document.all )
elem = eval( "document.all." + id );
else
return false;
elemStyle = elem.style;
if ( elemStyle.display != "block" ) {
elemStyle.display = "block"
} else {
elemStyle.display = "none"
}
return true;
}
// Make codeblocks hidden by default
document.writeln( "<style type=\"text/css\">div.method-source-code { display: none }<\/style>" )
// ]]>
</script>
</pre>
<p>
</head> <body>
</p>
<pre>
<div id="fileHeader">
<h1>use_uuid_test_rb_html.html</h1>
<table class="header-table">
<tr class="top-aligned-row">
<td><strong>Path:</strong></td>
<td>doc/files/doc/files/test/use_uuid_test_rb_html.html
</td>
</tr>
<tr class="top-aligned-row">
<td><strong>Last Update:</strong></td>
<td>Mon Apr 27 10:19:49 -0700 2009</td>
</tr>
</table>
</div>
<!-- banner header -->
<div id="bodyContent">
<div id="contextContent">
<div id="description">
<p>
</pre>
<p>
<!DOCTYPE html PUBLIC &8220;-//W3C//DTD XHTML 1.0 Strict//EN&8220;
&8220;<a href=“<a
href="http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd</a>“">www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd</a>“</a>;>
<html xmlns=&8220;<a href=“<a
href="http://www.w3.org/1999/xhtml">www.w3.org/1999/xhtml</a>“">www.w3.org/1999/xhtml">www.w3.org/1999/xhtml</a>“</a>;
xml:lang=&8220;en&8221; lang=&8220;en&8221;> <head> </p>
<pre>
</p>
<pre>
&lt;title&gt;File: use_uuid_test_rb.html [RDoc Documentation]&lt;/title&gt;
&lt;meta http-equiv=&quot;Content-Type&quot; content=&quot;text/html; charset=utf-8&quot; /&gt;
&lt;meta http-equiv=&quot;Content-Script-Type&quot; content=&quot;text/javascript&quot; /&gt;
&lt;link rel=&quot;stylesheet&quot; href=&quot;../../../.././rdoc-style.css&quot; type=&quot;text/css&quot; media=&quot;screen&quot; /&gt;
&lt;script type=&quot;text/javascript&quot;&gt;
// &lt;![CDATA[
function popupCode( url ) {
window.open(url, &quot;Code&quot;, &quot;resizable=yes,scrollbars=yes,toolbar=no,status=no,height=150,width=400&quot;)
}
function toggleCode( id ) {
if ( document.getElementById )
elem = document.getElementById( id );
else if ( document.all )
elem = eval( &quot;document.all.&quot; + id );
else
return false;
elemStyle = elem.style;
if ( elemStyle.display != &quot;block&quot; ) {
elemStyle.display = &quot;block&quot;
} else {
elemStyle.display = &quot;none&quot;
}
return true;
}
// Make codeblocks hidden by default
document.writeln( &quot;&lt;style type=\&quot;text/css\&quot;&gt;div.method-source-code { display: none }&lt;\/style&gt;&quot; )
// ]]&gt;
&lt;/script&gt;
</pre>
<p>
</pre> <p> </head> <body> </p> <pre>
</p>
<pre>
&lt;div id=&quot;fileHeader&quot;&gt;
&lt;h1&gt;use_uuid_test_rb.html&lt;/h1&gt;
&lt;table class=&quot;header-table&quot;&gt;
&lt;tr class=&quot;top-aligned-row&quot;&gt;
&lt;td&gt;&lt;strong&gt;Path:&lt;/strong&gt;&lt;/td&gt;
&lt;td&gt;doc/files/test/use_uuid_test_rb.html
&lt;/td&gt;
&lt;/tr&gt;
&lt;tr class=&quot;top-aligned-row&quot;&gt;
&lt;td&gt;&lt;strong&gt;Last Update:&lt;/strong&gt;&lt;/td&gt;
&lt;td&gt;Mon Apr 27 10:13:21 -0700 2009&lt;/td&gt;
&lt;/tr&gt;
&lt;/table&gt;
&lt;/div&gt;
&lt;!-- banner header --&gt;
&lt;div id=&quot;bodyContent&quot;&gt;
&lt;div id=&quot;contextContent&quot;&gt;
&lt;div id=&quot;description&quot;&gt;
&lt;p&gt;
</pre>
<p>
</pre> <p> <!DOCTYPE html PUBLIC &amp;8220;-//W3C//DTD XHTML 1.0
Strict//EN&amp;8220; &amp;8220;<a href=&8220;<a href=“<a
href="http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd</a>“">www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd</a>“</a">www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd</a>“">www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd</a>“</a</a>>;>
<html xmlns=&amp;8220;<a href=&8220;<a href=“<a
href="http://www.w3.org/1999/xhtml">www.w3.org/1999/xhtml</a>“">www.w3.org/1999/xhtml">www.w3.org/1999/xhtml</a>“</a">www.w3.org/1999/xhtml">www.w3.org/1999/xhtml</a>“">www.w3.org/1999/xhtml">www.w3.org/1999/xhtml</a>“</a</a>>;
xml:lang=&amp;8220;en&amp;8221;
lang=&amp;8220;en&amp;8221;> <head> </p> <pre> </p> <pre>
</p>
<pre>
&amp;lt;title&amp;gt;File: use_uuid_test.rb [RDoc Documentation]&amp;lt;/title&amp;gt;
&amp;lt;meta http-equiv=&amp;quot;Content-Type&amp;quot; content=&amp;quot;text/html; charset=utf-8&amp;quot; /&amp;gt;
&amp;lt;meta http-equiv=&amp;quot;Content-Script-Type&amp;quot; content=&amp;quot;text/javascript&amp;quot; /&amp;gt;
&amp;lt;link rel=&amp;quot;stylesheet&amp;quot; href=&amp;quot;../.././rdoc-style.css&amp;quot; type=&amp;quot;text/css&amp;quot; media=&amp;quot;screen&amp;quot; /&amp;gt;
&amp;lt;script type=&amp;quot;text/javascript&amp;quot;&amp;gt;
// &amp;lt;![CDATA[
function popupCode( url ) {
window.open(url, &amp;quot;Code&amp;quot;, &amp;quot;resizable=yes,scrollbars=yes,toolbar=no,status=no,height=150,width=400&amp;quot;)
}
function toggleCode( id ) {
if ( document.getElementById )
elem = document.getElementById( id );
else if ( document.all )
elem = eval( &amp;quot;document.all.&amp;quot; + id );
else
return false;
elemStyle = elem.style;
if ( elemStyle.display != &amp;quot;block&amp;quot; ) {
elemStyle.display = &amp;quot;block&amp;quot;
} else {
elemStyle.display = &amp;quot;none&amp;quot;
}
return true;
}
// Make codeblocks hidden by default
document.writeln( &amp;quot;&amp;lt;style type=\&amp;quot;text/css\&amp;quot;&amp;gt;div.method-source-code { display: none }&amp;lt;\/style&amp;gt;&amp;quot; )
// ]]&amp;gt;
&amp;lt;/script&amp;gt;
</pre>
<p>
</pre> <p> </pre> <p> </head> <body> </p> <pre> </p> <pre>
</p>
<pre>
&amp;lt;div id=&amp;quot;fileHeader&amp;quot;&amp;gt;
&amp;lt;h1&amp;gt;use_uuid_test.rb&amp;lt;/h1&amp;gt;
&amp;lt;table class=&amp;quot;header-table&amp;quot;&amp;gt;
&amp;lt;tr class=&amp;quot;top-aligned-row&amp;quot;&amp;gt;
&amp;lt;td&amp;gt;&amp;lt;strong&amp;gt;Path:&amp;lt;/strong&amp;gt;&amp;lt;/td&amp;gt;
&amp;lt;td&amp;gt;test/use_uuid_test.rb
&amp;lt;/td&amp;gt;
&amp;lt;/tr&amp;gt;
&amp;lt;tr class=&amp;quot;top-aligned-row&amp;quot;&amp;gt;
&amp;lt;td&amp;gt;&amp;lt;strong&amp;gt;Last Update:&amp;lt;/strong&amp;gt;&amp;lt;/td&amp;gt;
&amp;lt;td&amp;gt;Sun Apr 26 17:03:44 -0700 2009&amp;lt;/td&amp;gt;
&amp;lt;/tr&amp;gt;
&amp;lt;/table&amp;gt;
&amp;lt;/div&amp;gt;
&amp;lt;!-- banner header --&amp;gt;
&amp;lt;div id=&amp;quot;bodyContent&amp;quot;&amp;gt;
&amp;lt;div id=&amp;quot;contextContent&amp;quot;&amp;gt;
&amp;lt;div id=&amp;quot;requires-list&amp;quot;&amp;gt;
&amp;lt;h3 class=&amp;quot;section-bar&amp;quot;&amp;gt;Required files&amp;lt;/h3&amp;gt;
&amp;lt;div class=&amp;quot;name-list&amp;quot;&amp;gt;
test/unit&amp;amp;nbsp;&amp;amp;nbsp;
lib/activerecord_test&amp;amp;nbsp;&amp;amp;nbsp;
fixtures/model_with_uuids&amp;amp;nbsp;&amp;amp;nbsp;
&amp;lt;/div&amp;gt;
&amp;lt;/div&amp;gt;
&amp;lt;/div&amp;gt;
&amp;lt;/div&amp;gt;
&amp;lt;!-- if includes --&amp;gt;
&amp;lt;div id=&amp;quot;section&amp;quot;&amp;gt;
&amp;lt;!-- if method_list --&amp;gt;
&amp;lt;/div&amp;gt;
</pre>
<p>
</pre> <p> </pre> <p> <div id=&amp;8220;validator-badges&amp;8221;>
</p> <pre> </p> <pre>
</p>
<pre>
&amp;lt;p&amp;gt;&amp;lt;small&amp;gt;&amp;lt;a href=&amp;quot;http://validator.w3.org/check/referer&amp;quot;&amp;gt;[Validate]&amp;lt;/a&amp;gt;&amp;lt;/small&amp;gt;&amp;lt;/p&amp;gt;
</pre>
<p>
</pre> <p> </pre> <p> </div> </p> <p> </body> </html> </p> </p> <pre>
</p>
<pre>
&lt;/div&gt;
&lt;/div&gt;
&lt;/div&gt;
&lt;!-- if includes --&gt;
&lt;div id=&quot;section&quot;&gt;
&lt;!-- if method_list --&gt;
&lt;/div&gt;
</pre>
<p>
</pre> <p> <div id=&8220;validator-badges&8221;> </p> <pre>
</p>
<pre>
&lt;p&gt;&lt;small&gt;&lt;a href=&quot;http://validator.w3.org/check/referer&quot;&gt;[Validate]&lt;/a&gt;&lt;/small&gt;&lt;/p&gt;
</pre>
<p>
</pre> <p> </div> </p> <p> </body> </html> </p>
</p>
<pre>
</div>
</div>
</div>
<!-- if includes -->
<div id="section">
<!-- if method_list -->
</div>
</pre>
<p>
<div id=“validator-badges”>
</p>
<pre>
<p><small><a href="http://validator.w3.org/check/referer">[Validate]</a></small></p>
</pre>
<p>
</div>
</p>
<p>
</body> </html>
</p>
</div>
</div>
</div>
<!-- if includes -->
<div id="section">
<!-- if method_list -->
</div>
<div id="validator-badges">
<p><small><a href="http://validator.w3.org/check/referer">[Validate]</a></small></p>
</div>
</body>
</html>
|
app/styles/app.css | yiom/blog-class | html, body {
text-align: center;
padding-top: 10px;
}
.post {
display: block;
text-align: left;
max-width: 400px;
margin: 10px auto;
padding: 10px;
background: #FFF;
border-radius: 2px;
-webkit-box-shadow: 2px 2px 5px 0px rgba(50, 50, 50, 0.75);
-moz-box-shadow: 2px 2px 5px 0px rgba(50, 50, 50, 0.75);
box-shadow: 2px 2px 5px 0px rgba(50, 50, 50, 0.75);
}
.post > * {
display: block;
margin-bottom: 10px;
}
.post > .title {
display: block;
font-size: 1.3em;
}
.post > button {
margin-top: 10px;
display: block;
}
|
documentation/html/structget__size_3_010_00_01first__size_00_01sizes_8_8_8_01_4.html | mabur/gal | <!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.11"/>
<title>General Array Library: get_size< 0, first_size, sizes... > Struct Template 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="navtree.css" rel="stylesheet" type="text/css"/>
<script type="text/javascript" src="resize.js"></script>
<script type="text/javascript" src="navtreedata.js"></script>
<script type="text/javascript" src="navtree.js"></script>
<script type="text/javascript">
$(document).ready(initResizable);
$(window).load(resizeHeight);
</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="projectalign" style="padding-left: 0.5em;">
<div id="projectname">General Array Library
</div>
</td>
</tr>
</tbody>
</table>
</div>
<!-- end header part -->
<!-- Generated by Doxygen 1.8.11 -->
<div id="navrow1" class="tabs">
<ul class="tablist">
<li><a href="index.html"><span>Main Page</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>
</ul>
</div>
</div><!-- top -->
<div id="side-nav" class="ui-resizable side-nav-resizable">
<div id="nav-tree">
<div id="nav-tree-contents">
<div id="nav-sync" class="sync"></div>
</div>
</div>
<div id="splitbar" style="-moz-user-select:none;"
class="ui-resizable-handle">
</div>
</div>
<script type="text/javascript">
$(document).ready(function(){initNavTree('structget__size_3_010_00_01first__size_00_01sizes_8_8_8_01_4.html','');});
</script>
<div id="doc-content">
<div class="header">
<div class="summary">
<a href="#pub-static-attribs">Static Public Attributes</a> |
<a href="structget__size_3_010_00_01first__size_00_01sizes_8_8_8_01_4-members.html">List of all members</a> </div>
<div class="headertitle">
<div class="title">get_size< 0, first_size, sizes... > Struct Template Reference</div> </div>
</div><!--header-->
<div class="contents">
<table class="memberdecls">
<tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pub-static-attribs"></a>
Static Public Attributes</h2></td></tr>
<tr class="memitem:a2f84b09aba9bef28d2b229be0f2859e8"><td class="memItemLeft" align="right" valign="top"><a class="anchor" id="a2f84b09aba9bef28d2b229be0f2859e8"></a>
static constexpr size_t </td><td class="memItemRight" valign="bottom"><b>value</b> = first_size</td></tr>
<tr class="separator:a2f84b09aba9bef28d2b229be0f2859e8"><td class="memSeparator" colspan="2"> </td></tr>
</table>
<hr/>The documentation for this struct was generated from the following file:<ul>
<li><a class="el" href="array__base__static_8hpp_source.html">array_base_static.hpp</a></li>
</ul>
</div><!-- contents -->
</div><!-- doc-content -->
<!-- start footer part -->
<div id="nav-path" class="navpath"><!-- id is needed for treeview function! -->
<ul>
<li class="navelem"><a class="el" href="structget__size_3_010_00_01first__size_00_01sizes_8_8_8_01_4.html">get_size< 0, first_size, sizes... ></a></li>
<li class="footer">Generated by
<a href="http://www.doxygen.org/index.html">
<img class="footer" src="doxygen.png" alt="doxygen"/></a> 1.8.11 </li>
</ul>
</div>
</body>
</html>
|
examples/primitive-objects/index.html | fridek/scenejs-physics | <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<title></title>
<script type="text/javascript" src="../../lib/scenejs.js"></script>
<link href="../web/style.css" rel="stylesheet" type="text/css"/>
</head>
<div id="container">
<div id="header">
<div id="header-nav">
</div>
<div id="header-inner">
<h1><a href="http://scenejs.org">SceneJS</a> > <a href="../index.html">Examples</a> > Primitive Objects
</h1>
<a class="a2a_dd" href="http://www.addtoany.com/share_save?linkname=s&linkurl=s"><img
src="http://static.addtoany.com/buttons/share_save_171_16.png" width="171" height="16" border="0"
alt="Share/Bookmark"/></a>
<script type="text/javascript">
var a2a_linkname = "SceneJS Live Examples";
var a2a_linkurl = window.location;
var a2a_onclick = 1;</script>
<script type="text/javascript" src="http://static.addtoany.com/menu/page.js"></script>
</div>
</div>
<div id="content">
<ul class="hlist">
<li>
<form id="choose-object-type">
<fieldset>
<legend>Look at</legend>
<label><input type="radio" name="object-type" value="boxes"> Boxes</input></label>
<label><input type="radio" name="object-type" value="spheres"> Spheres</input></label>
<label><input type="radio" name="object-type" value="disks" checked> Disks</input></label>
</fieldset>
</form>
</li>
<li>
<fieldset>
<legend>State</legend>
<label>rotation: <input id="rotation" type="checkbox"/></label>
<label>specular light: <input id="specular-light" type="checkbox" checked/></label>
</fieldset>
</li>
<canvas id="theCanvas" width="1030" height="700">
<p>This example requires a browser that supports the
<a href="http://www.w3.org/html/wg/html5/">HTML5</a>
<canvas> feature.</p>
</canvas>
<div id="info">
<h2>Primitive Objects: Sphere, Box, Disk</h2>
<p>This example shows three of the basic primitive renderable objects: sphere, box, and disk
rendered in both solid and wireframe.</p>
<ul>
<li><a target="_other" href="primitive-objects.js">Scene source code</a></li>
</ul>
</div>
<div id="log">
<h3>Log</h3>
<div id="theLoggingDiv"></div>
</div>
</div>
</div>
<script type="text/javascript" src="primitive-objects.js"></script>
</body>
</html> |
_posts/2016/05/2016-05-18-common-sense-review.html | swcarpentry/website | ---
layout: post
authors: ["Christopher Lortie"]
title: "A Common Sense Review of a Software Carpentry Workshop"
date: 2016-05-18
time: "02:30:00"
tags: ["Workshops"]
---
<p>
<em>Re-posted with permission from <a href="http://www.christopherlortie.info/a-common-sense-review-of-swcarpentry-workshop-by-remidaigle-juliesquid-ben_d_best-ecodatasci-from-brenucsb-nceas/">the author's blog</a>.</em>
</p>
<p><strong>Rationale</strong></p>
<p>
This Fall, I am teaching graduate-level biostatistics. I have not
had the good fortune of teaching many graduate-level offerings, and
I am really excited to do so. A team of top-notch big data
scientists are hosted
at <a href="https://www.nceas.ucsb.edu/">NCEAS</a>. They have
recently formed a really exciting collaborative-learning collective
entitled <a href="http://eco-data-science.github.io/">ecodatascience</a>. I
was also aware of the mission
of <a href="http://software-carpentry.org/">Software Carpentry</a>
but had not reviewed the materials. The ecodatascience collective
recently hosted
a <a href="http://remi-daigle.github.io/2016-04-15-UCSB/">carpentry
workshop</a>, and I attended. I am a parent and
use <a href="https://www.commonsensemedia.org/">common sense
media</a> as a tool to decide on appropriate content. As a tribute
to that tool and the efforts of the ecodatascience instructors, here
is a brief common sense review.
</p>
<table>
<tr>
<td>
<img src="{{site.filesurl}}/2016/05/comp.jpg" alt="computer icon" />
</td>
<td>
<strong>ecodatascience software carpentry workshop <br/> Spring 2016</strong>
</td>
</tr>
</table>
<p><img src="{{site.filesurl}}/2016/05/rating-300x64.jpg" alt="rating" /></p>
<p><strong>What You Need to Know</strong></p>
<p><img src="{{site.filesurl}}/2016/05/sw-carpentry-review.jpg" alt="summary" /></p>
<p>
You need to know that the materials, approach, and teaching provided
through software carpentry are a perfect example of contemporary,
pragmatic, practice-what-you-teach instruction. Basic coding skills,
common tools, workflows, and the culture of open science were
clearly communicated throughout the two days of instruction and
discussion, and this is a clear 5/5 rating. Contemporary ecology
should be collaborative, transparent, and reproducible. It is not
always easy to embody this. The use of GitHub and RStudio
facilitated a very clear signal of collaboration and documented
workflows.
</p>
<p>
All instructors were positive role models, and both men and women
participated in direct instruction and facilitation on both days.
This is also a perfect rating. Contemporary ecology is not about
fixed scientific products nor an elite, limited-diversity set of
participants within the scientific process. This workshop was a
refreshing look at how teaching and collaboration have
changed. There were also no slide decks. Instructors worked directly
from RStudio, GitHub Desktop app, the web, and gh-pages pushed to
the browser. It worked perfectly. I think this would be an ideal
approach to teaching biostatistics.
</p>
<p>
Statistics are not the same as data wrangling or coding. However,
data science (wrangling & manipulation, workflows, meta-data,
open data, & collaborative analysis tools) should be clearly
explained and differentiated from statistical analyses in every
statistics course and at least primer level instruction provided in
data science. I have witnessed significant confusion from
established, senior scientists on the difference between data
science/management and statistics, and it is thus critical that we
communicate to students the importance and relationship between both
now if we want to promote data literacy within society.
</p>
<p>
There was no sex, drinking, or violence during the course :).
Language was an appropriate mix of technical and colloquial so I
gave it a positive rating, i.e. I view 1 star as positive as you
want some colloquial but not too much in teaching precise data
science or statistics. Finally, I rated consumerism at 3/5, and I
view this an excellent rating. The instructors did not overstate the
value of these open science tools – but they could have and I wanted
them to! It would be fantastic to encourage everyone to adopt these
tools, but I recognize the challenges to making them work in all
contexts including teaching at the undergraduate or even graduate
level in some scientific domains.
</p>
<p>
<strong>Bottom line</strong> for me – no slide decks for biostats
course, I will use GitHub and push content out, and I will share
repo with students. We will spend one third of the course on data
science and how this connects to statistics, one third on connecting
data to basic analyses and documented workflows, and the final
component will include several advanced statistical analyses that
the graduate students identify as critical to their respective
thesis research projects.
</p>
<p>
I would strongly recommend that you attend a workshop model similar
to the work of Software Carpentry and the ecodatascience
collective. I think the best learning happens in these contexts. The
more closely that advanced, smaller courses emulate the workshop
model, the more likely that students will engage in active research
similarly. I am also keen to start one of these collectives within
my department, but I suspect that it is better lead by more junior
scientists.
</p>
<p>
Net rating of workshop is <strong>5 stars</strong>.
</p>
<p>
<strong>Age</strong> at 14+ (kind of a joke), but it is a proxy for
competency needed. This workshop model is best pitched to those that
can follow and read instructions well and are comfortable with a
little drift in being lead through steps without a simplified slide
deck.
</p>
|
app/css/vitPlayer.css | meschiany/WebClientLecturus | div.addContent{
display:none;
}
|
doc/files/js_coreDataStructure_registerInfo.js.html | keenanleman/sap1simulator | <!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>js/coreDataStructure/registerInfo.js - SAP-1 Simulator</title>
<link rel="stylesheet" href="http://yui.yahooapis.com/3.9.1/build/cssgrids/cssgrids-min.css">
<link rel="stylesheet" href="../assets/vendor/prettify/prettify-min.css">
<link rel="stylesheet" href="../assets/css/main.css" id="site_styles">
<link rel="icon" href="../assets/favicon.ico">
<script src="http://yui.yahooapis.com/combo?3.9.1/build/yui/yui-min.js"></script>
</head>
<body class="yui3-skin-sam">
<div id="doc">
<div id="hd" class="yui3-g header">
<div class="yui3-u-3-4">
<h1><img src="../assets/css/logo.png" title="SAP-1 Simulator" width="117" height="52"></h1>
</div>
<div class="yui3-u-1-4 version">
<em>API Docs for: 0.0.1</em>
</div>
</div>
<div id="bd" class="yui3-g">
<div class="yui3-u-1-4">
<div id="docs-sidebar" class="sidebar apidocs">
<div id="api-list">
<h2 class="off-left">APIs</h2>
<div id="api-tabview" class="tabview">
<ul class="tabs">
<li><a href="#api-classes">Classes</a></li>
<li><a href="#api-modules">Modules</a></li>
</ul>
<div id="api-tabview-filter">
<input type="search" id="api-filter" placeholder="Type to filter APIs">
</div>
<div id="api-tabview-panel">
<ul id="api-classes" class="apis classes">
<li><a href="../classes/BdInfo.html">BdInfo</a></li>
<li><a href="../classes/controlCtrl.html">controlCtrl</a></li>
<li><a href="../classes/CuInfo.html">CuInfo</a></li>
<li><a href="../classes/parserService.html">parserService</a></li>
<li><a href="../classes/RamInfo.html">RamInfo</a></li>
<li><a href="../classes/Register.html">Register</a></li>
<li><a href="../classes/RegisterInfo.html">RegisterInfo</a></li>
<li><a href="../classes/registerService.html">registerService</a></li>
<li><a href="../classes/schedulerModule.html">schedulerModule</a></li>
<li><a href="../classes/simulatorCtrl.html">simulatorCtrl</a></li>
<li><a href="../classes/util.html">util</a></li>
</ul>
<ul id="api-modules" class="apis modules">
<li><a href="../modules/controlModule.html">controlModule</a></li>
<li><a href="../modules/parserModule.html">parserModule</a></li>
<li><a href="../modules/RegisterInfoPseudoModule.html">RegisterInfoPseudoModule</a></li>
<li><a href="../modules/registerModule.html">registerModule</a></li>
<li><a href="../modules/sapApp.html">sapApp</a></li>
<li><a href="../modules/schedulerModule.html">schedulerModule</a></li>
<li><a href="../modules/simulatorModule.html">simulatorModule</a></li>
</ul>
</div>
</div>
</div>
</div>
</div>
<div class="yui3-u-3-4">
<div id="api-options">
Show:
<label for="api-show-inherited">
<input type="checkbox" id="api-show-inherited" checked>
Inherited
</label>
<label for="api-show-protected">
<input type="checkbox" id="api-show-protected">
Protected
</label>
<label for="api-show-private">
<input type="checkbox" id="api-show-private">
Private
</label>
<label for="api-show-deprecated">
<input type="checkbox" id="api-show-deprecated">
Deprecated
</label>
</div>
<div class="apidocs">
<div id="docs-main">
<div class="content">
<h1 class="file-heading">File: js/coreDataStructure/registerInfo.js</h1>
<div class="file">
<pre class="code prettyprint linenums">
/**
* Merupakan kelas yang membuat objek-objek register-register umum
* @class RegisterInfo
* @constructor
* @param {String} title name register
* @param {String} value nilai awal register
* @param {String} left posisi x register
* @param {String} top posisi y register
* @param {String} bits ukuran register dalam bit
* @module RegisterInfoPseudoModule
*/
var RegisterInfo = function(title,value,left,top,bits){
/**
* Menyimpan nama dari register untuk di tampilkan pada dom
* @property title
* @type String
*/
this.title = title;
/**
* Menyimpan nama dari register untuk dapat diakses dari kelas Register
* @property name
* @type String
*/
this.name = title.toLowerCase();
/**
* Menyimpan nilai dari register dalam bentuk binary
* @property display
* @type String
*/
this.display = util.convertToBin({value : value, bits : bits});
/**
* Menyimpan ukuran dari register dalam bit
* @property bits
* @type Number
*/
this.bits = bits;
/**
* Menyimpan nilai dari register dalam bentuk desimal
* @property value
* @type Number
*/
this.value = value;
/**
* Menyimpan posisi x dari register
* @property left
* @type Number
*/
this.left = left;
/**
* Menyimpan posisi y dari register
* @property top
* @type Number
*/
this.top = top;
/**
* Mengeset data atau nilai pada register
* @method setData
* @param {RegisterInfo} reginfo register yang di gunakan sebagai sumber data
* @param {Number} EtoF bagian 4-bit pertama jika bernilai satu dan 4-bit terakhir jika bernilai dua,
* dari 8 bit data yang akan dipindahkan ke register 4-bit, tidak di gunakan jika perpindahan data
* antara dua register berukuran sama.
*/
this.setData = function(reginfo,EtoF){
if(EtoF){
var dataBin = util.splitBits(reginfo);
if(EtoF === 1){
this.value = dataBin.first.value;
this.display = dataBin.first.display;
}else if(EtoF === 2){
this.value = dataBin.second.value;
this.display = dataBin.second.display;
}
}else {
this.value = reginfo.value;
this.display = util.convertToBin(reginfo);
}
}
/**
* Mengambil data dari register
* @method getData
* @return {Number} data dari register
*/
this.getData = function(){
return this.value;
}
/**
* Mengeset register dengan nol
* @method resetToZero
*/
this.resetToZero = function(){
this.value = 0;
this.setData(this);
}
/**
* Mengambil data dari register dalam bentuk binary
* @method getDisplay
* @return {String} data register dalam bentuk binary
*/
this.getDisplay = function(){
return this.display;
}
}
</pre>
</div>
</div>
</div>
</div>
</div>
</div>
</div>
<script src="../assets/vendor/prettify/prettify-min.js"></script>
<script>prettyPrint();</script>
<script src="../assets/js/yui-prettify.js"></script>
<script src="../assets/../api.js"></script>
<script src="../assets/js/api-filter.js"></script>
<script src="../assets/js/api-list.js"></script>
<script src="../assets/js/api-search.js"></script>
<script src="../assets/js/apidocs.js"></script>
</body>
</html>
|
vodnik/15.04/music-player-notrecognized.html | ubuntu-si/ubuntu.si | <!DOCTYPE html>
<html lang=sl>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<title>Zakaj moj predvajalnik zvoka ob vklopu ni prepoznan?</title>
<script type="text/javascript" src="jquery.js"></script><script type="text/javascript" src="jquery.syntax.js"></script><script type="text/javascript" src="yelp.js"></script><link rel="shortcut icon" href="https://www.ubuntu.si/favicon.ico">
<link rel="stylesheet" type="text/css" href="../vodnik_1404.css">
</head>
<body id="home"><div id="wrapper" class="hfeed">
<div id="header">
<div id="branding">
<div id="blog-title"><span><a rel="home" title="Ubuntu Slovenija | Uradna spletna stran slovenske skupnosti Linux distribucije Ubuntu" href="//www.ubuntu.si">Ubuntu Slovenija | Uradna spletna stran slovenske skupnosti Linux distribucije Ubuntu</a></span></div>
<h1 id="blog-description"></h1>
</div>
<div id="access"><div id="loco-header-menu"><ul id="primary-header-menu"><li class="widget-container widget_nav_menu" id="nav_menu-3"><div class="menu-glavni-meni-container"><ul class="menu" id="menu-glavni-meni">
<li id="menu-item-15" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-15"><a href="//www.ubuntu.si">Domov</a></li>
<li id="menu-item-2776" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-2776"><a href="//www.ubuntu.si/category/novice/">Novice</a></li>
<li id="menu-item-16" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-16"><a href="//www.ubuntu.si/forum/">Forum</a></li>
<li id="menu-item-19" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-19"><a href="//www.ubuntu.si/kaj-je-ubuntu/">Kaj je Ubuntu?</a></li>
<li id="menu-item-20" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-20"><a href="//www.ubuntu.si/pogosta_vprasanja/">Pogosta vprašanja</a></li>
<li id="menu-item-17" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-17"><a href="//www.ubuntu.si/skupnost/">Skupnost</a></li>
<li id="menu-item-18" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-18"><a href="//www.ubuntu.si/povezave/">Povezave</a></li>
</ul></div></li></ul></div></div>
</div>
<div id="main"><div id="cwt-content" class="clearfix content-area"><div id="page">
<div class="trails" role="navigation"><div class="trail"> » <a class="trail" href="index.html" title="Namizni vodnik Ubuntu"><span class="media"><span class="media media-image"><img src="figures/ubuntu-logo.png" height="16" width="16" class="media media-inline" alt="Pomoč"></span></span> Namizni vodnik Ubuntu</a> » <a class="trail" href="media.html" title="Zvok, video in slike">Zvok, video in slike</a> › <a class="trail" href="media.html#music" title="Glasba in prenosni predvajalniki zvoka">Glasba in predvajalniki</a> » </div></div>
<div id="content">
<div class="hgroup"><h1 class="title"><span class="title">Zakaj moj predvajalnik zvoka ob vklopu ni prepoznan?</span></h1></div>
<div class="region">
<div class="contents">
<p class="p">V primeru da vaš predvajalnik zvoka (predvajalnik MP3 in podobno) vklopite v računalnik, vendar ga v programu za organizacijo ne morete videti, potem morda ni bil pravilno prepoznan kot predvajalnik zvoka.</p>
<p class="p">Predvajalnik poskusite odklopiti in ponovno priklopiti. Če to ne pomaga, <span class="link"><a href="files-browse.html" title="Brskanje med datotekami in mapami">odprite upravljalnik datotek</a></span>. Predvajalnik bi morali videti pod <span class="gui">Naprave</span> v stranski vrstici. Kliknite nanj za odprtje mape predvajalnika zvoka. Sedaj kliknite <span class="guiseq"><span class="gui">Datoteka</span> ▸ <span class="gui">Nov dokument</span> ▸ <span class="gui">Prazen dokument</span></span>, vnesite <span class="input">.is_audio_player</span> in pritisnite <span class="key"><kbd>Enter</kbd></span> (pika in podčrtaji so pomembni. Uporabite male črke). Ta datoteka pove računalniku, naj napravo prepozna kot predvajalnik zvoka.</p>
<p class="p">Sedaj najdite predvajalnik zvoka v stranski vrstici upravljalnika datotek in ga izvrzite (desno kliknite nanj in kliknite <span class="gui">Izvrzi</span>. Odklopite ga in ga priklopite nazaj. Tokrat bi ga moral organizator glasbe prepoznati kot predvajalnik zvoka. Če se to ne zgodi, poskusite organizator glasbe zapreti in ga znova odpreti.</p>
<div class="note" title="Opomba"><div class="inner"><div class="region"><div class="contents"><p class="p">Ta navodila ne bodo delovala za iPode in nekatere druge predvajalnike zvoka. To bi moralo delovati, če je vaš predvajalnik naprava <span class="em">obsežne shrambe USB</span>. To bi moralo pisati v priročniku naprave.</p></div></div></div></div>
<div class="note" title="Opomba"><div class="inner"><div class="region"><div class="contents"><p class="p">Ko boste ponovno pogledali v mapo predvajalnika zvoka, datoteke <span class="input">.is_audio_player</span> ne boste več videli. To je posledica tega, da pika upravljalniku datotek pove, naj datoteko skrije. Če je še vedno tam, lahko preverite s klikom na <span class="guiseq"><span class="gui">Pogled</span> ▸ <span class="gui">Pokaži skrite datoteke</span></span>.</p></div></div></div></div>
</div>
<div class="sect sect-links" role="navigation">
<div class="hgroup"></div>
<div class="contents">
<div class="links guidelinks"><div class="inner">
<div class="title"><h2><span class="title">Več podrobnosti</span></h2></div>
<div class="region"><ul><li class="links "><a href="media.html#music" title="Glasba in prenosni predvajalniki zvoka">Glasba in predvajalniki</a></li></ul></div>
</div></div>
<div class="links seealsolinks"><div class="inner">
<div class="title"><h2><span class="title">Poglejte tudi</span></h2></div>
<div class="region"><ul><li class="links ">
<a href="music-player-newipod.html" title="Moj novi iPod ne deluje">Moj novi iPod ne deluje</a><span class="desc"> — Nove iPode morate pred uporabo nastaviti z uporabo programa iTunes.</span>
</li></ul></div>
</div></div>
</div>
</div>
</div>
<div class="clear"></div>
</div>
</div></div></div>
<div id="footer">
<img src="https://piwik-ubuntusi.rhcloud.com/piwik.php?idsite=1&rec=1" style="border:0" alt=""><div id="siteinfo"><p>Material v tem dokumentu je na voljo pod prosto licenco. To je prevod dokumentacije Ubuntu, ki jo je sestavila <a href="https://wiki.ubuntu.com/DocumentationTeam">Ubuntu dokumentacijska ekpa za Ubuntu</a>. V slovenščino jo je prevedla skupina <a href="https://wiki.lugos.si/slovenjenje:ubuntu">Ubuntu prevajalcev</a>. Za poročanje napak v prevodih v tej dokumentaciji ali Ubuntuju pošljite sporočilo na <a href="mailto:ubuntu-l10n-slv@lists.ubuntu.com?subject=Prijava%20napak%20v%20prevodih">dopisni seznam</a>.</p></div>
</div>
</div></body>
</html>
|
java/2013/com/sun/squawk/util/ByteArrayInputStreamWithSetBytes.html | arithehun/frc | <!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_29) on Thu Jan 03 13:25:25 EST 2013 -->
<TITLE>
ByteArrayInputStreamWithSetBytes (2013 FRC Java API)
</TITLE>
<META NAME="date" CONTENT="2013-01-03">
<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="ByteArrayInputStreamWithSetBytes (2013 FRC Java 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="#FFFFFF" CLASS="NavBarCell1Rev"> <FONT CLASS="NavBarFont1Rev"><B>Class</B></FONT> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="class-use/ByteArrayInputStreamWithSetBytes.html"><FONT CLASS="NavBarFont1"><B>Use</B></FONT></A> </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>
"<p style=\"background-color:${javadoc.bgcolor}; color:${javadoc.fgcolor}; padding:4px 5px 2px 3px; margin-top:-1px\"><b>2013 FRC Java API</b></p>"</EM>
</TD>
</TR>
<TR>
<TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2">
<A HREF="../../../../com/sun/squawk/util/BitSet.html" title="class in com.sun.squawk.util"><B>PREV CLASS</B></A>
<A HREF="../../../../com/sun/squawk/util/ByteArrayOutputStreamWithGetBytes.html" title="class in com.sun.squawk.util"><B>NEXT CLASS</B></A></FONT></TD>
<TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2">
<A HREF="../../../../index.html?com/sun/squawk/util/ByteArrayInputStreamWithSetBytes.html" target="_top"><B>FRAMES</B></A>
<A HREF="ByteArrayInputStreamWithSetBytes.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>
<TR>
<TD VALIGN="top" CLASS="NavBarCell3"><FONT SIZE="-2">
SUMMARY: NESTED | <A HREF="#field_summary">FIELD</A> | <A HREF="#constructor_summary">CONSTR</A> | <A HREF="#method_summary">METHOD</A></FONT></TD>
<TD VALIGN="top" CLASS="NavBarCell3"><FONT SIZE="-2">
DETAIL: <A HREF="#field_detail">FIELD</A> | <A HREF="#constructor_detail">CONSTR</A> | <A HREF="#method_detail">METHOD</A></FONT></TD>
</TR>
</TABLE>
<A NAME="skip-navbar_top"></A>
<!-- ========= END OF TOP NAVBAR ========= -->
<HR>
<!-- ======== START OF CLASS DATA ======== -->
<H2>
<FONT SIZE="-1">
com.sun.squawk.util</FONT>
<BR>
Class ByteArrayInputStreamWithSetBytes</H2>
<PRE>
<A HREF="../../../../java/lang/Object.html" title="class in java.lang">java.lang.Object</A>
<IMG SRC="../../../../resources/inherit.gif" ALT="extended by "><A HREF="../../../../java/io/InputStream.html" title="class in java.io">java.io.InputStream</A>
<IMG SRC="../../../../resources/inherit.gif" ALT="extended by "><A HREF="../../../../java/io/ByteArrayInputStream.html" title="class in java.io">java.io.ByteArrayInputStream</A>
<IMG SRC="../../../../resources/inherit.gif" ALT="extended by "><B>com.sun.squawk.util.ByteArrayInputStreamWithSetBytes</B>
</PRE>
<HR>
<DL>
<DT><PRE>public class <B>ByteArrayInputStreamWithSetBytes</B><DT>extends <A HREF="../../../../java/io/ByteArrayInputStream.html" title="class in java.io">ByteArrayInputStream</A></DL>
</PRE>
<P>
An extention of <A HREF="../../../../java/io/ByteArrayInputStream.html" title="class in java.io"><CODE>ByteArrayInputStream</CODE></A> that allows the byte array buffer to be modified, using the
<A HREF="../../../../com/sun/squawk/util/ByteArrayInputStreamWithSetBytes.html#setBytes(byte[], int, int)"><CODE>setBytes(byte[], int, int)</CODE></A> method.
<P>
<P>
<DL>
<DT><B>See Also:</B><DD><A HREF="../../../../java/io/ByteArrayInputStream.html" title="class in java.io"><CODE>ByteArrayInputStream</CODE></A></DL>
<HR>
<P>
<!-- =========== FIELD SUMMARY =========== -->
<A NAME="field_summary"><!-- --></A>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor">
<TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2">
<B>Field Summary</B></FONT></TH>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1">
<CODE>protected int</CODE></FONT></TD>
<TD><CODE><B><A HREF="../../../../com/sun/squawk/util/ByteArrayInputStreamWithSetBytes.html#offset">offset</A></B></CODE>
<BR>
</TD>
</TR>
</TABLE>
<A NAME="fields_inherited_from_class_java.io.ByteArrayInputStream"><!-- --></A>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#EEEEFF" CLASS="TableSubHeadingColor">
<TH ALIGN="left"><B>Fields inherited from class java.io.<A HREF="../../../../java/io/ByteArrayInputStream.html" title="class in java.io">ByteArrayInputStream</A></B></TH>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD><CODE><A HREF="../../../../java/io/ByteArrayInputStream.html#buf">buf</A>, <A HREF="../../../../java/io/ByteArrayInputStream.html#count">count</A>, <A HREF="../../../../java/io/ByteArrayInputStream.html#mark">mark</A>, <A HREF="../../../../java/io/ByteArrayInputStream.html#pos">pos</A></CODE></TD>
</TR>
</TABLE>
<!-- ======== CONSTRUCTOR SUMMARY ======== -->
<A NAME="constructor_summary"><!-- --></A>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor">
<TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2">
<B>Constructor Summary</B></FONT></TH>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD><CODE><B><A HREF="../../../../com/sun/squawk/util/ByteArrayInputStreamWithSetBytes.html#ByteArrayInputStreamWithSetBytes(byte[])">ByteArrayInputStreamWithSetBytes</A></B>(byte[] bytes)</CODE>
<BR>
</TD>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD><CODE><B><A HREF="../../../../com/sun/squawk/util/ByteArrayInputStreamWithSetBytes.html#ByteArrayInputStreamWithSetBytes(byte[], int, int)">ByteArrayInputStreamWithSetBytes</A></B>(byte[] bytes,
int offset,
int length)</CODE>
<BR>
</TD>
</TR>
</TABLE>
<!-- ========== METHOD SUMMARY =========== -->
<A NAME="method_summary"><!-- --></A>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor">
<TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2">
<B>Method Summary</B></FONT></TH>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1">
<CODE> int</CODE></FONT></TD>
<TD><CODE><B><A HREF="../../../../com/sun/squawk/util/ByteArrayInputStreamWithSetBytes.html#getPos()">getPos</A></B>()</CODE>
<BR>
</TD>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1">
<CODE> void</CODE></FONT></TD>
<TD><CODE><B><A HREF="../../../../com/sun/squawk/util/ByteArrayInputStreamWithSetBytes.html#setBytes(byte[], int, int)">setBytes</A></B>(byte[] bytes,
int offset,
int length)</CODE>
<BR>
</TD>
</TR>
</TABLE>
<A NAME="methods_inherited_from_class_java.io.ByteArrayInputStream"><!-- --></A>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#EEEEFF" CLASS="TableSubHeadingColor">
<TH ALIGN="left"><B>Methods inherited from class java.io.<A HREF="../../../../java/io/ByteArrayInputStream.html" title="class in java.io">ByteArrayInputStream</A></B></TH>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD><CODE><A HREF="../../../../java/io/ByteArrayInputStream.html#available()">available</A>, <A HREF="../../../../java/io/ByteArrayInputStream.html#close()">close</A>, <A HREF="../../../../java/io/ByteArrayInputStream.html#mark(int)">mark</A>, <A HREF="../../../../java/io/ByteArrayInputStream.html#markSupported()">markSupported</A>, <A HREF="../../../../java/io/ByteArrayInputStream.html#read()">read</A>, <A HREF="../../../../java/io/ByteArrayInputStream.html#read(byte[], int, int)">read</A>, <A HREF="../../../../java/io/ByteArrayInputStream.html#reset()">reset</A>, <A HREF="../../../../java/io/ByteArrayInputStream.html#skip(long)">skip</A></CODE></TD>
</TR>
</TABLE>
<A NAME="methods_inherited_from_class_java.io.InputStream"><!-- --></A>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#EEEEFF" CLASS="TableSubHeadingColor">
<TH ALIGN="left"><B>Methods inherited from class java.io.<A HREF="../../../../java/io/InputStream.html" title="class in java.io">InputStream</A></B></TH>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD><CODE><A HREF="../../../../java/io/InputStream.html#read(byte[])">read</A></CODE></TD>
</TR>
</TABLE>
<A NAME="methods_inherited_from_class_java.lang.Object"><!-- --></A>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#EEEEFF" CLASS="TableSubHeadingColor">
<TH ALIGN="left"><B>Methods inherited from class java.lang.<A HREF="../../../../java/lang/Object.html" title="class in java.lang">Object</A></B></TH>
</TR>
<TR BGCOLOR="white" CLASS="TableRowColor">
<TD><CODE><A HREF="../../../../java/lang/Object.html#equals(java.lang.Object)">equals</A>, <A HREF="../../../../java/lang/Object.html#getClass()">getClass</A>, <A HREF="../../../../java/lang/Object.html#hashCode()">hashCode</A>, <A HREF="../../../../java/lang/Object.html#notify()">notify</A>, <A HREF="../../../../java/lang/Object.html#notifyAll()">notifyAll</A>, <A HREF="../../../../java/lang/Object.html#toString()">toString</A>, <A HREF="../../../../java/lang/Object.html#wait()">wait</A>, <A HREF="../../../../java/lang/Object.html#wait(long)">wait</A>, <A HREF="../../../../java/lang/Object.html#wait(long, int)">wait</A></CODE></TD>
</TR>
</TABLE>
<P>
<!-- ============ FIELD DETAIL =========== -->
<A NAME="field_detail"><!-- --></A>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor">
<TH ALIGN="left" COLSPAN="1"><FONT SIZE="+2">
<B>Field Detail</B></FONT></TH>
</TR>
</TABLE>
<A NAME="offset"><!-- --></A><H3>
offset</H3>
<PRE>
protected int <B>offset</B></PRE>
<DL>
<DL>
</DL>
</DL>
<!-- ========= CONSTRUCTOR DETAIL ======== -->
<A NAME="constructor_detail"><!-- --></A>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor">
<TH ALIGN="left" COLSPAN="1"><FONT SIZE="+2">
<B>Constructor Detail</B></FONT></TH>
</TR>
</TABLE>
<A NAME="ByteArrayInputStreamWithSetBytes(byte[])"><!-- --></A><H3>
ByteArrayInputStreamWithSetBytes</H3>
<PRE>
public <B>ByteArrayInputStreamWithSetBytes</B>(byte[] bytes)</PRE>
<DL>
</DL>
<HR>
<A NAME="ByteArrayInputStreamWithSetBytes(byte[], int, int)"><!-- --></A><H3>
ByteArrayInputStreamWithSetBytes</H3>
<PRE>
public <B>ByteArrayInputStreamWithSetBytes</B>(byte[] bytes,
int offset,
int length)</PRE>
<DL>
</DL>
<!-- ============ METHOD DETAIL ========== -->
<A NAME="method_detail"><!-- --></A>
<TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY="">
<TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor">
<TH ALIGN="left" COLSPAN="1"><FONT SIZE="+2">
<B>Method Detail</B></FONT></TH>
</TR>
</TABLE>
<A NAME="getPos()"><!-- --></A><H3>
getPos</H3>
<PRE>
public int <B>getPos</B>()</PRE>
<DL>
<DD><DL>
</DL>
</DD>
</DL>
<HR>
<A NAME="setBytes(byte[], int, int)"><!-- --></A><H3>
setBytes</H3>
<PRE>
public void <B>setBytes</B>(byte[] bytes,
int offset,
int length)</PRE>
<DL>
<DD><DL>
</DL>
</DD>
</DL>
<!-- ========= END OF CLASS DATA ========= -->
<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="#FFFFFF" CLASS="NavBarCell1Rev"> <FONT CLASS="NavBarFont1Rev"><B>Class</B></FONT> </TD>
<TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="class-use/ByteArrayInputStreamWithSetBytes.html"><FONT CLASS="NavBarFont1"><B>Use</B></FONT></A> </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>
"<p style=\"background-color:${javadoc.bgcolor}; color:${javadoc.fgcolor}; padding:4px 5px 2px 3px; margin-top:-1px\"><b>2013 FRC Java API</b></p>"</EM>
</TD>
</TR>
<TR>
<TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2">
<A HREF="../../../../com/sun/squawk/util/BitSet.html" title="class in com.sun.squawk.util"><B>PREV CLASS</B></A>
<A HREF="../../../../com/sun/squawk/util/ByteArrayOutputStreamWithGetBytes.html" title="class in com.sun.squawk.util"><B>NEXT CLASS</B></A></FONT></TD>
<TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2">
<A HREF="../../../../index.html?com/sun/squawk/util/ByteArrayInputStreamWithSetBytes.html" target="_top"><B>FRAMES</B></A>
<A HREF="ByteArrayInputStreamWithSetBytes.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>
<TR>
<TD VALIGN="top" CLASS="NavBarCell3"><FONT SIZE="-2">
SUMMARY: NESTED | <A HREF="#field_summary">FIELD</A> | <A HREF="#constructor_summary">CONSTR</A> | <A HREF="#method_summary">METHOD</A></FONT></TD>
<TD VALIGN="top" CLASS="NavBarCell3"><FONT SIZE="-2">
DETAIL: <A HREF="#field_detail">FIELD</A> | <A HREF="#constructor_detail">CONSTR</A> | <A HREF="#method_detail">METHOD</A></FONT></TD>
</TR>
</TABLE>
<A NAME="skip-navbar_bottom"></A>
<!-- ======== END OF BOTTOM NAVBAR ======= -->
<HR>
"<center><i><font size=\"-1\">For updated information see the <a href=\"http://www.usfirst.org/roboticsprograms/frc/\">Java FRC site</a></font></i></center>"
</BODY>
</HTML>
|
rtmidi-1.0.10/doc/html/classRtMidiIn-members.html | asselstine/JRtMidi | <HTML>
<HEAD>
<TITLE>The RtMidi Tutorial</TITLE>
<LINK HREF="doxygen.css" REL="stylesheet" TYPE="text/css">
</HEAD>
<BODY BGCOLOR="#FFFFFF">
<CENTER>
<a class="qindex" href="index.html">Tutorial</a> <a class="qindex" href="annotated.html">Class/Enum List</a> <a class="qindex" href="files.html">File List</a> <a class="qindex" href="functions.html">Compound Members</a> </CENTER>
<HR>
<!-- Generated by Doxygen 1.5.8 -->
<div class="contents">
<h1>RtMidiIn Member List</h1>This is the complete list of members for <a class="el" href="classRtMidiIn.html">RtMidiIn</a>, including all inherited members.<p><table>
<tr class="memlist"><td><a class="el" href="classRtMidiIn.html#de23832a66c1ed56965c26325602543e">cancelCallback</a>()</td><td><a class="el" href="classRtMidiIn.html">RtMidiIn</a></td><td></td></tr>
<tr class="memlist"><td><a class="el" href="classRtMidiIn.html#55bacf0d228fd8e3be6a79d12fd1dc39">closePort</a>(void)</td><td><a class="el" href="classRtMidiIn.html">RtMidiIn</a></td><td><code> [virtual]</code></td></tr>
<tr class="memlist"><td><a class="el" href="classRtMidiIn.html#1ba10ecd276b30a8579c7d60a9c890eb">getMessage</a>(std::vector< unsigned char > *message)</td><td><a class="el" href="classRtMidiIn.html">RtMidiIn</a></td><td></td></tr>
<tr class="memlist"><td><a class="el" href="classRtMidiIn.html#62b1b38aa8e5f11cd66f03d59228f4e4">getPortCount</a>()</td><td><a class="el" href="classRtMidiIn.html">RtMidiIn</a></td><td><code> [virtual]</code></td></tr>
<tr class="memlist"><td><a class="el" href="classRtMidiIn.html#f2961fff09fa01a3d5bc0f0c5a042aaf">getPortName</a>(unsigned int portNumber=0)</td><td><a class="el" href="classRtMidiIn.html">RtMidiIn</a></td><td><code> [virtual]</code></td></tr>
<tr class="memlist"><td><a class="el" href="classRtMidiIn.html#f9507125aaa42276ccc01df576fc3533">ignoreTypes</a>(bool midiSysex=true, bool midiTime=true, bool midiSense=true)</td><td><a class="el" href="classRtMidiIn.html">RtMidiIn</a></td><td></td></tr>
<tr class="memlist"><td><a class="el" href="classRtMidiIn.html#7e853661b1056083e07318d67c51f6fd">openPort</a>(unsigned int portNumber=0, const std::string Portname=std::string("RtMidi Input"))</td><td><a class="el" href="classRtMidiIn.html">RtMidiIn</a></td><td><code> [virtual]</code></td></tr>
<tr class="memlist"><td><a class="el" href="classRtMidiIn.html#245261b3f12ce727faed18fcfeef18c2">openVirtualPort</a>(const std::string portName=std::string("RtMidi Input"))</td><td><a class="el" href="classRtMidiIn.html">RtMidiIn</a></td><td><code> [virtual]</code></td></tr>
<tr class="memlist"><td><a class="el" href="classRtMidiIn.html#297d2eb3c3420b437970a6fc59d89cbf">RtMidiCallback</a> typedef</td><td><a class="el" href="classRtMidiIn.html">RtMidiIn</a></td><td></td></tr>
<tr class="memlist"><td><a class="el" href="classRtMidiIn.html#31abb996e5fdc4a8f9dc5a50848e2ee5">RtMidiIn</a>(const std::string clientName=std::string("RtMidi Input Client"))</td><td><a class="el" href="classRtMidiIn.html">RtMidiIn</a></td><td></td></tr>
<tr class="memlist"><td><a class="el" href="classRtMidiIn.html#7590563461c7467608a4b3806406b32d">setCallback</a>(RtMidiCallback callback, void *userData=0)</td><td><a class="el" href="classRtMidiIn.html">RtMidiIn</a></td><td></td></tr>
<tr class="memlist"><td><a class="el" href="classRtMidiIn.html#2e15868916737039e0a34d47bffdf188">setQueueSizeLimit</a>(unsigned int queueSize)</td><td><a class="el" href="classRtMidiIn.html">RtMidiIn</a></td><td></td></tr>
<tr class="memlist"><td><a class="el" href="classRtMidiIn.html#f865d88c154b6fdadc640da5dc278d40">~RtMidiIn</a>()</td><td><a class="el" href="classRtMidiIn.html">RtMidiIn</a></td><td></td></tr>
</table></div>
<HR>
<table><tr><td><img src="../images/mcgill.gif" width=165></td>
<td>©2003-2009 Gary P. Scavone, McGill University. All Rights Reserved.<br>
Maintained by Gary P. Scavone, gary at music.mcgill.ca</td></tr>
</table>
</BODY>
</HTML>
|
tags/go/p/1/index.html | CoderHui/CoderHui.github.io | <!DOCTYPE html><html><head><title>https://coderhui.github.io/tags/go/</title><link rel="canonical" href="https://coderhui.github.io/tags/go/"/><meta name="robots" content="noindex"><meta http-equiv="content-type" content="text/html; charset=utf-8" /><meta http-equiv="refresh" content="0; url=https://coderhui.github.io/tags/go/" /></head></html> |
testApp/app/views/device/torch.html | pentateu/steroids-js | <ul class="list">
<li class="performsTest" data-test="testTorchOn">
turnOn()
</li>
<li class="performsTest" data-test="testTorchOff">
turnOff()
</li>
<li class="performsTest" data-test="testTorchToggle">
toggle()
</li>
</ul>
|
app/html/signin.html | Keiranbeaton/basketball-bracket | <kb-sign-in base-url="baseUrl" config="httpConfig"></kb-sign-in>
|
_includes/snippets/de/facebook.html | kitesurf/kitesurf.github.io | {% if page.amp == true %}
<amp-iframe src="https://www.facebook.com/plugins/likebox.php?href=https%3A%2F%2Fwww.facebook.com%2FKitesurfMallorca&width240&height=250&colorscheme=light&show_faces=true&header=false&stream=false&show_border=false&appId=296657447029072" layout="responsive" sandbox="allow-scripts allow-same-origin allow-popups" scrolling="no" frameborder="0" height="250" width="240"></amp-iframe>
{% else %}
<script>
function createIframe(){
var i = document.createElement("iframe");
i.src = "//www.facebook.com/plugins/likebox.php?href=https%3A%2F%2Fwww.facebook.com%2FKitesurfMallorca&width240&height=250&colorscheme=light&show_faces=true&header=false&stream=false&show_border=false&appId=296657447029072";
i.style = "border:none; overflow:hidden; height:250px; width:240px;";
document.getElementById("faceframe").appendChild(i);
};
if (window.addEventListener)
window.addEventListener("load", createIframe, false);
else if (window.attachEvent)
window.attachEvent("onload", createIframe);
else window.onload = createIframe;
</script>
<div id="faceframe"><noscript>
<iframe src="//www.facebook.com/plugins/likebox.php?href=https%3A%2F%2Fwww.facebook.com%2FKitesurfMallorca&width240&height=250&colorscheme=light&show_faces=true&header=false&stream=false&show_border=false&appId=296657447029072" style="border:none; overflow:hidden; height:250px; width:240px;"></iframe></noscript></div>
{% endif %} |
docs/d4/d18/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1forward__iterator__provider__impl.html | 2bbb/bit_by_bit | <!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.13"/>
<meta name="viewport" content="width=device-width, initial-scale=1"/>
<title>bit by bit: bbb::container::iterator::iterator_providers< container >::forward_iterator_provider_impl Struct 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>
<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="projectalign" style="padding-left: 0.5em;">
<div id="projectname">bit by bit
 <span id="projectnumber">0.0.1</span>
</div>
</td>
</tr>
</tbody>
</table>
</div>
<!-- end header part -->
<!-- Generated by Doxygen 1.8.13 -->
<script type="text/javascript">
var searchBox = new SearchBox("searchBox", "../../search",false,'Search');
</script>
<script type="text/javascript" src="../../menudata.js"></script>
<script type="text/javascript" src="../../menu.js"></script>
<script type="text/javascript">
$(function() {
initMenu('../../',true,false,'search.php','Search');
$(document).ready(function() { init_search(); });
});
</script>
<div id="main-nav"></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="../../dc/d34/namespacebbb.html">bbb</a></li><li class="navelem"><a class="el" href="../../d3/d3c/namespacebbb_1_1container.html">container</a></li><li class="navelem"><a class="el" href="../../d8/d67/namespacebbb_1_1container_1_1iterator.html">iterator</a></li><li class="navelem"><a class="el" href="../../d3/dc7/structbbb_1_1container_1_1iterator_1_1iterator__providers.html">iterator_providers</a></li><li class="navelem"><a class="el" href="../../d4/d18/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1forward__iterator__provider__impl.html">forward_iterator_provider_impl</a></li> </ul>
</div>
</div><!-- top -->
<div class="header">
<div class="summary">
<a href="#pub-types">Public Types</a> |
<a href="#pro-methods">Protected Member Functions</a> |
<a href="../../dd/d5c/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1forward__iterator__provider__impl-members.html">List of all members</a> </div>
<div class="headertitle">
<div class="title">bbb::container::iterator::iterator_providers< container >::forward_iterator_provider_impl Struct Reference</div> </div>
</div><!--header-->
<div class="contents">
<p><code>#include "<a class="el" href="../../dc/df4/providers_8hpp_source.html">providers.hpp</a>"</code></p>
<div class="dynheader">
Inheritance diagram for bbb::container::iterator::iterator_providers< container >::forward_iterator_provider_impl:</div>
<div class="dyncontent">
<div class="center"><img src="../../d6/df3/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1forward__iterator__provider__impl__inherit__graph.png" border="0" usemap="#bbb_1_1container_1_1iterator_1_1iterator__providers_3_01container_01_4_1_1forward__iterator__provider__impl_inherit__map" alt="Inheritance graph"/></div>
<map name="bbb_1_1container_1_1iterator_1_1iterator__providers_3_01container_01_4_1_1forward__iterator__provider__impl_inherit__map" id="bbb_1_1container_1_1iterator_1_1iterator__providers_3_01container_01_4_1_1forward__iterator__provider__impl_inherit__map">
<area shape="rect" id="node2" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html" title="bbb::container::iterator\l::iterator_providers\< container\l \>::mutable_forward_iterator\l_provider_impl" alt="" coords="36,5,235,71"/>
<area shape="rect" id="node3" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html" title="bbb::container::iterator\l::iterator_providers\< container\l \>::const_forward_iterator_provider_impl" alt="" coords="5,95,266,147"/>
</map>
<center><span class="legend">[<a href="../../graph_legend.html">legend</a>]</span></center></div>
<div class="dynheader">
Collaboration diagram for bbb::container::iterator::iterator_providers< container >::forward_iterator_provider_impl:</div>
<div class="dyncontent">
<div class="center"><img src="../../df/d54/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1forward__iterator__provider__impl__coll__graph.png" border="0" usemap="#bbb_1_1container_1_1iterator_1_1iterator__providers_3_01container_01_4_1_1forward__iterator__provider__impl_coll__map" alt="Collaboration graph"/></div>
<map name="bbb_1_1container_1_1iterator_1_1iterator__providers_3_01container_01_4_1_1forward__iterator__provider__impl_coll__map" id="bbb_1_1container_1_1iterator_1_1iterator__providers_3_01container_01_4_1_1forward__iterator__provider__impl_coll__map">
<area shape="rect" id="node2" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html" title="bbb::container::iterator\l::iterator_providers\< container\l \>::mutable_forward_iterator\l_provider_impl" alt="" coords="36,5,235,71"/>
<area shape="rect" id="node3" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html" title="bbb::container::iterator\l::iterator_providers\< container\l \>::const_forward_iterator_provider_impl" alt="" coords="5,95,266,147"/>
</map>
<center><span class="legend">[<a href="../../graph_legend.html">legend</a>]</span></center></div>
<table class="memberdecls">
<tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pub-types"></a>
Public Types</h2></td></tr>
<tr class="memitem:a5c569d364cd9a4f6c338f7752c19c7df"><td class="memItemLeft" align="right" valign="top">using </td><td class="memItemRight" valign="bottom"><a class="el" href="../../d4/d18/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1forward__iterator__provider__impl.html#a5c569d364cd9a4f6c338f7752c19c7df">iterator</a> = typename container::iterator</td></tr>
<tr class="separator:a5c569d364cd9a4f6c338f7752c19c7df"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:ae8d56988deafd212ed83f2ab9778ad8a"><td class="memItemLeft" align="right" valign="top">using </td><td class="memItemRight" valign="bottom"><a class="el" href="../../d4/d18/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1forward__iterator__provider__impl.html#ae8d56988deafd212ed83f2ab9778ad8a">const_iterator</a> = typename container::const_iterator</td></tr>
<tr class="separator:ae8d56988deafd212ed83f2ab9778ad8a"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="inherit_header pub_types_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl"><td colspan="2" onclick="javascript:toggleInherit('pub_types_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl')"><img src="../../closed.png" alt="-"/> Public Types inherited from <a class="el" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html">bbb::container::iterator::iterator_providers< container >::mutable_forward_iterator_provider_impl</a></td></tr>
<tr class="memitem:a5c569d364cd9a4f6c338f7752c19c7df inherit pub_types_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl"><td class="memItemLeft" align="right" valign="top">using </td><td class="memItemRight" valign="bottom"><a class="el" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html#a5c569d364cd9a4f6c338f7752c19c7df">iterator</a> = typename container::iterator</td></tr>
<tr class="separator:a5c569d364cd9a4f6c338f7752c19c7df inherit pub_types_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="inherit_header pub_types_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td colspan="2" onclick="javascript:toggleInherit('pub_types_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl')"><img src="../../closed.png" alt="-"/> Public Types inherited from <a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html">bbb::container::iterator::iterator_providers< container >::const_forward_iterator_provider_impl</a></td></tr>
<tr class="memitem:ae8d56988deafd212ed83f2ab9778ad8a inherit pub_types_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td class="memItemLeft" align="right" valign="top">using </td><td class="memItemRight" valign="bottom"><a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html#ae8d56988deafd212ed83f2ab9778ad8a">const_iterator</a> = typename container::const_iterator</td></tr>
<tr class="separator:ae8d56988deafd212ed83f2ab9778ad8a inherit pub_types_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td class="memSeparator" colspan="2"> </td></tr>
</table><table class="memberdecls">
<tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pro-methods"></a>
Protected Member Functions</h2></td></tr>
<tr class="memitem:a4aea8ed9db3f0e71c9e53f43aeac98d7"><td class="memItemLeft" align="right" valign="top"> </td><td class="memItemRight" valign="bottom"><a class="el" href="../../d4/d18/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1forward__iterator__provider__impl.html#a4aea8ed9db3f0e71c9e53f43aeac98d7">forward_iterator_provider_impl</a> (container &<a class="el" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html#a4d13104f761ba36e64f351d62ac2b115">body</a>)</td></tr>
<tr class="separator:a4aea8ed9db3f0e71c9e53f43aeac98d7"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="inherit_header pro_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl"><td colspan="2" onclick="javascript:toggleInherit('pro_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl')"><img src="../../closed.png" alt="-"/> Protected Member Functions inherited from <a class="el" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html">bbb::container::iterator::iterator_providers< container >::mutable_forward_iterator_provider_impl</a></td></tr>
<tr class="memitem:a77a739682214d0a8b73d4813bf063d89 inherit pro_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl"><td class="memItemLeft" align="right" valign="top"> </td><td class="memItemRight" valign="bottom"><a class="el" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html#a77a739682214d0a8b73d4813bf063d89">mutable_forward_iterator_provider_impl</a> (container &<a class="el" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html#a4d13104f761ba36e64f351d62ac2b115">body</a>)</td></tr>
<tr class="separator:a77a739682214d0a8b73d4813bf063d89 inherit pro_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="inherit_header pro_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td colspan="2" onclick="javascript:toggleInherit('pro_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl')"><img src="../../closed.png" alt="-"/> Protected Member Functions inherited from <a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html">bbb::container::iterator::iterator_providers< container >::const_forward_iterator_provider_impl</a></td></tr>
<tr class="memitem:a9054d07d91a6e43315922d0a60dfd797 inherit pro_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td class="memItemLeft" align="right" valign="top"> </td><td class="memItemRight" valign="bottom"><a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html#a9054d07d91a6e43315922d0a60dfd797">const_forward_iterator_provider_impl</a> (container &<a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html#a899dd2fbd9d5bb304c772738c243d1e3">body</a>)</td></tr>
<tr class="separator:a9054d07d91a6e43315922d0a60dfd797 inherit pro_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td class="memSeparator" colspan="2"> </td></tr>
</table><table class="memberdecls">
<tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="inherited"></a>
Additional Inherited Members</h2></td></tr>
<tr class="inherit_header pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl"><td colspan="2" onclick="javascript:toggleInherit('pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl')"><img src="../../closed.png" alt="-"/> Public Member Functions inherited from <a class="el" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html">bbb::container::iterator::iterator_providers< container >::mutable_forward_iterator_provider_impl</a></td></tr>
<tr class="memitem:a7571252f87d2351b06e1c7489f952272 inherit pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl"><td class="memItemLeft" align="right" valign="top"><a class="el" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html#a5c569d364cd9a4f6c338f7752c19c7df">iterator</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html#a7571252f87d2351b06e1c7489f952272">begin</a> ()</td></tr>
<tr class="separator:a7571252f87d2351b06e1c7489f952272 inherit pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a2a6068fba34ead96b6fdb507dd9483df inherit pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl"><td class="memItemLeft" align="right" valign="top"><a class="el" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html#a5c569d364cd9a4f6c338f7752c19c7df">iterator</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html#a2a6068fba34ead96b6fdb507dd9483df">end</a> ()</td></tr>
<tr class="separator:a2a6068fba34ead96b6fdb507dd9483df inherit pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="inherit_header pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td colspan="2" onclick="javascript:toggleInherit('pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl')"><img src="../../closed.png" alt="-"/> Public Member Functions inherited from <a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html">bbb::container::iterator::iterator_providers< container >::const_forward_iterator_provider_impl</a></td></tr>
<tr class="memitem:ace6cae92ac520fe020393ad51595d3a4 inherit pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td class="memItemLeft" align="right" valign="top"><a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html#ae8d56988deafd212ed83f2ab9778ad8a">const_iterator</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html#ace6cae92ac520fe020393ad51595d3a4">begin</a> () const</td></tr>
<tr class="separator:ace6cae92ac520fe020393ad51595d3a4 inherit pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a31a7332b4b2c5b697d50f9176502106c inherit pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td class="memItemLeft" align="right" valign="top"><a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html#ae8d56988deafd212ed83f2ab9778ad8a">const_iterator</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html#a31a7332b4b2c5b697d50f9176502106c">end</a> () const</td></tr>
<tr class="separator:a31a7332b4b2c5b697d50f9176502106c inherit pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:af1fba40f2701b8b93416b0f867e4652f inherit pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td class="memItemLeft" align="right" valign="top"><a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html#ae8d56988deafd212ed83f2ab9778ad8a">const_iterator</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html#af1fba40f2701b8b93416b0f867e4652f">cbegin</a> () const</td></tr>
<tr class="separator:af1fba40f2701b8b93416b0f867e4652f inherit pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a5b94a4a49c97a3a3eaa1410e4fa99882 inherit pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td class="memItemLeft" align="right" valign="top"><a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html#ae8d56988deafd212ed83f2ab9778ad8a">const_iterator</a> </td><td class="memItemRight" valign="bottom"><a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html#a5b94a4a49c97a3a3eaa1410e4fa99882">cend</a> () const</td></tr>
<tr class="separator:a5b94a4a49c97a3a3eaa1410e4fa99882 inherit pub_methods_structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl"><td class="memSeparator" colspan="2"> </td></tr>
</table>
<h2 class="groupheader">Member Typedef Documentation</h2>
<a id="ae8d56988deafd212ed83f2ab9778ad8a"></a>
<h2 class="memtitle"><span class="permalink"><a href="#ae8d56988deafd212ed83f2ab9778ad8a">◆ </a></span>const_iterator</h2>
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<typename container> </div>
<table class="memname">
<tr>
<td class="memname">using <a class="el" href="../../d3/dc7/structbbb_1_1container_1_1iterator_1_1iterator__providers.html">bbb::container::iterator::iterator_providers</a>< container >::<a class="el" href="../../d2/d24/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1const__forward__iterator__provider__impl.html#ae8d56988deafd212ed83f2ab9778ad8a">const_forward_iterator_provider_impl::const_iterator</a> = typename container::const_iterator</td>
</tr>
</table>
</div><div class="memdoc">
</div>
</div>
<a id="a5c569d364cd9a4f6c338f7752c19c7df"></a>
<h2 class="memtitle"><span class="permalink"><a href="#a5c569d364cd9a4f6c338f7752c19c7df">◆ </a></span>iterator</h2>
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<typename container> </div>
<table class="memname">
<tr>
<td class="memname">using <a class="el" href="../../d3/dc7/structbbb_1_1container_1_1iterator_1_1iterator__providers.html">bbb::container::iterator::iterator_providers</a>< container >::<a class="el" href="../../df/d75/structbbb_1_1container_1_1iterator_1_1iterator__providers_1_1mutable__forward__iterator__provider__impl.html#a5c569d364cd9a4f6c338f7752c19c7df">mutable_forward_iterator_provider_impl::iterator</a> = typename container::iterator</td>
</tr>
</table>
</div><div class="memdoc">
</div>
</div>
<h2 class="groupheader">Constructor & Destructor Documentation</h2>
<a id="a4aea8ed9db3f0e71c9e53f43aeac98d7"></a>
<h2 class="memtitle"><span class="permalink"><a href="#a4aea8ed9db3f0e71c9e53f43aeac98d7">◆ </a></span>forward_iterator_provider_impl()</h2>
<div class="memitem">
<div class="memproto">
<div class="memtemplate">
template<typename container> </div>
<table class="mlabels">
<tr>
<td class="mlabels-left">
<table class="memname">
<tr>
<td class="memname"><a class="el" href="../../d3/dc7/structbbb_1_1container_1_1iterator_1_1iterator__providers.html">bbb::container::iterator::iterator_providers</a>< container >::forward_iterator_provider_impl::forward_iterator_provider_impl </td>
<td>(</td>
<td class="paramtype">container & </td>
<td class="paramname"><em>body</em></td><td>)</td>
<td></td>
</tr>
</table>
</td>
<td class="mlabels-right">
<span class="mlabels"><span class="mlabel">inline</span><span class="mlabel">protected</span></span> </td>
</tr>
</table>
</div><div class="memdoc">
</div>
</div>
<hr/>The documentation for this struct was generated from the following file:<ul>
<li>bbb/container/iterator/<a class="el" href="../../dc/df4/providers_8hpp_source.html">providers.hpp</a></li>
</ul>
</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.13
</small></address>
</body>
</html>
|
src/client/vendor/kendo/src/styles/dataviz/kendo.dataviz.css | hhuynhlam/Ulysses | /*
* Kendo UI v2015.1.408 (http://www.telerik.com/kendo-ui)
* Copyright 2015 Telerik AD. All rights reserved.
*
* Kendo UI commercial licenses may be obtained at
* http://www.telerik.com/purchase/license-agreement/kendo-ui-complete
* If you do not own a commercial license, this file shall be governed by the trial license terms.
*/
.k-chart,
.k-gauge,
.k-sparkline,
.k-stockchart {
-webkit-touch-callout: none;
-webkit-tap-highlight-color: rgba(0, 0, 0, 0);
}
.k-chart,
.k-stockchart {
height: 400px;
}
div.k-chart,
div.k-gauge,
span.k-sparkline,
.k-stockchart {
background-color: transparent;
}
.k-gauge {
text-align: left;
position: relative;
}
.k-baseline-marker {
zoom: 1;
*display: inline;
}
.k-chart-tooltip {
-moz-border-radius: 4px;
-webkit-border-radius: 4px;
border-radius: 4px;
padding: 6px;
white-space: nowrap;
z-index: 12000;
line-height: normal;
background-repeat: repeat-x;
background-position: 0 0;
background-image: url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABQAAAAWCAYAAADAQbwGAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAADNJREFUeNpi/P//vwMDFQELEP8beQb+HTWQYgP/DHoD/466cAR4edRAyg38P6hLbIAAAwCnWhhVsxvdCAAAAABJRU5ErkJggg==);
color: #fff;
}
.k-chart-tooltip-inverse {
color: #000;
}
.k-chart-tooltip table {
border-spacing: 0;
border-collapse: collapse;
}
.k-chart-tooltip th {
width: auto;
text-align: center;
padding: 1px;
}
.k-chart-tooltip td {
width: auto;
text-align: left;
padding: .1em .2em;
}
/*Stock Charts*/
/* Selection */
.k-selector {
position: absolute;
-webkit-transform: translateZ(0);
}
.k-selection {
position: absolute;
border-width: 1px;
border-style: solid;
border-color: #d2d2d2;
border-bottom: 0;
height: 100%;
}
.k-selection-bg {
position: absolute;
width: 100%;
height: 100%;
background-color: #fff;
background-color: rgba(255, 255, 255, 0.01);
filter: alpha(opacity=1);
}
.k-handle {
background: #d2d2d2;
width: 7px;
height: 26px;
cursor: e-resize;
z-index: 1;
-moz-border-radius: 6px;
-webkit-border-radius: 6px;
border-radius: 6px;
position: absolute;
}
.k-handle div {
width: 100%;
height: 100%;
background-color: transparent;
}
.k-leftHandle {
left: -4px;
}
.k-rightHandle {
right: -4px;
}
.k-leftHandle div {
margin: -20px 0 0 -15px;
padding: 40px 30px 0 0;
}
.k-rightHandle div {
margin: -20px 0 0 -15px;
padding: 40px 0 0 30px;
}
.k-mask {
position: absolute;
height: 100%;
background-color: #fff;
filter: alpha(opacity=80);
-moz-opacity: 0.80;
opacity: 0.80;
}
.k-border {
background: #d2d2d2;
width: 1px;
height: 100%;
position: absolute;
}
/* Navigator hint */
.k-navigator-hint div {
position: absolute;
}
.k-navigator-hint .k-scroll {
position: absolute;
height: 4px;
-moz-border-radius: 4px;
-webkit-border-radius: 4px;
border-radius: 4px;
background: #d2d2d2;
}
.k-navigator-hint .k-tooltip {
margin-top: 20px;
min-width: 160px;
opacity: 1;
text-align: center;
border: 0;
box-shadow: 0 1px 2px rgba(0, 0, 0, 0.5);
background: #fff;
}
/* Sparklines */
.k-sparkline,
.k-sparkline span {
display: inline-block;
*display: inline;
zoom: 1;
vertical-align: top;
}
.k-sparkline span {
height: 100%;
width: 100%;
}
/* Map */
.k-map,
.k-diagram {
height: 600px;
}
.k-map .km-scroll-wrapper,
.k-diagram .km-scroll-wrapper {
padding-bottom: 0;
-moz-user-select: none;
-webkit-user-select: none;
-ms-user-select: none;
}
.k-map .km-scroll-wrapper,
.k-diagram .km-scroll-wrapper,
.k-map .km-scroll-container,
.k-diagram .km-scroll-container {
position: absolute;
width: 100%;
height: 100%;
}
.k-map .k-layer,
.k-diagram .k-layer {
position: absolute;
left: 0;
top: 0;
}
.k-map .km-touch-scrollbar,
.k-diagram .km-touch-scrollbar {
display: none;
}
.k-map .k-marker {
position: absolute;
width: 28px;
height: 40px;
margin: -40px 0 0 -14px;
cursor: pointer;
}
.k-map .k-marker-pin {
background-position: 0px 40px;
}
.k-map .k-marker-pin-target {
background-position: 0px 0px;
}
@media only screen and (-webkit-min-device-pixel-ratio: 2), only screen and (min-device-pixel-ratio: 2) {
.k-map .k-marker {
width: 56px;
height: 80px;
margin: -80px 0 0 -28px;
}
.k-map .k-marker-pin {
background-position: 0px 80px;
}
}
/* Control positions */
.k-map .k-pos-top {
top: 0;
}
.k-map .k-pos-bottom {
bottom: 0;
}
.k-map .k-pos-left {
left: 0;
}
.k-map .k-pos-right {
right: 0;
}
.k-map-controls {
position: absolute;
}
.k-map-controls.k-pos-left .k-widget:first-child {
margin-right: 0;
}
.k-map-controls.k-pos-right .k-widget:first-child {
margin-left: 0;
}
/* Map navigator */
.k-navigator {
width: 50px;
height: 50px;
margin: 20px;
border-radius: 80px;
position: relative;
display: inline-block;
vertical-align: middle;
}
.k-ie7 .k-navigator {
zoom: 1;
display: inline;
}
.k-pdf-export .k-navigator {
display: none;
}
.k-navigator > button {
border-color: transparent;
background: none;
}
.k-ie7 .k-navigator > button {
border-width: 0;
display: block;
}
.k-ie7 .k-navigator > button > span {
vertical-align: top;
display: block;
}
div.k-navigator > .k-button {
margin: 0;
padding: 0;
line-height: 10px;
border-radius: 16px;
position: absolute;
font-size: 1px;
/*IE7*/
line-height: 1px;
}
div.k-navigator .k-navigator-n {
top: 2px;
left: 50%;
margin-left: -9px;
}
div.k-navigator .k-navigator-e {
right: 2px;
top: 50%;
margin-top: -9px;
}
div.k-navigator .k-navigator-s {
bottom: 2px;
left: 50%;
margin-left: -9px;
}
div.k-navigator .k-navigator-w {
left: 2px;
top: 50%;
margin-top: -9px;
}
.k-ie7 div.k-navigator .k-navigator-n,
.k-ie7 div.k-navigator .k-navigator-s {
margin-left: -8px;
}
.k-ie7 div.k-navigator .k-navigator-w,
.k-ie7 div.k-navigator .k-navigator-e {
margin-top: -8px;
}
/* Attribution */
.k-map .k-attribution {
background-color: rgba(255, 255, 255, 0.8);
font-size: 10px;
padding: 2px 4px;
z-index: 1000;
}
/* Zoom */
.k-zoom-control {
margin: 14px;
vertical-align: middle;
}
.k-pdf-export .k-zoom-control {
display: none;
}
.k-button-wrap {
border-radius: 4px;
display: inline-block;
}
.k-ie7 .k-button-wrap {
zoom: 1;
display: inline;
}
.k-button-wrap .k-button {
position: relative;
font: bold 17px/1.18 monospace;
}
.k-ie7 .k-button-wrap .k-button {
margin: 0;
}
.k-buttons-horizontal :first-child {
border-radius: 4px 0 0 4px;
}
.k-buttons-horizontal :first-child + .k-zoom-in {
border-radius: 0;
margin-left: -1px;
}
.k-buttons-horizontal .k-zoom-out {
border-radius: 0 4px 4px 0;
margin-left: -1px;
}
.k-button-wrap .k-button:hover {
z-index: 1;
}
.k-buttons-vertical .k-button {
display: block;
}
.k-buttons-vertical :first-child {
border-radius: 4px 4px 0 0;
}
.k-buttons-vertical .k-zoom-out {
border-radius: 0 0 4px 4px;
margin-top: -1px;
}
.k-zoom-text {
margin: 0;
width: 4.3em;
vertical-align: top;
}
/* RTL */
.k-rtl .k-buttons-horizontal :first-child {
border-radius: 0 4px 4px 0;
}
.k-rtl .k-buttons-horizontal :first-child + .k-zoom-in {
border-radius: 0;
margin-left: 0;
margin-right: -1px;
}
.k-rtl .k-buttons-horizontal .k-zoom-out {
border-radius: 4px 0 0 4px;
margin-left: 0;
margin-right: -1px;
}
/* Diagram */
.k-diagram {
height: 600px;
}
.k-diagram .km-scroll-wrapper {
width: 100%;
height: 100%;
position: relative;
}
.k-diagram .km-scroll-wrapper {
width: 100%;
height: 100%;
position: relative;
}
.k-canvas-container {
width: 100%;
height: 100%;
}
/* IE8- */
.k-diagram img {
box-sizing: content-box;
}
/* TreeMap start */
.k-treemap {
overflow: hidden;
height: 400px;
}
.k-treemap-tile {
box-sizing: border-box;
border-style: solid;
border-width: 1px;
position: absolute;
margin: -1px 0 0 -1px;
overflow: hidden;
}
.k-treemap-tile.k-leaf {
padding: .6em;
}
.k-treemap-wrap.k-last > .k-treemap-tile {
padding: .3em;
}
.k-treemap-tile.k-state-hover {
z-index: 2;
background-image: none;
}
/* ie7 - start */
.k-ie7 .k-treemap .k-treemap-tile {
border-width: 0;
padding: 0;
}
.k-ie7 .k-treemap .k-leaf > div {
padding: 7px;
}
.k-ie7 .k-treemap .k-leaf.k-state-hover {
border-width: 1px;
}
.k-ie7 .k-treemap .k-leaf.k-state-hover > div {
padding: 6px;
}
/* ie7 - end */
.k-treemap > .k-treemap-tile {
position: relative;
height: 100%;
}
.k-treemap-title {
box-sizing: border-box;
overflow: hidden;
text-overflow: ellipsis;
line-height: 2.42em;
height: 2.42em;
padding: 0 .6em;
white-space: nowrap;
}
.k-treemap-wrap .k-treemap-title {
border-width: 0 0 1px;
border-style: solid;
}
.k-treemap-wrap {
position: absolute;
top: 0;
left: 0;
bottom: 0;
right: 0;
}
.k-treemap-title + .k-treemap-wrap {
top: 2.42em;
}
.k-treemap-title-vertical {
box-sizing: border-box;
text-overflow: ellipsis;
position: absolute;
top: 0;
bottom: 0;
width: 2.42em;
line-height: 2.42em;
overflow: hidden;
padding: .6em 0;
white-space: nowrap;
}
.k-treemap-title-vertical > div {
position: absolute;
top: 0;
right: 1.23em;
transform-origin: right;
-webkit-transform-origin: right;
-webkit-transform: rotate(-90deg);
transform: rotate(-90deg);
}
.k-treemap-title-vertical + .k-treemap-wrap {
left: 2.42em;
}
/* TreeMap end */
|
css/main.css | lauraelsner/glossary-index | /*! HTML5 Boilerplate v5.2.0 | MIT License | https://html5boilerplate.com/ */
/*
* What follows is the result of much research on cross-browser styling.
* Credit left inline and big thanks to Nicolas Gallagher, Jonathan Neal,
* Kroc Camen, and the H5BP dev community and team.
*/
/* ==========================================================================
Base styles: opinionated defaults
========================================================================== */
html {
color: #222;
font-size: 1em;
line-height: 1.4;
}
/*
* Remove text-shadow in selection highlight:
* https://twitter.com/miketaylr/status/12228805301
*
* These selection rule sets have to be separate.
* Customize the background color to match your design.
*/
::-moz-selection {
background: #b3d4fc;
text-shadow: none;
}
::selection {
background: #b3d4fc;
text-shadow: none;
}
/*
* A better looking default horizontal rule
*/
hr {
display: block;
height: 1px;
border: 0;
border-top: 1px solid #ccc;
margin: 1em 0;
padding: 0;
}
/*
* Remove the gap between audio, canvas, iframes,
* images, videos and the bottom of their containers:
* https://github.com/h5bp/html5-boilerplate/issues/440
*/
audio,
canvas,
iframe,
img,
svg,
video {
vertical-align: middle;
}
/*
* Remove default fieldset styles.
*/
fieldset {
border: 0;
margin: 0;
padding: 0;
}
/*
* Allow only vertical resizing of textareas.
*/
textarea {
resize: vertical;
}
/* ==========================================================================
Browser Upgrade Prompt
========================================================================== */
.browserupgrade {
margin: 0.2em 0;
background: #ccc;
color: #000;
padding: 0.2em 0;
}
/* ==========================================================================
Author's custom styles
========================================================================== */
.logo {
font-family: sans-serif;
font-weight: bold;
font-size: 50px;
text-align: center;
}
#primary_nav_wrap
{
margin-top:15px
}
#primary_nav_wrap ul
{
list-style:none;
position:relative;
float:left;
margin:0;
padding:0
}
#primary_nav_wrap ul a
{
display:block;
color:#333;
text-decoration:none;
font-weight:700;
font-size:12px;
line-height:32px;
padding:0 15px;
font-family:"HelveticaNeue","Helvetica Neue",Helvetica,Arial,sans-serif
}
#primary_nav_wrap ul li
{
position:relative;
float:left;
margin:0;
padding:0
}
#primary_nav_wrap ul li.current-menu-item
{
background:#ddd
}
#primary_nav_wrap ul li:hover
{
background:#f6f6f6
}
#primary_nav_wrap ul ul
{
display:none;
position:absolute;
top:100%;
left:0;
background:#fff;
padding:0
}
#primary_nav_wrap ul ul li
{
float:none;
width:200px
}
#primary_nav_wrap ul ul a
{
line-height:120%;
padding:10px 15px
}
#primary_nav_wrap ul ul ul
{
top:0;
left:100%
}
#primary_nav_wrap ul li:hover > ul
{
display:block
}
.header {
width: 100%;
background-color: #f2f2f2;
position: fixed;
padding-bottom: 20px;
}
.a-content {
height: 400px;
background-color: #2f69c6;
}
footer {
width: 100%;
background-color: #282a2a;
height: 100px;
}
.footer {
font-family: sans-serif;
font-size: 50px;
color: #f2f2f2;
text-align: center;
}
/* ==========================================================================
Helper classes
========================================================================== */
/*
* Hide visually and from screen readers:
*/
.hidden {
display: none !important;
}
/*
* Hide only visually, but have it available for screen readers:
* http://snook.ca/archives/html_and_css/hiding-content-for-accessibility
*/
.visuallyhidden {
border: 0;
clip: rect(0 0 0 0);
height: 1px;
margin: -1px;
overflow: hidden;
padding: 0;
position: absolute;
width: 1px;
}
/*
* Extends the .visuallyhidden class to allow the element
* to be focusable when navigated to via the keyboard:
* https://www.drupal.org/node/897638
*/
.visuallyhidden.focusable:active,
.visuallyhidden.focusable:focus {
clip: auto;
height: auto;
margin: 0;
overflow: visible;
position: static;
width: auto;
}
/*
* Hide visually and from screen readers, but maintain layout
*/
.invisible {
visibility: hidden;
}
/*
* Clearfix: contain floats
*
* For modern browsers
* 1. The space content is one way to avoid an Opera bug when the
* `contenteditable` attribute is included anywhere else in the document.
* Otherwise it causes space to appear at the top and bottom of elements
* that receive the `clearfix` class.
* 2. The use of `table` rather than `block` is only necessary if using
* `:before` to contain the top-margins of child elements.
*/
.clearfix:before,
.clearfix:after {
content: " "; /* 1 */
display: table; /* 2 */
}
.clearfix:after {
clear: both;
}
/* ==========================================================================
EXAMPLE Media Queries for Responsive Design.
These examples override the primary ('mobile first') styles.
Modify as content requires.
========================================================================== */
@media only screen and (min-width: 35em) {
/* Style adjustments for viewports that meet the condition */
}
@media print,
(-webkit-min-device-pixel-ratio: 1.25),
(min-resolution: 1.25dppx),
(min-resolution: 120dpi) {
/* Style adjustments for high resolution devices */
}
/* ==========================================================================
Print styles.
Inlined to avoid the additional HTTP request:
http://www.phpied.com/delay-loading-your-print-css/
========================================================================== */
@media print {
*,
*:before,
*:after {
background: transparent !important;
color: #000 !important; /* Black prints faster:
http://www.sanbeiji.com/archives/953 */
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) ")";
}
/*
* Don't show links that are fragment identifiers,
* or use the `javascript:` pseudo protocol
*/
a[href^="#"]:after,
a[href^="javascript:"]:after {
content: "";
}
pre,
blockquote {
border: 1px solid #999;
page-break-inside: avoid;
}
/*
* Printing Tables:
* http://css-discuss.incutio.com/wiki/Printing_Tables
*/
thead {
display: table-header-group;
}
tr,
img {
page-break-inside: avoid;
}
img {
max-width: 100% !important;
}
p,
h2,
h3 {
orphans: 3;
widows: 3;
}
h2,
h3 {
page-break-after: avoid;
}
}
|
sample-files/OpenLayers/js/v3.14.2/apidoc/ol.Graticule.html | UNM-GEOG-485-585/class-materials | <!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>OpenLayers 3 API Reference - Class: Graticule</title>
<script src="scripts/prettify/prettify.js"> </script>
<script src="scripts/prettify/lang-css.js"> </script>
<script src="scripts/jquery.min.js"> </script>
<!--[if lt IE 9]>
<script src="//html5shiv.googlecode.com/svn/trunk/html5.js"></script>
<![endif]-->
<link type="text/css" rel="stylesheet" href="styles/prettify-tomorrow.css">
<link type="text/css" rel="stylesheet" href="styles/bootstrap.min.css">
<link type="text/css" rel="stylesheet" href="styles/jaguar.css">
</head>
<body>
<div class="navbar navbar-inverse navbar-fixed-top">
<div class="navbar-inner">
<div class="container">
<a class="brand" href="/"><img src="logo-70x70.png"> OpenLayers 3</a>
<label id="stability">
<input type="checkbox" id="stability-toggle"> Stable Only
</label>
<ul class="nav navbar-nav pull-right">
<li><a href="../doc">Docs</a></li>
<li><a href="../examples">Examples</a></li>
<li><a href="index.html" class="active">API</a></li>
<li><a href="https://github.com/openlayers/ol3">Code</a></li>
</ul>
</div>
</div>
</div>
<div id="wrap" class="clearfix">
<div class="navigation">
<div class="search">
<input id="search" type="text" class="form-control input-sm" placeholder="Search Documentation">
</div>
<ul class="list">
<li class="item" data-name="ol">
<span class="title">
<a href="ol.html">ol</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
<span class="subtitle">Typedefs</span>
<li data-name="ol.CanvasFunctionType" class="unstable">
<a href="ol.html#.CanvasFunctionType">CanvasFunctionType</a>
</li>
<li data-name="ol.Color" class="unstable">
<a href="ol.html#.Color">Color</a>
</li>
<li data-name="ol.ColorLike" class="unstable">
<a href="ol.html#.ColorLike">ColorLike</a>
</li>
<li data-name="ol.Coordinate" class="">
<a href="ol.html#.Coordinate">Coordinate</a>
</li>
<li data-name="ol.CoordinateFormatType" class="">
<a href="ol.html#.CoordinateFormatType">CoordinateFormatType</a>
</li>
<li data-name="ol.Extent" class="">
<a href="ol.html#.Extent">Extent</a>
</li>
<li data-name="ol.FeatureLoader" class="unstable">
<a href="ol.html#.FeatureLoader">FeatureLoader</a>
</li>
<li data-name="ol.FeatureStyleFunction" class="">
<a href="ol.html#.FeatureStyleFunction">FeatureStyleFunction</a>
</li>
<li data-name="ol.FeatureUrlFunction" class="unstable">
<a href="ol.html#.FeatureUrlFunction">FeatureUrlFunction</a>
</li>
<li data-name="ol.ImageLoadFunctionType" class="unstable">
<a href="ol.html#.ImageLoadFunctionType">ImageLoadFunctionType</a>
</li>
<li data-name="ol.LoadingStrategy" class="unstable">
<a href="ol.html#.LoadingStrategy">LoadingStrategy</a>
</li>
<li data-name="ol.OverlayPositioning" class="">
<a href="ol.html#.OverlayPositioning">OverlayPositioning</a>
</li>
<li data-name="ol.Pixel" class="">
<a href="ol.html#.Pixel">Pixel</a>
</li>
<li data-name="ol.PreRenderFunction" class="unstable">
<a href="ol.html#.PreRenderFunction">PreRenderFunction</a>
</li>
<li data-name="ol.RendererType" class="">
<a href="ol.html#.RendererType">RendererType</a>
</li>
<li data-name="ol.Size" class="">
<a href="ol.html#.Size">Size</a>
</li>
<li data-name="ol.TileCoord" class="unstable">
<a href="ol.html#.TileCoord">TileCoord</a>
</li>
<li data-name="ol.TileLoadFunctionType" class="unstable">
<a href="ol.html#.TileLoadFunctionType">TileLoadFunctionType</a>
</li>
<li data-name="ol.TileUrlFunctionType" class="unstable">
<a href="ol.html#.TileUrlFunctionType">TileUrlFunctionType</a>
</li>
<li data-name="ol.TransformFunction" class="">
<a href="ol.html#.TransformFunction">TransformFunction</a>
</li>
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.inherits" class="unstable">
<a href="ol.html#.inherits">inherits</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.Attribution">
<span class="title">
<a href="ol.Attribution.html">ol.Attribution</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.Attribution#getHTML" class="">
<a href="ol.Attribution.html#getHTML">getHTML</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.Collection">
<span class="title">
<a href="ol.Collection.html">ol.Collection</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.Collection#changed" class="unstable">
<a href="ol.Collection.html#changed">changed</a>
</li>
<li data-name="ol.Collection#clear" class="">
<a href="ol.Collection.html#clear">clear</a>
</li>
<li data-name="ol.Collection#dispatchEvent" class="unstable">
<a href="ol.Collection.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.Collection#extend" class="">
<a href="ol.Collection.html#extend">extend</a>
</li>
<li data-name="ol.Collection#forEach" class="">
<a href="ol.Collection.html#forEach">forEach</a>
</li>
<li data-name="ol.Collection#get" class="">
<a href="ol.Collection.html#get">get</a>
</li>
<li data-name="ol.Collection#getArray" class="">
<a href="ol.Collection.html#getArray">getArray</a>
</li>
<li data-name="ol.Collection#getKeys" class="">
<a href="ol.Collection.html#getKeys">getKeys</a>
</li>
<li data-name="ol.Collection#getLength" class="">
<a href="ol.Collection.html#getLength">getLength</a>
</li>
<li data-name="ol.Collection#getProperties" class="">
<a href="ol.Collection.html#getProperties">getProperties</a>
</li>
<li data-name="ol.Collection#getRevision" class="unstable">
<a href="ol.Collection.html#getRevision">getRevision</a>
</li>
<li data-name="ol.Collection#insertAt" class="">
<a href="ol.Collection.html#insertAt">insertAt</a>
</li>
<li data-name="ol.Collection#item" class="">
<a href="ol.Collection.html#item">item</a>
</li>
<li data-name="ol.Collection#on" class="">
<a href="ol.Collection.html#on">on</a>
</li>
<li data-name="ol.Collection#once" class="">
<a href="ol.Collection.html#once">once</a>
</li>
<li data-name="ol.Collection#pop" class="">
<a href="ol.Collection.html#pop">pop</a>
</li>
<li data-name="ol.Collection#push" class="">
<a href="ol.Collection.html#push">push</a>
</li>
<li data-name="ol.Collection#remove" class="">
<a href="ol.Collection.html#remove">remove</a>
</li>
<li data-name="ol.Collection#removeAt" class="">
<a href="ol.Collection.html#removeAt">removeAt</a>
</li>
<li data-name="ol.Collection#set" class="">
<a href="ol.Collection.html#set">set</a>
</li>
<li data-name="ol.Collection#setAt" class="">
<a href="ol.Collection.html#setAt">setAt</a>
</li>
<li data-name="ol.Collection#setProperties" class="">
<a href="ol.Collection.html#setProperties">setProperties</a>
</li>
<li data-name="ol.Collection#un" class="">
<a href="ol.Collection.html#un">un</a>
</li>
<li data-name="ol.Collection#unByKey" class="">
<a href="ol.Collection.html#unByKey">unByKey</a>
</li>
<li data-name="ol.Collection#unset" class="">
<a href="ol.Collection.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="ol.CollectionEvent#event:add" class="">
<a href="ol.CollectionEvent.html#event:add">add</a>
</li>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:length" class="unstable">
change:length
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.CollectionEvent#event:remove" class="">
<a href="ol.CollectionEvent.html#event:remove">remove</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.CollectionEvent">
<span class="title">
<a href="ol.CollectionEvent.html">ol.CollectionEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.CollectionEvent#element"><a href="ol.CollectionEvent.html#element">element</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.DeviceOrientation">
<span class="title">
<a href="ol.DeviceOrientation.html">ol.DeviceOrientation</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.DeviceOrientation#changed" class="unstable">
<a href="ol.DeviceOrientation.html#changed">changed</a>
</li>
<li data-name="ol.DeviceOrientation#dispatchEvent" class="unstable">
<a href="ol.DeviceOrientation.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.DeviceOrientation#get" class="">
<a href="ol.DeviceOrientation.html#get">get</a>
</li>
<li data-name="ol.DeviceOrientation#getAlpha" class="unstable">
<a href="ol.DeviceOrientation.html#getAlpha">getAlpha</a>
</li>
<li data-name="ol.DeviceOrientation#getBeta" class="unstable">
<a href="ol.DeviceOrientation.html#getBeta">getBeta</a>
</li>
<li data-name="ol.DeviceOrientation#getGamma" class="unstable">
<a href="ol.DeviceOrientation.html#getGamma">getGamma</a>
</li>
<li data-name="ol.DeviceOrientation#getHeading" class="unstable">
<a href="ol.DeviceOrientation.html#getHeading">getHeading</a>
</li>
<li data-name="ol.DeviceOrientation#getKeys" class="">
<a href="ol.DeviceOrientation.html#getKeys">getKeys</a>
</li>
<li data-name="ol.DeviceOrientation#getProperties" class="">
<a href="ol.DeviceOrientation.html#getProperties">getProperties</a>
</li>
<li data-name="ol.DeviceOrientation#getRevision" class="unstable">
<a href="ol.DeviceOrientation.html#getRevision">getRevision</a>
</li>
<li data-name="ol.DeviceOrientation#getTracking" class="unstable">
<a href="ol.DeviceOrientation.html#getTracking">getTracking</a>
</li>
<li data-name="ol.DeviceOrientation#on" class="">
<a href="ol.DeviceOrientation.html#on">on</a>
</li>
<li data-name="ol.DeviceOrientation#once" class="">
<a href="ol.DeviceOrientation.html#once">once</a>
</li>
<li data-name="ol.DeviceOrientation#set" class="">
<a href="ol.DeviceOrientation.html#set">set</a>
</li>
<li data-name="ol.DeviceOrientation#setProperties" class="">
<a href="ol.DeviceOrientation.html#setProperties">setProperties</a>
</li>
<li data-name="ol.DeviceOrientation#setTracking" class="unstable">
<a href="ol.DeviceOrientation.html#setTracking">setTracking</a>
</li>
<li data-name="ol.DeviceOrientation#un" class="">
<a href="ol.DeviceOrientation.html#un">un</a>
</li>
<li data-name="ol.DeviceOrientation#unByKey" class="">
<a href="ol.DeviceOrientation.html#unByKey">unByKey</a>
</li>
<li data-name="ol.DeviceOrientation#unset" class="">
<a href="ol.DeviceOrientation.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:alpha" class="unstable">
change:alpha
</li>
<li data-name="ol.ObjectEvent#event:change:beta" class="unstable">
change:beta
</li>
<li data-name="ol.ObjectEvent#event:change:gamma" class="unstable">
change:gamma
</li>
<li data-name="ol.ObjectEvent#event:change:heading" class="unstable">
change:heading
</li>
<li data-name="ol.ObjectEvent#event:change:tracking" class="unstable">
change:tracking
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.DragBoxEvent">
<span class="title">
<a href="ol.DragBoxEvent.html">ol.DragBoxEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.DragBoxEvent#coordinate"><a href="ol.DragBoxEvent.html#coordinate">coordinate</a></li>
<li data-name="ol.DragBoxEvent#mapBrowserEvent"><a href="ol.DragBoxEvent.html#mapBrowserEvent">mapBrowserEvent</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.Feature">
<span class="title">
<a href="ol.Feature.html">ol.Feature</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.Feature#changed" class="unstable">
<a href="ol.Feature.html#changed">changed</a>
</li>
<li data-name="ol.Feature#clone" class="">
<a href="ol.Feature.html#clone">clone</a>
</li>
<li data-name="ol.Feature#dispatchEvent" class="unstable">
<a href="ol.Feature.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.Feature#get" class="">
<a href="ol.Feature.html#get">get</a>
</li>
<li data-name="ol.Feature#getGeometry" class="">
<a href="ol.Feature.html#getGeometry">getGeometry</a>
</li>
<li data-name="ol.Feature#getGeometryName" class="">
<a href="ol.Feature.html#getGeometryName">getGeometryName</a>
</li>
<li data-name="ol.Feature#getId" class="">
<a href="ol.Feature.html#getId">getId</a>
</li>
<li data-name="ol.Feature#getKeys" class="">
<a href="ol.Feature.html#getKeys">getKeys</a>
</li>
<li data-name="ol.Feature#getProperties" class="">
<a href="ol.Feature.html#getProperties">getProperties</a>
</li>
<li data-name="ol.Feature#getRevision" class="unstable">
<a href="ol.Feature.html#getRevision">getRevision</a>
</li>
<li data-name="ol.Feature#getStyle" class="">
<a href="ol.Feature.html#getStyle">getStyle</a>
</li>
<li data-name="ol.Feature#getStyleFunction" class="">
<a href="ol.Feature.html#getStyleFunction">getStyleFunction</a>
</li>
<li data-name="ol.Feature#on" class="">
<a href="ol.Feature.html#on">on</a>
</li>
<li data-name="ol.Feature#once" class="">
<a href="ol.Feature.html#once">once</a>
</li>
<li data-name="ol.Feature#set" class="">
<a href="ol.Feature.html#set">set</a>
</li>
<li data-name="ol.Feature#setGeometry" class="">
<a href="ol.Feature.html#setGeometry">setGeometry</a>
</li>
<li data-name="ol.Feature#setGeometryName" class="">
<a href="ol.Feature.html#setGeometryName">setGeometryName</a>
</li>
<li data-name="ol.Feature#setId" class="">
<a href="ol.Feature.html#setId">setId</a>
</li>
<li data-name="ol.Feature#setProperties" class="">
<a href="ol.Feature.html#setProperties">setProperties</a>
</li>
<li data-name="ol.Feature#setStyle" class="">
<a href="ol.Feature.html#setStyle">setStyle</a>
</li>
<li data-name="ol.Feature#un" class="">
<a href="ol.Feature.html#un">un</a>
</li>
<li data-name="ol.Feature#unByKey" class="">
<a href="ol.Feature.html#unByKey">unByKey</a>
</li>
<li data-name="ol.Feature#unset" class="">
<a href="ol.Feature.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:geometry" class="unstable">
change:geometry
</li>
<li data-name="ol.ObjectEvent#event:change:id" class="unstable">
change:id
</li>
<li data-name="ol.ObjectEvent#event:change:style" class="unstable">
change:style
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.Geolocation">
<span class="title">
<a href="ol.Geolocation.html">ol.Geolocation</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.Geolocation#changed" class="unstable">
<a href="ol.Geolocation.html#changed">changed</a>
</li>
<li data-name="ol.Geolocation#dispatchEvent" class="unstable">
<a href="ol.Geolocation.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.Geolocation#get" class="">
<a href="ol.Geolocation.html#get">get</a>
</li>
<li data-name="ol.Geolocation#getAccuracy" class="">
<a href="ol.Geolocation.html#getAccuracy">getAccuracy</a>
</li>
<li data-name="ol.Geolocation#getAccuracyGeometry" class="">
<a href="ol.Geolocation.html#getAccuracyGeometry">getAccuracyGeometry</a>
</li>
<li data-name="ol.Geolocation#getAltitude" class="">
<a href="ol.Geolocation.html#getAltitude">getAltitude</a>
</li>
<li data-name="ol.Geolocation#getAltitudeAccuracy" class="">
<a href="ol.Geolocation.html#getAltitudeAccuracy">getAltitudeAccuracy</a>
</li>
<li data-name="ol.Geolocation#getHeading" class="">
<a href="ol.Geolocation.html#getHeading">getHeading</a>
</li>
<li data-name="ol.Geolocation#getKeys" class="">
<a href="ol.Geolocation.html#getKeys">getKeys</a>
</li>
<li data-name="ol.Geolocation#getPosition" class="">
<a href="ol.Geolocation.html#getPosition">getPosition</a>
</li>
<li data-name="ol.Geolocation#getProjection" class="">
<a href="ol.Geolocation.html#getProjection">getProjection</a>
</li>
<li data-name="ol.Geolocation#getProperties" class="">
<a href="ol.Geolocation.html#getProperties">getProperties</a>
</li>
<li data-name="ol.Geolocation#getRevision" class="unstable">
<a href="ol.Geolocation.html#getRevision">getRevision</a>
</li>
<li data-name="ol.Geolocation#getSpeed" class="">
<a href="ol.Geolocation.html#getSpeed">getSpeed</a>
</li>
<li data-name="ol.Geolocation#getTracking" class="">
<a href="ol.Geolocation.html#getTracking">getTracking</a>
</li>
<li data-name="ol.Geolocation#getTrackingOptions" class="">
<a href="ol.Geolocation.html#getTrackingOptions">getTrackingOptions</a>
</li>
<li data-name="ol.Geolocation#on" class="">
<a href="ol.Geolocation.html#on">on</a>
</li>
<li data-name="ol.Geolocation#once" class="">
<a href="ol.Geolocation.html#once">once</a>
</li>
<li data-name="ol.Geolocation#set" class="">
<a href="ol.Geolocation.html#set">set</a>
</li>
<li data-name="ol.Geolocation#setProjection" class="">
<a href="ol.Geolocation.html#setProjection">setProjection</a>
</li>
<li data-name="ol.Geolocation#setProperties" class="">
<a href="ol.Geolocation.html#setProperties">setProperties</a>
</li>
<li data-name="ol.Geolocation#setTracking" class="">
<a href="ol.Geolocation.html#setTracking">setTracking</a>
</li>
<li data-name="ol.Geolocation#setTrackingOptions" class="">
<a href="ol.Geolocation.html#setTrackingOptions">setTrackingOptions</a>
</li>
<li data-name="ol.Geolocation#un" class="">
<a href="ol.Geolocation.html#un">un</a>
</li>
<li data-name="ol.Geolocation#unByKey" class="">
<a href="ol.Geolocation.html#unByKey">unByKey</a>
</li>
<li data-name="ol.Geolocation#unset" class="">
<a href="ol.Geolocation.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:accuracy" class="unstable">
change:accuracy
</li>
<li data-name="ol.ObjectEvent#event:change:accuracyGeometry" class="unstable">
change:accuracyGeometry
</li>
<li data-name="ol.ObjectEvent#event:change:altitude" class="unstable">
change:altitude
</li>
<li data-name="ol.ObjectEvent#event:change:altitudeAccuracy" class="unstable">
change:altitudeAccuracy
</li>
<li data-name="ol.ObjectEvent#event:change:heading" class="unstable">
change:heading
</li>
<li data-name="ol.ObjectEvent#event:change:position" class="unstable">
change:position
</li>
<li data-name="ol.ObjectEvent#event:change:projection" class="unstable">
change:projection
</li>
<li data-name="ol.ObjectEvent#event:change:speed" class="unstable">
change:speed
</li>
<li data-name="ol.ObjectEvent#event:change:tracking" class="unstable">
change:tracking
</li>
<li data-name="ol.ObjectEvent#event:change:trackingOptions" class="unstable">
change:trackingOptions
</li>
<li data-name="event:error" class="unstable">
<a href="global.html#event:error">error</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.Graticule">
<span class="title">
<a href="ol.Graticule.html">ol.Graticule</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.Graticule#getMap" class="unstable">
<a href="ol.Graticule.html#getMap">getMap</a>
</li>
<li data-name="ol.Graticule#getMeridians" class="unstable">
<a href="ol.Graticule.html#getMeridians">getMeridians</a>
</li>
<li data-name="ol.Graticule#getParallels" class="unstable">
<a href="ol.Graticule.html#getParallels">getParallels</a>
</li>
<li data-name="ol.Graticule#setMap" class="unstable">
<a href="ol.Graticule.html#setMap">setMap</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.Image">
<span class="title">
<a href="ol.Image.html">ol.Image</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.Image#getImage" class="unstable">
<a href="ol.Image.html#getImage">getImage</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.ImageBase">
<span class="title">
<a href="ol.ImageBase.html">ol.ImageBase</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.ImageTile">
<span class="title">
<a href="ol.ImageTile.html">ol.ImageTile</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.ImageTile#getImage" class="unstable">
<a href="ol.ImageTile.html#getImage">getImage</a>
</li>
<li data-name="ol.ImageTile#getTileCoord" class="unstable">
<a href="ol.ImageTile.html#getTileCoord">getTileCoord</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.Kinetic">
<span class="title">
<a href="ol.Kinetic.html">ol.Kinetic</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.Map">
<span class="title">
<a href="ol.Map.html">ol.Map</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.Map#addControl" class="">
<a href="ol.Map.html#addControl">addControl</a>
</li>
<li data-name="ol.Map#addInteraction" class="">
<a href="ol.Map.html#addInteraction">addInteraction</a>
</li>
<li data-name="ol.Map#addLayer" class="">
<a href="ol.Map.html#addLayer">addLayer</a>
</li>
<li data-name="ol.Map#addOverlay" class="">
<a href="ol.Map.html#addOverlay">addOverlay</a>
</li>
<li data-name="ol.Map#beforeRender" class="unstable">
<a href="ol.Map.html#beforeRender">beforeRender</a>
</li>
<li data-name="ol.Map#changed" class="unstable">
<a href="ol.Map.html#changed">changed</a>
</li>
<li data-name="ol.Map#dispatchEvent" class="unstable">
<a href="ol.Map.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.Map#forEachFeatureAtPixel" class="">
<a href="ol.Map.html#forEachFeatureAtPixel">forEachFeatureAtPixel</a>
</li>
<li data-name="ol.Map#forEachLayerAtPixel" class="">
<a href="ol.Map.html#forEachLayerAtPixel">forEachLayerAtPixel</a>
</li>
<li data-name="ol.Map#get" class="">
<a href="ol.Map.html#get">get</a>
</li>
<li data-name="ol.Map#getControls" class="">
<a href="ol.Map.html#getControls">getControls</a>
</li>
<li data-name="ol.Map#getCoordinateFromPixel" class="">
<a href="ol.Map.html#getCoordinateFromPixel">getCoordinateFromPixel</a>
</li>
<li data-name="ol.Map#getEventCoordinate" class="">
<a href="ol.Map.html#getEventCoordinate">getEventCoordinate</a>
</li>
<li data-name="ol.Map#getEventPixel" class="">
<a href="ol.Map.html#getEventPixel">getEventPixel</a>
</li>
<li data-name="ol.Map#getInteractions" class="">
<a href="ol.Map.html#getInteractions">getInteractions</a>
</li>
<li data-name="ol.Map#getKeys" class="">
<a href="ol.Map.html#getKeys">getKeys</a>
</li>
<li data-name="ol.Map#getLayerGroup" class="">
<a href="ol.Map.html#getLayerGroup">getLayerGroup</a>
</li>
<li data-name="ol.Map#getLayers" class="">
<a href="ol.Map.html#getLayers">getLayers</a>
</li>
<li data-name="ol.Map#getOverlayById" class="unstable">
<a href="ol.Map.html#getOverlayById">getOverlayById</a>
</li>
<li data-name="ol.Map#getOverlays" class="">
<a href="ol.Map.html#getOverlays">getOverlays</a>
</li>
<li data-name="ol.Map#getPixelFromCoordinate" class="">
<a href="ol.Map.html#getPixelFromCoordinate">getPixelFromCoordinate</a>
</li>
<li data-name="ol.Map#getProperties" class="">
<a href="ol.Map.html#getProperties">getProperties</a>
</li>
<li data-name="ol.Map#getRevision" class="unstable">
<a href="ol.Map.html#getRevision">getRevision</a>
</li>
<li data-name="ol.Map#getSize" class="">
<a href="ol.Map.html#getSize">getSize</a>
</li>
<li data-name="ol.Map#getTarget" class="">
<a href="ol.Map.html#getTarget">getTarget</a>
</li>
<li data-name="ol.Map#getTargetElement" class="unstable">
<a href="ol.Map.html#getTargetElement">getTargetElement</a>
</li>
<li data-name="ol.Map#getView" class="">
<a href="ol.Map.html#getView">getView</a>
</li>
<li data-name="ol.Map#getViewport" class="">
<a href="ol.Map.html#getViewport">getViewport</a>
</li>
<li data-name="ol.Map#hasFeatureAtPixel" class="unstable">
<a href="ol.Map.html#hasFeatureAtPixel">hasFeatureAtPixel</a>
</li>
<li data-name="ol.Map#on" class="">
<a href="ol.Map.html#on">on</a>
</li>
<li data-name="ol.Map#once" class="">
<a href="ol.Map.html#once">once</a>
</li>
<li data-name="ol.Map#removeControl" class="">
<a href="ol.Map.html#removeControl">removeControl</a>
</li>
<li data-name="ol.Map#removeInteraction" class="">
<a href="ol.Map.html#removeInteraction">removeInteraction</a>
</li>
<li data-name="ol.Map#removeLayer" class="">
<a href="ol.Map.html#removeLayer">removeLayer</a>
</li>
<li data-name="ol.Map#removeOverlay" class="">
<a href="ol.Map.html#removeOverlay">removeOverlay</a>
</li>
<li data-name="ol.Map#render" class="">
<a href="ol.Map.html#render">render</a>
</li>
<li data-name="ol.Map#renderSync" class="">
<a href="ol.Map.html#renderSync">renderSync</a>
</li>
<li data-name="ol.Map#set" class="">
<a href="ol.Map.html#set">set</a>
</li>
<li data-name="ol.Map#setLayerGroup" class="">
<a href="ol.Map.html#setLayerGroup">setLayerGroup</a>
</li>
<li data-name="ol.Map#setProperties" class="">
<a href="ol.Map.html#setProperties">setProperties</a>
</li>
<li data-name="ol.Map#setSize" class="unstable">
<a href="ol.Map.html#setSize">setSize</a>
</li>
<li data-name="ol.Map#setTarget" class="">
<a href="ol.Map.html#setTarget">setTarget</a>
</li>
<li data-name="ol.Map#setView" class="">
<a href="ol.Map.html#setView">setView</a>
</li>
<li data-name="ol.Map#un" class="">
<a href="ol.Map.html#un">un</a>
</li>
<li data-name="ol.Map#unByKey" class="">
<a href="ol.Map.html#unByKey">unByKey</a>
</li>
<li data-name="ol.Map#unset" class="">
<a href="ol.Map.html#unset">unset</a>
</li>
<li data-name="ol.Map#updateSize" class="">
<a href="ol.Map.html#updateSize">updateSize</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:layerGroup" class="unstable">
change:layerGroup
</li>
<li data-name="ol.ObjectEvent#event:change:size" class="unstable">
change:size
</li>
<li data-name="ol.ObjectEvent#event:change:target" class="unstable">
change:target
</li>
<li data-name="ol.ObjectEvent#event:change:view" class="unstable">
change:view
</li>
<li data-name="ol.MapBrowserEvent#event:click" class="">
<a href="ol.MapBrowserEvent.html#event:click">click</a>
</li>
<li data-name="ol.MapBrowserEvent#event:dblclick" class="">
<a href="ol.MapBrowserEvent.html#event:dblclick">dblclick</a>
</li>
<li data-name="ol.MapEvent#event:moveend" class="">
<a href="ol.MapEvent.html#event:moveend">moveend</a>
</li>
<li data-name="ol.MapBrowserEvent#event:pointerdrag" class="unstable">
<a href="ol.MapBrowserEvent.html#event:pointerdrag">pointerdrag</a>
</li>
<li data-name="ol.MapBrowserEvent#event:pointermove" class="">
<a href="ol.MapBrowserEvent.html#event:pointermove">pointermove</a>
</li>
<li data-name="ol.render.Event#event:postcompose" class="unstable">
<a href="ol.render.Event.html#event:postcompose">postcompose</a>
</li>
<li data-name="ol.MapEvent#event:postrender" class="unstable">
<a href="ol.MapEvent.html#event:postrender">postrender</a>
</li>
<li data-name="ol.render.Event#event:precompose" class="unstable">
<a href="ol.render.Event.html#event:precompose">precompose</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.MapBrowserEvent#event:singleclick" class="">
<a href="ol.MapBrowserEvent.html#event:singleclick">singleclick</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.MapBrowserEvent">
<span class="title">
<a href="ol.MapBrowserEvent.html">ol.MapBrowserEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.MapBrowserEvent#coordinate"><a href="ol.MapBrowserEvent.html#coordinate">coordinate</a></li>
<li data-name="ol.MapBrowserEvent#dragging"><a href="ol.MapBrowserEvent.html#dragging">dragging</a></li>
<li data-name="ol.MapBrowserEvent#frameState"><a href="ol.MapBrowserEvent.html#frameState">frameState</a></li>
<li data-name="ol.MapBrowserEvent#map"><a href="ol.MapBrowserEvent.html#map">map</a></li>
<li data-name="ol.MapBrowserEvent#originalEvent"><a href="ol.MapBrowserEvent.html#originalEvent">originalEvent</a></li>
<li data-name="ol.MapBrowserEvent#pixel"><a href="ol.MapBrowserEvent.html#pixel">pixel</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.MapBrowserEvent#preventDefault" class="">
<a href="ol.MapBrowserEvent.html#preventDefault">preventDefault</a>
</li>
<li data-name="ol.MapBrowserEvent#stopPropagation" class="">
<a href="ol.MapBrowserEvent.html#stopPropagation">stopPropagation</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.MapEvent">
<span class="title">
<a href="ol.MapEvent.html">ol.MapEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.MapEvent#frameState"><a href="ol.MapEvent.html#frameState">frameState</a></li>
<li data-name="ol.MapEvent#map"><a href="ol.MapEvent.html#map">map</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.Object">
<span class="title">
<a href="ol.Object.html">ol.Object</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.Object#changed" class="unstable">
<a href="ol.Object.html#changed">changed</a>
</li>
<li data-name="ol.Object#dispatchEvent" class="unstable">
<a href="ol.Object.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.Object#get" class="">
<a href="ol.Object.html#get">get</a>
</li>
<li data-name="ol.Object#getKeys" class="">
<a href="ol.Object.html#getKeys">getKeys</a>
</li>
<li data-name="ol.Object#getProperties" class="">
<a href="ol.Object.html#getProperties">getProperties</a>
</li>
<li data-name="ol.Object#getRevision" class="unstable">
<a href="ol.Object.html#getRevision">getRevision</a>
</li>
<li data-name="ol.Object#on" class="">
<a href="ol.Object.html#on">on</a>
</li>
<li data-name="ol.Object#once" class="">
<a href="ol.Object.html#once">once</a>
</li>
<li data-name="ol.Object#set" class="">
<a href="ol.Object.html#set">set</a>
</li>
<li data-name="ol.Object#setProperties" class="">
<a href="ol.Object.html#setProperties">setProperties</a>
</li>
<li data-name="ol.Object#un" class="">
<a href="ol.Object.html#un">un</a>
</li>
<li data-name="ol.Object#unByKey" class="">
<a href="ol.Object.html#unByKey">unByKey</a>
</li>
<li data-name="ol.Object#unset" class="">
<a href="ol.Object.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.ObjectEvent">
<span class="title">
<a href="ol.ObjectEvent.html">ol.ObjectEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.ObjectEvent#key"><a href="ol.ObjectEvent.html#key">key</a></li>
<li data-name="ol.ObjectEvent#oldValue"><a href="ol.ObjectEvent.html#oldValue">oldValue</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.Observable">
<span class="title">
<a href="ol.Observable.html">ol.Observable</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.Observable.unByKey" class="">
<a href="ol.Observable.html#.unByKey">unByKey</a>
</li>
<li data-name="ol.Observable#changed" class="unstable">
<a href="ol.Observable.html#changed">changed</a>
</li>
<li data-name="ol.Observable#dispatchEvent" class="unstable">
<a href="ol.Observable.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.Observable#getRevision" class="unstable">
<a href="ol.Observable.html#getRevision">getRevision</a>
</li>
<li data-name="ol.Observable#on" class="">
<a href="ol.Observable.html#on">on</a>
</li>
<li data-name="ol.Observable#once" class="">
<a href="ol.Observable.html#once">once</a>
</li>
<li data-name="ol.Observable#un" class="">
<a href="ol.Observable.html#un">un</a>
</li>
<li data-name="ol.Observable#unByKey" class="">
<a href="ol.Observable.html#unByKey">unByKey</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.Overlay">
<span class="title">
<a href="ol.Overlay.html">ol.Overlay</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.Overlay#changed" class="unstable">
<a href="ol.Overlay.html#changed">changed</a>
</li>
<li data-name="ol.Overlay#dispatchEvent" class="unstable">
<a href="ol.Overlay.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.Overlay#get" class="">
<a href="ol.Overlay.html#get">get</a>
</li>
<li data-name="ol.Overlay#getElement" class="">
<a href="ol.Overlay.html#getElement">getElement</a>
</li>
<li data-name="ol.Overlay#getId" class="unstable">
<a href="ol.Overlay.html#getId">getId</a>
</li>
<li data-name="ol.Overlay#getKeys" class="">
<a href="ol.Overlay.html#getKeys">getKeys</a>
</li>
<li data-name="ol.Overlay#getMap" class="">
<a href="ol.Overlay.html#getMap">getMap</a>
</li>
<li data-name="ol.Overlay#getOffset" class="">
<a href="ol.Overlay.html#getOffset">getOffset</a>
</li>
<li data-name="ol.Overlay#getPosition" class="">
<a href="ol.Overlay.html#getPosition">getPosition</a>
</li>
<li data-name="ol.Overlay#getPositioning" class="">
<a href="ol.Overlay.html#getPositioning">getPositioning</a>
</li>
<li data-name="ol.Overlay#getProperties" class="">
<a href="ol.Overlay.html#getProperties">getProperties</a>
</li>
<li data-name="ol.Overlay#getRevision" class="unstable">
<a href="ol.Overlay.html#getRevision">getRevision</a>
</li>
<li data-name="ol.Overlay#on" class="">
<a href="ol.Overlay.html#on">on</a>
</li>
<li data-name="ol.Overlay#once" class="">
<a href="ol.Overlay.html#once">once</a>
</li>
<li data-name="ol.Overlay#set" class="">
<a href="ol.Overlay.html#set">set</a>
</li>
<li data-name="ol.Overlay#setElement" class="">
<a href="ol.Overlay.html#setElement">setElement</a>
</li>
<li data-name="ol.Overlay#setMap" class="">
<a href="ol.Overlay.html#setMap">setMap</a>
</li>
<li data-name="ol.Overlay#setOffset" class="">
<a href="ol.Overlay.html#setOffset">setOffset</a>
</li>
<li data-name="ol.Overlay#setPosition" class="">
<a href="ol.Overlay.html#setPosition">setPosition</a>
</li>
<li data-name="ol.Overlay#setPositioning" class="">
<a href="ol.Overlay.html#setPositioning">setPositioning</a>
</li>
<li data-name="ol.Overlay#setProperties" class="">
<a href="ol.Overlay.html#setProperties">setProperties</a>
</li>
<li data-name="ol.Overlay#un" class="">
<a href="ol.Overlay.html#un">un</a>
</li>
<li data-name="ol.Overlay#unByKey" class="">
<a href="ol.Overlay.html#unByKey">unByKey</a>
</li>
<li data-name="ol.Overlay#unset" class="">
<a href="ol.Overlay.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:element" class="unstable">
change:element
</li>
<li data-name="ol.ObjectEvent#event:change:map" class="unstable">
change:map
</li>
<li data-name="ol.ObjectEvent#event:change:offset" class="unstable">
change:offset
</li>
<li data-name="ol.ObjectEvent#event:change:position" class="unstable">
change:position
</li>
<li data-name="ol.ObjectEvent#event:change:positioning" class="unstable">
change:positioning
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.Sphere">
<span class="title">
<a href="ol.Sphere.html">ol.Sphere</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.Sphere#geodesicArea" class="unstable">
<a href="ol.Sphere.html#geodesicArea">geodesicArea</a>
</li>
<li data-name="ol.Sphere#haversineDistance" class="unstable">
<a href="ol.Sphere.html#haversineDistance">haversineDistance</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.Tile">
<span class="title">
<a href="ol.Tile.html">ol.Tile</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.Tile#getTileCoord" class="unstable">
<a href="ol.Tile.html#getTileCoord">getTileCoord</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.VectorTile">
<span class="title">
<a href="ol.VectorTile.html">ol.VectorTile</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.VectorTile#getFormat" class="unstable">
<a href="ol.VectorTile.html#getFormat">getFormat</a>
</li>
<li data-name="ol.VectorTile#getTileCoord" class="unstable">
<a href="ol.VectorTile.html#getTileCoord">getTileCoord</a>
</li>
<li data-name="ol.VectorTile#setFeatures" class="unstable">
<a href="ol.VectorTile.html#setFeatures">setFeatures</a>
</li>
<li data-name="ol.VectorTile#setLoader" class="unstable">
<a href="ol.VectorTile.html#setLoader">setLoader</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.View">
<span class="title">
<a href="ol.View.html">ol.View</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.View#calculateExtent" class="">
<a href="ol.View.html#calculateExtent">calculateExtent</a>
</li>
<li data-name="ol.View#centerOn" class="unstable">
<a href="ol.View.html#centerOn">centerOn</a>
</li>
<li data-name="ol.View#changed" class="unstable">
<a href="ol.View.html#changed">changed</a>
</li>
<li data-name="ol.View#constrainCenter" class="unstable">
<a href="ol.View.html#constrainCenter">constrainCenter</a>
</li>
<li data-name="ol.View#constrainResolution" class="unstable">
<a href="ol.View.html#constrainResolution">constrainResolution</a>
</li>
<li data-name="ol.View#constrainRotation" class="unstable">
<a href="ol.View.html#constrainRotation">constrainRotation</a>
</li>
<li data-name="ol.View#dispatchEvent" class="unstable">
<a href="ol.View.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.View#fit" class="unstable">
<a href="ol.View.html#fit">fit</a>
</li>
<li data-name="ol.View#get" class="">
<a href="ol.View.html#get">get</a>
</li>
<li data-name="ol.View#getCenter" class="">
<a href="ol.View.html#getCenter">getCenter</a>
</li>
<li data-name="ol.View#getKeys" class="">
<a href="ol.View.html#getKeys">getKeys</a>
</li>
<li data-name="ol.View#getProjection" class="">
<a href="ol.View.html#getProjection">getProjection</a>
</li>
<li data-name="ol.View#getProperties" class="">
<a href="ol.View.html#getProperties">getProperties</a>
</li>
<li data-name="ol.View#getResolution" class="">
<a href="ol.View.html#getResolution">getResolution</a>
</li>
<li data-name="ol.View#getRevision" class="unstable">
<a href="ol.View.html#getRevision">getRevision</a>
</li>
<li data-name="ol.View#getRotation" class="">
<a href="ol.View.html#getRotation">getRotation</a>
</li>
<li data-name="ol.View#getZoom" class="">
<a href="ol.View.html#getZoom">getZoom</a>
</li>
<li data-name="ol.View#on" class="">
<a href="ol.View.html#on">on</a>
</li>
<li data-name="ol.View#once" class="">
<a href="ol.View.html#once">once</a>
</li>
<li data-name="ol.View#rotate" class="">
<a href="ol.View.html#rotate">rotate</a>
</li>
<li data-name="ol.View#set" class="">
<a href="ol.View.html#set">set</a>
</li>
<li data-name="ol.View#setCenter" class="">
<a href="ol.View.html#setCenter">setCenter</a>
</li>
<li data-name="ol.View#setProperties" class="">
<a href="ol.View.html#setProperties">setProperties</a>
</li>
<li data-name="ol.View#setResolution" class="">
<a href="ol.View.html#setResolution">setResolution</a>
</li>
<li data-name="ol.View#setRotation" class="">
<a href="ol.View.html#setRotation">setRotation</a>
</li>
<li data-name="ol.View#setZoom" class="">
<a href="ol.View.html#setZoom">setZoom</a>
</li>
<li data-name="ol.View#un" class="">
<a href="ol.View.html#un">un</a>
</li>
<li data-name="ol.View#unByKey" class="">
<a href="ol.View.html#unByKey">unByKey</a>
</li>
<li data-name="ol.View#unset" class="">
<a href="ol.View.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:center" class="unstable">
change:center
</li>
<li data-name="ol.ObjectEvent#event:change:resolution" class="unstable">
change:resolution
</li>
<li data-name="ol.ObjectEvent#event:change:rotation" class="unstable">
change:rotation
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.animation">
<span class="title">
<a href="ol.animation.html">ol.animation</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.animation.bounce" class="unstable">
<a href="ol.animation.html#.bounce">bounce</a>
</li>
<li data-name="ol.animation.pan" class="unstable">
<a href="ol.animation.html#.pan">pan</a>
</li>
<li data-name="ol.animation.rotate" class="unstable">
<a href="ol.animation.html#.rotate">rotate</a>
</li>
<li data-name="ol.animation.zoom" class="unstable">
<a href="ol.animation.html#.zoom">zoom</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.color">
<span class="title">
<a href="ol.color.html">ol.color</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.color.asArray" class="unstable">
<a href="ol.color.html#.asArray">asArray</a>
</li>
<li data-name="ol.color.asString" class="unstable">
<a href="ol.color.html#.asString">asString</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.control">
<span class="title">
<a href="ol.control.html">ol.control</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
<span class="subtitle">Typedefs</span>
<li data-name="ol.control.ScaleLineUnits" class="">
<a href="ol.control.html#.ScaleLineUnits">ScaleLineUnits</a>
</li>
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.control.defaults" class="">
<a href="ol.control.html#.defaults">defaults</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.control.Attribution">
<span class="title">
<a href="ol.control.Attribution.html">ol.control.Attribution</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.control.Attribution.render" class="unstable">
<a href="ol.control.Attribution.html#.render">render</a>
</li>
<li data-name="ol.control.Attribution#changed" class="unstable">
<a href="ol.control.Attribution.html#changed">changed</a>
</li>
<li data-name="ol.control.Attribution#dispatchEvent" class="unstable">
<a href="ol.control.Attribution.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.control.Attribution#get" class="">
<a href="ol.control.Attribution.html#get">get</a>
</li>
<li data-name="ol.control.Attribution#getCollapsed" class="">
<a href="ol.control.Attribution.html#getCollapsed">getCollapsed</a>
</li>
<li data-name="ol.control.Attribution#getCollapsible" class="">
<a href="ol.control.Attribution.html#getCollapsible">getCollapsible</a>
</li>
<li data-name="ol.control.Attribution#getKeys" class="">
<a href="ol.control.Attribution.html#getKeys">getKeys</a>
</li>
<li data-name="ol.control.Attribution#getMap" class="">
<a href="ol.control.Attribution.html#getMap">getMap</a>
</li>
<li data-name="ol.control.Attribution#getProperties" class="">
<a href="ol.control.Attribution.html#getProperties">getProperties</a>
</li>
<li data-name="ol.control.Attribution#getRevision" class="unstable">
<a href="ol.control.Attribution.html#getRevision">getRevision</a>
</li>
<li data-name="ol.control.Attribution#on" class="">
<a href="ol.control.Attribution.html#on">on</a>
</li>
<li data-name="ol.control.Attribution#once" class="">
<a href="ol.control.Attribution.html#once">once</a>
</li>
<li data-name="ol.control.Attribution#set" class="">
<a href="ol.control.Attribution.html#set">set</a>
</li>
<li data-name="ol.control.Attribution#setCollapsed" class="">
<a href="ol.control.Attribution.html#setCollapsed">setCollapsed</a>
</li>
<li data-name="ol.control.Attribution#setCollapsible" class="">
<a href="ol.control.Attribution.html#setCollapsible">setCollapsible</a>
</li>
<li data-name="ol.control.Attribution#setMap" class="">
<a href="ol.control.Attribution.html#setMap">setMap</a>
</li>
<li data-name="ol.control.Attribution#setProperties" class="">
<a href="ol.control.Attribution.html#setProperties">setProperties</a>
</li>
<li data-name="ol.control.Attribution#setTarget" class="unstable">
<a href="ol.control.Attribution.html#setTarget">setTarget</a>
</li>
<li data-name="ol.control.Attribution#un" class="">
<a href="ol.control.Attribution.html#un">un</a>
</li>
<li data-name="ol.control.Attribution#unByKey" class="">
<a href="ol.control.Attribution.html#unByKey">unByKey</a>
</li>
<li data-name="ol.control.Attribution#unset" class="">
<a href="ol.control.Attribution.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.control.Control">
<span class="title">
<a href="ol.control.Control.html">ol.control.Control</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.control.Control#changed" class="unstable">
<a href="ol.control.Control.html#changed">changed</a>
</li>
<li data-name="ol.control.Control#dispatchEvent" class="unstable">
<a href="ol.control.Control.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.control.Control#get" class="">
<a href="ol.control.Control.html#get">get</a>
</li>
<li data-name="ol.control.Control#getKeys" class="">
<a href="ol.control.Control.html#getKeys">getKeys</a>
</li>
<li data-name="ol.control.Control#getMap" class="">
<a href="ol.control.Control.html#getMap">getMap</a>
</li>
<li data-name="ol.control.Control#getProperties" class="">
<a href="ol.control.Control.html#getProperties">getProperties</a>
</li>
<li data-name="ol.control.Control#getRevision" class="unstable">
<a href="ol.control.Control.html#getRevision">getRevision</a>
</li>
<li data-name="ol.control.Control#on" class="">
<a href="ol.control.Control.html#on">on</a>
</li>
<li data-name="ol.control.Control#once" class="">
<a href="ol.control.Control.html#once">once</a>
</li>
<li data-name="ol.control.Control#set" class="">
<a href="ol.control.Control.html#set">set</a>
</li>
<li data-name="ol.control.Control#setMap" class="">
<a href="ol.control.Control.html#setMap">setMap</a>
</li>
<li data-name="ol.control.Control#setProperties" class="">
<a href="ol.control.Control.html#setProperties">setProperties</a>
</li>
<li data-name="ol.control.Control#setTarget" class="unstable">
<a href="ol.control.Control.html#setTarget">setTarget</a>
</li>
<li data-name="ol.control.Control#un" class="">
<a href="ol.control.Control.html#un">un</a>
</li>
<li data-name="ol.control.Control#unByKey" class="">
<a href="ol.control.Control.html#unByKey">unByKey</a>
</li>
<li data-name="ol.control.Control#unset" class="">
<a href="ol.control.Control.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.control.FullScreen">
<span class="title">
<a href="ol.control.FullScreen.html">ol.control.FullScreen</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.control.FullScreen#changed" class="unstable">
<a href="ol.control.FullScreen.html#changed">changed</a>
</li>
<li data-name="ol.control.FullScreen#dispatchEvent" class="unstable">
<a href="ol.control.FullScreen.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.control.FullScreen#get" class="">
<a href="ol.control.FullScreen.html#get">get</a>
</li>
<li data-name="ol.control.FullScreen#getKeys" class="">
<a href="ol.control.FullScreen.html#getKeys">getKeys</a>
</li>
<li data-name="ol.control.FullScreen#getMap" class="">
<a href="ol.control.FullScreen.html#getMap">getMap</a>
</li>
<li data-name="ol.control.FullScreen#getProperties" class="">
<a href="ol.control.FullScreen.html#getProperties">getProperties</a>
</li>
<li data-name="ol.control.FullScreen#getRevision" class="unstable">
<a href="ol.control.FullScreen.html#getRevision">getRevision</a>
</li>
<li data-name="ol.control.FullScreen#on" class="">
<a href="ol.control.FullScreen.html#on">on</a>
</li>
<li data-name="ol.control.FullScreen#once" class="">
<a href="ol.control.FullScreen.html#once">once</a>
</li>
<li data-name="ol.control.FullScreen#set" class="">
<a href="ol.control.FullScreen.html#set">set</a>
</li>
<li data-name="ol.control.FullScreen#setMap" class="">
<a href="ol.control.FullScreen.html#setMap">setMap</a>
</li>
<li data-name="ol.control.FullScreen#setProperties" class="">
<a href="ol.control.FullScreen.html#setProperties">setProperties</a>
</li>
<li data-name="ol.control.FullScreen#setTarget" class="unstable">
<a href="ol.control.FullScreen.html#setTarget">setTarget</a>
</li>
<li data-name="ol.control.FullScreen#un" class="">
<a href="ol.control.FullScreen.html#un">un</a>
</li>
<li data-name="ol.control.FullScreen#unByKey" class="">
<a href="ol.control.FullScreen.html#unByKey">unByKey</a>
</li>
<li data-name="ol.control.FullScreen#unset" class="">
<a href="ol.control.FullScreen.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.control.MousePosition">
<span class="title">
<a href="ol.control.MousePosition.html">ol.control.MousePosition</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.control.MousePosition.render" class="unstable">
<a href="ol.control.MousePosition.html#.render">render</a>
</li>
<li data-name="ol.control.MousePosition#changed" class="unstable">
<a href="ol.control.MousePosition.html#changed">changed</a>
</li>
<li data-name="ol.control.MousePosition#dispatchEvent" class="unstable">
<a href="ol.control.MousePosition.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.control.MousePosition#get" class="">
<a href="ol.control.MousePosition.html#get">get</a>
</li>
<li data-name="ol.control.MousePosition#getCoordinateFormat" class="">
<a href="ol.control.MousePosition.html#getCoordinateFormat">getCoordinateFormat</a>
</li>
<li data-name="ol.control.MousePosition#getKeys" class="">
<a href="ol.control.MousePosition.html#getKeys">getKeys</a>
</li>
<li data-name="ol.control.MousePosition#getMap" class="">
<a href="ol.control.MousePosition.html#getMap">getMap</a>
</li>
<li data-name="ol.control.MousePosition#getProjection" class="">
<a href="ol.control.MousePosition.html#getProjection">getProjection</a>
</li>
<li data-name="ol.control.MousePosition#getProperties" class="">
<a href="ol.control.MousePosition.html#getProperties">getProperties</a>
</li>
<li data-name="ol.control.MousePosition#getRevision" class="unstable">
<a href="ol.control.MousePosition.html#getRevision">getRevision</a>
</li>
<li data-name="ol.control.MousePosition#on" class="">
<a href="ol.control.MousePosition.html#on">on</a>
</li>
<li data-name="ol.control.MousePosition#once" class="">
<a href="ol.control.MousePosition.html#once">once</a>
</li>
<li data-name="ol.control.MousePosition#set" class="">
<a href="ol.control.MousePosition.html#set">set</a>
</li>
<li data-name="ol.control.MousePosition#setCoordinateFormat" class="">
<a href="ol.control.MousePosition.html#setCoordinateFormat">setCoordinateFormat</a>
</li>
<li data-name="ol.control.MousePosition#setMap" class="">
<a href="ol.control.MousePosition.html#setMap">setMap</a>
</li>
<li data-name="ol.control.MousePosition#setProjection" class="">
<a href="ol.control.MousePosition.html#setProjection">setProjection</a>
</li>
<li data-name="ol.control.MousePosition#setProperties" class="">
<a href="ol.control.MousePosition.html#setProperties">setProperties</a>
</li>
<li data-name="ol.control.MousePosition#setTarget" class="unstable">
<a href="ol.control.MousePosition.html#setTarget">setTarget</a>
</li>
<li data-name="ol.control.MousePosition#un" class="">
<a href="ol.control.MousePosition.html#un">un</a>
</li>
<li data-name="ol.control.MousePosition#unByKey" class="">
<a href="ol.control.MousePosition.html#unByKey">unByKey</a>
</li>
<li data-name="ol.control.MousePosition#unset" class="">
<a href="ol.control.MousePosition.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:coordinateFormat" class="unstable">
change:coordinateFormat
</li>
<li data-name="ol.ObjectEvent#event:change:projection" class="unstable">
change:projection
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.control.OverviewMap">
<span class="title">
<a href="ol.control.OverviewMap.html">ol.control.OverviewMap</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.control.OverviewMap.render" class="unstable">
<a href="ol.control.OverviewMap.html#.render">render</a>
</li>
<li data-name="ol.control.OverviewMap#changed" class="unstable">
<a href="ol.control.OverviewMap.html#changed">changed</a>
</li>
<li data-name="ol.control.OverviewMap#dispatchEvent" class="unstable">
<a href="ol.control.OverviewMap.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.control.OverviewMap#get" class="">
<a href="ol.control.OverviewMap.html#get">get</a>
</li>
<li data-name="ol.control.OverviewMap#getCollapsed" class="">
<a href="ol.control.OverviewMap.html#getCollapsed">getCollapsed</a>
</li>
<li data-name="ol.control.OverviewMap#getCollapsible" class="">
<a href="ol.control.OverviewMap.html#getCollapsible">getCollapsible</a>
</li>
<li data-name="ol.control.OverviewMap#getKeys" class="">
<a href="ol.control.OverviewMap.html#getKeys">getKeys</a>
</li>
<li data-name="ol.control.OverviewMap#getMap" class="">
<a href="ol.control.OverviewMap.html#getMap">getMap</a>
</li>
<li data-name="ol.control.OverviewMap#getOverviewMap" class="unstable">
<a href="ol.control.OverviewMap.html#getOverviewMap">getOverviewMap</a>
</li>
<li data-name="ol.control.OverviewMap#getProperties" class="">
<a href="ol.control.OverviewMap.html#getProperties">getProperties</a>
</li>
<li data-name="ol.control.OverviewMap#getRevision" class="unstable">
<a href="ol.control.OverviewMap.html#getRevision">getRevision</a>
</li>
<li data-name="ol.control.OverviewMap#on" class="">
<a href="ol.control.OverviewMap.html#on">on</a>
</li>
<li data-name="ol.control.OverviewMap#once" class="">
<a href="ol.control.OverviewMap.html#once">once</a>
</li>
<li data-name="ol.control.OverviewMap#set" class="">
<a href="ol.control.OverviewMap.html#set">set</a>
</li>
<li data-name="ol.control.OverviewMap#setCollapsed" class="">
<a href="ol.control.OverviewMap.html#setCollapsed">setCollapsed</a>
</li>
<li data-name="ol.control.OverviewMap#setCollapsible" class="">
<a href="ol.control.OverviewMap.html#setCollapsible">setCollapsible</a>
</li>
<li data-name="ol.control.OverviewMap#setMap" class="">
<a href="ol.control.OverviewMap.html#setMap">setMap</a>
</li>
<li data-name="ol.control.OverviewMap#setProperties" class="">
<a href="ol.control.OverviewMap.html#setProperties">setProperties</a>
</li>
<li data-name="ol.control.OverviewMap#setTarget" class="unstable">
<a href="ol.control.OverviewMap.html#setTarget">setTarget</a>
</li>
<li data-name="ol.control.OverviewMap#un" class="">
<a href="ol.control.OverviewMap.html#un">un</a>
</li>
<li data-name="ol.control.OverviewMap#unByKey" class="">
<a href="ol.control.OverviewMap.html#unByKey">unByKey</a>
</li>
<li data-name="ol.control.OverviewMap#unset" class="">
<a href="ol.control.OverviewMap.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.control.Rotate">
<span class="title">
<a href="ol.control.Rotate.html">ol.control.Rotate</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.control.Rotate.render" class="unstable">
<a href="ol.control.Rotate.html#.render">render</a>
</li>
<li data-name="ol.control.Rotate#changed" class="unstable">
<a href="ol.control.Rotate.html#changed">changed</a>
</li>
<li data-name="ol.control.Rotate#dispatchEvent" class="unstable">
<a href="ol.control.Rotate.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.control.Rotate#get" class="">
<a href="ol.control.Rotate.html#get">get</a>
</li>
<li data-name="ol.control.Rotate#getKeys" class="">
<a href="ol.control.Rotate.html#getKeys">getKeys</a>
</li>
<li data-name="ol.control.Rotate#getMap" class="">
<a href="ol.control.Rotate.html#getMap">getMap</a>
</li>
<li data-name="ol.control.Rotate#getProperties" class="">
<a href="ol.control.Rotate.html#getProperties">getProperties</a>
</li>
<li data-name="ol.control.Rotate#getRevision" class="unstable">
<a href="ol.control.Rotate.html#getRevision">getRevision</a>
</li>
<li data-name="ol.control.Rotate#on" class="">
<a href="ol.control.Rotate.html#on">on</a>
</li>
<li data-name="ol.control.Rotate#once" class="">
<a href="ol.control.Rotate.html#once">once</a>
</li>
<li data-name="ol.control.Rotate#set" class="">
<a href="ol.control.Rotate.html#set">set</a>
</li>
<li data-name="ol.control.Rotate#setMap" class="">
<a href="ol.control.Rotate.html#setMap">setMap</a>
</li>
<li data-name="ol.control.Rotate#setProperties" class="">
<a href="ol.control.Rotate.html#setProperties">setProperties</a>
</li>
<li data-name="ol.control.Rotate#setTarget" class="unstable">
<a href="ol.control.Rotate.html#setTarget">setTarget</a>
</li>
<li data-name="ol.control.Rotate#un" class="">
<a href="ol.control.Rotate.html#un">un</a>
</li>
<li data-name="ol.control.Rotate#unByKey" class="">
<a href="ol.control.Rotate.html#unByKey">unByKey</a>
</li>
<li data-name="ol.control.Rotate#unset" class="">
<a href="ol.control.Rotate.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.control.ScaleLine">
<span class="title">
<a href="ol.control.ScaleLine.html">ol.control.ScaleLine</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.control.ScaleLine.render" class="unstable">
<a href="ol.control.ScaleLine.html#.render">render</a>
</li>
<li data-name="ol.control.ScaleLine#changed" class="unstable">
<a href="ol.control.ScaleLine.html#changed">changed</a>
</li>
<li data-name="ol.control.ScaleLine#dispatchEvent" class="unstable">
<a href="ol.control.ScaleLine.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.control.ScaleLine#get" class="">
<a href="ol.control.ScaleLine.html#get">get</a>
</li>
<li data-name="ol.control.ScaleLine#getKeys" class="">
<a href="ol.control.ScaleLine.html#getKeys">getKeys</a>
</li>
<li data-name="ol.control.ScaleLine#getMap" class="">
<a href="ol.control.ScaleLine.html#getMap">getMap</a>
</li>
<li data-name="ol.control.ScaleLine#getProperties" class="">
<a href="ol.control.ScaleLine.html#getProperties">getProperties</a>
</li>
<li data-name="ol.control.ScaleLine#getRevision" class="unstable">
<a href="ol.control.ScaleLine.html#getRevision">getRevision</a>
</li>
<li data-name="ol.control.ScaleLine#getUnits" class="">
<a href="ol.control.ScaleLine.html#getUnits">getUnits</a>
</li>
<li data-name="ol.control.ScaleLine#on" class="">
<a href="ol.control.ScaleLine.html#on">on</a>
</li>
<li data-name="ol.control.ScaleLine#once" class="">
<a href="ol.control.ScaleLine.html#once">once</a>
</li>
<li data-name="ol.control.ScaleLine#set" class="">
<a href="ol.control.ScaleLine.html#set">set</a>
</li>
<li data-name="ol.control.ScaleLine#setMap" class="">
<a href="ol.control.ScaleLine.html#setMap">setMap</a>
</li>
<li data-name="ol.control.ScaleLine#setProperties" class="">
<a href="ol.control.ScaleLine.html#setProperties">setProperties</a>
</li>
<li data-name="ol.control.ScaleLine#setTarget" class="unstable">
<a href="ol.control.ScaleLine.html#setTarget">setTarget</a>
</li>
<li data-name="ol.control.ScaleLine#setUnits" class="">
<a href="ol.control.ScaleLine.html#setUnits">setUnits</a>
</li>
<li data-name="ol.control.ScaleLine#un" class="">
<a href="ol.control.ScaleLine.html#un">un</a>
</li>
<li data-name="ol.control.ScaleLine#unByKey" class="">
<a href="ol.control.ScaleLine.html#unByKey">unByKey</a>
</li>
<li data-name="ol.control.ScaleLine#unset" class="">
<a href="ol.control.ScaleLine.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:units" class="unstable">
change:units
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.control.Zoom">
<span class="title">
<a href="ol.control.Zoom.html">ol.control.Zoom</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.control.Zoom#changed" class="unstable">
<a href="ol.control.Zoom.html#changed">changed</a>
</li>
<li data-name="ol.control.Zoom#dispatchEvent" class="unstable">
<a href="ol.control.Zoom.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.control.Zoom#get" class="">
<a href="ol.control.Zoom.html#get">get</a>
</li>
<li data-name="ol.control.Zoom#getKeys" class="">
<a href="ol.control.Zoom.html#getKeys">getKeys</a>
</li>
<li data-name="ol.control.Zoom#getMap" class="">
<a href="ol.control.Zoom.html#getMap">getMap</a>
</li>
<li data-name="ol.control.Zoom#getProperties" class="">
<a href="ol.control.Zoom.html#getProperties">getProperties</a>
</li>
<li data-name="ol.control.Zoom#getRevision" class="unstable">
<a href="ol.control.Zoom.html#getRevision">getRevision</a>
</li>
<li data-name="ol.control.Zoom#on" class="">
<a href="ol.control.Zoom.html#on">on</a>
</li>
<li data-name="ol.control.Zoom#once" class="">
<a href="ol.control.Zoom.html#once">once</a>
</li>
<li data-name="ol.control.Zoom#set" class="">
<a href="ol.control.Zoom.html#set">set</a>
</li>
<li data-name="ol.control.Zoom#setMap" class="">
<a href="ol.control.Zoom.html#setMap">setMap</a>
</li>
<li data-name="ol.control.Zoom#setProperties" class="">
<a href="ol.control.Zoom.html#setProperties">setProperties</a>
</li>
<li data-name="ol.control.Zoom#setTarget" class="unstable">
<a href="ol.control.Zoom.html#setTarget">setTarget</a>
</li>
<li data-name="ol.control.Zoom#un" class="">
<a href="ol.control.Zoom.html#un">un</a>
</li>
<li data-name="ol.control.Zoom#unByKey" class="">
<a href="ol.control.Zoom.html#unByKey">unByKey</a>
</li>
<li data-name="ol.control.Zoom#unset" class="">
<a href="ol.control.Zoom.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.control.ZoomSlider">
<span class="title">
<a href="ol.control.ZoomSlider.html">ol.control.ZoomSlider</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.control.ZoomSlider.render" class="unstable">
<a href="ol.control.ZoomSlider.html#.render">render</a>
</li>
<li data-name="ol.control.ZoomSlider#changed" class="unstable">
<a href="ol.control.ZoomSlider.html#changed">changed</a>
</li>
<li data-name="ol.control.ZoomSlider#dispatchEvent" class="unstable">
<a href="ol.control.ZoomSlider.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.control.ZoomSlider#get" class="">
<a href="ol.control.ZoomSlider.html#get">get</a>
</li>
<li data-name="ol.control.ZoomSlider#getKeys" class="">
<a href="ol.control.ZoomSlider.html#getKeys">getKeys</a>
</li>
<li data-name="ol.control.ZoomSlider#getMap" class="">
<a href="ol.control.ZoomSlider.html#getMap">getMap</a>
</li>
<li data-name="ol.control.ZoomSlider#getProperties" class="">
<a href="ol.control.ZoomSlider.html#getProperties">getProperties</a>
</li>
<li data-name="ol.control.ZoomSlider#getRevision" class="unstable">
<a href="ol.control.ZoomSlider.html#getRevision">getRevision</a>
</li>
<li data-name="ol.control.ZoomSlider#on" class="">
<a href="ol.control.ZoomSlider.html#on">on</a>
</li>
<li data-name="ol.control.ZoomSlider#once" class="">
<a href="ol.control.ZoomSlider.html#once">once</a>
</li>
<li data-name="ol.control.ZoomSlider#set" class="">
<a href="ol.control.ZoomSlider.html#set">set</a>
</li>
<li data-name="ol.control.ZoomSlider#setMap" class="">
<a href="ol.control.ZoomSlider.html#setMap">setMap</a>
</li>
<li data-name="ol.control.ZoomSlider#setProperties" class="">
<a href="ol.control.ZoomSlider.html#setProperties">setProperties</a>
</li>
<li data-name="ol.control.ZoomSlider#setTarget" class="unstable">
<a href="ol.control.ZoomSlider.html#setTarget">setTarget</a>
</li>
<li data-name="ol.control.ZoomSlider#un" class="">
<a href="ol.control.ZoomSlider.html#un">un</a>
</li>
<li data-name="ol.control.ZoomSlider#unByKey" class="">
<a href="ol.control.ZoomSlider.html#unByKey">unByKey</a>
</li>
<li data-name="ol.control.ZoomSlider#unset" class="">
<a href="ol.control.ZoomSlider.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.control.ZoomToExtent">
<span class="title">
<a href="ol.control.ZoomToExtent.html">ol.control.ZoomToExtent</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.control.ZoomToExtent#changed" class="unstable">
<a href="ol.control.ZoomToExtent.html#changed">changed</a>
</li>
<li data-name="ol.control.ZoomToExtent#dispatchEvent" class="unstable">
<a href="ol.control.ZoomToExtent.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.control.ZoomToExtent#get" class="">
<a href="ol.control.ZoomToExtent.html#get">get</a>
</li>
<li data-name="ol.control.ZoomToExtent#getKeys" class="">
<a href="ol.control.ZoomToExtent.html#getKeys">getKeys</a>
</li>
<li data-name="ol.control.ZoomToExtent#getMap" class="">
<a href="ol.control.ZoomToExtent.html#getMap">getMap</a>
</li>
<li data-name="ol.control.ZoomToExtent#getProperties" class="">
<a href="ol.control.ZoomToExtent.html#getProperties">getProperties</a>
</li>
<li data-name="ol.control.ZoomToExtent#getRevision" class="unstable">
<a href="ol.control.ZoomToExtent.html#getRevision">getRevision</a>
</li>
<li data-name="ol.control.ZoomToExtent#on" class="">
<a href="ol.control.ZoomToExtent.html#on">on</a>
</li>
<li data-name="ol.control.ZoomToExtent#once" class="">
<a href="ol.control.ZoomToExtent.html#once">once</a>
</li>
<li data-name="ol.control.ZoomToExtent#set" class="">
<a href="ol.control.ZoomToExtent.html#set">set</a>
</li>
<li data-name="ol.control.ZoomToExtent#setMap" class="">
<a href="ol.control.ZoomToExtent.html#setMap">setMap</a>
</li>
<li data-name="ol.control.ZoomToExtent#setProperties" class="">
<a href="ol.control.ZoomToExtent.html#setProperties">setProperties</a>
</li>
<li data-name="ol.control.ZoomToExtent#setTarget" class="unstable">
<a href="ol.control.ZoomToExtent.html#setTarget">setTarget</a>
</li>
<li data-name="ol.control.ZoomToExtent#un" class="">
<a href="ol.control.ZoomToExtent.html#un">un</a>
</li>
<li data-name="ol.control.ZoomToExtent#unByKey" class="">
<a href="ol.control.ZoomToExtent.html#unByKey">unByKey</a>
</li>
<li data-name="ol.control.ZoomToExtent#unset" class="">
<a href="ol.control.ZoomToExtent.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.coordinate">
<span class="title">
<a href="ol.coordinate.html">ol.coordinate</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.coordinate.add" class="">
<a href="ol.coordinate.html#.add">add</a>
</li>
<li data-name="ol.coordinate.createStringXY" class="">
<a href="ol.coordinate.html#.createStringXY">createStringXY</a>
</li>
<li data-name="ol.coordinate.format" class="">
<a href="ol.coordinate.html#.format">format</a>
</li>
<li data-name="ol.coordinate.rotate" class="">
<a href="ol.coordinate.html#.rotate">rotate</a>
</li>
<li data-name="ol.coordinate.toStringHDMS" class="">
<a href="ol.coordinate.html#.toStringHDMS">toStringHDMS</a>
</li>
<li data-name="ol.coordinate.toStringXY" class="">
<a href="ol.coordinate.html#.toStringXY">toStringXY</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.easing">
<span class="title">
<a href="ol.easing.html">ol.easing</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.easing.easeIn" class="unstable">
<a href="ol.easing.html#.easeIn">easeIn</a>
</li>
<li data-name="ol.easing.easeOut" class="unstable">
<a href="ol.easing.html#.easeOut">easeOut</a>
</li>
<li data-name="ol.easing.inAndOut" class="unstable">
<a href="ol.easing.html#.inAndOut">inAndOut</a>
</li>
<li data-name="ol.easing.linear" class="unstable">
<a href="ol.easing.html#.linear">linear</a>
</li>
<li data-name="ol.easing.upAndDown" class="unstable">
<a href="ol.easing.html#.upAndDown">upAndDown</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.events">
<span class="title">
<a href="ol.events.html">ol.events</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
<span class="subtitle">Typedefs</span>
<li data-name="ol.events.ConditionType" class="">
<a href="ol.events.html#.ConditionType">ConditionType</a>
</li>
<li data-name="ol.events.Key" class="unstable">
<a href="ol.events.html#.Key">Key</a>
</li>
<li data-name="ol.events.ListenerFunctionType" class="unstable">
<a href="ol.events.html#.ListenerFunctionType">ListenerFunctionType</a>
</li>
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.events.Event">
<span class="title">
<a href="ol.events.Event.html">ol.events.Event</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.events.EventTarget">
<span class="title">
<a href="ol.events.EventTarget.html">ol.events.EventTarget</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.events.condition">
<span class="title">
<a href="ol.events.condition.html">ol.events.condition</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.events.condition.altKeyOnly" class="">
<a href="ol.events.condition.html#.altKeyOnly">altKeyOnly</a>
</li>
<li data-name="ol.events.condition.altShiftKeysOnly" class="">
<a href="ol.events.condition.html#.altShiftKeysOnly">altShiftKeysOnly</a>
</li>
<li data-name="ol.events.condition.always" class="">
<a href="ol.events.condition.html#.always">always</a>
</li>
<li data-name="ol.events.condition.click" class="">
<a href="ol.events.condition.html#.click">click</a>
</li>
<li data-name="ol.events.condition.doubleClick" class="">
<a href="ol.events.condition.html#.doubleClick">doubleClick</a>
</li>
<li data-name="ol.events.condition.mouseOnly" class="">
<a href="ol.events.condition.html#.mouseOnly">mouseOnly</a>
</li>
<li data-name="ol.events.condition.never" class="">
<a href="ol.events.condition.html#.never">never</a>
</li>
<li data-name="ol.events.condition.noModifierKeys" class="">
<a href="ol.events.condition.html#.noModifierKeys">noModifierKeys</a>
</li>
<li data-name="ol.events.condition.platformModifierKeyOnly" class="">
<a href="ol.events.condition.html#.platformModifierKeyOnly">platformModifierKeyOnly</a>
</li>
<li data-name="ol.events.condition.pointerMove" class="unstable">
<a href="ol.events.condition.html#.pointerMove">pointerMove</a>
</li>
<li data-name="ol.events.condition.shiftKeyOnly" class="">
<a href="ol.events.condition.html#.shiftKeyOnly">shiftKeyOnly</a>
</li>
<li data-name="ol.events.condition.singleClick" class="">
<a href="ol.events.condition.html#.singleClick">singleClick</a>
</li>
<li data-name="ol.events.condition.targetNotEditable" class="unstable">
<a href="ol.events.condition.html#.targetNotEditable">targetNotEditable</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.extent">
<span class="title">
<a href="ol.extent.html">ol.extent</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.extent.applyTransform" class="">
<a href="ol.extent.html#.applyTransform">applyTransform</a>
</li>
<li data-name="ol.extent.boundingExtent" class="">
<a href="ol.extent.html#.boundingExtent">boundingExtent</a>
</li>
<li data-name="ol.extent.buffer" class="">
<a href="ol.extent.html#.buffer">buffer</a>
</li>
<li data-name="ol.extent.containsCoordinate" class="">
<a href="ol.extent.html#.containsCoordinate">containsCoordinate</a>
</li>
<li data-name="ol.extent.containsExtent" class="">
<a href="ol.extent.html#.containsExtent">containsExtent</a>
</li>
<li data-name="ol.extent.containsXY" class="">
<a href="ol.extent.html#.containsXY">containsXY</a>
</li>
<li data-name="ol.extent.createEmpty" class="">
<a href="ol.extent.html#.createEmpty">createEmpty</a>
</li>
<li data-name="ol.extent.equals" class="">
<a href="ol.extent.html#.equals">equals</a>
</li>
<li data-name="ol.extent.extend" class="">
<a href="ol.extent.html#.extend">extend</a>
</li>
<li data-name="ol.extent.getBottomLeft" class="">
<a href="ol.extent.html#.getBottomLeft">getBottomLeft</a>
</li>
<li data-name="ol.extent.getBottomRight" class="">
<a href="ol.extent.html#.getBottomRight">getBottomRight</a>
</li>
<li data-name="ol.extent.getCenter" class="">
<a href="ol.extent.html#.getCenter">getCenter</a>
</li>
<li data-name="ol.extent.getHeight" class="">
<a href="ol.extent.html#.getHeight">getHeight</a>
</li>
<li data-name="ol.extent.getIntersection" class="">
<a href="ol.extent.html#.getIntersection">getIntersection</a>
</li>
<li data-name="ol.extent.getSize" class="">
<a href="ol.extent.html#.getSize">getSize</a>
</li>
<li data-name="ol.extent.getTopLeft" class="">
<a href="ol.extent.html#.getTopLeft">getTopLeft</a>
</li>
<li data-name="ol.extent.getTopRight" class="">
<a href="ol.extent.html#.getTopRight">getTopRight</a>
</li>
<li data-name="ol.extent.getWidth" class="">
<a href="ol.extent.html#.getWidth">getWidth</a>
</li>
<li data-name="ol.extent.intersects" class="">
<a href="ol.extent.html#.intersects">intersects</a>
</li>
<li data-name="ol.extent.isEmpty" class="">
<a href="ol.extent.html#.isEmpty">isEmpty</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.featureloader">
<span class="title">
<a href="ol.featureloader.html">ol.featureloader</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.featureloader.tile" class="unstable">
<a href="ol.featureloader.html#.tile">tile</a>
</li>
<li data-name="ol.featureloader.xhr" class="unstable">
<a href="ol.featureloader.html#.xhr">xhr</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format">
<span class="title">
<a href="ol.format.html">ol.format</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
<span class="subtitle">Typedefs</span>
<li data-name="ol.format.IGCZ" class="unstable">
<a href="ol.format.html#.IGCZ">IGCZ</a>
</li>
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.EsriJSON">
<span class="title">
<a href="ol.format.EsriJSON.html">ol.format.EsriJSON</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.EsriJSON#readFeature" class="unstable">
<a href="ol.format.EsriJSON.html#readFeature">readFeature</a>
</li>
<li data-name="ol.format.EsriJSON#readFeatures" class="unstable">
<a href="ol.format.EsriJSON.html#readFeatures">readFeatures</a>
</li>
<li data-name="ol.format.EsriJSON#readGeometry" class="unstable">
<a href="ol.format.EsriJSON.html#readGeometry">readGeometry</a>
</li>
<li data-name="ol.format.EsriJSON#readProjection" class="unstable">
<a href="ol.format.EsriJSON.html#readProjection">readProjection</a>
</li>
<li data-name="ol.format.EsriJSON#writeFeature" class="unstable">
<a href="ol.format.EsriJSON.html#writeFeature">writeFeature</a>
</li>
<li data-name="ol.format.EsriJSON#writeFeatureObject" class="unstable">
<a href="ol.format.EsriJSON.html#writeFeatureObject">writeFeatureObject</a>
</li>
<li data-name="ol.format.EsriJSON#writeFeatures" class="unstable">
<a href="ol.format.EsriJSON.html#writeFeatures">writeFeatures</a>
</li>
<li data-name="ol.format.EsriJSON#writeFeaturesObject" class="unstable">
<a href="ol.format.EsriJSON.html#writeFeaturesObject">writeFeaturesObject</a>
</li>
<li data-name="ol.format.EsriJSON#writeGeometry" class="unstable">
<a href="ol.format.EsriJSON.html#writeGeometry">writeGeometry</a>
</li>
<li data-name="ol.format.EsriJSON#writeGeometryObject" class="unstable">
<a href="ol.format.EsriJSON.html#writeGeometryObject">writeGeometryObject</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.Feature">
<span class="title">
<a href="ol.format.Feature.html">ol.format.Feature</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.GML">
<span class="title">
<a href="ol.format.GML.html">ol.format.GML</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.GML#readFeatures" class="">
<a href="ol.format.GML.html#readFeatures">readFeatures</a>
</li>
<li data-name="ol.format.GML#writeFeatures" class="">
<a href="ol.format.GML.html#writeFeatures">writeFeatures</a>
</li>
<li data-name="ol.format.GML#writeFeaturesNode" class="unstable">
<a href="ol.format.GML.html#writeFeaturesNode">writeFeaturesNode</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.GML2">
<span class="title">
<a href="ol.format.GML2.html">ol.format.GML2</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.GML2#readFeatures" class="">
<a href="ol.format.GML2.html#readFeatures">readFeatures</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.GML3">
<span class="title">
<a href="ol.format.GML3.html">ol.format.GML3</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.GML3#readFeatures" class="">
<a href="ol.format.GML3.html#readFeatures">readFeatures</a>
</li>
<li data-name="ol.format.GML3#writeFeatures" class="">
<a href="ol.format.GML3.html#writeFeatures">writeFeatures</a>
</li>
<li data-name="ol.format.GML3#writeFeaturesNode" class="unstable">
<a href="ol.format.GML3.html#writeFeaturesNode">writeFeaturesNode</a>
</li>
<li data-name="ol.format.GML3#writeGeometryNode" class="unstable">
<a href="ol.format.GML3.html#writeGeometryNode">writeGeometryNode</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.GMLBase">
<span class="title">
<a href="ol.format.GMLBase.html">ol.format.GMLBase</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.GMLBase#readFeatures" class="">
<a href="ol.format.GMLBase.html#readFeatures">readFeatures</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.GPX">
<span class="title">
<a href="ol.format.GPX.html">ol.format.GPX</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.GPX#readFeature" class="">
<a href="ol.format.GPX.html#readFeature">readFeature</a>
</li>
<li data-name="ol.format.GPX#readFeatures" class="">
<a href="ol.format.GPX.html#readFeatures">readFeatures</a>
</li>
<li data-name="ol.format.GPX#readProjection" class="">
<a href="ol.format.GPX.html#readProjection">readProjection</a>
</li>
<li data-name="ol.format.GPX#writeFeatures" class="">
<a href="ol.format.GPX.html#writeFeatures">writeFeatures</a>
</li>
<li data-name="ol.format.GPX#writeFeaturesNode" class="unstable">
<a href="ol.format.GPX.html#writeFeaturesNode">writeFeaturesNode</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.GeoJSON">
<span class="title">
<a href="ol.format.GeoJSON.html">ol.format.GeoJSON</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.GeoJSON#readFeature" class="">
<a href="ol.format.GeoJSON.html#readFeature">readFeature</a>
</li>
<li data-name="ol.format.GeoJSON#readFeatures" class="">
<a href="ol.format.GeoJSON.html#readFeatures">readFeatures</a>
</li>
<li data-name="ol.format.GeoJSON#readGeometry" class="">
<a href="ol.format.GeoJSON.html#readGeometry">readGeometry</a>
</li>
<li data-name="ol.format.GeoJSON#readProjection" class="">
<a href="ol.format.GeoJSON.html#readProjection">readProjection</a>
</li>
<li data-name="ol.format.GeoJSON#writeFeature" class="">
<a href="ol.format.GeoJSON.html#writeFeature">writeFeature</a>
</li>
<li data-name="ol.format.GeoJSON#writeFeatureObject" class="">
<a href="ol.format.GeoJSON.html#writeFeatureObject">writeFeatureObject</a>
</li>
<li data-name="ol.format.GeoJSON#writeFeatures" class="">
<a href="ol.format.GeoJSON.html#writeFeatures">writeFeatures</a>
</li>
<li data-name="ol.format.GeoJSON#writeFeaturesObject" class="">
<a href="ol.format.GeoJSON.html#writeFeaturesObject">writeFeaturesObject</a>
</li>
<li data-name="ol.format.GeoJSON#writeGeometry" class="">
<a href="ol.format.GeoJSON.html#writeGeometry">writeGeometry</a>
</li>
<li data-name="ol.format.GeoJSON#writeGeometryObject" class="">
<a href="ol.format.GeoJSON.html#writeGeometryObject">writeGeometryObject</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.IGC">
<span class="title">
<a href="ol.format.IGC.html">ol.format.IGC</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.IGC#readFeature" class="unstable">
<a href="ol.format.IGC.html#readFeature">readFeature</a>
</li>
<li data-name="ol.format.IGC#readFeatures" class="unstable">
<a href="ol.format.IGC.html#readFeatures">readFeatures</a>
</li>
<li data-name="ol.format.IGC#readProjection" class="unstable">
<a href="ol.format.IGC.html#readProjection">readProjection</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.JSONFeature">
<span class="title">
<a href="ol.format.JSONFeature.html">ol.format.JSONFeature</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.KML">
<span class="title">
<a href="ol.format.KML.html">ol.format.KML</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.KML#readFeature" class="">
<a href="ol.format.KML.html#readFeature">readFeature</a>
</li>
<li data-name="ol.format.KML#readFeatures" class="">
<a href="ol.format.KML.html#readFeatures">readFeatures</a>
</li>
<li data-name="ol.format.KML#readName" class="">
<a href="ol.format.KML.html#readName">readName</a>
</li>
<li data-name="ol.format.KML#readNetworkLinks" class="unstable">
<a href="ol.format.KML.html#readNetworkLinks">readNetworkLinks</a>
</li>
<li data-name="ol.format.KML#readProjection" class="">
<a href="ol.format.KML.html#readProjection">readProjection</a>
</li>
<li data-name="ol.format.KML#writeFeatures" class="">
<a href="ol.format.KML.html#writeFeatures">writeFeatures</a>
</li>
<li data-name="ol.format.KML#writeFeaturesNode" class="unstable">
<a href="ol.format.KML.html#writeFeaturesNode">writeFeaturesNode</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.MVT">
<span class="title">
<a href="ol.format.MVT.html">ol.format.MVT</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.MVT#setLayers" class="unstable">
<a href="ol.format.MVT.html#setLayers">setLayers</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.OSMXML">
<span class="title">
<a href="ol.format.OSMXML.html">ol.format.OSMXML</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.OSMXML#readFeatures" class="">
<a href="ol.format.OSMXML.html#readFeatures">readFeatures</a>
</li>
<li data-name="ol.format.OSMXML#readProjection" class="">
<a href="ol.format.OSMXML.html#readProjection">readProjection</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.Polyline">
<span class="title">
<a href="ol.format.Polyline.html">ol.format.Polyline</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.Polyline.decodeDeltas" class="unstable">
<a href="ol.format.Polyline.html#.decodeDeltas">decodeDeltas</a>
</li>
<li data-name="ol.format.Polyline.decodeFloats" class="unstable">
<a href="ol.format.Polyline.html#.decodeFloats">decodeFloats</a>
</li>
<li data-name="ol.format.Polyline.encodeDeltas" class="unstable">
<a href="ol.format.Polyline.html#.encodeDeltas">encodeDeltas</a>
</li>
<li data-name="ol.format.Polyline.encodeFloats" class="unstable">
<a href="ol.format.Polyline.html#.encodeFloats">encodeFloats</a>
</li>
<li data-name="ol.format.Polyline#readFeature" class="">
<a href="ol.format.Polyline.html#readFeature">readFeature</a>
</li>
<li data-name="ol.format.Polyline#readFeatures" class="">
<a href="ol.format.Polyline.html#readFeatures">readFeatures</a>
</li>
<li data-name="ol.format.Polyline#readGeometry" class="">
<a href="ol.format.Polyline.html#readGeometry">readGeometry</a>
</li>
<li data-name="ol.format.Polyline#readProjection" class="">
<a href="ol.format.Polyline.html#readProjection">readProjection</a>
</li>
<li data-name="ol.format.Polyline#writeGeometry" class="">
<a href="ol.format.Polyline.html#writeGeometry">writeGeometry</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.TextFeature">
<span class="title">
<a href="ol.format.TextFeature.html">ol.format.TextFeature</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.TopoJSON">
<span class="title">
<a href="ol.format.TopoJSON.html">ol.format.TopoJSON</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.TopoJSON#readFeatures" class="">
<a href="ol.format.TopoJSON.html#readFeatures">readFeatures</a>
</li>
<li data-name="ol.format.TopoJSON#readProjection" class="">
<a href="ol.format.TopoJSON.html#readProjection">readProjection</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.WFS">
<span class="title">
<a href="ol.format.WFS.html">ol.format.WFS</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
<span class="subtitle">Typedefs</span>
<li data-name="ol.format.WFS.FeatureCollectionMetadata" class="">
<a href="ol.format.WFS.html#.FeatureCollectionMetadata">FeatureCollectionMetadata</a>
</li>
<li data-name="ol.format.WFS.TransactionResponse" class="">
<a href="ol.format.WFS.html#.TransactionResponse">TransactionResponse</a>
</li>
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.WFS#readFeatureCollectionMetadata" class="">
<a href="ol.format.WFS.html#readFeatureCollectionMetadata">readFeatureCollectionMetadata</a>
</li>
<li data-name="ol.format.WFS#readFeatures" class="">
<a href="ol.format.WFS.html#readFeatures">readFeatures</a>
</li>
<li data-name="ol.format.WFS#readProjection" class="">
<a href="ol.format.WFS.html#readProjection">readProjection</a>
</li>
<li data-name="ol.format.WFS#readTransactionResponse" class="">
<a href="ol.format.WFS.html#readTransactionResponse">readTransactionResponse</a>
</li>
<li data-name="ol.format.WFS#writeGetFeature" class="">
<a href="ol.format.WFS.html#writeGetFeature">writeGetFeature</a>
</li>
<li data-name="ol.format.WFS#writeTransaction" class="">
<a href="ol.format.WFS.html#writeTransaction">writeTransaction</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.WKT">
<span class="title">
<a href="ol.format.WKT.html">ol.format.WKT</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.WKT#readFeature" class="">
<a href="ol.format.WKT.html#readFeature">readFeature</a>
</li>
<li data-name="ol.format.WKT#readFeatures" class="">
<a href="ol.format.WKT.html#readFeatures">readFeatures</a>
</li>
<li data-name="ol.format.WKT#readGeometry" class="">
<a href="ol.format.WKT.html#readGeometry">readGeometry</a>
</li>
<li data-name="ol.format.WKT#writeFeature" class="">
<a href="ol.format.WKT.html#writeFeature">writeFeature</a>
</li>
<li data-name="ol.format.WKT#writeFeatures" class="">
<a href="ol.format.WKT.html#writeFeatures">writeFeatures</a>
</li>
<li data-name="ol.format.WKT#writeGeometry" class="">
<a href="ol.format.WKT.html#writeGeometry">writeGeometry</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.WMSCapabilities">
<span class="title">
<a href="ol.format.WMSCapabilities.html">ol.format.WMSCapabilities</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.WMSCapabilities#read" class="unstable">
<a href="ol.format.WMSCapabilities.html#read">read</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.WMSGetFeatureInfo">
<span class="title">
<a href="ol.format.WMSGetFeatureInfo.html">ol.format.WMSGetFeatureInfo</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.WMSGetFeatureInfo#readFeatures" class="">
<a href="ol.format.WMSGetFeatureInfo.html#readFeatures">readFeatures</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.WMTSCapabilities">
<span class="title">
<a href="ol.format.WMTSCapabilities.html">ol.format.WMTSCapabilities</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.format.WMTSCapabilities#read" class="unstable">
<a href="ol.format.WMTSCapabilities.html#read">read</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.XML">
<span class="title">
<a href="ol.format.XML.html">ol.format.XML</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.format.XMLFeature">
<span class="title">
<a href="ol.format.XMLFeature.html">ol.format.XMLFeature</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.geom">
<span class="title">
<a href="ol.geom.html">ol.geom</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
<span class="subtitle">Typedefs</span>
<li data-name="ol.geom.GeometryLayout" class="">
<a href="ol.geom.html#.GeometryLayout">GeometryLayout</a>
</li>
<li data-name="ol.geom.GeometryType" class="">
<a href="ol.geom.html#.GeometryType">GeometryType</a>
</li>
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.geom.Circle">
<span class="title">
<a href="ol.geom.Circle.html">ol.geom.Circle</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.geom.Circle#applyTransform" class="">
<a href="ol.geom.Circle.html#applyTransform">applyTransform</a>
</li>
<li data-name="ol.geom.Circle#changed" class="unstable">
<a href="ol.geom.Circle.html#changed">changed</a>
</li>
<li data-name="ol.geom.Circle#clone" class="unstable">
<a href="ol.geom.Circle.html#clone">clone</a>
</li>
<li data-name="ol.geom.Circle#dispatchEvent" class="unstable">
<a href="ol.geom.Circle.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.geom.Circle#get" class="">
<a href="ol.geom.Circle.html#get">get</a>
</li>
<li data-name="ol.geom.Circle#getCenter" class="unstable">
<a href="ol.geom.Circle.html#getCenter">getCenter</a>
</li>
<li data-name="ol.geom.Circle#getClosestPoint" class="">
<a href="ol.geom.Circle.html#getClosestPoint">getClosestPoint</a>
</li>
<li data-name="ol.geom.Circle#getExtent" class="">
<a href="ol.geom.Circle.html#getExtent">getExtent</a>
</li>
<li data-name="ol.geom.Circle#getFirstCoordinate" class="">
<a href="ol.geom.Circle.html#getFirstCoordinate">getFirstCoordinate</a>
</li>
<li data-name="ol.geom.Circle#getKeys" class="">
<a href="ol.geom.Circle.html#getKeys">getKeys</a>
</li>
<li data-name="ol.geom.Circle#getLastCoordinate" class="">
<a href="ol.geom.Circle.html#getLastCoordinate">getLastCoordinate</a>
</li>
<li data-name="ol.geom.Circle#getLayout" class="">
<a href="ol.geom.Circle.html#getLayout">getLayout</a>
</li>
<li data-name="ol.geom.Circle#getProperties" class="">
<a href="ol.geom.Circle.html#getProperties">getProperties</a>
</li>
<li data-name="ol.geom.Circle#getRadius" class="unstable">
<a href="ol.geom.Circle.html#getRadius">getRadius</a>
</li>
<li data-name="ol.geom.Circle#getRevision" class="unstable">
<a href="ol.geom.Circle.html#getRevision">getRevision</a>
</li>
<li data-name="ol.geom.Circle#getType" class="unstable">
<a href="ol.geom.Circle.html#getType">getType</a>
</li>
<li data-name="ol.geom.Circle#intersectsExtent" class="">
<a href="ol.geom.Circle.html#intersectsExtent">intersectsExtent</a>
</li>
<li data-name="ol.geom.Circle#on" class="">
<a href="ol.geom.Circle.html#on">on</a>
</li>
<li data-name="ol.geom.Circle#once" class="">
<a href="ol.geom.Circle.html#once">once</a>
</li>
<li data-name="ol.geom.Circle#set" class="">
<a href="ol.geom.Circle.html#set">set</a>
</li>
<li data-name="ol.geom.Circle#setCenter" class="unstable">
<a href="ol.geom.Circle.html#setCenter">setCenter</a>
</li>
<li data-name="ol.geom.Circle#setCenterAndRadius" class="unstable">
<a href="ol.geom.Circle.html#setCenterAndRadius">setCenterAndRadius</a>
</li>
<li data-name="ol.geom.Circle#setProperties" class="">
<a href="ol.geom.Circle.html#setProperties">setProperties</a>
</li>
<li data-name="ol.geom.Circle#setRadius" class="unstable">
<a href="ol.geom.Circle.html#setRadius">setRadius</a>
</li>
<li data-name="ol.geom.Circle#simplify" class="unstable">
<a href="ol.geom.Circle.html#simplify">simplify</a>
</li>
<li data-name="ol.geom.Circle#transform" class="">
<a href="ol.geom.Circle.html#transform">transform</a>
</li>
<li data-name="ol.geom.Circle#translate" class="">
<a href="ol.geom.Circle.html#translate">translate</a>
</li>
<li data-name="ol.geom.Circle#un" class="">
<a href="ol.geom.Circle.html#un">un</a>
</li>
<li data-name="ol.geom.Circle#unByKey" class="">
<a href="ol.geom.Circle.html#unByKey">unByKey</a>
</li>
<li data-name="ol.geom.Circle#unset" class="">
<a href="ol.geom.Circle.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.geom.Geometry">
<span class="title">
<a href="ol.geom.Geometry.html">ol.geom.Geometry</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.geom.Geometry#changed" class="unstable">
<a href="ol.geom.Geometry.html#changed">changed</a>
</li>
<li data-name="ol.geom.Geometry#dispatchEvent" class="unstable">
<a href="ol.geom.Geometry.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.geom.Geometry#get" class="">
<a href="ol.geom.Geometry.html#get">get</a>
</li>
<li data-name="ol.geom.Geometry#getClosestPoint" class="">
<a href="ol.geom.Geometry.html#getClosestPoint">getClosestPoint</a>
</li>
<li data-name="ol.geom.Geometry#getExtent" class="">
<a href="ol.geom.Geometry.html#getExtent">getExtent</a>
</li>
<li data-name="ol.geom.Geometry#getKeys" class="">
<a href="ol.geom.Geometry.html#getKeys">getKeys</a>
</li>
<li data-name="ol.geom.Geometry#getProperties" class="">
<a href="ol.geom.Geometry.html#getProperties">getProperties</a>
</li>
<li data-name="ol.geom.Geometry#getRevision" class="unstable">
<a href="ol.geom.Geometry.html#getRevision">getRevision</a>
</li>
<li data-name="ol.geom.Geometry#on" class="">
<a href="ol.geom.Geometry.html#on">on</a>
</li>
<li data-name="ol.geom.Geometry#once" class="">
<a href="ol.geom.Geometry.html#once">once</a>
</li>
<li data-name="ol.geom.Geometry#set" class="">
<a href="ol.geom.Geometry.html#set">set</a>
</li>
<li data-name="ol.geom.Geometry#setProperties" class="">
<a href="ol.geom.Geometry.html#setProperties">setProperties</a>
</li>
<li data-name="ol.geom.Geometry#simplify" class="unstable">
<a href="ol.geom.Geometry.html#simplify">simplify</a>
</li>
<li data-name="ol.geom.Geometry#transform" class="">
<a href="ol.geom.Geometry.html#transform">transform</a>
</li>
<li data-name="ol.geom.Geometry#un" class="">
<a href="ol.geom.Geometry.html#un">un</a>
</li>
<li data-name="ol.geom.Geometry#unByKey" class="">
<a href="ol.geom.Geometry.html#unByKey">unByKey</a>
</li>
<li data-name="ol.geom.Geometry#unset" class="">
<a href="ol.geom.Geometry.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.geom.GeometryCollection">
<span class="title">
<a href="ol.geom.GeometryCollection.html">ol.geom.GeometryCollection</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.geom.GeometryCollection#applyTransform" class="">
<a href="ol.geom.GeometryCollection.html#applyTransform">applyTransform</a>
</li>
<li data-name="ol.geom.GeometryCollection#changed" class="unstable">
<a href="ol.geom.GeometryCollection.html#changed">changed</a>
</li>
<li data-name="ol.geom.GeometryCollection#clone" class="">
<a href="ol.geom.GeometryCollection.html#clone">clone</a>
</li>
<li data-name="ol.geom.GeometryCollection#dispatchEvent" class="unstable">
<a href="ol.geom.GeometryCollection.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.geom.GeometryCollection#get" class="">
<a href="ol.geom.GeometryCollection.html#get">get</a>
</li>
<li data-name="ol.geom.GeometryCollection#getClosestPoint" class="">
<a href="ol.geom.GeometryCollection.html#getClosestPoint">getClosestPoint</a>
</li>
<li data-name="ol.geom.GeometryCollection#getExtent" class="">
<a href="ol.geom.GeometryCollection.html#getExtent">getExtent</a>
</li>
<li data-name="ol.geom.GeometryCollection#getGeometries" class="">
<a href="ol.geom.GeometryCollection.html#getGeometries">getGeometries</a>
</li>
<li data-name="ol.geom.GeometryCollection#getKeys" class="">
<a href="ol.geom.GeometryCollection.html#getKeys">getKeys</a>
</li>
<li data-name="ol.geom.GeometryCollection#getProperties" class="">
<a href="ol.geom.GeometryCollection.html#getProperties">getProperties</a>
</li>
<li data-name="ol.geom.GeometryCollection#getRevision" class="unstable">
<a href="ol.geom.GeometryCollection.html#getRevision">getRevision</a>
</li>
<li data-name="ol.geom.GeometryCollection#getType" class="">
<a href="ol.geom.GeometryCollection.html#getType">getType</a>
</li>
<li data-name="ol.geom.GeometryCollection#intersectsExtent" class="">
<a href="ol.geom.GeometryCollection.html#intersectsExtent">intersectsExtent</a>
</li>
<li data-name="ol.geom.GeometryCollection#on" class="">
<a href="ol.geom.GeometryCollection.html#on">on</a>
</li>
<li data-name="ol.geom.GeometryCollection#once" class="">
<a href="ol.geom.GeometryCollection.html#once">once</a>
</li>
<li data-name="ol.geom.GeometryCollection#set" class="">
<a href="ol.geom.GeometryCollection.html#set">set</a>
</li>
<li data-name="ol.geom.GeometryCollection#setGeometries" class="">
<a href="ol.geom.GeometryCollection.html#setGeometries">setGeometries</a>
</li>
<li data-name="ol.geom.GeometryCollection#setProperties" class="">
<a href="ol.geom.GeometryCollection.html#setProperties">setProperties</a>
</li>
<li data-name="ol.geom.GeometryCollection#simplify" class="unstable">
<a href="ol.geom.GeometryCollection.html#simplify">simplify</a>
</li>
<li data-name="ol.geom.GeometryCollection#transform" class="">
<a href="ol.geom.GeometryCollection.html#transform">transform</a>
</li>
<li data-name="ol.geom.GeometryCollection#translate" class="unstable">
<a href="ol.geom.GeometryCollection.html#translate">translate</a>
</li>
<li data-name="ol.geom.GeometryCollection#un" class="">
<a href="ol.geom.GeometryCollection.html#un">un</a>
</li>
<li data-name="ol.geom.GeometryCollection#unByKey" class="">
<a href="ol.geom.GeometryCollection.html#unByKey">unByKey</a>
</li>
<li data-name="ol.geom.GeometryCollection#unset" class="">
<a href="ol.geom.GeometryCollection.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.geom.LineString">
<span class="title">
<a href="ol.geom.LineString.html">ol.geom.LineString</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.geom.LineString#appendCoordinate" class="">
<a href="ol.geom.LineString.html#appendCoordinate">appendCoordinate</a>
</li>
<li data-name="ol.geom.LineString#applyTransform" class="">
<a href="ol.geom.LineString.html#applyTransform">applyTransform</a>
</li>
<li data-name="ol.geom.LineString#changed" class="unstable">
<a href="ol.geom.LineString.html#changed">changed</a>
</li>
<li data-name="ol.geom.LineString#clone" class="">
<a href="ol.geom.LineString.html#clone">clone</a>
</li>
<li data-name="ol.geom.LineString#dispatchEvent" class="unstable">
<a href="ol.geom.LineString.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.geom.LineString#forEachSegment" class="unstable">
<a href="ol.geom.LineString.html#forEachSegment">forEachSegment</a>
</li>
<li data-name="ol.geom.LineString#get" class="">
<a href="ol.geom.LineString.html#get">get</a>
</li>
<li data-name="ol.geom.LineString#getClosestPoint" class="">
<a href="ol.geom.LineString.html#getClosestPoint">getClosestPoint</a>
</li>
<li data-name="ol.geom.LineString#getCoordinateAt" class="unstable">
<a href="ol.geom.LineString.html#getCoordinateAt">getCoordinateAt</a>
</li>
<li data-name="ol.geom.LineString#getCoordinateAtM" class="">
<a href="ol.geom.LineString.html#getCoordinateAtM">getCoordinateAtM</a>
</li>
<li data-name="ol.geom.LineString#getCoordinates" class="">
<a href="ol.geom.LineString.html#getCoordinates">getCoordinates</a>
</li>
<li data-name="ol.geom.LineString#getExtent" class="">
<a href="ol.geom.LineString.html#getExtent">getExtent</a>
</li>
<li data-name="ol.geom.LineString#getFirstCoordinate" class="">
<a href="ol.geom.LineString.html#getFirstCoordinate">getFirstCoordinate</a>
</li>
<li data-name="ol.geom.LineString#getKeys" class="">
<a href="ol.geom.LineString.html#getKeys">getKeys</a>
</li>
<li data-name="ol.geom.LineString#getLastCoordinate" class="">
<a href="ol.geom.LineString.html#getLastCoordinate">getLastCoordinate</a>
</li>
<li data-name="ol.geom.LineString#getLayout" class="">
<a href="ol.geom.LineString.html#getLayout">getLayout</a>
</li>
<li data-name="ol.geom.LineString#getLength" class="">
<a href="ol.geom.LineString.html#getLength">getLength</a>
</li>
<li data-name="ol.geom.LineString#getProperties" class="">
<a href="ol.geom.LineString.html#getProperties">getProperties</a>
</li>
<li data-name="ol.geom.LineString#getRevision" class="unstable">
<a href="ol.geom.LineString.html#getRevision">getRevision</a>
</li>
<li data-name="ol.geom.LineString#getType" class="">
<a href="ol.geom.LineString.html#getType">getType</a>
</li>
<li data-name="ol.geom.LineString#intersectsExtent" class="">
<a href="ol.geom.LineString.html#intersectsExtent">intersectsExtent</a>
</li>
<li data-name="ol.geom.LineString#on" class="">
<a href="ol.geom.LineString.html#on">on</a>
</li>
<li data-name="ol.geom.LineString#once" class="">
<a href="ol.geom.LineString.html#once">once</a>
</li>
<li data-name="ol.geom.LineString#set" class="">
<a href="ol.geom.LineString.html#set">set</a>
</li>
<li data-name="ol.geom.LineString#setCoordinates" class="">
<a href="ol.geom.LineString.html#setCoordinates">setCoordinates</a>
</li>
<li data-name="ol.geom.LineString#setProperties" class="">
<a href="ol.geom.LineString.html#setProperties">setProperties</a>
</li>
<li data-name="ol.geom.LineString#simplify" class="unstable">
<a href="ol.geom.LineString.html#simplify">simplify</a>
</li>
<li data-name="ol.geom.LineString#transform" class="">
<a href="ol.geom.LineString.html#transform">transform</a>
</li>
<li data-name="ol.geom.LineString#translate" class="">
<a href="ol.geom.LineString.html#translate">translate</a>
</li>
<li data-name="ol.geom.LineString#un" class="">
<a href="ol.geom.LineString.html#un">un</a>
</li>
<li data-name="ol.geom.LineString#unByKey" class="">
<a href="ol.geom.LineString.html#unByKey">unByKey</a>
</li>
<li data-name="ol.geom.LineString#unset" class="">
<a href="ol.geom.LineString.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.geom.LinearRing">
<span class="title">
<a href="ol.geom.LinearRing.html">ol.geom.LinearRing</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.geom.LinearRing#applyTransform" class="">
<a href="ol.geom.LinearRing.html#applyTransform">applyTransform</a>
</li>
<li data-name="ol.geom.LinearRing#changed" class="unstable">
<a href="ol.geom.LinearRing.html#changed">changed</a>
</li>
<li data-name="ol.geom.LinearRing#clone" class="">
<a href="ol.geom.LinearRing.html#clone">clone</a>
</li>
<li data-name="ol.geom.LinearRing#dispatchEvent" class="unstable">
<a href="ol.geom.LinearRing.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.geom.LinearRing#get" class="">
<a href="ol.geom.LinearRing.html#get">get</a>
</li>
<li data-name="ol.geom.LinearRing#getArea" class="">
<a href="ol.geom.LinearRing.html#getArea">getArea</a>
</li>
<li data-name="ol.geom.LinearRing#getClosestPoint" class="">
<a href="ol.geom.LinearRing.html#getClosestPoint">getClosestPoint</a>
</li>
<li data-name="ol.geom.LinearRing#getCoordinates" class="">
<a href="ol.geom.LinearRing.html#getCoordinates">getCoordinates</a>
</li>
<li data-name="ol.geom.LinearRing#getExtent" class="">
<a href="ol.geom.LinearRing.html#getExtent">getExtent</a>
</li>
<li data-name="ol.geom.LinearRing#getFirstCoordinate" class="">
<a href="ol.geom.LinearRing.html#getFirstCoordinate">getFirstCoordinate</a>
</li>
<li data-name="ol.geom.LinearRing#getKeys" class="">
<a href="ol.geom.LinearRing.html#getKeys">getKeys</a>
</li>
<li data-name="ol.geom.LinearRing#getLastCoordinate" class="">
<a href="ol.geom.LinearRing.html#getLastCoordinate">getLastCoordinate</a>
</li>
<li data-name="ol.geom.LinearRing#getLayout" class="">
<a href="ol.geom.LinearRing.html#getLayout">getLayout</a>
</li>
<li data-name="ol.geom.LinearRing#getProperties" class="">
<a href="ol.geom.LinearRing.html#getProperties">getProperties</a>
</li>
<li data-name="ol.geom.LinearRing#getRevision" class="unstable">
<a href="ol.geom.LinearRing.html#getRevision">getRevision</a>
</li>
<li data-name="ol.geom.LinearRing#getType" class="">
<a href="ol.geom.LinearRing.html#getType">getType</a>
</li>
<li data-name="ol.geom.LinearRing#on" class="">
<a href="ol.geom.LinearRing.html#on">on</a>
</li>
<li data-name="ol.geom.LinearRing#once" class="">
<a href="ol.geom.LinearRing.html#once">once</a>
</li>
<li data-name="ol.geom.LinearRing#set" class="">
<a href="ol.geom.LinearRing.html#set">set</a>
</li>
<li data-name="ol.geom.LinearRing#setCoordinates" class="">
<a href="ol.geom.LinearRing.html#setCoordinates">setCoordinates</a>
</li>
<li data-name="ol.geom.LinearRing#setProperties" class="">
<a href="ol.geom.LinearRing.html#setProperties">setProperties</a>
</li>
<li data-name="ol.geom.LinearRing#simplify" class="unstable">
<a href="ol.geom.LinearRing.html#simplify">simplify</a>
</li>
<li data-name="ol.geom.LinearRing#transform" class="">
<a href="ol.geom.LinearRing.html#transform">transform</a>
</li>
<li data-name="ol.geom.LinearRing#translate" class="">
<a href="ol.geom.LinearRing.html#translate">translate</a>
</li>
<li data-name="ol.geom.LinearRing#un" class="">
<a href="ol.geom.LinearRing.html#un">un</a>
</li>
<li data-name="ol.geom.LinearRing#unByKey" class="">
<a href="ol.geom.LinearRing.html#unByKey">unByKey</a>
</li>
<li data-name="ol.geom.LinearRing#unset" class="">
<a href="ol.geom.LinearRing.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.geom.MultiLineString">
<span class="title">
<a href="ol.geom.MultiLineString.html">ol.geom.MultiLineString</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.geom.MultiLineString#appendLineString" class="">
<a href="ol.geom.MultiLineString.html#appendLineString">appendLineString</a>
</li>
<li data-name="ol.geom.MultiLineString#applyTransform" class="">
<a href="ol.geom.MultiLineString.html#applyTransform">applyTransform</a>
</li>
<li data-name="ol.geom.MultiLineString#changed" class="unstable">
<a href="ol.geom.MultiLineString.html#changed">changed</a>
</li>
<li data-name="ol.geom.MultiLineString#clone" class="">
<a href="ol.geom.MultiLineString.html#clone">clone</a>
</li>
<li data-name="ol.geom.MultiLineString#dispatchEvent" class="unstable">
<a href="ol.geom.MultiLineString.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.geom.MultiLineString#get" class="">
<a href="ol.geom.MultiLineString.html#get">get</a>
</li>
<li data-name="ol.geom.MultiLineString#getClosestPoint" class="">
<a href="ol.geom.MultiLineString.html#getClosestPoint">getClosestPoint</a>
</li>
<li data-name="ol.geom.MultiLineString#getCoordinateAtM" class="">
<a href="ol.geom.MultiLineString.html#getCoordinateAtM">getCoordinateAtM</a>
</li>
<li data-name="ol.geom.MultiLineString#getCoordinates" class="">
<a href="ol.geom.MultiLineString.html#getCoordinates">getCoordinates</a>
</li>
<li data-name="ol.geom.MultiLineString#getExtent" class="">
<a href="ol.geom.MultiLineString.html#getExtent">getExtent</a>
</li>
<li data-name="ol.geom.MultiLineString#getFirstCoordinate" class="">
<a href="ol.geom.MultiLineString.html#getFirstCoordinate">getFirstCoordinate</a>
</li>
<li data-name="ol.geom.MultiLineString#getKeys" class="">
<a href="ol.geom.MultiLineString.html#getKeys">getKeys</a>
</li>
<li data-name="ol.geom.MultiLineString#getLastCoordinate" class="">
<a href="ol.geom.MultiLineString.html#getLastCoordinate">getLastCoordinate</a>
</li>
<li data-name="ol.geom.MultiLineString#getLayout" class="">
<a href="ol.geom.MultiLineString.html#getLayout">getLayout</a>
</li>
<li data-name="ol.geom.MultiLineString#getLineString" class="">
<a href="ol.geom.MultiLineString.html#getLineString">getLineString</a>
</li>
<li data-name="ol.geom.MultiLineString#getLineStrings" class="">
<a href="ol.geom.MultiLineString.html#getLineStrings">getLineStrings</a>
</li>
<li data-name="ol.geom.MultiLineString#getProperties" class="">
<a href="ol.geom.MultiLineString.html#getProperties">getProperties</a>
</li>
<li data-name="ol.geom.MultiLineString#getRevision" class="unstable">
<a href="ol.geom.MultiLineString.html#getRevision">getRevision</a>
</li>
<li data-name="ol.geom.MultiLineString#getType" class="">
<a href="ol.geom.MultiLineString.html#getType">getType</a>
</li>
<li data-name="ol.geom.MultiLineString#intersectsExtent" class="">
<a href="ol.geom.MultiLineString.html#intersectsExtent">intersectsExtent</a>
</li>
<li data-name="ol.geom.MultiLineString#on" class="">
<a href="ol.geom.MultiLineString.html#on">on</a>
</li>
<li data-name="ol.geom.MultiLineString#once" class="">
<a href="ol.geom.MultiLineString.html#once">once</a>
</li>
<li data-name="ol.geom.MultiLineString#set" class="">
<a href="ol.geom.MultiLineString.html#set">set</a>
</li>
<li data-name="ol.geom.MultiLineString#setCoordinates" class="">
<a href="ol.geom.MultiLineString.html#setCoordinates">setCoordinates</a>
</li>
<li data-name="ol.geom.MultiLineString#setProperties" class="">
<a href="ol.geom.MultiLineString.html#setProperties">setProperties</a>
</li>
<li data-name="ol.geom.MultiLineString#simplify" class="unstable">
<a href="ol.geom.MultiLineString.html#simplify">simplify</a>
</li>
<li data-name="ol.geom.MultiLineString#transform" class="">
<a href="ol.geom.MultiLineString.html#transform">transform</a>
</li>
<li data-name="ol.geom.MultiLineString#translate" class="">
<a href="ol.geom.MultiLineString.html#translate">translate</a>
</li>
<li data-name="ol.geom.MultiLineString#un" class="">
<a href="ol.geom.MultiLineString.html#un">un</a>
</li>
<li data-name="ol.geom.MultiLineString#unByKey" class="">
<a href="ol.geom.MultiLineString.html#unByKey">unByKey</a>
</li>
<li data-name="ol.geom.MultiLineString#unset" class="">
<a href="ol.geom.MultiLineString.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.geom.MultiPoint">
<span class="title">
<a href="ol.geom.MultiPoint.html">ol.geom.MultiPoint</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.geom.MultiPoint#appendPoint" class="">
<a href="ol.geom.MultiPoint.html#appendPoint">appendPoint</a>
</li>
<li data-name="ol.geom.MultiPoint#applyTransform" class="">
<a href="ol.geom.MultiPoint.html#applyTransform">applyTransform</a>
</li>
<li data-name="ol.geom.MultiPoint#changed" class="unstable">
<a href="ol.geom.MultiPoint.html#changed">changed</a>
</li>
<li data-name="ol.geom.MultiPoint#clone" class="">
<a href="ol.geom.MultiPoint.html#clone">clone</a>
</li>
<li data-name="ol.geom.MultiPoint#dispatchEvent" class="unstable">
<a href="ol.geom.MultiPoint.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.geom.MultiPoint#get" class="">
<a href="ol.geom.MultiPoint.html#get">get</a>
</li>
<li data-name="ol.geom.MultiPoint#getClosestPoint" class="">
<a href="ol.geom.MultiPoint.html#getClosestPoint">getClosestPoint</a>
</li>
<li data-name="ol.geom.MultiPoint#getCoordinates" class="">
<a href="ol.geom.MultiPoint.html#getCoordinates">getCoordinates</a>
</li>
<li data-name="ol.geom.MultiPoint#getExtent" class="">
<a href="ol.geom.MultiPoint.html#getExtent">getExtent</a>
</li>
<li data-name="ol.geom.MultiPoint#getFirstCoordinate" class="">
<a href="ol.geom.MultiPoint.html#getFirstCoordinate">getFirstCoordinate</a>
</li>
<li data-name="ol.geom.MultiPoint#getKeys" class="">
<a href="ol.geom.MultiPoint.html#getKeys">getKeys</a>
</li>
<li data-name="ol.geom.MultiPoint#getLastCoordinate" class="">
<a href="ol.geom.MultiPoint.html#getLastCoordinate">getLastCoordinate</a>
</li>
<li data-name="ol.geom.MultiPoint#getLayout" class="">
<a href="ol.geom.MultiPoint.html#getLayout">getLayout</a>
</li>
<li data-name="ol.geom.MultiPoint#getPoint" class="">
<a href="ol.geom.MultiPoint.html#getPoint">getPoint</a>
</li>
<li data-name="ol.geom.MultiPoint#getPoints" class="">
<a href="ol.geom.MultiPoint.html#getPoints">getPoints</a>
</li>
<li data-name="ol.geom.MultiPoint#getProperties" class="">
<a href="ol.geom.MultiPoint.html#getProperties">getProperties</a>
</li>
<li data-name="ol.geom.MultiPoint#getRevision" class="unstable">
<a href="ol.geom.MultiPoint.html#getRevision">getRevision</a>
</li>
<li data-name="ol.geom.MultiPoint#getType" class="">
<a href="ol.geom.MultiPoint.html#getType">getType</a>
</li>
<li data-name="ol.geom.MultiPoint#intersectsExtent" class="">
<a href="ol.geom.MultiPoint.html#intersectsExtent">intersectsExtent</a>
</li>
<li data-name="ol.geom.MultiPoint#on" class="">
<a href="ol.geom.MultiPoint.html#on">on</a>
</li>
<li data-name="ol.geom.MultiPoint#once" class="">
<a href="ol.geom.MultiPoint.html#once">once</a>
</li>
<li data-name="ol.geom.MultiPoint#set" class="">
<a href="ol.geom.MultiPoint.html#set">set</a>
</li>
<li data-name="ol.geom.MultiPoint#setCoordinates" class="">
<a href="ol.geom.MultiPoint.html#setCoordinates">setCoordinates</a>
</li>
<li data-name="ol.geom.MultiPoint#setProperties" class="">
<a href="ol.geom.MultiPoint.html#setProperties">setProperties</a>
</li>
<li data-name="ol.geom.MultiPoint#simplify" class="unstable">
<a href="ol.geom.MultiPoint.html#simplify">simplify</a>
</li>
<li data-name="ol.geom.MultiPoint#transform" class="">
<a href="ol.geom.MultiPoint.html#transform">transform</a>
</li>
<li data-name="ol.geom.MultiPoint#translate" class="">
<a href="ol.geom.MultiPoint.html#translate">translate</a>
</li>
<li data-name="ol.geom.MultiPoint#un" class="">
<a href="ol.geom.MultiPoint.html#un">un</a>
</li>
<li data-name="ol.geom.MultiPoint#unByKey" class="">
<a href="ol.geom.MultiPoint.html#unByKey">unByKey</a>
</li>
<li data-name="ol.geom.MultiPoint#unset" class="">
<a href="ol.geom.MultiPoint.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.geom.MultiPolygon">
<span class="title">
<a href="ol.geom.MultiPolygon.html">ol.geom.MultiPolygon</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.geom.MultiPolygon#appendPolygon" class="">
<a href="ol.geom.MultiPolygon.html#appendPolygon">appendPolygon</a>
</li>
<li data-name="ol.geom.MultiPolygon#applyTransform" class="">
<a href="ol.geom.MultiPolygon.html#applyTransform">applyTransform</a>
</li>
<li data-name="ol.geom.MultiPolygon#changed" class="unstable">
<a href="ol.geom.MultiPolygon.html#changed">changed</a>
</li>
<li data-name="ol.geom.MultiPolygon#clone" class="">
<a href="ol.geom.MultiPolygon.html#clone">clone</a>
</li>
<li data-name="ol.geom.MultiPolygon#dispatchEvent" class="unstable">
<a href="ol.geom.MultiPolygon.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.geom.MultiPolygon#get" class="">
<a href="ol.geom.MultiPolygon.html#get">get</a>
</li>
<li data-name="ol.geom.MultiPolygon#getArea" class="">
<a href="ol.geom.MultiPolygon.html#getArea">getArea</a>
</li>
<li data-name="ol.geom.MultiPolygon#getClosestPoint" class="">
<a href="ol.geom.MultiPolygon.html#getClosestPoint">getClosestPoint</a>
</li>
<li data-name="ol.geom.MultiPolygon#getCoordinates" class="">
<a href="ol.geom.MultiPolygon.html#getCoordinates">getCoordinates</a>
</li>
<li data-name="ol.geom.MultiPolygon#getExtent" class="">
<a href="ol.geom.MultiPolygon.html#getExtent">getExtent</a>
</li>
<li data-name="ol.geom.MultiPolygon#getFirstCoordinate" class="">
<a href="ol.geom.MultiPolygon.html#getFirstCoordinate">getFirstCoordinate</a>
</li>
<li data-name="ol.geom.MultiPolygon#getInteriorPoints" class="">
<a href="ol.geom.MultiPolygon.html#getInteriorPoints">getInteriorPoints</a>
</li>
<li data-name="ol.geom.MultiPolygon#getKeys" class="">
<a href="ol.geom.MultiPolygon.html#getKeys">getKeys</a>
</li>
<li data-name="ol.geom.MultiPolygon#getLastCoordinate" class="">
<a href="ol.geom.MultiPolygon.html#getLastCoordinate">getLastCoordinate</a>
</li>
<li data-name="ol.geom.MultiPolygon#getLayout" class="">
<a href="ol.geom.MultiPolygon.html#getLayout">getLayout</a>
</li>
<li data-name="ol.geom.MultiPolygon#getPolygon" class="">
<a href="ol.geom.MultiPolygon.html#getPolygon">getPolygon</a>
</li>
<li data-name="ol.geom.MultiPolygon#getPolygons" class="">
<a href="ol.geom.MultiPolygon.html#getPolygons">getPolygons</a>
</li>
<li data-name="ol.geom.MultiPolygon#getProperties" class="">
<a href="ol.geom.MultiPolygon.html#getProperties">getProperties</a>
</li>
<li data-name="ol.geom.MultiPolygon#getRevision" class="unstable">
<a href="ol.geom.MultiPolygon.html#getRevision">getRevision</a>
</li>
<li data-name="ol.geom.MultiPolygon#getType" class="">
<a href="ol.geom.MultiPolygon.html#getType">getType</a>
</li>
<li data-name="ol.geom.MultiPolygon#intersectsExtent" class="">
<a href="ol.geom.MultiPolygon.html#intersectsExtent">intersectsExtent</a>
</li>
<li data-name="ol.geom.MultiPolygon#on" class="">
<a href="ol.geom.MultiPolygon.html#on">on</a>
</li>
<li data-name="ol.geom.MultiPolygon#once" class="">
<a href="ol.geom.MultiPolygon.html#once">once</a>
</li>
<li data-name="ol.geom.MultiPolygon#set" class="">
<a href="ol.geom.MultiPolygon.html#set">set</a>
</li>
<li data-name="ol.geom.MultiPolygon#setCoordinates" class="">
<a href="ol.geom.MultiPolygon.html#setCoordinates">setCoordinates</a>
</li>
<li data-name="ol.geom.MultiPolygon#setProperties" class="">
<a href="ol.geom.MultiPolygon.html#setProperties">setProperties</a>
</li>
<li data-name="ol.geom.MultiPolygon#simplify" class="unstable">
<a href="ol.geom.MultiPolygon.html#simplify">simplify</a>
</li>
<li data-name="ol.geom.MultiPolygon#transform" class="">
<a href="ol.geom.MultiPolygon.html#transform">transform</a>
</li>
<li data-name="ol.geom.MultiPolygon#translate" class="">
<a href="ol.geom.MultiPolygon.html#translate">translate</a>
</li>
<li data-name="ol.geom.MultiPolygon#un" class="">
<a href="ol.geom.MultiPolygon.html#un">un</a>
</li>
<li data-name="ol.geom.MultiPolygon#unByKey" class="">
<a href="ol.geom.MultiPolygon.html#unByKey">unByKey</a>
</li>
<li data-name="ol.geom.MultiPolygon#unset" class="">
<a href="ol.geom.MultiPolygon.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.geom.Point">
<span class="title">
<a href="ol.geom.Point.html">ol.geom.Point</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.geom.Point#applyTransform" class="">
<a href="ol.geom.Point.html#applyTransform">applyTransform</a>
</li>
<li data-name="ol.geom.Point#changed" class="unstable">
<a href="ol.geom.Point.html#changed">changed</a>
</li>
<li data-name="ol.geom.Point#clone" class="">
<a href="ol.geom.Point.html#clone">clone</a>
</li>
<li data-name="ol.geom.Point#dispatchEvent" class="unstable">
<a href="ol.geom.Point.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.geom.Point#get" class="">
<a href="ol.geom.Point.html#get">get</a>
</li>
<li data-name="ol.geom.Point#getClosestPoint" class="">
<a href="ol.geom.Point.html#getClosestPoint">getClosestPoint</a>
</li>
<li data-name="ol.geom.Point#getCoordinates" class="">
<a href="ol.geom.Point.html#getCoordinates">getCoordinates</a>
</li>
<li data-name="ol.geom.Point#getExtent" class="">
<a href="ol.geom.Point.html#getExtent">getExtent</a>
</li>
<li data-name="ol.geom.Point#getFirstCoordinate" class="">
<a href="ol.geom.Point.html#getFirstCoordinate">getFirstCoordinate</a>
</li>
<li data-name="ol.geom.Point#getKeys" class="">
<a href="ol.geom.Point.html#getKeys">getKeys</a>
</li>
<li data-name="ol.geom.Point#getLastCoordinate" class="">
<a href="ol.geom.Point.html#getLastCoordinate">getLastCoordinate</a>
</li>
<li data-name="ol.geom.Point#getLayout" class="">
<a href="ol.geom.Point.html#getLayout">getLayout</a>
</li>
<li data-name="ol.geom.Point#getProperties" class="">
<a href="ol.geom.Point.html#getProperties">getProperties</a>
</li>
<li data-name="ol.geom.Point#getRevision" class="unstable">
<a href="ol.geom.Point.html#getRevision">getRevision</a>
</li>
<li data-name="ol.geom.Point#getType" class="">
<a href="ol.geom.Point.html#getType">getType</a>
</li>
<li data-name="ol.geom.Point#intersectsExtent" class="">
<a href="ol.geom.Point.html#intersectsExtent">intersectsExtent</a>
</li>
<li data-name="ol.geom.Point#on" class="">
<a href="ol.geom.Point.html#on">on</a>
</li>
<li data-name="ol.geom.Point#once" class="">
<a href="ol.geom.Point.html#once">once</a>
</li>
<li data-name="ol.geom.Point#set" class="">
<a href="ol.geom.Point.html#set">set</a>
</li>
<li data-name="ol.geom.Point#setCoordinates" class="">
<a href="ol.geom.Point.html#setCoordinates">setCoordinates</a>
</li>
<li data-name="ol.geom.Point#setProperties" class="">
<a href="ol.geom.Point.html#setProperties">setProperties</a>
</li>
<li data-name="ol.geom.Point#simplify" class="unstable">
<a href="ol.geom.Point.html#simplify">simplify</a>
</li>
<li data-name="ol.geom.Point#transform" class="">
<a href="ol.geom.Point.html#transform">transform</a>
</li>
<li data-name="ol.geom.Point#translate" class="">
<a href="ol.geom.Point.html#translate">translate</a>
</li>
<li data-name="ol.geom.Point#un" class="">
<a href="ol.geom.Point.html#un">un</a>
</li>
<li data-name="ol.geom.Point#unByKey" class="">
<a href="ol.geom.Point.html#unByKey">unByKey</a>
</li>
<li data-name="ol.geom.Point#unset" class="">
<a href="ol.geom.Point.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.geom.Polygon">
<span class="title">
<a href="ol.geom.Polygon.html">ol.geom.Polygon</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.geom.Polygon.circular" class="">
<a href="ol.geom.Polygon.html#.circular">circular</a>
</li>
<li data-name="ol.geom.Polygon.fromCircle" class="unstable">
<a href="ol.geom.Polygon.html#.fromCircle">fromCircle</a>
</li>
<li data-name="ol.geom.Polygon.fromExtent" class="unstable">
<a href="ol.geom.Polygon.html#.fromExtent">fromExtent</a>
</li>
<li data-name="ol.geom.Polygon#appendLinearRing" class="">
<a href="ol.geom.Polygon.html#appendLinearRing">appendLinearRing</a>
</li>
<li data-name="ol.geom.Polygon#applyTransform" class="">
<a href="ol.geom.Polygon.html#applyTransform">applyTransform</a>
</li>
<li data-name="ol.geom.Polygon#changed" class="unstable">
<a href="ol.geom.Polygon.html#changed">changed</a>
</li>
<li data-name="ol.geom.Polygon#clone" class="">
<a href="ol.geom.Polygon.html#clone">clone</a>
</li>
<li data-name="ol.geom.Polygon#dispatchEvent" class="unstable">
<a href="ol.geom.Polygon.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.geom.Polygon#get" class="">
<a href="ol.geom.Polygon.html#get">get</a>
</li>
<li data-name="ol.geom.Polygon#getArea" class="">
<a href="ol.geom.Polygon.html#getArea">getArea</a>
</li>
<li data-name="ol.geom.Polygon#getClosestPoint" class="">
<a href="ol.geom.Polygon.html#getClosestPoint">getClosestPoint</a>
</li>
<li data-name="ol.geom.Polygon#getCoordinates" class="">
<a href="ol.geom.Polygon.html#getCoordinates">getCoordinates</a>
</li>
<li data-name="ol.geom.Polygon#getExtent" class="">
<a href="ol.geom.Polygon.html#getExtent">getExtent</a>
</li>
<li data-name="ol.geom.Polygon#getFirstCoordinate" class="">
<a href="ol.geom.Polygon.html#getFirstCoordinate">getFirstCoordinate</a>
</li>
<li data-name="ol.geom.Polygon#getInteriorPoint" class="">
<a href="ol.geom.Polygon.html#getInteriorPoint">getInteriorPoint</a>
</li>
<li data-name="ol.geom.Polygon#getKeys" class="">
<a href="ol.geom.Polygon.html#getKeys">getKeys</a>
</li>
<li data-name="ol.geom.Polygon#getLastCoordinate" class="">
<a href="ol.geom.Polygon.html#getLastCoordinate">getLastCoordinate</a>
</li>
<li data-name="ol.geom.Polygon#getLayout" class="">
<a href="ol.geom.Polygon.html#getLayout">getLayout</a>
</li>
<li data-name="ol.geom.Polygon#getLinearRing" class="">
<a href="ol.geom.Polygon.html#getLinearRing">getLinearRing</a>
</li>
<li data-name="ol.geom.Polygon#getLinearRingCount" class="unstable">
<a href="ol.geom.Polygon.html#getLinearRingCount">getLinearRingCount</a>
</li>
<li data-name="ol.geom.Polygon#getLinearRings" class="">
<a href="ol.geom.Polygon.html#getLinearRings">getLinearRings</a>
</li>
<li data-name="ol.geom.Polygon#getProperties" class="">
<a href="ol.geom.Polygon.html#getProperties">getProperties</a>
</li>
<li data-name="ol.geom.Polygon#getRevision" class="unstable">
<a href="ol.geom.Polygon.html#getRevision">getRevision</a>
</li>
<li data-name="ol.geom.Polygon#getType" class="">
<a href="ol.geom.Polygon.html#getType">getType</a>
</li>
<li data-name="ol.geom.Polygon#intersectsExtent" class="">
<a href="ol.geom.Polygon.html#intersectsExtent">intersectsExtent</a>
</li>
<li data-name="ol.geom.Polygon#on" class="">
<a href="ol.geom.Polygon.html#on">on</a>
</li>
<li data-name="ol.geom.Polygon#once" class="">
<a href="ol.geom.Polygon.html#once">once</a>
</li>
<li data-name="ol.geom.Polygon#set" class="">
<a href="ol.geom.Polygon.html#set">set</a>
</li>
<li data-name="ol.geom.Polygon#setCoordinates" class="">
<a href="ol.geom.Polygon.html#setCoordinates">setCoordinates</a>
</li>
<li data-name="ol.geom.Polygon#setProperties" class="">
<a href="ol.geom.Polygon.html#setProperties">setProperties</a>
</li>
<li data-name="ol.geom.Polygon#simplify" class="unstable">
<a href="ol.geom.Polygon.html#simplify">simplify</a>
</li>
<li data-name="ol.geom.Polygon#transform" class="">
<a href="ol.geom.Polygon.html#transform">transform</a>
</li>
<li data-name="ol.geom.Polygon#translate" class="">
<a href="ol.geom.Polygon.html#translate">translate</a>
</li>
<li data-name="ol.geom.Polygon#un" class="">
<a href="ol.geom.Polygon.html#un">un</a>
</li>
<li data-name="ol.geom.Polygon#unByKey" class="">
<a href="ol.geom.Polygon.html#unByKey">unByKey</a>
</li>
<li data-name="ol.geom.Polygon#unset" class="">
<a href="ol.geom.Polygon.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.geom.SimpleGeometry">
<span class="title">
<a href="ol.geom.SimpleGeometry.html">ol.geom.SimpleGeometry</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.geom.SimpleGeometry#applyTransform" class="">
<a href="ol.geom.SimpleGeometry.html#applyTransform">applyTransform</a>
</li>
<li data-name="ol.geom.SimpleGeometry#changed" class="unstable">
<a href="ol.geom.SimpleGeometry.html#changed">changed</a>
</li>
<li data-name="ol.geom.SimpleGeometry#dispatchEvent" class="unstable">
<a href="ol.geom.SimpleGeometry.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.geom.SimpleGeometry#get" class="">
<a href="ol.geom.SimpleGeometry.html#get">get</a>
</li>
<li data-name="ol.geom.SimpleGeometry#getClosestPoint" class="">
<a href="ol.geom.SimpleGeometry.html#getClosestPoint">getClosestPoint</a>
</li>
<li data-name="ol.geom.SimpleGeometry#getExtent" class="">
<a href="ol.geom.SimpleGeometry.html#getExtent">getExtent</a>
</li>
<li data-name="ol.geom.SimpleGeometry#getFirstCoordinate" class="">
<a href="ol.geom.SimpleGeometry.html#getFirstCoordinate">getFirstCoordinate</a>
</li>
<li data-name="ol.geom.SimpleGeometry#getKeys" class="">
<a href="ol.geom.SimpleGeometry.html#getKeys">getKeys</a>
</li>
<li data-name="ol.geom.SimpleGeometry#getLastCoordinate" class="">
<a href="ol.geom.SimpleGeometry.html#getLastCoordinate">getLastCoordinate</a>
</li>
<li data-name="ol.geom.SimpleGeometry#getLayout" class="">
<a href="ol.geom.SimpleGeometry.html#getLayout">getLayout</a>
</li>
<li data-name="ol.geom.SimpleGeometry#getProperties" class="">
<a href="ol.geom.SimpleGeometry.html#getProperties">getProperties</a>
</li>
<li data-name="ol.geom.SimpleGeometry#getRevision" class="unstable">
<a href="ol.geom.SimpleGeometry.html#getRevision">getRevision</a>
</li>
<li data-name="ol.geom.SimpleGeometry#on" class="">
<a href="ol.geom.SimpleGeometry.html#on">on</a>
</li>
<li data-name="ol.geom.SimpleGeometry#once" class="">
<a href="ol.geom.SimpleGeometry.html#once">once</a>
</li>
<li data-name="ol.geom.SimpleGeometry#set" class="">
<a href="ol.geom.SimpleGeometry.html#set">set</a>
</li>
<li data-name="ol.geom.SimpleGeometry#setProperties" class="">
<a href="ol.geom.SimpleGeometry.html#setProperties">setProperties</a>
</li>
<li data-name="ol.geom.SimpleGeometry#simplify" class="unstable">
<a href="ol.geom.SimpleGeometry.html#simplify">simplify</a>
</li>
<li data-name="ol.geom.SimpleGeometry#transform" class="">
<a href="ol.geom.SimpleGeometry.html#transform">transform</a>
</li>
<li data-name="ol.geom.SimpleGeometry#translate" class="">
<a href="ol.geom.SimpleGeometry.html#translate">translate</a>
</li>
<li data-name="ol.geom.SimpleGeometry#un" class="">
<a href="ol.geom.SimpleGeometry.html#un">un</a>
</li>
<li data-name="ol.geom.SimpleGeometry#unByKey" class="">
<a href="ol.geom.SimpleGeometry.html#unByKey">unByKey</a>
</li>
<li data-name="ol.geom.SimpleGeometry#unset" class="">
<a href="ol.geom.SimpleGeometry.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.has">
<span class="title">
<a href="ol.has.html">ol.has</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.has.CANVAS"><a href="ol.has.html#.CANVAS">CANVAS</a></li>
<li data-name="ol.has.DEVICE_ORIENTATION"><a href="ol.has.html#.DEVICE_ORIENTATION">DEVICE_ORIENTATION</a></li>
<li data-name="ol.has.DEVICE_PIXEL_RATIO"><a href="ol.has.html#.DEVICE_PIXEL_RATIO">DEVICE_PIXEL_RATIO</a></li>
<li data-name="ol.has.GEOLOCATION"><a href="ol.has.html#.GEOLOCATION">GEOLOCATION</a></li>
<li data-name="ol.has.TOUCH"><a href="ol.has.html#.TOUCH">TOUCH</a></li>
<li data-name="ol.has.WEBGL"><a href="ol.has.html#.WEBGL">WEBGL</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.interaction">
<span class="title">
<a href="ol.interaction.html">ol.interaction</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
<span class="subtitle">Typedefs</span>
<li data-name="ol.interaction.DragBoxEndConditionType" class="unstable">
<a href="ol.interaction.html#.DragBoxEndConditionType">DragBoxEndConditionType</a>
</li>
<li data-name="ol.interaction.DrawGeometryFunctionType" class="unstable">
<a href="ol.interaction.html#.DrawGeometryFunctionType">DrawGeometryFunctionType</a>
</li>
<li data-name="ol.interaction.SelectFilterFunction" class="unstable">
<a href="ol.interaction.html#.SelectFilterFunction">SelectFilterFunction</a>
</li>
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.defaults" class="">
<a href="ol.interaction.html#.defaults">defaults</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.interaction.DoubleClickZoom">
<span class="title">
<a href="ol.interaction.DoubleClickZoom.html">ol.interaction.DoubleClickZoom</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.DoubleClickZoom.handleEvent" class="unstable">
<a href="ol.interaction.DoubleClickZoom.html#.handleEvent">handleEvent</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#changed" class="unstable">
<a href="ol.interaction.DoubleClickZoom.html#changed">changed</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#dispatchEvent" class="unstable">
<a href="ol.interaction.DoubleClickZoom.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#get" class="">
<a href="ol.interaction.DoubleClickZoom.html#get">get</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#getActive" class="unstable">
<a href="ol.interaction.DoubleClickZoom.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#getKeys" class="">
<a href="ol.interaction.DoubleClickZoom.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#getMap" class="unstable">
<a href="ol.interaction.DoubleClickZoom.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#getProperties" class="">
<a href="ol.interaction.DoubleClickZoom.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#getRevision" class="unstable">
<a href="ol.interaction.DoubleClickZoom.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#on" class="">
<a href="ol.interaction.DoubleClickZoom.html#on">on</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#once" class="">
<a href="ol.interaction.DoubleClickZoom.html#once">once</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#set" class="">
<a href="ol.interaction.DoubleClickZoom.html#set">set</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#setActive" class="unstable">
<a href="ol.interaction.DoubleClickZoom.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#setProperties" class="">
<a href="ol.interaction.DoubleClickZoom.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#un" class="">
<a href="ol.interaction.DoubleClickZoom.html#un">un</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#unByKey" class="">
<a href="ol.interaction.DoubleClickZoom.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.DoubleClickZoom#unset" class="">
<a href="ol.interaction.DoubleClickZoom.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.DragAndDrop">
<span class="title">
<a href="ol.interaction.DragAndDrop.html">ol.interaction.DragAndDrop</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.interaction.DragAndDrop.handleEvent"><a href="ol.interaction.DragAndDrop.html#.handleEvent">handleEvent</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.DragAndDrop#changed" class="unstable">
<a href="ol.interaction.DragAndDrop.html#changed">changed</a>
</li>
<li data-name="ol.interaction.DragAndDrop#dispatchEvent" class="unstable">
<a href="ol.interaction.DragAndDrop.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.DragAndDrop#get" class="">
<a href="ol.interaction.DragAndDrop.html#get">get</a>
</li>
<li data-name="ol.interaction.DragAndDrop#getActive" class="unstable">
<a href="ol.interaction.DragAndDrop.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.DragAndDrop#getKeys" class="">
<a href="ol.interaction.DragAndDrop.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.DragAndDrop#getMap" class="unstable">
<a href="ol.interaction.DragAndDrop.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.DragAndDrop#getProperties" class="">
<a href="ol.interaction.DragAndDrop.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.DragAndDrop#getRevision" class="unstable">
<a href="ol.interaction.DragAndDrop.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.DragAndDrop#on" class="">
<a href="ol.interaction.DragAndDrop.html#on">on</a>
</li>
<li data-name="ol.interaction.DragAndDrop#once" class="">
<a href="ol.interaction.DragAndDrop.html#once">once</a>
</li>
<li data-name="ol.interaction.DragAndDrop#set" class="">
<a href="ol.interaction.DragAndDrop.html#set">set</a>
</li>
<li data-name="ol.interaction.DragAndDrop#setActive" class="unstable">
<a href="ol.interaction.DragAndDrop.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.DragAndDrop#setProperties" class="">
<a href="ol.interaction.DragAndDrop.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.DragAndDrop#un" class="">
<a href="ol.interaction.DragAndDrop.html#un">un</a>
</li>
<li data-name="ol.interaction.DragAndDrop#unByKey" class="">
<a href="ol.interaction.DragAndDrop.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.DragAndDrop#unset" class="">
<a href="ol.interaction.DragAndDrop.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="ol.interaction.DragAndDropEvent#event:addfeatures" class="">
<a href="ol.interaction.DragAndDropEvent.html#event:addfeatures">addfeatures</a>
</li>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.DragAndDropEvent">
<span class="title">
<a href="ol.interaction.DragAndDropEvent.html">ol.interaction.DragAndDropEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.interaction.DragAndDropEvent#features"><a href="ol.interaction.DragAndDropEvent.html#features">features</a></li>
<li data-name="ol.interaction.DragAndDropEvent#file"><a href="ol.interaction.DragAndDropEvent.html#file">file</a></li>
<li data-name="ol.interaction.DragAndDropEvent#projection"><a href="ol.interaction.DragAndDropEvent.html#projection">projection</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.interaction.DragBox">
<span class="title">
<a href="ol.interaction.DragBox.html">ol.interaction.DragBox</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.DragBox#changed" class="unstable">
<a href="ol.interaction.DragBox.html#changed">changed</a>
</li>
<li data-name="ol.interaction.DragBox#dispatchEvent" class="unstable">
<a href="ol.interaction.DragBox.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.DragBox#get" class="">
<a href="ol.interaction.DragBox.html#get">get</a>
</li>
<li data-name="ol.interaction.DragBox#getActive" class="unstable">
<a href="ol.interaction.DragBox.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.DragBox#getGeometry" class="">
<a href="ol.interaction.DragBox.html#getGeometry">getGeometry</a>
</li>
<li data-name="ol.interaction.DragBox#getKeys" class="">
<a href="ol.interaction.DragBox.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.DragBox#getMap" class="unstable">
<a href="ol.interaction.DragBox.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.DragBox#getProperties" class="">
<a href="ol.interaction.DragBox.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.DragBox#getRevision" class="unstable">
<a href="ol.interaction.DragBox.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.DragBox#on" class="">
<a href="ol.interaction.DragBox.html#on">on</a>
</li>
<li data-name="ol.interaction.DragBox#once" class="">
<a href="ol.interaction.DragBox.html#once">once</a>
</li>
<li data-name="ol.interaction.DragBox#set" class="">
<a href="ol.interaction.DragBox.html#set">set</a>
</li>
<li data-name="ol.interaction.DragBox#setActive" class="unstable">
<a href="ol.interaction.DragBox.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.DragBox#setProperties" class="">
<a href="ol.interaction.DragBox.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.DragBox#un" class="">
<a href="ol.interaction.DragBox.html#un">un</a>
</li>
<li data-name="ol.interaction.DragBox#unByKey" class="">
<a href="ol.interaction.DragBox.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.DragBox#unset" class="">
<a href="ol.interaction.DragBox.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="ol.DragBoxEvent#event:boxdrag" class="unstable">
<a href="ol.DragBoxEvent.html#event:boxdrag">boxdrag</a>
</li>
<li data-name="ol.DragBoxEvent#event:boxend" class="">
<a href="ol.DragBoxEvent.html#event:boxend">boxend</a>
</li>
<li data-name="ol.DragBoxEvent#event:boxstart" class="">
<a href="ol.DragBoxEvent.html#event:boxstart">boxstart</a>
</li>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.DragPan">
<span class="title">
<a href="ol.interaction.DragPan.html">ol.interaction.DragPan</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.DragPan#changed" class="unstable">
<a href="ol.interaction.DragPan.html#changed">changed</a>
</li>
<li data-name="ol.interaction.DragPan#dispatchEvent" class="unstable">
<a href="ol.interaction.DragPan.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.DragPan#get" class="">
<a href="ol.interaction.DragPan.html#get">get</a>
</li>
<li data-name="ol.interaction.DragPan#getActive" class="unstable">
<a href="ol.interaction.DragPan.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.DragPan#getKeys" class="">
<a href="ol.interaction.DragPan.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.DragPan#getMap" class="unstable">
<a href="ol.interaction.DragPan.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.DragPan#getProperties" class="">
<a href="ol.interaction.DragPan.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.DragPan#getRevision" class="unstable">
<a href="ol.interaction.DragPan.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.DragPan#on" class="">
<a href="ol.interaction.DragPan.html#on">on</a>
</li>
<li data-name="ol.interaction.DragPan#once" class="">
<a href="ol.interaction.DragPan.html#once">once</a>
</li>
<li data-name="ol.interaction.DragPan#set" class="">
<a href="ol.interaction.DragPan.html#set">set</a>
</li>
<li data-name="ol.interaction.DragPan#setActive" class="unstable">
<a href="ol.interaction.DragPan.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.DragPan#setProperties" class="">
<a href="ol.interaction.DragPan.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.DragPan#un" class="">
<a href="ol.interaction.DragPan.html#un">un</a>
</li>
<li data-name="ol.interaction.DragPan#unByKey" class="">
<a href="ol.interaction.DragPan.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.DragPan#unset" class="">
<a href="ol.interaction.DragPan.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.DragRotate">
<span class="title">
<a href="ol.interaction.DragRotate.html">ol.interaction.DragRotate</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.DragRotate#changed" class="unstable">
<a href="ol.interaction.DragRotate.html#changed">changed</a>
</li>
<li data-name="ol.interaction.DragRotate#dispatchEvent" class="unstable">
<a href="ol.interaction.DragRotate.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.DragRotate#get" class="">
<a href="ol.interaction.DragRotate.html#get">get</a>
</li>
<li data-name="ol.interaction.DragRotate#getActive" class="unstable">
<a href="ol.interaction.DragRotate.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.DragRotate#getKeys" class="">
<a href="ol.interaction.DragRotate.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.DragRotate#getMap" class="unstable">
<a href="ol.interaction.DragRotate.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.DragRotate#getProperties" class="">
<a href="ol.interaction.DragRotate.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.DragRotate#getRevision" class="unstable">
<a href="ol.interaction.DragRotate.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.DragRotate#on" class="">
<a href="ol.interaction.DragRotate.html#on">on</a>
</li>
<li data-name="ol.interaction.DragRotate#once" class="">
<a href="ol.interaction.DragRotate.html#once">once</a>
</li>
<li data-name="ol.interaction.DragRotate#set" class="">
<a href="ol.interaction.DragRotate.html#set">set</a>
</li>
<li data-name="ol.interaction.DragRotate#setActive" class="unstable">
<a href="ol.interaction.DragRotate.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.DragRotate#setProperties" class="">
<a href="ol.interaction.DragRotate.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.DragRotate#un" class="">
<a href="ol.interaction.DragRotate.html#un">un</a>
</li>
<li data-name="ol.interaction.DragRotate#unByKey" class="">
<a href="ol.interaction.DragRotate.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.DragRotate#unset" class="">
<a href="ol.interaction.DragRotate.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.DragRotateAndZoom">
<span class="title">
<a href="ol.interaction.DragRotateAndZoom.html">ol.interaction.DragRotateAndZoom</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.DragRotateAndZoom#changed" class="unstable">
<a href="ol.interaction.DragRotateAndZoom.html#changed">changed</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#dispatchEvent" class="unstable">
<a href="ol.interaction.DragRotateAndZoom.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#get" class="">
<a href="ol.interaction.DragRotateAndZoom.html#get">get</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#getActive" class="unstable">
<a href="ol.interaction.DragRotateAndZoom.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#getKeys" class="">
<a href="ol.interaction.DragRotateAndZoom.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#getMap" class="unstable">
<a href="ol.interaction.DragRotateAndZoom.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#getProperties" class="">
<a href="ol.interaction.DragRotateAndZoom.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#getRevision" class="unstable">
<a href="ol.interaction.DragRotateAndZoom.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#on" class="">
<a href="ol.interaction.DragRotateAndZoom.html#on">on</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#once" class="">
<a href="ol.interaction.DragRotateAndZoom.html#once">once</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#set" class="">
<a href="ol.interaction.DragRotateAndZoom.html#set">set</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#setActive" class="unstable">
<a href="ol.interaction.DragRotateAndZoom.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#setProperties" class="">
<a href="ol.interaction.DragRotateAndZoom.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#un" class="">
<a href="ol.interaction.DragRotateAndZoom.html#un">un</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#unByKey" class="">
<a href="ol.interaction.DragRotateAndZoom.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.DragRotateAndZoom#unset" class="">
<a href="ol.interaction.DragRotateAndZoom.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.DragZoom">
<span class="title">
<a href="ol.interaction.DragZoom.html">ol.interaction.DragZoom</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.DragZoom#changed" class="unstable">
<a href="ol.interaction.DragZoom.html#changed">changed</a>
</li>
<li data-name="ol.interaction.DragZoom#dispatchEvent" class="unstable">
<a href="ol.interaction.DragZoom.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.DragZoom#get" class="">
<a href="ol.interaction.DragZoom.html#get">get</a>
</li>
<li data-name="ol.interaction.DragZoom#getActive" class="unstable">
<a href="ol.interaction.DragZoom.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.DragZoom#getGeometry" class="">
<a href="ol.interaction.DragZoom.html#getGeometry">getGeometry</a>
</li>
<li data-name="ol.interaction.DragZoom#getKeys" class="">
<a href="ol.interaction.DragZoom.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.DragZoom#getMap" class="unstable">
<a href="ol.interaction.DragZoom.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.DragZoom#getProperties" class="">
<a href="ol.interaction.DragZoom.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.DragZoom#getRevision" class="unstable">
<a href="ol.interaction.DragZoom.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.DragZoom#on" class="">
<a href="ol.interaction.DragZoom.html#on">on</a>
</li>
<li data-name="ol.interaction.DragZoom#once" class="">
<a href="ol.interaction.DragZoom.html#once">once</a>
</li>
<li data-name="ol.interaction.DragZoom#set" class="">
<a href="ol.interaction.DragZoom.html#set">set</a>
</li>
<li data-name="ol.interaction.DragZoom#setActive" class="unstable">
<a href="ol.interaction.DragZoom.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.DragZoom#setProperties" class="">
<a href="ol.interaction.DragZoom.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.DragZoom#un" class="">
<a href="ol.interaction.DragZoom.html#un">un</a>
</li>
<li data-name="ol.interaction.DragZoom#unByKey" class="">
<a href="ol.interaction.DragZoom.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.DragZoom#unset" class="">
<a href="ol.interaction.DragZoom.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="ol.DragBoxEvent#event:boxdrag" class="unstable">
<a href="ol.DragBoxEvent.html#event:boxdrag">boxdrag</a>
</li>
<li data-name="ol.DragBoxEvent#event:boxend" class="">
<a href="ol.DragBoxEvent.html#event:boxend">boxend</a>
</li>
<li data-name="ol.DragBoxEvent#event:boxstart" class="">
<a href="ol.DragBoxEvent.html#event:boxstart">boxstart</a>
</li>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.Draw">
<span class="title">
<a href="ol.interaction.Draw.html">ol.interaction.Draw</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.Draw.createRegularPolygon" class="unstable">
<a href="ol.interaction.Draw.html#.createRegularPolygon">createRegularPolygon</a>
</li>
<li data-name="ol.interaction.Draw.handleEvent" class="unstable">
<a href="ol.interaction.Draw.html#.handleEvent">handleEvent</a>
</li>
<li data-name="ol.interaction.Draw#changed" class="unstable">
<a href="ol.interaction.Draw.html#changed">changed</a>
</li>
<li data-name="ol.interaction.Draw#dispatchEvent" class="unstable">
<a href="ol.interaction.Draw.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.Draw#extend" class="unstable">
<a href="ol.interaction.Draw.html#extend">extend</a>
</li>
<li data-name="ol.interaction.Draw#finishDrawing" class="unstable">
<a href="ol.interaction.Draw.html#finishDrawing">finishDrawing</a>
</li>
<li data-name="ol.interaction.Draw#get" class="">
<a href="ol.interaction.Draw.html#get">get</a>
</li>
<li data-name="ol.interaction.Draw#getActive" class="unstable">
<a href="ol.interaction.Draw.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.Draw#getKeys" class="">
<a href="ol.interaction.Draw.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.Draw#getMap" class="unstable">
<a href="ol.interaction.Draw.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.Draw#getProperties" class="">
<a href="ol.interaction.Draw.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.Draw#getRevision" class="unstable">
<a href="ol.interaction.Draw.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.Draw#on" class="">
<a href="ol.interaction.Draw.html#on">on</a>
</li>
<li data-name="ol.interaction.Draw#once" class="">
<a href="ol.interaction.Draw.html#once">once</a>
</li>
<li data-name="ol.interaction.Draw#removeLastPoint" class="unstable">
<a href="ol.interaction.Draw.html#removeLastPoint">removeLastPoint</a>
</li>
<li data-name="ol.interaction.Draw#set" class="">
<a href="ol.interaction.Draw.html#set">set</a>
</li>
<li data-name="ol.interaction.Draw#setActive" class="unstable">
<a href="ol.interaction.Draw.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.Draw#setProperties" class="">
<a href="ol.interaction.Draw.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.Draw#un" class="">
<a href="ol.interaction.Draw.html#un">un</a>
</li>
<li data-name="ol.interaction.Draw#unByKey" class="">
<a href="ol.interaction.Draw.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.Draw#unset" class="">
<a href="ol.interaction.Draw.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.interaction.DrawEvent#event:drawend" class="">
<a href="ol.interaction.DrawEvent.html#event:drawend">drawend</a>
</li>
<li data-name="ol.interaction.DrawEvent#event:drawstart" class="">
<a href="ol.interaction.DrawEvent.html#event:drawstart">drawstart</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.DrawEvent">
<span class="title">
<a href="ol.interaction.DrawEvent.html">ol.interaction.DrawEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.interaction.DrawEvent#feature"><a href="ol.interaction.DrawEvent.html#feature">feature</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.interaction.Interaction">
<span class="title">
<a href="ol.interaction.Interaction.html">ol.interaction.Interaction</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.Interaction#changed" class="unstable">
<a href="ol.interaction.Interaction.html#changed">changed</a>
</li>
<li data-name="ol.interaction.Interaction#dispatchEvent" class="unstable">
<a href="ol.interaction.Interaction.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.Interaction#get" class="">
<a href="ol.interaction.Interaction.html#get">get</a>
</li>
<li data-name="ol.interaction.Interaction#getActive" class="unstable">
<a href="ol.interaction.Interaction.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.Interaction#getKeys" class="">
<a href="ol.interaction.Interaction.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.Interaction#getMap" class="unstable">
<a href="ol.interaction.Interaction.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.Interaction#getProperties" class="">
<a href="ol.interaction.Interaction.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.Interaction#getRevision" class="unstable">
<a href="ol.interaction.Interaction.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.Interaction#on" class="">
<a href="ol.interaction.Interaction.html#on">on</a>
</li>
<li data-name="ol.interaction.Interaction#once" class="">
<a href="ol.interaction.Interaction.html#once">once</a>
</li>
<li data-name="ol.interaction.Interaction#set" class="">
<a href="ol.interaction.Interaction.html#set">set</a>
</li>
<li data-name="ol.interaction.Interaction#setActive" class="unstable">
<a href="ol.interaction.Interaction.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.Interaction#setProperties" class="">
<a href="ol.interaction.Interaction.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.Interaction#un" class="">
<a href="ol.interaction.Interaction.html#un">un</a>
</li>
<li data-name="ol.interaction.Interaction#unByKey" class="">
<a href="ol.interaction.Interaction.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.Interaction#unset" class="">
<a href="ol.interaction.Interaction.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.KeyboardPan">
<span class="title">
<a href="ol.interaction.KeyboardPan.html">ol.interaction.KeyboardPan</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.KeyboardPan.handleEvent" class="unstable">
<a href="ol.interaction.KeyboardPan.html#.handleEvent">handleEvent</a>
</li>
<li data-name="ol.interaction.KeyboardPan#changed" class="unstable">
<a href="ol.interaction.KeyboardPan.html#changed">changed</a>
</li>
<li data-name="ol.interaction.KeyboardPan#dispatchEvent" class="unstable">
<a href="ol.interaction.KeyboardPan.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.KeyboardPan#get" class="">
<a href="ol.interaction.KeyboardPan.html#get">get</a>
</li>
<li data-name="ol.interaction.KeyboardPan#getActive" class="unstable">
<a href="ol.interaction.KeyboardPan.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.KeyboardPan#getKeys" class="">
<a href="ol.interaction.KeyboardPan.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.KeyboardPan#getMap" class="unstable">
<a href="ol.interaction.KeyboardPan.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.KeyboardPan#getProperties" class="">
<a href="ol.interaction.KeyboardPan.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.KeyboardPan#getRevision" class="unstable">
<a href="ol.interaction.KeyboardPan.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.KeyboardPan#on" class="">
<a href="ol.interaction.KeyboardPan.html#on">on</a>
</li>
<li data-name="ol.interaction.KeyboardPan#once" class="">
<a href="ol.interaction.KeyboardPan.html#once">once</a>
</li>
<li data-name="ol.interaction.KeyboardPan#set" class="">
<a href="ol.interaction.KeyboardPan.html#set">set</a>
</li>
<li data-name="ol.interaction.KeyboardPan#setActive" class="unstable">
<a href="ol.interaction.KeyboardPan.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.KeyboardPan#setProperties" class="">
<a href="ol.interaction.KeyboardPan.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.KeyboardPan#un" class="">
<a href="ol.interaction.KeyboardPan.html#un">un</a>
</li>
<li data-name="ol.interaction.KeyboardPan#unByKey" class="">
<a href="ol.interaction.KeyboardPan.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.KeyboardPan#unset" class="">
<a href="ol.interaction.KeyboardPan.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.KeyboardZoom">
<span class="title">
<a href="ol.interaction.KeyboardZoom.html">ol.interaction.KeyboardZoom</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.KeyboardZoom.handleEvent" class="unstable">
<a href="ol.interaction.KeyboardZoom.html#.handleEvent">handleEvent</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#changed" class="unstable">
<a href="ol.interaction.KeyboardZoom.html#changed">changed</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#dispatchEvent" class="unstable">
<a href="ol.interaction.KeyboardZoom.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#get" class="">
<a href="ol.interaction.KeyboardZoom.html#get">get</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#getActive" class="unstable">
<a href="ol.interaction.KeyboardZoom.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#getKeys" class="">
<a href="ol.interaction.KeyboardZoom.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#getMap" class="unstable">
<a href="ol.interaction.KeyboardZoom.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#getProperties" class="">
<a href="ol.interaction.KeyboardZoom.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#getRevision" class="unstable">
<a href="ol.interaction.KeyboardZoom.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#on" class="">
<a href="ol.interaction.KeyboardZoom.html#on">on</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#once" class="">
<a href="ol.interaction.KeyboardZoom.html#once">once</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#set" class="">
<a href="ol.interaction.KeyboardZoom.html#set">set</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#setActive" class="unstable">
<a href="ol.interaction.KeyboardZoom.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#setProperties" class="">
<a href="ol.interaction.KeyboardZoom.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#un" class="">
<a href="ol.interaction.KeyboardZoom.html#un">un</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#unByKey" class="">
<a href="ol.interaction.KeyboardZoom.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.KeyboardZoom#unset" class="">
<a href="ol.interaction.KeyboardZoom.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.Modify">
<span class="title">
<a href="ol.interaction.Modify.html">ol.interaction.Modify</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.Modify.handleEvent" class="unstable">
<a href="ol.interaction.Modify.html#.handleEvent">handleEvent</a>
</li>
<li data-name="ol.interaction.Modify#changed" class="unstable">
<a href="ol.interaction.Modify.html#changed">changed</a>
</li>
<li data-name="ol.interaction.Modify#dispatchEvent" class="unstable">
<a href="ol.interaction.Modify.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.Modify#get" class="">
<a href="ol.interaction.Modify.html#get">get</a>
</li>
<li data-name="ol.interaction.Modify#getActive" class="unstable">
<a href="ol.interaction.Modify.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.Modify#getKeys" class="">
<a href="ol.interaction.Modify.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.Modify#getMap" class="unstable">
<a href="ol.interaction.Modify.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.Modify#getProperties" class="">
<a href="ol.interaction.Modify.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.Modify#getRevision" class="unstable">
<a href="ol.interaction.Modify.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.Modify#on" class="">
<a href="ol.interaction.Modify.html#on">on</a>
</li>
<li data-name="ol.interaction.Modify#once" class="">
<a href="ol.interaction.Modify.html#once">once</a>
</li>
<li data-name="ol.interaction.Modify#set" class="">
<a href="ol.interaction.Modify.html#set">set</a>
</li>
<li data-name="ol.interaction.Modify#setActive" class="unstable">
<a href="ol.interaction.Modify.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.Modify#setProperties" class="">
<a href="ol.interaction.Modify.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.Modify#un" class="">
<a href="ol.interaction.Modify.html#un">un</a>
</li>
<li data-name="ol.interaction.Modify#unByKey" class="">
<a href="ol.interaction.Modify.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.Modify#unset" class="">
<a href="ol.interaction.Modify.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.interaction.ModifyEvent#event:modifyend" class="unstable">
<a href="ol.interaction.ModifyEvent.html#event:modifyend">modifyend</a>
</li>
<li data-name="ol.interaction.ModifyEvent#event:modifystart" class="unstable">
<a href="ol.interaction.ModifyEvent.html#event:modifystart">modifystart</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.ModifyEvent">
<span class="title">
<a href="ol.interaction.ModifyEvent.html">ol.interaction.ModifyEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.interaction.ModifyEvent#features"><a href="ol.interaction.ModifyEvent.html#features">features</a></li>
<li data-name="ol.interaction.ModifyEvent#mapBrowserPointerEvent"><a href="ol.interaction.ModifyEvent.html#mapBrowserPointerEvent">mapBrowserPointerEvent</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.interaction.MouseWheelZoom">
<span class="title">
<a href="ol.interaction.MouseWheelZoom.html">ol.interaction.MouseWheelZoom</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.MouseWheelZoom.handleEvent" class="unstable">
<a href="ol.interaction.MouseWheelZoom.html#.handleEvent">handleEvent</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#changed" class="unstable">
<a href="ol.interaction.MouseWheelZoom.html#changed">changed</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#dispatchEvent" class="unstable">
<a href="ol.interaction.MouseWheelZoom.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#get" class="">
<a href="ol.interaction.MouseWheelZoom.html#get">get</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#getActive" class="unstable">
<a href="ol.interaction.MouseWheelZoom.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#getKeys" class="">
<a href="ol.interaction.MouseWheelZoom.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#getMap" class="unstable">
<a href="ol.interaction.MouseWheelZoom.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#getProperties" class="">
<a href="ol.interaction.MouseWheelZoom.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#getRevision" class="unstable">
<a href="ol.interaction.MouseWheelZoom.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#on" class="">
<a href="ol.interaction.MouseWheelZoom.html#on">on</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#once" class="">
<a href="ol.interaction.MouseWheelZoom.html#once">once</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#set" class="">
<a href="ol.interaction.MouseWheelZoom.html#set">set</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#setActive" class="unstable">
<a href="ol.interaction.MouseWheelZoom.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#setMouseAnchor" class="unstable">
<a href="ol.interaction.MouseWheelZoom.html#setMouseAnchor">setMouseAnchor</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#setProperties" class="">
<a href="ol.interaction.MouseWheelZoom.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#un" class="">
<a href="ol.interaction.MouseWheelZoom.html#un">un</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#unByKey" class="">
<a href="ol.interaction.MouseWheelZoom.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.MouseWheelZoom#unset" class="">
<a href="ol.interaction.MouseWheelZoom.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.PinchRotate">
<span class="title">
<a href="ol.interaction.PinchRotate.html">ol.interaction.PinchRotate</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.PinchRotate#changed" class="unstable">
<a href="ol.interaction.PinchRotate.html#changed">changed</a>
</li>
<li data-name="ol.interaction.PinchRotate#dispatchEvent" class="unstable">
<a href="ol.interaction.PinchRotate.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.PinchRotate#get" class="">
<a href="ol.interaction.PinchRotate.html#get">get</a>
</li>
<li data-name="ol.interaction.PinchRotate#getActive" class="unstable">
<a href="ol.interaction.PinchRotate.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.PinchRotate#getKeys" class="">
<a href="ol.interaction.PinchRotate.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.PinchRotate#getMap" class="unstable">
<a href="ol.interaction.PinchRotate.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.PinchRotate#getProperties" class="">
<a href="ol.interaction.PinchRotate.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.PinchRotate#getRevision" class="unstable">
<a href="ol.interaction.PinchRotate.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.PinchRotate#on" class="">
<a href="ol.interaction.PinchRotate.html#on">on</a>
</li>
<li data-name="ol.interaction.PinchRotate#once" class="">
<a href="ol.interaction.PinchRotate.html#once">once</a>
</li>
<li data-name="ol.interaction.PinchRotate#set" class="">
<a href="ol.interaction.PinchRotate.html#set">set</a>
</li>
<li data-name="ol.interaction.PinchRotate#setActive" class="unstable">
<a href="ol.interaction.PinchRotate.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.PinchRotate#setProperties" class="">
<a href="ol.interaction.PinchRotate.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.PinchRotate#un" class="">
<a href="ol.interaction.PinchRotate.html#un">un</a>
</li>
<li data-name="ol.interaction.PinchRotate#unByKey" class="">
<a href="ol.interaction.PinchRotate.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.PinchRotate#unset" class="">
<a href="ol.interaction.PinchRotate.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.PinchZoom">
<span class="title">
<a href="ol.interaction.PinchZoom.html">ol.interaction.PinchZoom</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.PinchZoom#changed" class="unstable">
<a href="ol.interaction.PinchZoom.html#changed">changed</a>
</li>
<li data-name="ol.interaction.PinchZoom#dispatchEvent" class="unstable">
<a href="ol.interaction.PinchZoom.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.PinchZoom#get" class="">
<a href="ol.interaction.PinchZoom.html#get">get</a>
</li>
<li data-name="ol.interaction.PinchZoom#getActive" class="unstable">
<a href="ol.interaction.PinchZoom.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.PinchZoom#getKeys" class="">
<a href="ol.interaction.PinchZoom.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.PinchZoom#getMap" class="unstable">
<a href="ol.interaction.PinchZoom.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.PinchZoom#getProperties" class="">
<a href="ol.interaction.PinchZoom.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.PinchZoom#getRevision" class="unstable">
<a href="ol.interaction.PinchZoom.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.PinchZoom#on" class="">
<a href="ol.interaction.PinchZoom.html#on">on</a>
</li>
<li data-name="ol.interaction.PinchZoom#once" class="">
<a href="ol.interaction.PinchZoom.html#once">once</a>
</li>
<li data-name="ol.interaction.PinchZoom#set" class="">
<a href="ol.interaction.PinchZoom.html#set">set</a>
</li>
<li data-name="ol.interaction.PinchZoom#setActive" class="unstable">
<a href="ol.interaction.PinchZoom.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.PinchZoom#setProperties" class="">
<a href="ol.interaction.PinchZoom.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.PinchZoom#un" class="">
<a href="ol.interaction.PinchZoom.html#un">un</a>
</li>
<li data-name="ol.interaction.PinchZoom#unByKey" class="">
<a href="ol.interaction.PinchZoom.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.PinchZoom#unset" class="">
<a href="ol.interaction.PinchZoom.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.Pointer">
<span class="title">
<a href="ol.interaction.Pointer.html">ol.interaction.Pointer</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.Pointer.handleEvent" class="unstable">
<a href="ol.interaction.Pointer.html#.handleEvent">handleEvent</a>
</li>
<li data-name="ol.interaction.Pointer#changed" class="unstable">
<a href="ol.interaction.Pointer.html#changed">changed</a>
</li>
<li data-name="ol.interaction.Pointer#dispatchEvent" class="unstable">
<a href="ol.interaction.Pointer.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.Pointer#get" class="">
<a href="ol.interaction.Pointer.html#get">get</a>
</li>
<li data-name="ol.interaction.Pointer#getActive" class="unstable">
<a href="ol.interaction.Pointer.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.Pointer#getKeys" class="">
<a href="ol.interaction.Pointer.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.Pointer#getMap" class="unstable">
<a href="ol.interaction.Pointer.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.Pointer#getProperties" class="">
<a href="ol.interaction.Pointer.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.Pointer#getRevision" class="unstable">
<a href="ol.interaction.Pointer.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.Pointer#on" class="">
<a href="ol.interaction.Pointer.html#on">on</a>
</li>
<li data-name="ol.interaction.Pointer#once" class="">
<a href="ol.interaction.Pointer.html#once">once</a>
</li>
<li data-name="ol.interaction.Pointer#set" class="">
<a href="ol.interaction.Pointer.html#set">set</a>
</li>
<li data-name="ol.interaction.Pointer#setActive" class="unstable">
<a href="ol.interaction.Pointer.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.Pointer#setProperties" class="">
<a href="ol.interaction.Pointer.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.Pointer#un" class="">
<a href="ol.interaction.Pointer.html#un">un</a>
</li>
<li data-name="ol.interaction.Pointer#unByKey" class="">
<a href="ol.interaction.Pointer.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.Pointer#unset" class="">
<a href="ol.interaction.Pointer.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.Select">
<span class="title">
<a href="ol.interaction.Select.html">ol.interaction.Select</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.Select.handleEvent" class="unstable">
<a href="ol.interaction.Select.html#.handleEvent">handleEvent</a>
</li>
<li data-name="ol.interaction.Select#changed" class="unstable">
<a href="ol.interaction.Select.html#changed">changed</a>
</li>
<li data-name="ol.interaction.Select#dispatchEvent" class="unstable">
<a href="ol.interaction.Select.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.Select#get" class="">
<a href="ol.interaction.Select.html#get">get</a>
</li>
<li data-name="ol.interaction.Select#getActive" class="unstable">
<a href="ol.interaction.Select.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.Select#getFeatures" class="">
<a href="ol.interaction.Select.html#getFeatures">getFeatures</a>
</li>
<li data-name="ol.interaction.Select#getKeys" class="">
<a href="ol.interaction.Select.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.Select#getLayer" class="unstable">
<a href="ol.interaction.Select.html#getLayer">getLayer</a>
</li>
<li data-name="ol.interaction.Select#getMap" class="unstable">
<a href="ol.interaction.Select.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.Select#getProperties" class="">
<a href="ol.interaction.Select.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.Select#getRevision" class="unstable">
<a href="ol.interaction.Select.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.Select#on" class="">
<a href="ol.interaction.Select.html#on">on</a>
</li>
<li data-name="ol.interaction.Select#once" class="">
<a href="ol.interaction.Select.html#once">once</a>
</li>
<li data-name="ol.interaction.Select#set" class="">
<a href="ol.interaction.Select.html#set">set</a>
</li>
<li data-name="ol.interaction.Select#setActive" class="unstable">
<a href="ol.interaction.Select.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.Select#setMap" class="">
<a href="ol.interaction.Select.html#setMap">setMap</a>
</li>
<li data-name="ol.interaction.Select#setProperties" class="">
<a href="ol.interaction.Select.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.Select#un" class="">
<a href="ol.interaction.Select.html#un">un</a>
</li>
<li data-name="ol.interaction.Select#unByKey" class="">
<a href="ol.interaction.Select.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.Select#unset" class="">
<a href="ol.interaction.Select.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.interaction.SelectEvent#event:select" class="unstable">
<a href="ol.interaction.SelectEvent.html#event:select">select</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.SelectEvent">
<span class="title">
<a href="ol.interaction.SelectEvent.html">ol.interaction.SelectEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.interaction.SelectEvent#deselected"><a href="ol.interaction.SelectEvent.html#deselected">deselected</a></li>
<li data-name="ol.interaction.SelectEvent#mapBrowserEvent"><a href="ol.interaction.SelectEvent.html#mapBrowserEvent">mapBrowserEvent</a></li>
<li data-name="ol.interaction.SelectEvent#selected"><a href="ol.interaction.SelectEvent.html#selected">selected</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.interaction.Snap">
<span class="title">
<a href="ol.interaction.Snap.html">ol.interaction.Snap</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.Snap#addFeature" class="unstable">
<a href="ol.interaction.Snap.html#addFeature">addFeature</a>
</li>
<li data-name="ol.interaction.Snap#changed" class="unstable">
<a href="ol.interaction.Snap.html#changed">changed</a>
</li>
<li data-name="ol.interaction.Snap#dispatchEvent" class="unstable">
<a href="ol.interaction.Snap.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.Snap#get" class="">
<a href="ol.interaction.Snap.html#get">get</a>
</li>
<li data-name="ol.interaction.Snap#getActive" class="unstable">
<a href="ol.interaction.Snap.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.Snap#getKeys" class="">
<a href="ol.interaction.Snap.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.Snap#getMap" class="unstable">
<a href="ol.interaction.Snap.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.Snap#getProperties" class="">
<a href="ol.interaction.Snap.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.Snap#getRevision" class="unstable">
<a href="ol.interaction.Snap.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.Snap#on" class="">
<a href="ol.interaction.Snap.html#on">on</a>
</li>
<li data-name="ol.interaction.Snap#once" class="">
<a href="ol.interaction.Snap.html#once">once</a>
</li>
<li data-name="ol.interaction.Snap#removeFeature" class="unstable">
<a href="ol.interaction.Snap.html#removeFeature">removeFeature</a>
</li>
<li data-name="ol.interaction.Snap#set" class="">
<a href="ol.interaction.Snap.html#set">set</a>
</li>
<li data-name="ol.interaction.Snap#setActive" class="unstable">
<a href="ol.interaction.Snap.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.Snap#setProperties" class="">
<a href="ol.interaction.Snap.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.Snap#un" class="">
<a href="ol.interaction.Snap.html#un">un</a>
</li>
<li data-name="ol.interaction.Snap#unByKey" class="">
<a href="ol.interaction.Snap.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.Snap#unset" class="">
<a href="ol.interaction.Snap.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.Translate">
<span class="title">
<a href="ol.interaction.Translate.html">ol.interaction.Translate</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.interaction.Translate#changed" class="unstable">
<a href="ol.interaction.Translate.html#changed">changed</a>
</li>
<li data-name="ol.interaction.Translate#dispatchEvent" class="unstable">
<a href="ol.interaction.Translate.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.interaction.Translate#get" class="">
<a href="ol.interaction.Translate.html#get">get</a>
</li>
<li data-name="ol.interaction.Translate#getActive" class="unstable">
<a href="ol.interaction.Translate.html#getActive">getActive</a>
</li>
<li data-name="ol.interaction.Translate#getKeys" class="">
<a href="ol.interaction.Translate.html#getKeys">getKeys</a>
</li>
<li data-name="ol.interaction.Translate#getMap" class="unstable">
<a href="ol.interaction.Translate.html#getMap">getMap</a>
</li>
<li data-name="ol.interaction.Translate#getProperties" class="">
<a href="ol.interaction.Translate.html#getProperties">getProperties</a>
</li>
<li data-name="ol.interaction.Translate#getRevision" class="unstable">
<a href="ol.interaction.Translate.html#getRevision">getRevision</a>
</li>
<li data-name="ol.interaction.Translate#on" class="">
<a href="ol.interaction.Translate.html#on">on</a>
</li>
<li data-name="ol.interaction.Translate#once" class="">
<a href="ol.interaction.Translate.html#once">once</a>
</li>
<li data-name="ol.interaction.Translate#set" class="">
<a href="ol.interaction.Translate.html#set">set</a>
</li>
<li data-name="ol.interaction.Translate#setActive" class="unstable">
<a href="ol.interaction.Translate.html#setActive">setActive</a>
</li>
<li data-name="ol.interaction.Translate#setProperties" class="">
<a href="ol.interaction.Translate.html#setProperties">setProperties</a>
</li>
<li data-name="ol.interaction.Translate#un" class="">
<a href="ol.interaction.Translate.html#un">un</a>
</li>
<li data-name="ol.interaction.Translate#unByKey" class="">
<a href="ol.interaction.Translate.html#unByKey">unByKey</a>
</li>
<li data-name="ol.interaction.Translate#unset" class="">
<a href="ol.interaction.Translate.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:active" class="unstable">
change:active
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.interaction.TranslateEvent#event:translateend" class="unstable">
<a href="ol.interaction.TranslateEvent.html#event:translateend">translateend</a>
</li>
<li data-name="ol.interaction.TranslateEvent#event:translatestart" class="unstable">
<a href="ol.interaction.TranslateEvent.html#event:translatestart">translatestart</a>
</li>
<li data-name="ol.interaction.TranslateEvent#event:translating" class="unstable">
<a href="ol.interaction.TranslateEvent.html#event:translating">translating</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.interaction.TranslateEvent">
<span class="title">
<a href="ol.interaction.TranslateEvent.html">ol.interaction.TranslateEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.interaction.TranslateEvent#coordinate"><a href="ol.interaction.TranslateEvent.html#coordinate">coordinate</a></li>
<li data-name="ol.interaction.TranslateEvent#features"><a href="ol.interaction.TranslateEvent.html#features">features</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.layer">
<span class="title">
<a href="ol.layer.html">ol.layer</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.layer.Base">
<span class="title">
<a href="ol.layer.Base.html">ol.layer.Base</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.layer.Base#changed" class="unstable">
<a href="ol.layer.Base.html#changed">changed</a>
</li>
<li data-name="ol.layer.Base#dispatchEvent" class="unstable">
<a href="ol.layer.Base.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.layer.Base#get" class="">
<a href="ol.layer.Base.html#get">get</a>
</li>
<li data-name="ol.layer.Base#getExtent" class="">
<a href="ol.layer.Base.html#getExtent">getExtent</a>
</li>
<li data-name="ol.layer.Base#getKeys" class="">
<a href="ol.layer.Base.html#getKeys">getKeys</a>
</li>
<li data-name="ol.layer.Base#getMaxResolution" class="">
<a href="ol.layer.Base.html#getMaxResolution">getMaxResolution</a>
</li>
<li data-name="ol.layer.Base#getMinResolution" class="">
<a href="ol.layer.Base.html#getMinResolution">getMinResolution</a>
</li>
<li data-name="ol.layer.Base#getOpacity" class="">
<a href="ol.layer.Base.html#getOpacity">getOpacity</a>
</li>
<li data-name="ol.layer.Base#getProperties" class="">
<a href="ol.layer.Base.html#getProperties">getProperties</a>
</li>
<li data-name="ol.layer.Base#getRevision" class="unstable">
<a href="ol.layer.Base.html#getRevision">getRevision</a>
</li>
<li data-name="ol.layer.Base#getVisible" class="">
<a href="ol.layer.Base.html#getVisible">getVisible</a>
</li>
<li data-name="ol.layer.Base#getZIndex" class="unstable">
<a href="ol.layer.Base.html#getZIndex">getZIndex</a>
</li>
<li data-name="ol.layer.Base#on" class="">
<a href="ol.layer.Base.html#on">on</a>
</li>
<li data-name="ol.layer.Base#once" class="">
<a href="ol.layer.Base.html#once">once</a>
</li>
<li data-name="ol.layer.Base#set" class="">
<a href="ol.layer.Base.html#set">set</a>
</li>
<li data-name="ol.layer.Base#setExtent" class="">
<a href="ol.layer.Base.html#setExtent">setExtent</a>
</li>
<li data-name="ol.layer.Base#setMaxResolution" class="">
<a href="ol.layer.Base.html#setMaxResolution">setMaxResolution</a>
</li>
<li data-name="ol.layer.Base#setMinResolution" class="">
<a href="ol.layer.Base.html#setMinResolution">setMinResolution</a>
</li>
<li data-name="ol.layer.Base#setOpacity" class="">
<a href="ol.layer.Base.html#setOpacity">setOpacity</a>
</li>
<li data-name="ol.layer.Base#setProperties" class="">
<a href="ol.layer.Base.html#setProperties">setProperties</a>
</li>
<li data-name="ol.layer.Base#setVisible" class="">
<a href="ol.layer.Base.html#setVisible">setVisible</a>
</li>
<li data-name="ol.layer.Base#setZIndex" class="unstable">
<a href="ol.layer.Base.html#setZIndex">setZIndex</a>
</li>
<li data-name="ol.layer.Base#un" class="">
<a href="ol.layer.Base.html#un">un</a>
</li>
<li data-name="ol.layer.Base#unByKey" class="">
<a href="ol.layer.Base.html#unByKey">unByKey</a>
</li>
<li data-name="ol.layer.Base#unset" class="">
<a href="ol.layer.Base.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:extent" class="unstable">
change:extent
</li>
<li data-name="ol.ObjectEvent#event:change:maxResolution" class="unstable">
change:maxResolution
</li>
<li data-name="ol.ObjectEvent#event:change:minResolution" class="unstable">
change:minResolution
</li>
<li data-name="ol.ObjectEvent#event:change:opacity" class="unstable">
change:opacity
</li>
<li data-name="ol.ObjectEvent#event:change:visible" class="unstable">
change:visible
</li>
<li data-name="ol.ObjectEvent#event:change:zIndex" class="unstable">
change:zIndex
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.layer.Group">
<span class="title">
<a href="ol.layer.Group.html">ol.layer.Group</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.layer.Group#changed" class="unstable">
<a href="ol.layer.Group.html#changed">changed</a>
</li>
<li data-name="ol.layer.Group#dispatchEvent" class="unstable">
<a href="ol.layer.Group.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.layer.Group#get" class="">
<a href="ol.layer.Group.html#get">get</a>
</li>
<li data-name="ol.layer.Group#getExtent" class="">
<a href="ol.layer.Group.html#getExtent">getExtent</a>
</li>
<li data-name="ol.layer.Group#getKeys" class="">
<a href="ol.layer.Group.html#getKeys">getKeys</a>
</li>
<li data-name="ol.layer.Group#getLayers" class="">
<a href="ol.layer.Group.html#getLayers">getLayers</a>
</li>
<li data-name="ol.layer.Group#getMaxResolution" class="">
<a href="ol.layer.Group.html#getMaxResolution">getMaxResolution</a>
</li>
<li data-name="ol.layer.Group#getMinResolution" class="">
<a href="ol.layer.Group.html#getMinResolution">getMinResolution</a>
</li>
<li data-name="ol.layer.Group#getOpacity" class="">
<a href="ol.layer.Group.html#getOpacity">getOpacity</a>
</li>
<li data-name="ol.layer.Group#getProperties" class="">
<a href="ol.layer.Group.html#getProperties">getProperties</a>
</li>
<li data-name="ol.layer.Group#getRevision" class="unstable">
<a href="ol.layer.Group.html#getRevision">getRevision</a>
</li>
<li data-name="ol.layer.Group#getVisible" class="">
<a href="ol.layer.Group.html#getVisible">getVisible</a>
</li>
<li data-name="ol.layer.Group#getZIndex" class="unstable">
<a href="ol.layer.Group.html#getZIndex">getZIndex</a>
</li>
<li data-name="ol.layer.Group#on" class="">
<a href="ol.layer.Group.html#on">on</a>
</li>
<li data-name="ol.layer.Group#once" class="">
<a href="ol.layer.Group.html#once">once</a>
</li>
<li data-name="ol.layer.Group#set" class="">
<a href="ol.layer.Group.html#set">set</a>
</li>
<li data-name="ol.layer.Group#setExtent" class="">
<a href="ol.layer.Group.html#setExtent">setExtent</a>
</li>
<li data-name="ol.layer.Group#setLayers" class="">
<a href="ol.layer.Group.html#setLayers">setLayers</a>
</li>
<li data-name="ol.layer.Group#setMaxResolution" class="">
<a href="ol.layer.Group.html#setMaxResolution">setMaxResolution</a>
</li>
<li data-name="ol.layer.Group#setMinResolution" class="">
<a href="ol.layer.Group.html#setMinResolution">setMinResolution</a>
</li>
<li data-name="ol.layer.Group#setOpacity" class="">
<a href="ol.layer.Group.html#setOpacity">setOpacity</a>
</li>
<li data-name="ol.layer.Group#setProperties" class="">
<a href="ol.layer.Group.html#setProperties">setProperties</a>
</li>
<li data-name="ol.layer.Group#setVisible" class="">
<a href="ol.layer.Group.html#setVisible">setVisible</a>
</li>
<li data-name="ol.layer.Group#setZIndex" class="unstable">
<a href="ol.layer.Group.html#setZIndex">setZIndex</a>
</li>
<li data-name="ol.layer.Group#un" class="">
<a href="ol.layer.Group.html#un">un</a>
</li>
<li data-name="ol.layer.Group#unByKey" class="">
<a href="ol.layer.Group.html#unByKey">unByKey</a>
</li>
<li data-name="ol.layer.Group#unset" class="">
<a href="ol.layer.Group.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:extent" class="unstable">
change:extent
</li>
<li data-name="ol.ObjectEvent#event:change:layers" class="unstable">
change:layers
</li>
<li data-name="ol.ObjectEvent#event:change:maxResolution" class="unstable">
change:maxResolution
</li>
<li data-name="ol.ObjectEvent#event:change:minResolution" class="unstable">
change:minResolution
</li>
<li data-name="ol.ObjectEvent#event:change:opacity" class="unstable">
change:opacity
</li>
<li data-name="ol.ObjectEvent#event:change:visible" class="unstable">
change:visible
</li>
<li data-name="ol.ObjectEvent#event:change:zIndex" class="unstable">
change:zIndex
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.layer.Heatmap">
<span class="title">
<a href="ol.layer.Heatmap.html">ol.layer.Heatmap</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.layer.Heatmap#changed" class="unstable">
<a href="ol.layer.Heatmap.html#changed">changed</a>
</li>
<li data-name="ol.layer.Heatmap#dispatchEvent" class="unstable">
<a href="ol.layer.Heatmap.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.layer.Heatmap#get" class="">
<a href="ol.layer.Heatmap.html#get">get</a>
</li>
<li data-name="ol.layer.Heatmap#getBlur" class="unstable">
<a href="ol.layer.Heatmap.html#getBlur">getBlur</a>
</li>
<li data-name="ol.layer.Heatmap#getExtent" class="">
<a href="ol.layer.Heatmap.html#getExtent">getExtent</a>
</li>
<li data-name="ol.layer.Heatmap#getGradient" class="unstable">
<a href="ol.layer.Heatmap.html#getGradient">getGradient</a>
</li>
<li data-name="ol.layer.Heatmap#getKeys" class="">
<a href="ol.layer.Heatmap.html#getKeys">getKeys</a>
</li>
<li data-name="ol.layer.Heatmap#getMaxResolution" class="">
<a href="ol.layer.Heatmap.html#getMaxResolution">getMaxResolution</a>
</li>
<li data-name="ol.layer.Heatmap#getMinResolution" class="">
<a href="ol.layer.Heatmap.html#getMinResolution">getMinResolution</a>
</li>
<li data-name="ol.layer.Heatmap#getOpacity" class="">
<a href="ol.layer.Heatmap.html#getOpacity">getOpacity</a>
</li>
<li data-name="ol.layer.Heatmap#getProperties" class="">
<a href="ol.layer.Heatmap.html#getProperties">getProperties</a>
</li>
<li data-name="ol.layer.Heatmap#getRadius" class="unstable">
<a href="ol.layer.Heatmap.html#getRadius">getRadius</a>
</li>
<li data-name="ol.layer.Heatmap#getRevision" class="unstable">
<a href="ol.layer.Heatmap.html#getRevision">getRevision</a>
</li>
<li data-name="ol.layer.Heatmap#getSource" class="">
<a href="ol.layer.Heatmap.html#getSource">getSource</a>
</li>
<li data-name="ol.layer.Heatmap#getStyle" class="">
<a href="ol.layer.Heatmap.html#getStyle">getStyle</a>
</li>
<li data-name="ol.layer.Heatmap#getStyleFunction" class="">
<a href="ol.layer.Heatmap.html#getStyleFunction">getStyleFunction</a>
</li>
<li data-name="ol.layer.Heatmap#getVisible" class="">
<a href="ol.layer.Heatmap.html#getVisible">getVisible</a>
</li>
<li data-name="ol.layer.Heatmap#getZIndex" class="unstable">
<a href="ol.layer.Heatmap.html#getZIndex">getZIndex</a>
</li>
<li data-name="ol.layer.Heatmap#on" class="">
<a href="ol.layer.Heatmap.html#on">on</a>
</li>
<li data-name="ol.layer.Heatmap#once" class="">
<a href="ol.layer.Heatmap.html#once">once</a>
</li>
<li data-name="ol.layer.Heatmap#set" class="">
<a href="ol.layer.Heatmap.html#set">set</a>
</li>
<li data-name="ol.layer.Heatmap#setBlur" class="unstable">
<a href="ol.layer.Heatmap.html#setBlur">setBlur</a>
</li>
<li data-name="ol.layer.Heatmap#setExtent" class="">
<a href="ol.layer.Heatmap.html#setExtent">setExtent</a>
</li>
<li data-name="ol.layer.Heatmap#setGradient" class="unstable">
<a href="ol.layer.Heatmap.html#setGradient">setGradient</a>
</li>
<li data-name="ol.layer.Heatmap#setMap" class="unstable">
<a href="ol.layer.Heatmap.html#setMap">setMap</a>
</li>
<li data-name="ol.layer.Heatmap#setMaxResolution" class="">
<a href="ol.layer.Heatmap.html#setMaxResolution">setMaxResolution</a>
</li>
<li data-name="ol.layer.Heatmap#setMinResolution" class="">
<a href="ol.layer.Heatmap.html#setMinResolution">setMinResolution</a>
</li>
<li data-name="ol.layer.Heatmap#setOpacity" class="">
<a href="ol.layer.Heatmap.html#setOpacity">setOpacity</a>
</li>
<li data-name="ol.layer.Heatmap#setProperties" class="">
<a href="ol.layer.Heatmap.html#setProperties">setProperties</a>
</li>
<li data-name="ol.layer.Heatmap#setRadius" class="unstable">
<a href="ol.layer.Heatmap.html#setRadius">setRadius</a>
</li>
<li data-name="ol.layer.Heatmap#setSource" class="">
<a href="ol.layer.Heatmap.html#setSource">setSource</a>
</li>
<li data-name="ol.layer.Heatmap#setStyle" class="">
<a href="ol.layer.Heatmap.html#setStyle">setStyle</a>
</li>
<li data-name="ol.layer.Heatmap#setVisible" class="">
<a href="ol.layer.Heatmap.html#setVisible">setVisible</a>
</li>
<li data-name="ol.layer.Heatmap#setZIndex" class="unstable">
<a href="ol.layer.Heatmap.html#setZIndex">setZIndex</a>
</li>
<li data-name="ol.layer.Heatmap#un" class="">
<a href="ol.layer.Heatmap.html#un">un</a>
</li>
<li data-name="ol.layer.Heatmap#unByKey" class="">
<a href="ol.layer.Heatmap.html#unByKey">unByKey</a>
</li>
<li data-name="ol.layer.Heatmap#unset" class="">
<a href="ol.layer.Heatmap.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:blur" class="unstable">
change:blur
</li>
<li data-name="ol.ObjectEvent#event:change:extent" class="unstable">
change:extent
</li>
<li data-name="ol.ObjectEvent#event:change:gradient" class="unstable">
change:gradient
</li>
<li data-name="ol.ObjectEvent#event:change:maxResolution" class="unstable">
change:maxResolution
</li>
<li data-name="ol.ObjectEvent#event:change:minResolution" class="unstable">
change:minResolution
</li>
<li data-name="ol.ObjectEvent#event:change:opacity" class="unstable">
change:opacity
</li>
<li data-name="ol.ObjectEvent#event:change:radius" class="unstable">
change:radius
</li>
<li data-name="ol.ObjectEvent#event:change:source" class="unstable">
change:source
</li>
<li data-name="ol.ObjectEvent#event:change:visible" class="unstable">
change:visible
</li>
<li data-name="ol.ObjectEvent#event:change:zIndex" class="unstable">
change:zIndex
</li>
<li data-name="ol.render.Event#event:postcompose" class="unstable">
<a href="ol.render.Event.html#event:postcompose">postcompose</a>
</li>
<li data-name="ol.render.Event#event:precompose" class="unstable">
<a href="ol.render.Event.html#event:precompose">precompose</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.render.Event#event:render" class="unstable">
<a href="ol.render.Event.html#event:render">render</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.layer.Image">
<span class="title">
<a href="ol.layer.Image.html">ol.layer.Image</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.layer.Image#changed" class="unstable">
<a href="ol.layer.Image.html#changed">changed</a>
</li>
<li data-name="ol.layer.Image#dispatchEvent" class="unstable">
<a href="ol.layer.Image.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.layer.Image#get" class="">
<a href="ol.layer.Image.html#get">get</a>
</li>
<li data-name="ol.layer.Image#getExtent" class="">
<a href="ol.layer.Image.html#getExtent">getExtent</a>
</li>
<li data-name="ol.layer.Image#getKeys" class="">
<a href="ol.layer.Image.html#getKeys">getKeys</a>
</li>
<li data-name="ol.layer.Image#getMaxResolution" class="">
<a href="ol.layer.Image.html#getMaxResolution">getMaxResolution</a>
</li>
<li data-name="ol.layer.Image#getMinResolution" class="">
<a href="ol.layer.Image.html#getMinResolution">getMinResolution</a>
</li>
<li data-name="ol.layer.Image#getOpacity" class="">
<a href="ol.layer.Image.html#getOpacity">getOpacity</a>
</li>
<li data-name="ol.layer.Image#getProperties" class="">
<a href="ol.layer.Image.html#getProperties">getProperties</a>
</li>
<li data-name="ol.layer.Image#getRevision" class="unstable">
<a href="ol.layer.Image.html#getRevision">getRevision</a>
</li>
<li data-name="ol.layer.Image#getSource" class="">
<a href="ol.layer.Image.html#getSource">getSource</a>
</li>
<li data-name="ol.layer.Image#getVisible" class="">
<a href="ol.layer.Image.html#getVisible">getVisible</a>
</li>
<li data-name="ol.layer.Image#getZIndex" class="unstable">
<a href="ol.layer.Image.html#getZIndex">getZIndex</a>
</li>
<li data-name="ol.layer.Image#on" class="">
<a href="ol.layer.Image.html#on">on</a>
</li>
<li data-name="ol.layer.Image#once" class="">
<a href="ol.layer.Image.html#once">once</a>
</li>
<li data-name="ol.layer.Image#set" class="">
<a href="ol.layer.Image.html#set">set</a>
</li>
<li data-name="ol.layer.Image#setExtent" class="">
<a href="ol.layer.Image.html#setExtent">setExtent</a>
</li>
<li data-name="ol.layer.Image#setMap" class="unstable">
<a href="ol.layer.Image.html#setMap">setMap</a>
</li>
<li data-name="ol.layer.Image#setMaxResolution" class="">
<a href="ol.layer.Image.html#setMaxResolution">setMaxResolution</a>
</li>
<li data-name="ol.layer.Image#setMinResolution" class="">
<a href="ol.layer.Image.html#setMinResolution">setMinResolution</a>
</li>
<li data-name="ol.layer.Image#setOpacity" class="">
<a href="ol.layer.Image.html#setOpacity">setOpacity</a>
</li>
<li data-name="ol.layer.Image#setProperties" class="">
<a href="ol.layer.Image.html#setProperties">setProperties</a>
</li>
<li data-name="ol.layer.Image#setSource" class="">
<a href="ol.layer.Image.html#setSource">setSource</a>
</li>
<li data-name="ol.layer.Image#setVisible" class="">
<a href="ol.layer.Image.html#setVisible">setVisible</a>
</li>
<li data-name="ol.layer.Image#setZIndex" class="unstable">
<a href="ol.layer.Image.html#setZIndex">setZIndex</a>
</li>
<li data-name="ol.layer.Image#un" class="">
<a href="ol.layer.Image.html#un">un</a>
</li>
<li data-name="ol.layer.Image#unByKey" class="">
<a href="ol.layer.Image.html#unByKey">unByKey</a>
</li>
<li data-name="ol.layer.Image#unset" class="">
<a href="ol.layer.Image.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:extent" class="unstable">
change:extent
</li>
<li data-name="ol.ObjectEvent#event:change:maxResolution" class="unstable">
change:maxResolution
</li>
<li data-name="ol.ObjectEvent#event:change:minResolution" class="unstable">
change:minResolution
</li>
<li data-name="ol.ObjectEvent#event:change:opacity" class="unstable">
change:opacity
</li>
<li data-name="ol.ObjectEvent#event:change:source" class="unstable">
change:source
</li>
<li data-name="ol.ObjectEvent#event:change:visible" class="unstable">
change:visible
</li>
<li data-name="ol.ObjectEvent#event:change:zIndex" class="unstable">
change:zIndex
</li>
<li data-name="ol.render.Event#event:postcompose" class="unstable">
<a href="ol.render.Event.html#event:postcompose">postcompose</a>
</li>
<li data-name="ol.render.Event#event:precompose" class="unstable">
<a href="ol.render.Event.html#event:precompose">precompose</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.render.Event#event:render" class="unstable">
<a href="ol.render.Event.html#event:render">render</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.layer.Layer">
<span class="title">
<a href="ol.layer.Layer.html">ol.layer.Layer</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.layer.Layer#changed" class="unstable">
<a href="ol.layer.Layer.html#changed">changed</a>
</li>
<li data-name="ol.layer.Layer#dispatchEvent" class="unstable">
<a href="ol.layer.Layer.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.layer.Layer#get" class="">
<a href="ol.layer.Layer.html#get">get</a>
</li>
<li data-name="ol.layer.Layer#getExtent" class="">
<a href="ol.layer.Layer.html#getExtent">getExtent</a>
</li>
<li data-name="ol.layer.Layer#getKeys" class="">
<a href="ol.layer.Layer.html#getKeys">getKeys</a>
</li>
<li data-name="ol.layer.Layer#getMaxResolution" class="">
<a href="ol.layer.Layer.html#getMaxResolution">getMaxResolution</a>
</li>
<li data-name="ol.layer.Layer#getMinResolution" class="">
<a href="ol.layer.Layer.html#getMinResolution">getMinResolution</a>
</li>
<li data-name="ol.layer.Layer#getOpacity" class="">
<a href="ol.layer.Layer.html#getOpacity">getOpacity</a>
</li>
<li data-name="ol.layer.Layer#getProperties" class="">
<a href="ol.layer.Layer.html#getProperties">getProperties</a>
</li>
<li data-name="ol.layer.Layer#getRevision" class="unstable">
<a href="ol.layer.Layer.html#getRevision">getRevision</a>
</li>
<li data-name="ol.layer.Layer#getSource" class="">
<a href="ol.layer.Layer.html#getSource">getSource</a>
</li>
<li data-name="ol.layer.Layer#getVisible" class="">
<a href="ol.layer.Layer.html#getVisible">getVisible</a>
</li>
<li data-name="ol.layer.Layer#getZIndex" class="unstable">
<a href="ol.layer.Layer.html#getZIndex">getZIndex</a>
</li>
<li data-name="ol.layer.Layer#on" class="">
<a href="ol.layer.Layer.html#on">on</a>
</li>
<li data-name="ol.layer.Layer#once" class="">
<a href="ol.layer.Layer.html#once">once</a>
</li>
<li data-name="ol.layer.Layer#set" class="">
<a href="ol.layer.Layer.html#set">set</a>
</li>
<li data-name="ol.layer.Layer#setExtent" class="">
<a href="ol.layer.Layer.html#setExtent">setExtent</a>
</li>
<li data-name="ol.layer.Layer#setMap" class="unstable">
<a href="ol.layer.Layer.html#setMap">setMap</a>
</li>
<li data-name="ol.layer.Layer#setMaxResolution" class="">
<a href="ol.layer.Layer.html#setMaxResolution">setMaxResolution</a>
</li>
<li data-name="ol.layer.Layer#setMinResolution" class="">
<a href="ol.layer.Layer.html#setMinResolution">setMinResolution</a>
</li>
<li data-name="ol.layer.Layer#setOpacity" class="">
<a href="ol.layer.Layer.html#setOpacity">setOpacity</a>
</li>
<li data-name="ol.layer.Layer#setProperties" class="">
<a href="ol.layer.Layer.html#setProperties">setProperties</a>
</li>
<li data-name="ol.layer.Layer#setSource" class="">
<a href="ol.layer.Layer.html#setSource">setSource</a>
</li>
<li data-name="ol.layer.Layer#setVisible" class="">
<a href="ol.layer.Layer.html#setVisible">setVisible</a>
</li>
<li data-name="ol.layer.Layer#setZIndex" class="unstable">
<a href="ol.layer.Layer.html#setZIndex">setZIndex</a>
</li>
<li data-name="ol.layer.Layer#un" class="">
<a href="ol.layer.Layer.html#un">un</a>
</li>
<li data-name="ol.layer.Layer#unByKey" class="">
<a href="ol.layer.Layer.html#unByKey">unByKey</a>
</li>
<li data-name="ol.layer.Layer#unset" class="">
<a href="ol.layer.Layer.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:extent" class="unstable">
change:extent
</li>
<li data-name="ol.ObjectEvent#event:change:maxResolution" class="unstable">
change:maxResolution
</li>
<li data-name="ol.ObjectEvent#event:change:minResolution" class="unstable">
change:minResolution
</li>
<li data-name="ol.ObjectEvent#event:change:opacity" class="unstable">
change:opacity
</li>
<li data-name="ol.ObjectEvent#event:change:source" class="unstable">
change:source
</li>
<li data-name="ol.ObjectEvent#event:change:visible" class="unstable">
change:visible
</li>
<li data-name="ol.ObjectEvent#event:change:zIndex" class="unstable">
change:zIndex
</li>
<li data-name="ol.render.Event#event:postcompose" class="unstable">
<a href="ol.render.Event.html#event:postcompose">postcompose</a>
</li>
<li data-name="ol.render.Event#event:precompose" class="unstable">
<a href="ol.render.Event.html#event:precompose">precompose</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.render.Event#event:render" class="unstable">
<a href="ol.render.Event.html#event:render">render</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.layer.Tile">
<span class="title">
<a href="ol.layer.Tile.html">ol.layer.Tile</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.layer.Tile#changed" class="unstable">
<a href="ol.layer.Tile.html#changed">changed</a>
</li>
<li data-name="ol.layer.Tile#dispatchEvent" class="unstable">
<a href="ol.layer.Tile.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.layer.Tile#get" class="">
<a href="ol.layer.Tile.html#get">get</a>
</li>
<li data-name="ol.layer.Tile#getExtent" class="">
<a href="ol.layer.Tile.html#getExtent">getExtent</a>
</li>
<li data-name="ol.layer.Tile#getKeys" class="">
<a href="ol.layer.Tile.html#getKeys">getKeys</a>
</li>
<li data-name="ol.layer.Tile#getMaxResolution" class="">
<a href="ol.layer.Tile.html#getMaxResolution">getMaxResolution</a>
</li>
<li data-name="ol.layer.Tile#getMinResolution" class="">
<a href="ol.layer.Tile.html#getMinResolution">getMinResolution</a>
</li>
<li data-name="ol.layer.Tile#getOpacity" class="">
<a href="ol.layer.Tile.html#getOpacity">getOpacity</a>
</li>
<li data-name="ol.layer.Tile#getPreload" class="unstable">
<a href="ol.layer.Tile.html#getPreload">getPreload</a>
</li>
<li data-name="ol.layer.Tile#getProperties" class="">
<a href="ol.layer.Tile.html#getProperties">getProperties</a>
</li>
<li data-name="ol.layer.Tile#getRevision" class="unstable">
<a href="ol.layer.Tile.html#getRevision">getRevision</a>
</li>
<li data-name="ol.layer.Tile#getSource" class="">
<a href="ol.layer.Tile.html#getSource">getSource</a>
</li>
<li data-name="ol.layer.Tile#getUseInterimTilesOnError" class="unstable">
<a href="ol.layer.Tile.html#getUseInterimTilesOnError">getUseInterimTilesOnError</a>
</li>
<li data-name="ol.layer.Tile#getVisible" class="">
<a href="ol.layer.Tile.html#getVisible">getVisible</a>
</li>
<li data-name="ol.layer.Tile#getZIndex" class="unstable">
<a href="ol.layer.Tile.html#getZIndex">getZIndex</a>
</li>
<li data-name="ol.layer.Tile#on" class="">
<a href="ol.layer.Tile.html#on">on</a>
</li>
<li data-name="ol.layer.Tile#once" class="">
<a href="ol.layer.Tile.html#once">once</a>
</li>
<li data-name="ol.layer.Tile#set" class="">
<a href="ol.layer.Tile.html#set">set</a>
</li>
<li data-name="ol.layer.Tile#setExtent" class="">
<a href="ol.layer.Tile.html#setExtent">setExtent</a>
</li>
<li data-name="ol.layer.Tile#setMap" class="unstable">
<a href="ol.layer.Tile.html#setMap">setMap</a>
</li>
<li data-name="ol.layer.Tile#setMaxResolution" class="">
<a href="ol.layer.Tile.html#setMaxResolution">setMaxResolution</a>
</li>
<li data-name="ol.layer.Tile#setMinResolution" class="">
<a href="ol.layer.Tile.html#setMinResolution">setMinResolution</a>
</li>
<li data-name="ol.layer.Tile#setOpacity" class="">
<a href="ol.layer.Tile.html#setOpacity">setOpacity</a>
</li>
<li data-name="ol.layer.Tile#setPreload" class="unstable">
<a href="ol.layer.Tile.html#setPreload">setPreload</a>
</li>
<li data-name="ol.layer.Tile#setProperties" class="">
<a href="ol.layer.Tile.html#setProperties">setProperties</a>
</li>
<li data-name="ol.layer.Tile#setSource" class="">
<a href="ol.layer.Tile.html#setSource">setSource</a>
</li>
<li data-name="ol.layer.Tile#setUseInterimTilesOnError" class="unstable">
<a href="ol.layer.Tile.html#setUseInterimTilesOnError">setUseInterimTilesOnError</a>
</li>
<li data-name="ol.layer.Tile#setVisible" class="">
<a href="ol.layer.Tile.html#setVisible">setVisible</a>
</li>
<li data-name="ol.layer.Tile#setZIndex" class="unstable">
<a href="ol.layer.Tile.html#setZIndex">setZIndex</a>
</li>
<li data-name="ol.layer.Tile#un" class="">
<a href="ol.layer.Tile.html#un">un</a>
</li>
<li data-name="ol.layer.Tile#unByKey" class="">
<a href="ol.layer.Tile.html#unByKey">unByKey</a>
</li>
<li data-name="ol.layer.Tile#unset" class="">
<a href="ol.layer.Tile.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:extent" class="unstable">
change:extent
</li>
<li data-name="ol.ObjectEvent#event:change:maxResolution" class="unstable">
change:maxResolution
</li>
<li data-name="ol.ObjectEvent#event:change:minResolution" class="unstable">
change:minResolution
</li>
<li data-name="ol.ObjectEvent#event:change:opacity" class="unstable">
change:opacity
</li>
<li data-name="ol.ObjectEvent#event:change:preload" class="unstable">
change:preload
</li>
<li data-name="ol.ObjectEvent#event:change:source" class="unstable">
change:source
</li>
<li data-name="ol.ObjectEvent#event:change:useInterimTilesOnError" class="unstable">
change:useInterimTilesOnError
</li>
<li data-name="ol.ObjectEvent#event:change:visible" class="unstable">
change:visible
</li>
<li data-name="ol.ObjectEvent#event:change:zIndex" class="unstable">
change:zIndex
</li>
<li data-name="ol.render.Event#event:postcompose" class="unstable">
<a href="ol.render.Event.html#event:postcompose">postcompose</a>
</li>
<li data-name="ol.render.Event#event:precompose" class="unstable">
<a href="ol.render.Event.html#event:precompose">precompose</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.render.Event#event:render" class="unstable">
<a href="ol.render.Event.html#event:render">render</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.layer.Vector">
<span class="title">
<a href="ol.layer.Vector.html">ol.layer.Vector</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.layer.Vector#changed" class="unstable">
<a href="ol.layer.Vector.html#changed">changed</a>
</li>
<li data-name="ol.layer.Vector#dispatchEvent" class="unstable">
<a href="ol.layer.Vector.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.layer.Vector#get" class="">
<a href="ol.layer.Vector.html#get">get</a>
</li>
<li data-name="ol.layer.Vector#getExtent" class="">
<a href="ol.layer.Vector.html#getExtent">getExtent</a>
</li>
<li data-name="ol.layer.Vector#getKeys" class="">
<a href="ol.layer.Vector.html#getKeys">getKeys</a>
</li>
<li data-name="ol.layer.Vector#getMaxResolution" class="">
<a href="ol.layer.Vector.html#getMaxResolution">getMaxResolution</a>
</li>
<li data-name="ol.layer.Vector#getMinResolution" class="">
<a href="ol.layer.Vector.html#getMinResolution">getMinResolution</a>
</li>
<li data-name="ol.layer.Vector#getOpacity" class="">
<a href="ol.layer.Vector.html#getOpacity">getOpacity</a>
</li>
<li data-name="ol.layer.Vector#getProperties" class="">
<a href="ol.layer.Vector.html#getProperties">getProperties</a>
</li>
<li data-name="ol.layer.Vector#getRevision" class="unstable">
<a href="ol.layer.Vector.html#getRevision">getRevision</a>
</li>
<li data-name="ol.layer.Vector#getSource" class="">
<a href="ol.layer.Vector.html#getSource">getSource</a>
</li>
<li data-name="ol.layer.Vector#getStyle" class="">
<a href="ol.layer.Vector.html#getStyle">getStyle</a>
</li>
<li data-name="ol.layer.Vector#getStyleFunction" class="">
<a href="ol.layer.Vector.html#getStyleFunction">getStyleFunction</a>
</li>
<li data-name="ol.layer.Vector#getVisible" class="">
<a href="ol.layer.Vector.html#getVisible">getVisible</a>
</li>
<li data-name="ol.layer.Vector#getZIndex" class="unstable">
<a href="ol.layer.Vector.html#getZIndex">getZIndex</a>
</li>
<li data-name="ol.layer.Vector#on" class="">
<a href="ol.layer.Vector.html#on">on</a>
</li>
<li data-name="ol.layer.Vector#once" class="">
<a href="ol.layer.Vector.html#once">once</a>
</li>
<li data-name="ol.layer.Vector#set" class="">
<a href="ol.layer.Vector.html#set">set</a>
</li>
<li data-name="ol.layer.Vector#setExtent" class="">
<a href="ol.layer.Vector.html#setExtent">setExtent</a>
</li>
<li data-name="ol.layer.Vector#setMap" class="unstable">
<a href="ol.layer.Vector.html#setMap">setMap</a>
</li>
<li data-name="ol.layer.Vector#setMaxResolution" class="">
<a href="ol.layer.Vector.html#setMaxResolution">setMaxResolution</a>
</li>
<li data-name="ol.layer.Vector#setMinResolution" class="">
<a href="ol.layer.Vector.html#setMinResolution">setMinResolution</a>
</li>
<li data-name="ol.layer.Vector#setOpacity" class="">
<a href="ol.layer.Vector.html#setOpacity">setOpacity</a>
</li>
<li data-name="ol.layer.Vector#setProperties" class="">
<a href="ol.layer.Vector.html#setProperties">setProperties</a>
</li>
<li data-name="ol.layer.Vector#setSource" class="">
<a href="ol.layer.Vector.html#setSource">setSource</a>
</li>
<li data-name="ol.layer.Vector#setStyle" class="">
<a href="ol.layer.Vector.html#setStyle">setStyle</a>
</li>
<li data-name="ol.layer.Vector#setVisible" class="">
<a href="ol.layer.Vector.html#setVisible">setVisible</a>
</li>
<li data-name="ol.layer.Vector#setZIndex" class="unstable">
<a href="ol.layer.Vector.html#setZIndex">setZIndex</a>
</li>
<li data-name="ol.layer.Vector#un" class="">
<a href="ol.layer.Vector.html#un">un</a>
</li>
<li data-name="ol.layer.Vector#unByKey" class="">
<a href="ol.layer.Vector.html#unByKey">unByKey</a>
</li>
<li data-name="ol.layer.Vector#unset" class="">
<a href="ol.layer.Vector.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:extent" class="unstable">
change:extent
</li>
<li data-name="ol.ObjectEvent#event:change:maxResolution" class="unstable">
change:maxResolution
</li>
<li data-name="ol.ObjectEvent#event:change:minResolution" class="unstable">
change:minResolution
</li>
<li data-name="ol.ObjectEvent#event:change:opacity" class="unstable">
change:opacity
</li>
<li data-name="ol.ObjectEvent#event:change:source" class="unstable">
change:source
</li>
<li data-name="ol.ObjectEvent#event:change:visible" class="unstable">
change:visible
</li>
<li data-name="ol.ObjectEvent#event:change:zIndex" class="unstable">
change:zIndex
</li>
<li data-name="ol.render.Event#event:postcompose" class="unstable">
<a href="ol.render.Event.html#event:postcompose">postcompose</a>
</li>
<li data-name="ol.render.Event#event:precompose" class="unstable">
<a href="ol.render.Event.html#event:precompose">precompose</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.render.Event#event:render" class="unstable">
<a href="ol.render.Event.html#event:render">render</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.layer.VectorTile">
<span class="title">
<a href="ol.layer.VectorTile.html">ol.layer.VectorTile</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.layer.VectorTile#changed" class="unstable">
<a href="ol.layer.VectorTile.html#changed">changed</a>
</li>
<li data-name="ol.layer.VectorTile#dispatchEvent" class="unstable">
<a href="ol.layer.VectorTile.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.layer.VectorTile#get" class="">
<a href="ol.layer.VectorTile.html#get">get</a>
</li>
<li data-name="ol.layer.VectorTile#getExtent" class="">
<a href="ol.layer.VectorTile.html#getExtent">getExtent</a>
</li>
<li data-name="ol.layer.VectorTile#getKeys" class="">
<a href="ol.layer.VectorTile.html#getKeys">getKeys</a>
</li>
<li data-name="ol.layer.VectorTile#getMaxResolution" class="">
<a href="ol.layer.VectorTile.html#getMaxResolution">getMaxResolution</a>
</li>
<li data-name="ol.layer.VectorTile#getMinResolution" class="">
<a href="ol.layer.VectorTile.html#getMinResolution">getMinResolution</a>
</li>
<li data-name="ol.layer.VectorTile#getOpacity" class="">
<a href="ol.layer.VectorTile.html#getOpacity">getOpacity</a>
</li>
<li data-name="ol.layer.VectorTile#getPreload" class="unstable">
<a href="ol.layer.VectorTile.html#getPreload">getPreload</a>
</li>
<li data-name="ol.layer.VectorTile#getProperties" class="">
<a href="ol.layer.VectorTile.html#getProperties">getProperties</a>
</li>
<li data-name="ol.layer.VectorTile#getRevision" class="unstable">
<a href="ol.layer.VectorTile.html#getRevision">getRevision</a>
</li>
<li data-name="ol.layer.VectorTile#getSource" class="">
<a href="ol.layer.VectorTile.html#getSource">getSource</a>
</li>
<li data-name="ol.layer.VectorTile#getStyle" class="">
<a href="ol.layer.VectorTile.html#getStyle">getStyle</a>
</li>
<li data-name="ol.layer.VectorTile#getStyleFunction" class="">
<a href="ol.layer.VectorTile.html#getStyleFunction">getStyleFunction</a>
</li>
<li data-name="ol.layer.VectorTile#getUseInterimTilesOnError" class="unstable">
<a href="ol.layer.VectorTile.html#getUseInterimTilesOnError">getUseInterimTilesOnError</a>
</li>
<li data-name="ol.layer.VectorTile#getVisible" class="">
<a href="ol.layer.VectorTile.html#getVisible">getVisible</a>
</li>
<li data-name="ol.layer.VectorTile#getZIndex" class="unstable">
<a href="ol.layer.VectorTile.html#getZIndex">getZIndex</a>
</li>
<li data-name="ol.layer.VectorTile#on" class="">
<a href="ol.layer.VectorTile.html#on">on</a>
</li>
<li data-name="ol.layer.VectorTile#once" class="">
<a href="ol.layer.VectorTile.html#once">once</a>
</li>
<li data-name="ol.layer.VectorTile#set" class="">
<a href="ol.layer.VectorTile.html#set">set</a>
</li>
<li data-name="ol.layer.VectorTile#setExtent" class="">
<a href="ol.layer.VectorTile.html#setExtent">setExtent</a>
</li>
<li data-name="ol.layer.VectorTile#setMap" class="unstable">
<a href="ol.layer.VectorTile.html#setMap">setMap</a>
</li>
<li data-name="ol.layer.VectorTile#setMaxResolution" class="">
<a href="ol.layer.VectorTile.html#setMaxResolution">setMaxResolution</a>
</li>
<li data-name="ol.layer.VectorTile#setMinResolution" class="">
<a href="ol.layer.VectorTile.html#setMinResolution">setMinResolution</a>
</li>
<li data-name="ol.layer.VectorTile#setOpacity" class="">
<a href="ol.layer.VectorTile.html#setOpacity">setOpacity</a>
</li>
<li data-name="ol.layer.VectorTile#setPreload" class="unstable">
<a href="ol.layer.VectorTile.html#setPreload">setPreload</a>
</li>
<li data-name="ol.layer.VectorTile#setProperties" class="">
<a href="ol.layer.VectorTile.html#setProperties">setProperties</a>
</li>
<li data-name="ol.layer.VectorTile#setSource" class="">
<a href="ol.layer.VectorTile.html#setSource">setSource</a>
</li>
<li data-name="ol.layer.VectorTile#setStyle" class="">
<a href="ol.layer.VectorTile.html#setStyle">setStyle</a>
</li>
<li data-name="ol.layer.VectorTile#setUseInterimTilesOnError" class="unstable">
<a href="ol.layer.VectorTile.html#setUseInterimTilesOnError">setUseInterimTilesOnError</a>
</li>
<li data-name="ol.layer.VectorTile#setVisible" class="">
<a href="ol.layer.VectorTile.html#setVisible">setVisible</a>
</li>
<li data-name="ol.layer.VectorTile#setZIndex" class="unstable">
<a href="ol.layer.VectorTile.html#setZIndex">setZIndex</a>
</li>
<li data-name="ol.layer.VectorTile#un" class="">
<a href="ol.layer.VectorTile.html#un">un</a>
</li>
<li data-name="ol.layer.VectorTile#unByKey" class="">
<a href="ol.layer.VectorTile.html#unByKey">unByKey</a>
</li>
<li data-name="ol.layer.VectorTile#unset" class="">
<a href="ol.layer.VectorTile.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:change:extent" class="unstable">
change:extent
</li>
<li data-name="ol.ObjectEvent#event:change:maxResolution" class="unstable">
change:maxResolution
</li>
<li data-name="ol.ObjectEvent#event:change:minResolution" class="unstable">
change:minResolution
</li>
<li data-name="ol.ObjectEvent#event:change:opacity" class="unstable">
change:opacity
</li>
<li data-name="ol.ObjectEvent#event:change:preload" class="unstable">
change:preload
</li>
<li data-name="ol.ObjectEvent#event:change:source" class="unstable">
change:source
</li>
<li data-name="ol.ObjectEvent#event:change:useInterimTilesOnError" class="unstable">
change:useInterimTilesOnError
</li>
<li data-name="ol.ObjectEvent#event:change:visible" class="unstable">
change:visible
</li>
<li data-name="ol.ObjectEvent#event:change:zIndex" class="unstable">
change:zIndex
</li>
<li data-name="ol.render.Event#event:postcompose" class="unstable">
<a href="ol.render.Event.html#event:postcompose">postcompose</a>
</li>
<li data-name="ol.render.Event#event:precompose" class="unstable">
<a href="ol.render.Event.html#event:precompose">precompose</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.render.Event#event:render" class="unstable">
<a href="ol.render.Event.html#event:render">render</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.loadingstrategy">
<span class="title">
<a href="ol.loadingstrategy.html">ol.loadingstrategy</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.loadingstrategy.all" class="unstable">
<a href="ol.loadingstrategy.html#.all">all</a>
</li>
<li data-name="ol.loadingstrategy.bbox" class="unstable">
<a href="ol.loadingstrategy.html#.bbox">bbox</a>
</li>
<li data-name="ol.loadingstrategy.tile" class="unstable">
<a href="ol.loadingstrategy.html#.tile">tile</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.proj">
<span class="title">
<a href="ol.proj.html">ol.proj</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.proj.METERS_PER_UNIT"><a href="ol.proj.html#.METERS_PER_UNIT">METERS_PER_UNIT</a></li>
</ul>
<ul class="typedefs itemMembers">
<span class="subtitle">Typedefs</span>
<li data-name="ol.proj.ProjectionLike" class="">
<a href="ol.proj.html#.ProjectionLike">ProjectionLike</a>
</li>
<li data-name="ol.proj.Units" class="">
<a href="ol.proj.html#.Units">Units</a>
</li>
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.proj.addCoordinateTransforms" class="">
<a href="ol.proj.html#.addCoordinateTransforms">addCoordinateTransforms</a>
</li>
<li data-name="ol.proj.addEquivalentProjections" class="unstable">
<a href="ol.proj.html#.addEquivalentProjections">addEquivalentProjections</a>
</li>
<li data-name="ol.proj.addProjection" class="">
<a href="ol.proj.html#.addProjection">addProjection</a>
</li>
<li data-name="ol.proj.fromLonLat" class="">
<a href="ol.proj.html#.fromLonLat">fromLonLat</a>
</li>
<li data-name="ol.proj.get" class="">
<a href="ol.proj.html#.get">get</a>
</li>
<li data-name="ol.proj.getTransform" class="">
<a href="ol.proj.html#.getTransform">getTransform</a>
</li>
<li data-name="ol.proj.setProj4" class="unstable">
<a href="ol.proj.html#.setProj4">setProj4</a>
</li>
<li data-name="ol.proj.toLonLat" class="">
<a href="ol.proj.html#.toLonLat">toLonLat</a>
</li>
<li data-name="ol.proj.transform" class="">
<a href="ol.proj.html#.transform">transform</a>
</li>
<li data-name="ol.proj.transformExtent" class="">
<a href="ol.proj.html#.transformExtent">transformExtent</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.proj.Projection">
<span class="title">
<a href="ol.proj.Projection.html">ol.proj.Projection</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.proj.Projection#getCode" class="">
<a href="ol.proj.Projection.html#getCode">getCode</a>
</li>
<li data-name="ol.proj.Projection#getExtent" class="">
<a href="ol.proj.Projection.html#getExtent">getExtent</a>
</li>
<li data-name="ol.proj.Projection#getMetersPerUnit" class="">
<a href="ol.proj.Projection.html#getMetersPerUnit">getMetersPerUnit</a>
</li>
<li data-name="ol.proj.Projection#getPointResolution" class="unstable">
<a href="ol.proj.Projection.html#getPointResolution">getPointResolution</a>
</li>
<li data-name="ol.proj.Projection#getUnits" class="">
<a href="ol.proj.Projection.html#getUnits">getUnits</a>
</li>
<li data-name="ol.proj.Projection#getWorldExtent" class="unstable">
<a href="ol.proj.Projection.html#getWorldExtent">getWorldExtent</a>
</li>
<li data-name="ol.proj.Projection#isGlobal" class="">
<a href="ol.proj.Projection.html#isGlobal">isGlobal</a>
</li>
<li data-name="ol.proj.Projection#setExtent" class="">
<a href="ol.proj.Projection.html#setExtent">setExtent</a>
</li>
<li data-name="ol.proj.Projection#setGetPointResolution" class="unstable">
<a href="ol.proj.Projection.html#setGetPointResolution">setGetPointResolution</a>
</li>
<li data-name="ol.proj.Projection#setGlobal" class="">
<a href="ol.proj.Projection.html#setGlobal">setGlobal</a>
</li>
<li data-name="ol.proj.Projection#setWorldExtent" class="unstable">
<a href="ol.proj.Projection.html#setWorldExtent">setWorldExtent</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.render">
<span class="title">
<a href="ol.render.html">ol.render</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.render.toContext" class="unstable">
<a href="ol.render.html#.toContext">toContext</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.render.Event">
<span class="title">
<a href="ol.render.Event.html">ol.render.Event</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.render.Event#context"><a href="ol.render.Event.html#context">context</a></li>
<li data-name="ol.render.Event#frameState"><a href="ol.render.Event.html#frameState">frameState</a></li>
<li data-name="ol.render.Event#glContext"><a href="ol.render.Event.html#glContext">glContext</a></li>
<li data-name="ol.render.Event#vectorContext"><a href="ol.render.Event.html#vectorContext">vectorContext</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.render.Feature">
<span class="title">
<a href="ol.render.Feature.html">ol.render.Feature</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.render.Feature#get" class="unstable">
<a href="ol.render.Feature.html#get">get</a>
</li>
<li data-name="ol.render.Feature#getExtent" class="unstable">
<a href="ol.render.Feature.html#getExtent">getExtent</a>
</li>
<li data-name="ol.render.Feature#getGeometry" class="unstable">
<a href="ol.render.Feature.html#getGeometry">getGeometry</a>
</li>
<li data-name="ol.render.Feature#getProperties" class="unstable">
<a href="ol.render.Feature.html#getProperties">getProperties</a>
</li>
<li data-name="ol.render.Feature#getType" class="unstable">
<a href="ol.render.Feature.html#getType">getType</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.render.VectorContext">
<span class="title">
<a href="ol.render.VectorContext.html">ol.render.VectorContext</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.render.canvas">
<span class="title">
<a href="ol.render.canvas.html">ol.render.canvas</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.render.canvas.Immediate">
<span class="title">
<a href="ol.render.canvas.Immediate.html">ol.render.canvas.Immediate</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.render.canvas.Immediate#drawAsync" class="unstable">
<a href="ol.render.canvas.Immediate.html#drawAsync">drawAsync</a>
</li>
<li data-name="ol.render.canvas.Immediate#drawCircleGeometry" class="unstable">
<a href="ol.render.canvas.Immediate.html#drawCircleGeometry">drawCircleGeometry</a>
</li>
<li data-name="ol.render.canvas.Immediate#drawFeature" class="unstable">
<a href="ol.render.canvas.Immediate.html#drawFeature">drawFeature</a>
</li>
<li data-name="ol.render.canvas.Immediate#drawLineStringGeometry" class="unstable">
<a href="ol.render.canvas.Immediate.html#drawLineStringGeometry">drawLineStringGeometry</a>
</li>
<li data-name="ol.render.canvas.Immediate#drawMultiLineStringGeometry" class="unstable">
<a href="ol.render.canvas.Immediate.html#drawMultiLineStringGeometry">drawMultiLineStringGeometry</a>
</li>
<li data-name="ol.render.canvas.Immediate#drawMultiPointGeometry" class="unstable">
<a href="ol.render.canvas.Immediate.html#drawMultiPointGeometry">drawMultiPointGeometry</a>
</li>
<li data-name="ol.render.canvas.Immediate#drawMultiPolygonGeometry" class="unstable">
<a href="ol.render.canvas.Immediate.html#drawMultiPolygonGeometry">drawMultiPolygonGeometry</a>
</li>
<li data-name="ol.render.canvas.Immediate#drawPointGeometry" class="unstable">
<a href="ol.render.canvas.Immediate.html#drawPointGeometry">drawPointGeometry</a>
</li>
<li data-name="ol.render.canvas.Immediate#drawPolygonGeometry" class="unstable">
<a href="ol.render.canvas.Immediate.html#drawPolygonGeometry">drawPolygonGeometry</a>
</li>
<li data-name="ol.render.canvas.Immediate#setFillStrokeStyle" class="unstable">
<a href="ol.render.canvas.Immediate.html#setFillStrokeStyle">setFillStrokeStyle</a>
</li>
<li data-name="ol.render.canvas.Immediate#setImageStyle" class="unstable">
<a href="ol.render.canvas.Immediate.html#setImageStyle">setImageStyle</a>
</li>
<li data-name="ol.render.canvas.Immediate#setTextStyle" class="unstable">
<a href="ol.render.canvas.Immediate.html#setTextStyle">setTextStyle</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.render.webgl.Immediate">
<span class="title">
<a href="ol.render.webgl.Immediate.html">ol.render.webgl.Immediate</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.render.webgl.Immediate#drawCircleGeometry"><a href="ol.render.webgl.Immediate.html#drawCircleGeometry">drawCircleGeometry</a></li>
<li data-name="ol.render.webgl.Immediate#drawFeature"><a href="ol.render.webgl.Immediate.html#drawFeature">drawFeature</a></li>
<li data-name="ol.render.webgl.Immediate#drawGeometryCollectionGeometry"><a href="ol.render.webgl.Immediate.html#drawGeometryCollectionGeometry">drawGeometryCollectionGeometry</a></li>
<li data-name="ol.render.webgl.Immediate#drawLineStringGeometry"><a href="ol.render.webgl.Immediate.html#drawLineStringGeometry">drawLineStringGeometry</a></li>
<li data-name="ol.render.webgl.Immediate#drawMultiLineStringGeometry"><a href="ol.render.webgl.Immediate.html#drawMultiLineStringGeometry">drawMultiLineStringGeometry</a></li>
<li data-name="ol.render.webgl.Immediate#drawMultiPointGeometry"><a href="ol.render.webgl.Immediate.html#drawMultiPointGeometry">drawMultiPointGeometry</a></li>
<li data-name="ol.render.webgl.Immediate#drawMultiPolygonGeometry"><a href="ol.render.webgl.Immediate.html#drawMultiPolygonGeometry">drawMultiPolygonGeometry</a></li>
<li data-name="ol.render.webgl.Immediate#drawPointGeometry"><a href="ol.render.webgl.Immediate.html#drawPointGeometry">drawPointGeometry</a></li>
<li data-name="ol.render.webgl.Immediate#drawPolygonGeometry"><a href="ol.render.webgl.Immediate.html#drawPolygonGeometry">drawPolygonGeometry</a></li>
<li data-name="ol.render.webgl.Immediate#drawText"><a href="ol.render.webgl.Immediate.html#drawText">drawText</a></li>
<li data-name="ol.render.webgl.Immediate#setFillStrokeStyle"><a href="ol.render.webgl.Immediate.html#setFillStrokeStyle">setFillStrokeStyle</a></li>
<li data-name="ol.render.webgl.Immediate#setImageStyle"><a href="ol.render.webgl.Immediate.html#setImageStyle">setImageStyle</a></li>
<li data-name="ol.render.webgl.Immediate#setTextStyle"><a href="ol.render.webgl.Immediate.html#setTextStyle">setTextStyle</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.render.webgl.Immediate#drawAsync" class="unstable">
<a href="ol.render.webgl.Immediate.html#drawAsync">drawAsync</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.source">
<span class="title">
<a href="ol.source.html">ol.source</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
<span class="subtitle">Typedefs</span>
<li data-name="ol.source.State" class="unstable">
<a href="ol.source.html#.State">State</a>
</li>
<li data-name="ol.source.WMTSRequestEncoding" class="unstable">
<a href="ol.source.html#.WMTSRequestEncoding">WMTSRequestEncoding</a>
</li>
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.source.BingMaps">
<span class="title">
<a href="ol.source.BingMaps.html">ol.source.BingMaps</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.source.BingMaps.TOS_ATTRIBUTION"><a href="ol.source.BingMaps.html#.TOS_ATTRIBUTION">TOS_ATTRIBUTION</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.BingMaps#changed" class="unstable">
<a href="ol.source.BingMaps.html#changed">changed</a>
</li>
<li data-name="ol.source.BingMaps#dispatchEvent" class="unstable">
<a href="ol.source.BingMaps.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.BingMaps#get" class="">
<a href="ol.source.BingMaps.html#get">get</a>
</li>
<li data-name="ol.source.BingMaps#getAttributions" class="">
<a href="ol.source.BingMaps.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.BingMaps#getKeys" class="">
<a href="ol.source.BingMaps.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.BingMaps#getLogo" class="">
<a href="ol.source.BingMaps.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.BingMaps#getProjection" class="unstable">
<a href="ol.source.BingMaps.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.BingMaps#getProperties" class="">
<a href="ol.source.BingMaps.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.BingMaps#getRevision" class="unstable">
<a href="ol.source.BingMaps.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.BingMaps#getState" class="unstable">
<a href="ol.source.BingMaps.html#getState">getState</a>
</li>
<li data-name="ol.source.BingMaps#getTileGrid" class="">
<a href="ol.source.BingMaps.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.BingMaps#getTileLoadFunction" class="unstable">
<a href="ol.source.BingMaps.html#getTileLoadFunction">getTileLoadFunction</a>
</li>
<li data-name="ol.source.BingMaps#getTileUrlFunction" class="unstable">
<a href="ol.source.BingMaps.html#getTileUrlFunction">getTileUrlFunction</a>
</li>
<li data-name="ol.source.BingMaps#getUrls" class="unstable">
<a href="ol.source.BingMaps.html#getUrls">getUrls</a>
</li>
<li data-name="ol.source.BingMaps#on" class="">
<a href="ol.source.BingMaps.html#on">on</a>
</li>
<li data-name="ol.source.BingMaps#once" class="">
<a href="ol.source.BingMaps.html#once">once</a>
</li>
<li data-name="ol.source.BingMaps#set" class="">
<a href="ol.source.BingMaps.html#set">set</a>
</li>
<li data-name="ol.source.BingMaps#setAttributions" class="unstable">
<a href="ol.source.BingMaps.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.BingMaps#setProperties" class="">
<a href="ol.source.BingMaps.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.BingMaps#setRenderReprojectionEdges" class="unstable">
<a href="ol.source.BingMaps.html#setRenderReprojectionEdges">setRenderReprojectionEdges</a>
</li>
<li data-name="ol.source.BingMaps#setTileGridForProjection" class="unstable">
<a href="ol.source.BingMaps.html#setTileGridForProjection">setTileGridForProjection</a>
</li>
<li data-name="ol.source.BingMaps#setTileLoadFunction" class="unstable">
<a href="ol.source.BingMaps.html#setTileLoadFunction">setTileLoadFunction</a>
</li>
<li data-name="ol.source.BingMaps#setTileUrlFunction" class="unstable">
<a href="ol.source.BingMaps.html#setTileUrlFunction">setTileUrlFunction</a>
</li>
<li data-name="ol.source.BingMaps#setUrl" class="">
<a href="ol.source.BingMaps.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.BingMaps#setUrls" class="">
<a href="ol.source.BingMaps.html#setUrls">setUrls</a>
</li>
<li data-name="ol.source.BingMaps#un" class="">
<a href="ol.source.BingMaps.html#un">un</a>
</li>
<li data-name="ol.source.BingMaps#unByKey" class="">
<a href="ol.source.BingMaps.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.BingMaps#unset" class="">
<a href="ol.source.BingMaps.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadend" class="">
<a href="ol.source.TileEvent.html#event:tileloadend">tileloadend</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloaderror" class="">
<a href="ol.source.TileEvent.html#event:tileloaderror">tileloaderror</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadstart" class="">
<a href="ol.source.TileEvent.html#event:tileloadstart">tileloadstart</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.Cluster">
<span class="title">
<a href="ol.source.Cluster.html">ol.source.Cluster</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.Cluster#addFeature" class="">
<a href="ol.source.Cluster.html#addFeature">addFeature</a>
</li>
<li data-name="ol.source.Cluster#addFeatures" class="">
<a href="ol.source.Cluster.html#addFeatures">addFeatures</a>
</li>
<li data-name="ol.source.Cluster#changed" class="unstable">
<a href="ol.source.Cluster.html#changed">changed</a>
</li>
<li data-name="ol.source.Cluster#clear" class="">
<a href="ol.source.Cluster.html#clear">clear</a>
</li>
<li data-name="ol.source.Cluster#dispatchEvent" class="unstable">
<a href="ol.source.Cluster.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.Cluster#forEachFeature" class="">
<a href="ol.source.Cluster.html#forEachFeature">forEachFeature</a>
</li>
<li data-name="ol.source.Cluster#forEachFeatureInExtent" class="unstable">
<a href="ol.source.Cluster.html#forEachFeatureInExtent">forEachFeatureInExtent</a>
</li>
<li data-name="ol.source.Cluster#forEachFeatureIntersectingExtent" class="unstable">
<a href="ol.source.Cluster.html#forEachFeatureIntersectingExtent">forEachFeatureIntersectingExtent</a>
</li>
<li data-name="ol.source.Cluster#get" class="">
<a href="ol.source.Cluster.html#get">get</a>
</li>
<li data-name="ol.source.Cluster#getAttributions" class="">
<a href="ol.source.Cluster.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.Cluster#getClosestFeatureToCoordinate" class="">
<a href="ol.source.Cluster.html#getClosestFeatureToCoordinate">getClosestFeatureToCoordinate</a>
</li>
<li data-name="ol.source.Cluster#getExtent" class="">
<a href="ol.source.Cluster.html#getExtent">getExtent</a>
</li>
<li data-name="ol.source.Cluster#getFeatureById" class="">
<a href="ol.source.Cluster.html#getFeatureById">getFeatureById</a>
</li>
<li data-name="ol.source.Cluster#getFeatures" class="">
<a href="ol.source.Cluster.html#getFeatures">getFeatures</a>
</li>
<li data-name="ol.source.Cluster#getFeaturesAtCoordinate" class="">
<a href="ol.source.Cluster.html#getFeaturesAtCoordinate">getFeaturesAtCoordinate</a>
</li>
<li data-name="ol.source.Cluster#getFeaturesCollection" class="unstable">
<a href="ol.source.Cluster.html#getFeaturesCollection">getFeaturesCollection</a>
</li>
<li data-name="ol.source.Cluster#getFeaturesInExtent" class="unstable">
<a href="ol.source.Cluster.html#getFeaturesInExtent">getFeaturesInExtent</a>
</li>
<li data-name="ol.source.Cluster#getKeys" class="">
<a href="ol.source.Cluster.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.Cluster#getLogo" class="">
<a href="ol.source.Cluster.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.Cluster#getProjection" class="unstable">
<a href="ol.source.Cluster.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.Cluster#getProperties" class="">
<a href="ol.source.Cluster.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.Cluster#getRevision" class="unstable">
<a href="ol.source.Cluster.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.Cluster#getSource" class="unstable">
<a href="ol.source.Cluster.html#getSource">getSource</a>
</li>
<li data-name="ol.source.Cluster#getState" class="unstable">
<a href="ol.source.Cluster.html#getState">getState</a>
</li>
<li data-name="ol.source.Cluster#on" class="">
<a href="ol.source.Cluster.html#on">on</a>
</li>
<li data-name="ol.source.Cluster#once" class="">
<a href="ol.source.Cluster.html#once">once</a>
</li>
<li data-name="ol.source.Cluster#removeFeature" class="">
<a href="ol.source.Cluster.html#removeFeature">removeFeature</a>
</li>
<li data-name="ol.source.Cluster#set" class="">
<a href="ol.source.Cluster.html#set">set</a>
</li>
<li data-name="ol.source.Cluster#setAttributions" class="unstable">
<a href="ol.source.Cluster.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.Cluster#setProperties" class="">
<a href="ol.source.Cluster.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.Cluster#un" class="">
<a href="ol.source.Cluster.html#un">un</a>
</li>
<li data-name="ol.source.Cluster#unByKey" class="">
<a href="ol.source.Cluster.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.Cluster#unset" class="">
<a href="ol.source.Cluster.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="ol.source.VectorEvent#event:addfeature" class="">
<a href="ol.source.VectorEvent.html#event:addfeature">addfeature</a>
</li>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.source.VectorEvent#event:changefeature" class="unstable">
<a href="ol.source.VectorEvent.html#event:changefeature">changefeature</a>
</li>
<li data-name="ol.source.VectorEvent#event:clear" class="unstable">
<a href="ol.source.VectorEvent.html#event:clear">clear</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.VectorEvent#event:removefeature" class="">
<a href="ol.source.VectorEvent.html#event:removefeature">removefeature</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.Image">
<span class="title">
<a href="ol.source.Image.html">ol.source.Image</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.Image#changed" class="unstable">
<a href="ol.source.Image.html#changed">changed</a>
</li>
<li data-name="ol.source.Image#dispatchEvent" class="unstable">
<a href="ol.source.Image.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.Image#get" class="">
<a href="ol.source.Image.html#get">get</a>
</li>
<li data-name="ol.source.Image#getAttributions" class="">
<a href="ol.source.Image.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.Image#getKeys" class="">
<a href="ol.source.Image.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.Image#getLogo" class="">
<a href="ol.source.Image.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.Image#getProjection" class="unstable">
<a href="ol.source.Image.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.Image#getProperties" class="">
<a href="ol.source.Image.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.Image#getRevision" class="unstable">
<a href="ol.source.Image.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.Image#getState" class="unstable">
<a href="ol.source.Image.html#getState">getState</a>
</li>
<li data-name="ol.source.Image#on" class="">
<a href="ol.source.Image.html#on">on</a>
</li>
<li data-name="ol.source.Image#once" class="">
<a href="ol.source.Image.html#once">once</a>
</li>
<li data-name="ol.source.Image#set" class="">
<a href="ol.source.Image.html#set">set</a>
</li>
<li data-name="ol.source.Image#setAttributions" class="unstable">
<a href="ol.source.Image.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.Image#setProperties" class="">
<a href="ol.source.Image.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.Image#un" class="">
<a href="ol.source.Image.html#un">un</a>
</li>
<li data-name="ol.source.Image#unByKey" class="">
<a href="ol.source.Image.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.Image#unset" class="">
<a href="ol.source.Image.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.ImageCanvas">
<span class="title">
<a href="ol.source.ImageCanvas.html">ol.source.ImageCanvas</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.ImageCanvas#changed" class="unstable">
<a href="ol.source.ImageCanvas.html#changed">changed</a>
</li>
<li data-name="ol.source.ImageCanvas#dispatchEvent" class="unstable">
<a href="ol.source.ImageCanvas.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.ImageCanvas#get" class="">
<a href="ol.source.ImageCanvas.html#get">get</a>
</li>
<li data-name="ol.source.ImageCanvas#getAttributions" class="">
<a href="ol.source.ImageCanvas.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.ImageCanvas#getKeys" class="">
<a href="ol.source.ImageCanvas.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.ImageCanvas#getLogo" class="">
<a href="ol.source.ImageCanvas.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.ImageCanvas#getProjection" class="unstable">
<a href="ol.source.ImageCanvas.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.ImageCanvas#getProperties" class="">
<a href="ol.source.ImageCanvas.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.ImageCanvas#getRevision" class="unstable">
<a href="ol.source.ImageCanvas.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.ImageCanvas#getState" class="unstable">
<a href="ol.source.ImageCanvas.html#getState">getState</a>
</li>
<li data-name="ol.source.ImageCanvas#on" class="">
<a href="ol.source.ImageCanvas.html#on">on</a>
</li>
<li data-name="ol.source.ImageCanvas#once" class="">
<a href="ol.source.ImageCanvas.html#once">once</a>
</li>
<li data-name="ol.source.ImageCanvas#set" class="">
<a href="ol.source.ImageCanvas.html#set">set</a>
</li>
<li data-name="ol.source.ImageCanvas#setAttributions" class="unstable">
<a href="ol.source.ImageCanvas.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.ImageCanvas#setProperties" class="">
<a href="ol.source.ImageCanvas.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.ImageCanvas#un" class="">
<a href="ol.source.ImageCanvas.html#un">un</a>
</li>
<li data-name="ol.source.ImageCanvas#unByKey" class="">
<a href="ol.source.ImageCanvas.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.ImageCanvas#unset" class="">
<a href="ol.source.ImageCanvas.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.ImageEvent">
<span class="title">
<a href="ol.source.ImageEvent.html">ol.source.ImageEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.source.ImageEvent#image"><a href="ol.source.ImageEvent.html#image">image</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.source.ImageMapGuide">
<span class="title">
<a href="ol.source.ImageMapGuide.html">ol.source.ImageMapGuide</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.ImageMapGuide#changed" class="unstable">
<a href="ol.source.ImageMapGuide.html#changed">changed</a>
</li>
<li data-name="ol.source.ImageMapGuide#dispatchEvent" class="unstable">
<a href="ol.source.ImageMapGuide.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.ImageMapGuide#get" class="">
<a href="ol.source.ImageMapGuide.html#get">get</a>
</li>
<li data-name="ol.source.ImageMapGuide#getAttributions" class="">
<a href="ol.source.ImageMapGuide.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.ImageMapGuide#getImageLoadFunction" class="unstable">
<a href="ol.source.ImageMapGuide.html#getImageLoadFunction">getImageLoadFunction</a>
</li>
<li data-name="ol.source.ImageMapGuide#getKeys" class="">
<a href="ol.source.ImageMapGuide.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.ImageMapGuide#getLogo" class="">
<a href="ol.source.ImageMapGuide.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.ImageMapGuide#getParams" class="">
<a href="ol.source.ImageMapGuide.html#getParams">getParams</a>
</li>
<li data-name="ol.source.ImageMapGuide#getProjection" class="unstable">
<a href="ol.source.ImageMapGuide.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.ImageMapGuide#getProperties" class="">
<a href="ol.source.ImageMapGuide.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.ImageMapGuide#getRevision" class="unstable">
<a href="ol.source.ImageMapGuide.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.ImageMapGuide#getState" class="unstable">
<a href="ol.source.ImageMapGuide.html#getState">getState</a>
</li>
<li data-name="ol.source.ImageMapGuide#on" class="">
<a href="ol.source.ImageMapGuide.html#on">on</a>
</li>
<li data-name="ol.source.ImageMapGuide#once" class="">
<a href="ol.source.ImageMapGuide.html#once">once</a>
</li>
<li data-name="ol.source.ImageMapGuide#set" class="">
<a href="ol.source.ImageMapGuide.html#set">set</a>
</li>
<li data-name="ol.source.ImageMapGuide#setAttributions" class="unstable">
<a href="ol.source.ImageMapGuide.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.ImageMapGuide#setImageLoadFunction" class="unstable">
<a href="ol.source.ImageMapGuide.html#setImageLoadFunction">setImageLoadFunction</a>
</li>
<li data-name="ol.source.ImageMapGuide#setProperties" class="">
<a href="ol.source.ImageMapGuide.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.ImageMapGuide#un" class="">
<a href="ol.source.ImageMapGuide.html#un">un</a>
</li>
<li data-name="ol.source.ImageMapGuide#unByKey" class="">
<a href="ol.source.ImageMapGuide.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.ImageMapGuide#unset" class="">
<a href="ol.source.ImageMapGuide.html#unset">unset</a>
</li>
<li data-name="ol.source.ImageMapGuide#updateParams" class="">
<a href="ol.source.ImageMapGuide.html#updateParams">updateParams</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.source.ImageEvent#event:imageloadend" class="unstable">
<a href="ol.source.ImageEvent.html#event:imageloadend">imageloadend</a>
</li>
<li data-name="ol.source.ImageEvent#event:imageloaderror" class="unstable">
<a href="ol.source.ImageEvent.html#event:imageloaderror">imageloaderror</a>
</li>
<li data-name="ol.source.ImageEvent#event:imageloadstart" class="unstable">
<a href="ol.source.ImageEvent.html#event:imageloadstart">imageloadstart</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.ImageStatic">
<span class="title">
<a href="ol.source.ImageStatic.html">ol.source.ImageStatic</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.ImageStatic#changed" class="unstable">
<a href="ol.source.ImageStatic.html#changed">changed</a>
</li>
<li data-name="ol.source.ImageStatic#dispatchEvent" class="unstable">
<a href="ol.source.ImageStatic.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.ImageStatic#get" class="">
<a href="ol.source.ImageStatic.html#get">get</a>
</li>
<li data-name="ol.source.ImageStatic#getAttributions" class="">
<a href="ol.source.ImageStatic.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.ImageStatic#getKeys" class="">
<a href="ol.source.ImageStatic.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.ImageStatic#getLogo" class="">
<a href="ol.source.ImageStatic.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.ImageStatic#getProjection" class="unstable">
<a href="ol.source.ImageStatic.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.ImageStatic#getProperties" class="">
<a href="ol.source.ImageStatic.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.ImageStatic#getRevision" class="unstable">
<a href="ol.source.ImageStatic.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.ImageStatic#getState" class="unstable">
<a href="ol.source.ImageStatic.html#getState">getState</a>
</li>
<li data-name="ol.source.ImageStatic#on" class="">
<a href="ol.source.ImageStatic.html#on">on</a>
</li>
<li data-name="ol.source.ImageStatic#once" class="">
<a href="ol.source.ImageStatic.html#once">once</a>
</li>
<li data-name="ol.source.ImageStatic#set" class="">
<a href="ol.source.ImageStatic.html#set">set</a>
</li>
<li data-name="ol.source.ImageStatic#setAttributions" class="unstable">
<a href="ol.source.ImageStatic.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.ImageStatic#setProperties" class="">
<a href="ol.source.ImageStatic.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.ImageStatic#un" class="">
<a href="ol.source.ImageStatic.html#un">un</a>
</li>
<li data-name="ol.source.ImageStatic#unByKey" class="">
<a href="ol.source.ImageStatic.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.ImageStatic#unset" class="">
<a href="ol.source.ImageStatic.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.ImageVector">
<span class="title">
<a href="ol.source.ImageVector.html">ol.source.ImageVector</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.ImageVector#changed" class="unstable">
<a href="ol.source.ImageVector.html#changed">changed</a>
</li>
<li data-name="ol.source.ImageVector#dispatchEvent" class="unstable">
<a href="ol.source.ImageVector.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.ImageVector#get" class="">
<a href="ol.source.ImageVector.html#get">get</a>
</li>
<li data-name="ol.source.ImageVector#getAttributions" class="">
<a href="ol.source.ImageVector.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.ImageVector#getKeys" class="">
<a href="ol.source.ImageVector.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.ImageVector#getLogo" class="">
<a href="ol.source.ImageVector.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.ImageVector#getProjection" class="unstable">
<a href="ol.source.ImageVector.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.ImageVector#getProperties" class="">
<a href="ol.source.ImageVector.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.ImageVector#getRevision" class="unstable">
<a href="ol.source.ImageVector.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.ImageVector#getSource" class="unstable">
<a href="ol.source.ImageVector.html#getSource">getSource</a>
</li>
<li data-name="ol.source.ImageVector#getState" class="unstable">
<a href="ol.source.ImageVector.html#getState">getState</a>
</li>
<li data-name="ol.source.ImageVector#getStyle" class="">
<a href="ol.source.ImageVector.html#getStyle">getStyle</a>
</li>
<li data-name="ol.source.ImageVector#getStyleFunction" class="">
<a href="ol.source.ImageVector.html#getStyleFunction">getStyleFunction</a>
</li>
<li data-name="ol.source.ImageVector#on" class="">
<a href="ol.source.ImageVector.html#on">on</a>
</li>
<li data-name="ol.source.ImageVector#once" class="">
<a href="ol.source.ImageVector.html#once">once</a>
</li>
<li data-name="ol.source.ImageVector#set" class="">
<a href="ol.source.ImageVector.html#set">set</a>
</li>
<li data-name="ol.source.ImageVector#setAttributions" class="unstable">
<a href="ol.source.ImageVector.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.ImageVector#setProperties" class="">
<a href="ol.source.ImageVector.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.ImageVector#setStyle" class="">
<a href="ol.source.ImageVector.html#setStyle">setStyle</a>
</li>
<li data-name="ol.source.ImageVector#un" class="">
<a href="ol.source.ImageVector.html#un">un</a>
</li>
<li data-name="ol.source.ImageVector#unByKey" class="">
<a href="ol.source.ImageVector.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.ImageVector#unset" class="">
<a href="ol.source.ImageVector.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.ImageWMS">
<span class="title">
<a href="ol.source.ImageWMS.html">ol.source.ImageWMS</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.ImageWMS#changed" class="unstable">
<a href="ol.source.ImageWMS.html#changed">changed</a>
</li>
<li data-name="ol.source.ImageWMS#dispatchEvent" class="unstable">
<a href="ol.source.ImageWMS.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.ImageWMS#get" class="">
<a href="ol.source.ImageWMS.html#get">get</a>
</li>
<li data-name="ol.source.ImageWMS#getAttributions" class="">
<a href="ol.source.ImageWMS.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.ImageWMS#getGetFeatureInfoUrl" class="">
<a href="ol.source.ImageWMS.html#getGetFeatureInfoUrl">getGetFeatureInfoUrl</a>
</li>
<li data-name="ol.source.ImageWMS#getImageLoadFunction" class="unstable">
<a href="ol.source.ImageWMS.html#getImageLoadFunction">getImageLoadFunction</a>
</li>
<li data-name="ol.source.ImageWMS#getKeys" class="">
<a href="ol.source.ImageWMS.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.ImageWMS#getLogo" class="">
<a href="ol.source.ImageWMS.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.ImageWMS#getParams" class="">
<a href="ol.source.ImageWMS.html#getParams">getParams</a>
</li>
<li data-name="ol.source.ImageWMS#getProjection" class="unstable">
<a href="ol.source.ImageWMS.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.ImageWMS#getProperties" class="">
<a href="ol.source.ImageWMS.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.ImageWMS#getRevision" class="unstable">
<a href="ol.source.ImageWMS.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.ImageWMS#getState" class="unstable">
<a href="ol.source.ImageWMS.html#getState">getState</a>
</li>
<li data-name="ol.source.ImageWMS#getUrl" class="">
<a href="ol.source.ImageWMS.html#getUrl">getUrl</a>
</li>
<li data-name="ol.source.ImageWMS#on" class="">
<a href="ol.source.ImageWMS.html#on">on</a>
</li>
<li data-name="ol.source.ImageWMS#once" class="">
<a href="ol.source.ImageWMS.html#once">once</a>
</li>
<li data-name="ol.source.ImageWMS#set" class="">
<a href="ol.source.ImageWMS.html#set">set</a>
</li>
<li data-name="ol.source.ImageWMS#setAttributions" class="unstable">
<a href="ol.source.ImageWMS.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.ImageWMS#setImageLoadFunction" class="unstable">
<a href="ol.source.ImageWMS.html#setImageLoadFunction">setImageLoadFunction</a>
</li>
<li data-name="ol.source.ImageWMS#setProperties" class="">
<a href="ol.source.ImageWMS.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.ImageWMS#setUrl" class="">
<a href="ol.source.ImageWMS.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.ImageWMS#un" class="">
<a href="ol.source.ImageWMS.html#un">un</a>
</li>
<li data-name="ol.source.ImageWMS#unByKey" class="">
<a href="ol.source.ImageWMS.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.ImageWMS#unset" class="">
<a href="ol.source.ImageWMS.html#unset">unset</a>
</li>
<li data-name="ol.source.ImageWMS#updateParams" class="">
<a href="ol.source.ImageWMS.html#updateParams">updateParams</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.source.ImageEvent#event:imageloadend" class="unstable">
<a href="ol.source.ImageEvent.html#event:imageloadend">imageloadend</a>
</li>
<li data-name="ol.source.ImageEvent#event:imageloaderror" class="unstable">
<a href="ol.source.ImageEvent.html#event:imageloaderror">imageloaderror</a>
</li>
<li data-name="ol.source.ImageEvent#event:imageloadstart" class="unstable">
<a href="ol.source.ImageEvent.html#event:imageloadstart">imageloadstart</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.MapQuest">
<span class="title">
<a href="ol.source.MapQuest.html">ol.source.MapQuest</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.MapQuest#changed" class="unstable">
<a href="ol.source.MapQuest.html#changed">changed</a>
</li>
<li data-name="ol.source.MapQuest#dispatchEvent" class="unstable">
<a href="ol.source.MapQuest.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.MapQuest#get" class="">
<a href="ol.source.MapQuest.html#get">get</a>
</li>
<li data-name="ol.source.MapQuest#getAttributions" class="">
<a href="ol.source.MapQuest.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.MapQuest#getKeys" class="">
<a href="ol.source.MapQuest.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.MapQuest#getLayer" class="unstable">
<a href="ol.source.MapQuest.html#getLayer">getLayer</a>
</li>
<li data-name="ol.source.MapQuest#getLogo" class="">
<a href="ol.source.MapQuest.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.MapQuest#getProjection" class="unstable">
<a href="ol.source.MapQuest.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.MapQuest#getProperties" class="">
<a href="ol.source.MapQuest.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.MapQuest#getRevision" class="unstable">
<a href="ol.source.MapQuest.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.MapQuest#getState" class="unstable">
<a href="ol.source.MapQuest.html#getState">getState</a>
</li>
<li data-name="ol.source.MapQuest#getTileGrid" class="">
<a href="ol.source.MapQuest.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.MapQuest#getTileLoadFunction" class="unstable">
<a href="ol.source.MapQuest.html#getTileLoadFunction">getTileLoadFunction</a>
</li>
<li data-name="ol.source.MapQuest#getTileUrlFunction" class="unstable">
<a href="ol.source.MapQuest.html#getTileUrlFunction">getTileUrlFunction</a>
</li>
<li data-name="ol.source.MapQuest#getUrls" class="unstable">
<a href="ol.source.MapQuest.html#getUrls">getUrls</a>
</li>
<li data-name="ol.source.MapQuest#on" class="">
<a href="ol.source.MapQuest.html#on">on</a>
</li>
<li data-name="ol.source.MapQuest#once" class="">
<a href="ol.source.MapQuest.html#once">once</a>
</li>
<li data-name="ol.source.MapQuest#set" class="">
<a href="ol.source.MapQuest.html#set">set</a>
</li>
<li data-name="ol.source.MapQuest#setAttributions" class="unstable">
<a href="ol.source.MapQuest.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.MapQuest#setProperties" class="">
<a href="ol.source.MapQuest.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.MapQuest#setRenderReprojectionEdges" class="unstable">
<a href="ol.source.MapQuest.html#setRenderReprojectionEdges">setRenderReprojectionEdges</a>
</li>
<li data-name="ol.source.MapQuest#setTileGridForProjection" class="unstable">
<a href="ol.source.MapQuest.html#setTileGridForProjection">setTileGridForProjection</a>
</li>
<li data-name="ol.source.MapQuest#setTileLoadFunction" class="unstable">
<a href="ol.source.MapQuest.html#setTileLoadFunction">setTileLoadFunction</a>
</li>
<li data-name="ol.source.MapQuest#setTileUrlFunction" class="unstable">
<a href="ol.source.MapQuest.html#setTileUrlFunction">setTileUrlFunction</a>
</li>
<li data-name="ol.source.MapQuest#setUrl" class="">
<a href="ol.source.MapQuest.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.MapQuest#setUrls" class="">
<a href="ol.source.MapQuest.html#setUrls">setUrls</a>
</li>
<li data-name="ol.source.MapQuest#un" class="">
<a href="ol.source.MapQuest.html#un">un</a>
</li>
<li data-name="ol.source.MapQuest#unByKey" class="">
<a href="ol.source.MapQuest.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.MapQuest#unset" class="">
<a href="ol.source.MapQuest.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadend" class="">
<a href="ol.source.TileEvent.html#event:tileloadend">tileloadend</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloaderror" class="">
<a href="ol.source.TileEvent.html#event:tileloaderror">tileloaderror</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadstart" class="">
<a href="ol.source.TileEvent.html#event:tileloadstart">tileloadstart</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.OSM">
<span class="title">
<a href="ol.source.OSM.html">ol.source.OSM</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.source.OSM.ATTRIBUTION"><a href="ol.source.OSM.html#.ATTRIBUTION">ATTRIBUTION</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.OSM#changed" class="unstable">
<a href="ol.source.OSM.html#changed">changed</a>
</li>
<li data-name="ol.source.OSM#dispatchEvent" class="unstable">
<a href="ol.source.OSM.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.OSM#get" class="">
<a href="ol.source.OSM.html#get">get</a>
</li>
<li data-name="ol.source.OSM#getAttributions" class="">
<a href="ol.source.OSM.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.OSM#getKeys" class="">
<a href="ol.source.OSM.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.OSM#getLogo" class="">
<a href="ol.source.OSM.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.OSM#getProjection" class="unstable">
<a href="ol.source.OSM.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.OSM#getProperties" class="">
<a href="ol.source.OSM.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.OSM#getRevision" class="unstable">
<a href="ol.source.OSM.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.OSM#getState" class="unstable">
<a href="ol.source.OSM.html#getState">getState</a>
</li>
<li data-name="ol.source.OSM#getTileGrid" class="">
<a href="ol.source.OSM.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.OSM#getTileLoadFunction" class="unstable">
<a href="ol.source.OSM.html#getTileLoadFunction">getTileLoadFunction</a>
</li>
<li data-name="ol.source.OSM#getTileUrlFunction" class="unstable">
<a href="ol.source.OSM.html#getTileUrlFunction">getTileUrlFunction</a>
</li>
<li data-name="ol.source.OSM#getUrls" class="unstable">
<a href="ol.source.OSM.html#getUrls">getUrls</a>
</li>
<li data-name="ol.source.OSM#on" class="">
<a href="ol.source.OSM.html#on">on</a>
</li>
<li data-name="ol.source.OSM#once" class="">
<a href="ol.source.OSM.html#once">once</a>
</li>
<li data-name="ol.source.OSM#set" class="">
<a href="ol.source.OSM.html#set">set</a>
</li>
<li data-name="ol.source.OSM#setAttributions" class="unstable">
<a href="ol.source.OSM.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.OSM#setProperties" class="">
<a href="ol.source.OSM.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.OSM#setRenderReprojectionEdges" class="unstable">
<a href="ol.source.OSM.html#setRenderReprojectionEdges">setRenderReprojectionEdges</a>
</li>
<li data-name="ol.source.OSM#setTileGridForProjection" class="unstable">
<a href="ol.source.OSM.html#setTileGridForProjection">setTileGridForProjection</a>
</li>
<li data-name="ol.source.OSM#setTileLoadFunction" class="unstable">
<a href="ol.source.OSM.html#setTileLoadFunction">setTileLoadFunction</a>
</li>
<li data-name="ol.source.OSM#setTileUrlFunction" class="unstable">
<a href="ol.source.OSM.html#setTileUrlFunction">setTileUrlFunction</a>
</li>
<li data-name="ol.source.OSM#setUrl" class="">
<a href="ol.source.OSM.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.OSM#setUrls" class="">
<a href="ol.source.OSM.html#setUrls">setUrls</a>
</li>
<li data-name="ol.source.OSM#un" class="">
<a href="ol.source.OSM.html#un">un</a>
</li>
<li data-name="ol.source.OSM#unByKey" class="">
<a href="ol.source.OSM.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.OSM#unset" class="">
<a href="ol.source.OSM.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadend" class="">
<a href="ol.source.TileEvent.html#event:tileloadend">tileloadend</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloaderror" class="">
<a href="ol.source.TileEvent.html#event:tileloaderror">tileloaderror</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadstart" class="">
<a href="ol.source.TileEvent.html#event:tileloadstart">tileloadstart</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.Raster">
<span class="title">
<a href="ol.source.Raster.html">ol.source.Raster</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.Raster#changed" class="unstable">
<a href="ol.source.Raster.html#changed">changed</a>
</li>
<li data-name="ol.source.Raster#dispatchEvent" class="unstable">
<a href="ol.source.Raster.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.Raster#get" class="">
<a href="ol.source.Raster.html#get">get</a>
</li>
<li data-name="ol.source.Raster#getAttributions" class="">
<a href="ol.source.Raster.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.Raster#getKeys" class="">
<a href="ol.source.Raster.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.Raster#getLogo" class="">
<a href="ol.source.Raster.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.Raster#getProjection" class="unstable">
<a href="ol.source.Raster.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.Raster#getProperties" class="">
<a href="ol.source.Raster.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.Raster#getRevision" class="unstable">
<a href="ol.source.Raster.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.Raster#getState" class="unstable">
<a href="ol.source.Raster.html#getState">getState</a>
</li>
<li data-name="ol.source.Raster#on" class="">
<a href="ol.source.Raster.html#on">on</a>
</li>
<li data-name="ol.source.Raster#once" class="">
<a href="ol.source.Raster.html#once">once</a>
</li>
<li data-name="ol.source.Raster#set" class="">
<a href="ol.source.Raster.html#set">set</a>
</li>
<li data-name="ol.source.Raster#setAttributions" class="unstable">
<a href="ol.source.Raster.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.Raster#setOperation" class="unstable">
<a href="ol.source.Raster.html#setOperation">setOperation</a>
</li>
<li data-name="ol.source.Raster#setProperties" class="">
<a href="ol.source.Raster.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.Raster#un" class="">
<a href="ol.source.Raster.html#un">un</a>
</li>
<li data-name="ol.source.Raster#unByKey" class="">
<a href="ol.source.Raster.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.Raster#unset" class="">
<a href="ol.source.Raster.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.RasterEvent">
<span class="title">
<a href="ol.source.RasterEvent.html">ol.source.RasterEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.source.RasterEvent#data"><a href="ol.source.RasterEvent.html#data">data</a></li>
<li data-name="ol.source.RasterEvent#extent"><a href="ol.source.RasterEvent.html#extent">extent</a></li>
<li data-name="ol.source.RasterEvent#resolution"><a href="ol.source.RasterEvent.html#resolution">resolution</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.source.Source">
<span class="title">
<a href="ol.source.Source.html">ol.source.Source</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.Source#changed" class="unstable">
<a href="ol.source.Source.html#changed">changed</a>
</li>
<li data-name="ol.source.Source#dispatchEvent" class="unstable">
<a href="ol.source.Source.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.Source#get" class="">
<a href="ol.source.Source.html#get">get</a>
</li>
<li data-name="ol.source.Source#getAttributions" class="">
<a href="ol.source.Source.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.Source#getKeys" class="">
<a href="ol.source.Source.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.Source#getLogo" class="">
<a href="ol.source.Source.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.Source#getProjection" class="unstable">
<a href="ol.source.Source.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.Source#getProperties" class="">
<a href="ol.source.Source.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.Source#getRevision" class="unstable">
<a href="ol.source.Source.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.Source#getState" class="unstable">
<a href="ol.source.Source.html#getState">getState</a>
</li>
<li data-name="ol.source.Source#on" class="">
<a href="ol.source.Source.html#on">on</a>
</li>
<li data-name="ol.source.Source#once" class="">
<a href="ol.source.Source.html#once">once</a>
</li>
<li data-name="ol.source.Source#set" class="">
<a href="ol.source.Source.html#set">set</a>
</li>
<li data-name="ol.source.Source#setAttributions" class="unstable">
<a href="ol.source.Source.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.Source#setProperties" class="">
<a href="ol.source.Source.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.Source#un" class="">
<a href="ol.source.Source.html#un">un</a>
</li>
<li data-name="ol.source.Source#unByKey" class="">
<a href="ol.source.Source.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.Source#unset" class="">
<a href="ol.source.Source.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.Stamen">
<span class="title">
<a href="ol.source.Stamen.html">ol.source.Stamen</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.Stamen#changed" class="unstable">
<a href="ol.source.Stamen.html#changed">changed</a>
</li>
<li data-name="ol.source.Stamen#dispatchEvent" class="unstable">
<a href="ol.source.Stamen.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.Stamen#get" class="">
<a href="ol.source.Stamen.html#get">get</a>
</li>
<li data-name="ol.source.Stamen#getAttributions" class="">
<a href="ol.source.Stamen.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.Stamen#getKeys" class="">
<a href="ol.source.Stamen.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.Stamen#getLogo" class="">
<a href="ol.source.Stamen.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.Stamen#getProjection" class="unstable">
<a href="ol.source.Stamen.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.Stamen#getProperties" class="">
<a href="ol.source.Stamen.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.Stamen#getRevision" class="unstable">
<a href="ol.source.Stamen.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.Stamen#getState" class="unstable">
<a href="ol.source.Stamen.html#getState">getState</a>
</li>
<li data-name="ol.source.Stamen#getTileGrid" class="">
<a href="ol.source.Stamen.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.Stamen#getTileLoadFunction" class="unstable">
<a href="ol.source.Stamen.html#getTileLoadFunction">getTileLoadFunction</a>
</li>
<li data-name="ol.source.Stamen#getTileUrlFunction" class="unstable">
<a href="ol.source.Stamen.html#getTileUrlFunction">getTileUrlFunction</a>
</li>
<li data-name="ol.source.Stamen#getUrls" class="unstable">
<a href="ol.source.Stamen.html#getUrls">getUrls</a>
</li>
<li data-name="ol.source.Stamen#on" class="">
<a href="ol.source.Stamen.html#on">on</a>
</li>
<li data-name="ol.source.Stamen#once" class="">
<a href="ol.source.Stamen.html#once">once</a>
</li>
<li data-name="ol.source.Stamen#set" class="">
<a href="ol.source.Stamen.html#set">set</a>
</li>
<li data-name="ol.source.Stamen#setAttributions" class="unstable">
<a href="ol.source.Stamen.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.Stamen#setProperties" class="">
<a href="ol.source.Stamen.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.Stamen#setRenderReprojectionEdges" class="unstable">
<a href="ol.source.Stamen.html#setRenderReprojectionEdges">setRenderReprojectionEdges</a>
</li>
<li data-name="ol.source.Stamen#setTileGridForProjection" class="unstable">
<a href="ol.source.Stamen.html#setTileGridForProjection">setTileGridForProjection</a>
</li>
<li data-name="ol.source.Stamen#setTileLoadFunction" class="unstable">
<a href="ol.source.Stamen.html#setTileLoadFunction">setTileLoadFunction</a>
</li>
<li data-name="ol.source.Stamen#setTileUrlFunction" class="unstable">
<a href="ol.source.Stamen.html#setTileUrlFunction">setTileUrlFunction</a>
</li>
<li data-name="ol.source.Stamen#setUrl" class="">
<a href="ol.source.Stamen.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.Stamen#setUrls" class="">
<a href="ol.source.Stamen.html#setUrls">setUrls</a>
</li>
<li data-name="ol.source.Stamen#un" class="">
<a href="ol.source.Stamen.html#un">un</a>
</li>
<li data-name="ol.source.Stamen#unByKey" class="">
<a href="ol.source.Stamen.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.Stamen#unset" class="">
<a href="ol.source.Stamen.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadend" class="">
<a href="ol.source.TileEvent.html#event:tileloadend">tileloadend</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloaderror" class="">
<a href="ol.source.TileEvent.html#event:tileloaderror">tileloaderror</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadstart" class="">
<a href="ol.source.TileEvent.html#event:tileloadstart">tileloadstart</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.Tile">
<span class="title">
<a href="ol.source.Tile.html">ol.source.Tile</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.Tile#changed" class="unstable">
<a href="ol.source.Tile.html#changed">changed</a>
</li>
<li data-name="ol.source.Tile#dispatchEvent" class="unstable">
<a href="ol.source.Tile.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.Tile#get" class="">
<a href="ol.source.Tile.html#get">get</a>
</li>
<li data-name="ol.source.Tile#getAttributions" class="">
<a href="ol.source.Tile.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.Tile#getKeys" class="">
<a href="ol.source.Tile.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.Tile#getLogo" class="">
<a href="ol.source.Tile.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.Tile#getProjection" class="unstable">
<a href="ol.source.Tile.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.Tile#getProperties" class="">
<a href="ol.source.Tile.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.Tile#getRevision" class="unstable">
<a href="ol.source.Tile.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.Tile#getState" class="unstable">
<a href="ol.source.Tile.html#getState">getState</a>
</li>
<li data-name="ol.source.Tile#getTileGrid" class="">
<a href="ol.source.Tile.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.Tile#on" class="">
<a href="ol.source.Tile.html#on">on</a>
</li>
<li data-name="ol.source.Tile#once" class="">
<a href="ol.source.Tile.html#once">once</a>
</li>
<li data-name="ol.source.Tile#set" class="">
<a href="ol.source.Tile.html#set">set</a>
</li>
<li data-name="ol.source.Tile#setAttributions" class="unstable">
<a href="ol.source.Tile.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.Tile#setProperties" class="">
<a href="ol.source.Tile.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.Tile#un" class="">
<a href="ol.source.Tile.html#un">un</a>
</li>
<li data-name="ol.source.Tile#unByKey" class="">
<a href="ol.source.Tile.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.Tile#unset" class="">
<a href="ol.source.Tile.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.TileArcGISRest">
<span class="title">
<a href="ol.source.TileArcGISRest.html">ol.source.TileArcGISRest</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.TileArcGISRest#changed" class="unstable">
<a href="ol.source.TileArcGISRest.html#changed">changed</a>
</li>
<li data-name="ol.source.TileArcGISRest#dispatchEvent" class="unstable">
<a href="ol.source.TileArcGISRest.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.TileArcGISRest#get" class="">
<a href="ol.source.TileArcGISRest.html#get">get</a>
</li>
<li data-name="ol.source.TileArcGISRest#getAttributions" class="">
<a href="ol.source.TileArcGISRest.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.TileArcGISRest#getKeys" class="">
<a href="ol.source.TileArcGISRest.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.TileArcGISRest#getLogo" class="">
<a href="ol.source.TileArcGISRest.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.TileArcGISRest#getParams" class="unstable">
<a href="ol.source.TileArcGISRest.html#getParams">getParams</a>
</li>
<li data-name="ol.source.TileArcGISRest#getProjection" class="unstable">
<a href="ol.source.TileArcGISRest.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.TileArcGISRest#getProperties" class="">
<a href="ol.source.TileArcGISRest.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.TileArcGISRest#getRevision" class="unstable">
<a href="ol.source.TileArcGISRest.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.TileArcGISRest#getState" class="unstable">
<a href="ol.source.TileArcGISRest.html#getState">getState</a>
</li>
<li data-name="ol.source.TileArcGISRest#getTileGrid" class="">
<a href="ol.source.TileArcGISRest.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.TileArcGISRest#getTileLoadFunction" class="unstable">
<a href="ol.source.TileArcGISRest.html#getTileLoadFunction">getTileLoadFunction</a>
</li>
<li data-name="ol.source.TileArcGISRest#getTileUrlFunction" class="unstable">
<a href="ol.source.TileArcGISRest.html#getTileUrlFunction">getTileUrlFunction</a>
</li>
<li data-name="ol.source.TileArcGISRest#getUrls" class="unstable">
<a href="ol.source.TileArcGISRest.html#getUrls">getUrls</a>
</li>
<li data-name="ol.source.TileArcGISRest#on" class="">
<a href="ol.source.TileArcGISRest.html#on">on</a>
</li>
<li data-name="ol.source.TileArcGISRest#once" class="">
<a href="ol.source.TileArcGISRest.html#once">once</a>
</li>
<li data-name="ol.source.TileArcGISRest#set" class="">
<a href="ol.source.TileArcGISRest.html#set">set</a>
</li>
<li data-name="ol.source.TileArcGISRest#setAttributions" class="unstable">
<a href="ol.source.TileArcGISRest.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.TileArcGISRest#setProperties" class="">
<a href="ol.source.TileArcGISRest.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.TileArcGISRest#setRenderReprojectionEdges" class="unstable">
<a href="ol.source.TileArcGISRest.html#setRenderReprojectionEdges">setRenderReprojectionEdges</a>
</li>
<li data-name="ol.source.TileArcGISRest#setTileGridForProjection" class="unstable">
<a href="ol.source.TileArcGISRest.html#setTileGridForProjection">setTileGridForProjection</a>
</li>
<li data-name="ol.source.TileArcGISRest#setTileLoadFunction" class="unstable">
<a href="ol.source.TileArcGISRest.html#setTileLoadFunction">setTileLoadFunction</a>
</li>
<li data-name="ol.source.TileArcGISRest#setTileUrlFunction" class="unstable">
<a href="ol.source.TileArcGISRest.html#setTileUrlFunction">setTileUrlFunction</a>
</li>
<li data-name="ol.source.TileArcGISRest#setUrl" class="">
<a href="ol.source.TileArcGISRest.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.TileArcGISRest#setUrls" class="">
<a href="ol.source.TileArcGISRest.html#setUrls">setUrls</a>
</li>
<li data-name="ol.source.TileArcGISRest#un" class="">
<a href="ol.source.TileArcGISRest.html#un">un</a>
</li>
<li data-name="ol.source.TileArcGISRest#unByKey" class="">
<a href="ol.source.TileArcGISRest.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.TileArcGISRest#unset" class="">
<a href="ol.source.TileArcGISRest.html#unset">unset</a>
</li>
<li data-name="ol.source.TileArcGISRest#updateParams" class="">
<a href="ol.source.TileArcGISRest.html#updateParams">updateParams</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadend" class="">
<a href="ol.source.TileEvent.html#event:tileloadend">tileloadend</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloaderror" class="">
<a href="ol.source.TileEvent.html#event:tileloaderror">tileloaderror</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadstart" class="">
<a href="ol.source.TileEvent.html#event:tileloadstart">tileloadstart</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.TileDebug">
<span class="title">
<a href="ol.source.TileDebug.html">ol.source.TileDebug</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.TileDebug#changed" class="unstable">
<a href="ol.source.TileDebug.html#changed">changed</a>
</li>
<li data-name="ol.source.TileDebug#dispatchEvent" class="unstable">
<a href="ol.source.TileDebug.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.TileDebug#get" class="">
<a href="ol.source.TileDebug.html#get">get</a>
</li>
<li data-name="ol.source.TileDebug#getAttributions" class="">
<a href="ol.source.TileDebug.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.TileDebug#getKeys" class="">
<a href="ol.source.TileDebug.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.TileDebug#getLogo" class="">
<a href="ol.source.TileDebug.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.TileDebug#getProjection" class="unstable">
<a href="ol.source.TileDebug.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.TileDebug#getProperties" class="">
<a href="ol.source.TileDebug.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.TileDebug#getRevision" class="unstable">
<a href="ol.source.TileDebug.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.TileDebug#getState" class="unstable">
<a href="ol.source.TileDebug.html#getState">getState</a>
</li>
<li data-name="ol.source.TileDebug#getTileGrid" class="">
<a href="ol.source.TileDebug.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.TileDebug#on" class="">
<a href="ol.source.TileDebug.html#on">on</a>
</li>
<li data-name="ol.source.TileDebug#once" class="">
<a href="ol.source.TileDebug.html#once">once</a>
</li>
<li data-name="ol.source.TileDebug#set" class="">
<a href="ol.source.TileDebug.html#set">set</a>
</li>
<li data-name="ol.source.TileDebug#setAttributions" class="unstable">
<a href="ol.source.TileDebug.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.TileDebug#setProperties" class="">
<a href="ol.source.TileDebug.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.TileDebug#un" class="">
<a href="ol.source.TileDebug.html#un">un</a>
</li>
<li data-name="ol.source.TileDebug#unByKey" class="">
<a href="ol.source.TileDebug.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.TileDebug#unset" class="">
<a href="ol.source.TileDebug.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.TileEvent">
<span class="title">
<a href="ol.source.TileEvent.html">ol.source.TileEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.source.TileEvent#tile"><a href="ol.source.TileEvent.html#tile">tile</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.source.TileImage">
<span class="title">
<a href="ol.source.TileImage.html">ol.source.TileImage</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.TileImage#changed" class="unstable">
<a href="ol.source.TileImage.html#changed">changed</a>
</li>
<li data-name="ol.source.TileImage#dispatchEvent" class="unstable">
<a href="ol.source.TileImage.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.TileImage#get" class="">
<a href="ol.source.TileImage.html#get">get</a>
</li>
<li data-name="ol.source.TileImage#getAttributions" class="">
<a href="ol.source.TileImage.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.TileImage#getKeys" class="">
<a href="ol.source.TileImage.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.TileImage#getLogo" class="">
<a href="ol.source.TileImage.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.TileImage#getProjection" class="unstable">
<a href="ol.source.TileImage.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.TileImage#getProperties" class="">
<a href="ol.source.TileImage.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.TileImage#getRevision" class="unstable">
<a href="ol.source.TileImage.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.TileImage#getState" class="unstable">
<a href="ol.source.TileImage.html#getState">getState</a>
</li>
<li data-name="ol.source.TileImage#getTileGrid" class="">
<a href="ol.source.TileImage.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.TileImage#getTileLoadFunction" class="unstable">
<a href="ol.source.TileImage.html#getTileLoadFunction">getTileLoadFunction</a>
</li>
<li data-name="ol.source.TileImage#getTileUrlFunction" class="unstable">
<a href="ol.source.TileImage.html#getTileUrlFunction">getTileUrlFunction</a>
</li>
<li data-name="ol.source.TileImage#getUrls" class="unstable">
<a href="ol.source.TileImage.html#getUrls">getUrls</a>
</li>
<li data-name="ol.source.TileImage#on" class="">
<a href="ol.source.TileImage.html#on">on</a>
</li>
<li data-name="ol.source.TileImage#once" class="">
<a href="ol.source.TileImage.html#once">once</a>
</li>
<li data-name="ol.source.TileImage#set" class="">
<a href="ol.source.TileImage.html#set">set</a>
</li>
<li data-name="ol.source.TileImage#setAttributions" class="unstable">
<a href="ol.source.TileImage.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.TileImage#setProperties" class="">
<a href="ol.source.TileImage.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.TileImage#setRenderReprojectionEdges" class="unstable">
<a href="ol.source.TileImage.html#setRenderReprojectionEdges">setRenderReprojectionEdges</a>
</li>
<li data-name="ol.source.TileImage#setTileGridForProjection" class="unstable">
<a href="ol.source.TileImage.html#setTileGridForProjection">setTileGridForProjection</a>
</li>
<li data-name="ol.source.TileImage#setTileLoadFunction" class="unstable">
<a href="ol.source.TileImage.html#setTileLoadFunction">setTileLoadFunction</a>
</li>
<li data-name="ol.source.TileImage#setTileUrlFunction" class="unstable">
<a href="ol.source.TileImage.html#setTileUrlFunction">setTileUrlFunction</a>
</li>
<li data-name="ol.source.TileImage#setUrl" class="">
<a href="ol.source.TileImage.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.TileImage#setUrls" class="">
<a href="ol.source.TileImage.html#setUrls">setUrls</a>
</li>
<li data-name="ol.source.TileImage#un" class="">
<a href="ol.source.TileImage.html#un">un</a>
</li>
<li data-name="ol.source.TileImage#unByKey" class="">
<a href="ol.source.TileImage.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.TileImage#unset" class="">
<a href="ol.source.TileImage.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadend" class="">
<a href="ol.source.TileEvent.html#event:tileloadend">tileloadend</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloaderror" class="">
<a href="ol.source.TileEvent.html#event:tileloaderror">tileloaderror</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadstart" class="">
<a href="ol.source.TileEvent.html#event:tileloadstart">tileloadstart</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.TileJSON">
<span class="title">
<a href="ol.source.TileJSON.html">ol.source.TileJSON</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.TileJSON#changed" class="unstable">
<a href="ol.source.TileJSON.html#changed">changed</a>
</li>
<li data-name="ol.source.TileJSON#dispatchEvent" class="unstable">
<a href="ol.source.TileJSON.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.TileJSON#get" class="">
<a href="ol.source.TileJSON.html#get">get</a>
</li>
<li data-name="ol.source.TileJSON#getAttributions" class="">
<a href="ol.source.TileJSON.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.TileJSON#getKeys" class="">
<a href="ol.source.TileJSON.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.TileJSON#getLogo" class="">
<a href="ol.source.TileJSON.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.TileJSON#getProjection" class="unstable">
<a href="ol.source.TileJSON.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.TileJSON#getProperties" class="">
<a href="ol.source.TileJSON.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.TileJSON#getRevision" class="unstable">
<a href="ol.source.TileJSON.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.TileJSON#getState" class="unstable">
<a href="ol.source.TileJSON.html#getState">getState</a>
</li>
<li data-name="ol.source.TileJSON#getTileGrid" class="">
<a href="ol.source.TileJSON.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.TileJSON#getTileLoadFunction" class="unstable">
<a href="ol.source.TileJSON.html#getTileLoadFunction">getTileLoadFunction</a>
</li>
<li data-name="ol.source.TileJSON#getTileUrlFunction" class="unstable">
<a href="ol.source.TileJSON.html#getTileUrlFunction">getTileUrlFunction</a>
</li>
<li data-name="ol.source.TileJSON#getUrls" class="unstable">
<a href="ol.source.TileJSON.html#getUrls">getUrls</a>
</li>
<li data-name="ol.source.TileJSON#on" class="">
<a href="ol.source.TileJSON.html#on">on</a>
</li>
<li data-name="ol.source.TileJSON#once" class="">
<a href="ol.source.TileJSON.html#once">once</a>
</li>
<li data-name="ol.source.TileJSON#set" class="">
<a href="ol.source.TileJSON.html#set">set</a>
</li>
<li data-name="ol.source.TileJSON#setAttributions" class="unstable">
<a href="ol.source.TileJSON.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.TileJSON#setProperties" class="">
<a href="ol.source.TileJSON.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.TileJSON#setRenderReprojectionEdges" class="unstable">
<a href="ol.source.TileJSON.html#setRenderReprojectionEdges">setRenderReprojectionEdges</a>
</li>
<li data-name="ol.source.TileJSON#setTileGridForProjection" class="unstable">
<a href="ol.source.TileJSON.html#setTileGridForProjection">setTileGridForProjection</a>
</li>
<li data-name="ol.source.TileJSON#setTileLoadFunction" class="unstable">
<a href="ol.source.TileJSON.html#setTileLoadFunction">setTileLoadFunction</a>
</li>
<li data-name="ol.source.TileJSON#setTileUrlFunction" class="unstable">
<a href="ol.source.TileJSON.html#setTileUrlFunction">setTileUrlFunction</a>
</li>
<li data-name="ol.source.TileJSON#setUrl" class="">
<a href="ol.source.TileJSON.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.TileJSON#setUrls" class="">
<a href="ol.source.TileJSON.html#setUrls">setUrls</a>
</li>
<li data-name="ol.source.TileJSON#un" class="">
<a href="ol.source.TileJSON.html#un">un</a>
</li>
<li data-name="ol.source.TileJSON#unByKey" class="">
<a href="ol.source.TileJSON.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.TileJSON#unset" class="">
<a href="ol.source.TileJSON.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadend" class="">
<a href="ol.source.TileEvent.html#event:tileloadend">tileloadend</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloaderror" class="">
<a href="ol.source.TileEvent.html#event:tileloaderror">tileloaderror</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadstart" class="">
<a href="ol.source.TileEvent.html#event:tileloadstart">tileloadstart</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.TileUTFGrid">
<span class="title">
<a href="ol.source.TileUTFGrid.html">ol.source.TileUTFGrid</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.TileUTFGrid#changed" class="unstable">
<a href="ol.source.TileUTFGrid.html#changed">changed</a>
</li>
<li data-name="ol.source.TileUTFGrid#dispatchEvent" class="unstable">
<a href="ol.source.TileUTFGrid.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.TileUTFGrid#forDataAtCoordinateAndResolution" class="unstable">
<a href="ol.source.TileUTFGrid.html#forDataAtCoordinateAndResolution">forDataAtCoordinateAndResolution</a>
</li>
<li data-name="ol.source.TileUTFGrid#get" class="">
<a href="ol.source.TileUTFGrid.html#get">get</a>
</li>
<li data-name="ol.source.TileUTFGrid#getAttributions" class="">
<a href="ol.source.TileUTFGrid.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.TileUTFGrid#getKeys" class="">
<a href="ol.source.TileUTFGrid.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.TileUTFGrid#getLogo" class="">
<a href="ol.source.TileUTFGrid.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.TileUTFGrid#getProjection" class="unstable">
<a href="ol.source.TileUTFGrid.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.TileUTFGrid#getProperties" class="">
<a href="ol.source.TileUTFGrid.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.TileUTFGrid#getRevision" class="unstable">
<a href="ol.source.TileUTFGrid.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.TileUTFGrid#getState" class="unstable">
<a href="ol.source.TileUTFGrid.html#getState">getState</a>
</li>
<li data-name="ol.source.TileUTFGrid#getTemplate" class="unstable">
<a href="ol.source.TileUTFGrid.html#getTemplate">getTemplate</a>
</li>
<li data-name="ol.source.TileUTFGrid#getTileGrid" class="">
<a href="ol.source.TileUTFGrid.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.TileUTFGrid#on" class="">
<a href="ol.source.TileUTFGrid.html#on">on</a>
</li>
<li data-name="ol.source.TileUTFGrid#once" class="">
<a href="ol.source.TileUTFGrid.html#once">once</a>
</li>
<li data-name="ol.source.TileUTFGrid#set" class="">
<a href="ol.source.TileUTFGrid.html#set">set</a>
</li>
<li data-name="ol.source.TileUTFGrid#setAttributions" class="unstable">
<a href="ol.source.TileUTFGrid.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.TileUTFGrid#setProperties" class="">
<a href="ol.source.TileUTFGrid.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.TileUTFGrid#un" class="">
<a href="ol.source.TileUTFGrid.html#un">un</a>
</li>
<li data-name="ol.source.TileUTFGrid#unByKey" class="">
<a href="ol.source.TileUTFGrid.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.TileUTFGrid#unset" class="">
<a href="ol.source.TileUTFGrid.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.TileWMS">
<span class="title">
<a href="ol.source.TileWMS.html">ol.source.TileWMS</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.TileWMS#changed" class="unstable">
<a href="ol.source.TileWMS.html#changed">changed</a>
</li>
<li data-name="ol.source.TileWMS#dispatchEvent" class="unstable">
<a href="ol.source.TileWMS.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.TileWMS#get" class="">
<a href="ol.source.TileWMS.html#get">get</a>
</li>
<li data-name="ol.source.TileWMS#getAttributions" class="">
<a href="ol.source.TileWMS.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.TileWMS#getGetFeatureInfoUrl" class="">
<a href="ol.source.TileWMS.html#getGetFeatureInfoUrl">getGetFeatureInfoUrl</a>
</li>
<li data-name="ol.source.TileWMS#getKeys" class="">
<a href="ol.source.TileWMS.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.TileWMS#getLogo" class="">
<a href="ol.source.TileWMS.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.TileWMS#getParams" class="">
<a href="ol.source.TileWMS.html#getParams">getParams</a>
</li>
<li data-name="ol.source.TileWMS#getProjection" class="unstable">
<a href="ol.source.TileWMS.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.TileWMS#getProperties" class="">
<a href="ol.source.TileWMS.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.TileWMS#getRevision" class="unstable">
<a href="ol.source.TileWMS.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.TileWMS#getState" class="unstable">
<a href="ol.source.TileWMS.html#getState">getState</a>
</li>
<li data-name="ol.source.TileWMS#getTileGrid" class="">
<a href="ol.source.TileWMS.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.TileWMS#getTileLoadFunction" class="unstable">
<a href="ol.source.TileWMS.html#getTileLoadFunction">getTileLoadFunction</a>
</li>
<li data-name="ol.source.TileWMS#getTileUrlFunction" class="unstable">
<a href="ol.source.TileWMS.html#getTileUrlFunction">getTileUrlFunction</a>
</li>
<li data-name="ol.source.TileWMS#getUrls" class="unstable">
<a href="ol.source.TileWMS.html#getUrls">getUrls</a>
</li>
<li data-name="ol.source.TileWMS#on" class="">
<a href="ol.source.TileWMS.html#on">on</a>
</li>
<li data-name="ol.source.TileWMS#once" class="">
<a href="ol.source.TileWMS.html#once">once</a>
</li>
<li data-name="ol.source.TileWMS#set" class="">
<a href="ol.source.TileWMS.html#set">set</a>
</li>
<li data-name="ol.source.TileWMS#setAttributions" class="unstable">
<a href="ol.source.TileWMS.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.TileWMS#setProperties" class="">
<a href="ol.source.TileWMS.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.TileWMS#setRenderReprojectionEdges" class="unstable">
<a href="ol.source.TileWMS.html#setRenderReprojectionEdges">setRenderReprojectionEdges</a>
</li>
<li data-name="ol.source.TileWMS#setTileGridForProjection" class="unstable">
<a href="ol.source.TileWMS.html#setTileGridForProjection">setTileGridForProjection</a>
</li>
<li data-name="ol.source.TileWMS#setTileLoadFunction" class="unstable">
<a href="ol.source.TileWMS.html#setTileLoadFunction">setTileLoadFunction</a>
</li>
<li data-name="ol.source.TileWMS#setTileUrlFunction" class="unstable">
<a href="ol.source.TileWMS.html#setTileUrlFunction">setTileUrlFunction</a>
</li>
<li data-name="ol.source.TileWMS#setUrl" class="">
<a href="ol.source.TileWMS.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.TileWMS#setUrls" class="">
<a href="ol.source.TileWMS.html#setUrls">setUrls</a>
</li>
<li data-name="ol.source.TileWMS#un" class="">
<a href="ol.source.TileWMS.html#un">un</a>
</li>
<li data-name="ol.source.TileWMS#unByKey" class="">
<a href="ol.source.TileWMS.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.TileWMS#unset" class="">
<a href="ol.source.TileWMS.html#unset">unset</a>
</li>
<li data-name="ol.source.TileWMS#updateParams" class="">
<a href="ol.source.TileWMS.html#updateParams">updateParams</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadend" class="">
<a href="ol.source.TileEvent.html#event:tileloadend">tileloadend</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloaderror" class="">
<a href="ol.source.TileEvent.html#event:tileloaderror">tileloaderror</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadstart" class="">
<a href="ol.source.TileEvent.html#event:tileloadstart">tileloadstart</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.UrlTile">
<span class="title">
<a href="ol.source.UrlTile.html">ol.source.UrlTile</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.UrlTile#changed" class="unstable">
<a href="ol.source.UrlTile.html#changed">changed</a>
</li>
<li data-name="ol.source.UrlTile#dispatchEvent" class="unstable">
<a href="ol.source.UrlTile.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.UrlTile#get" class="">
<a href="ol.source.UrlTile.html#get">get</a>
</li>
<li data-name="ol.source.UrlTile#getAttributions" class="">
<a href="ol.source.UrlTile.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.UrlTile#getKeys" class="">
<a href="ol.source.UrlTile.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.UrlTile#getLogo" class="">
<a href="ol.source.UrlTile.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.UrlTile#getProjection" class="unstable">
<a href="ol.source.UrlTile.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.UrlTile#getProperties" class="">
<a href="ol.source.UrlTile.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.UrlTile#getRevision" class="unstable">
<a href="ol.source.UrlTile.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.UrlTile#getState" class="unstable">
<a href="ol.source.UrlTile.html#getState">getState</a>
</li>
<li data-name="ol.source.UrlTile#getTileGrid" class="">
<a href="ol.source.UrlTile.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.UrlTile#getTileLoadFunction" class="unstable">
<a href="ol.source.UrlTile.html#getTileLoadFunction">getTileLoadFunction</a>
</li>
<li data-name="ol.source.UrlTile#getTileUrlFunction" class="unstable">
<a href="ol.source.UrlTile.html#getTileUrlFunction">getTileUrlFunction</a>
</li>
<li data-name="ol.source.UrlTile#getUrls" class="unstable">
<a href="ol.source.UrlTile.html#getUrls">getUrls</a>
</li>
<li data-name="ol.source.UrlTile#on" class="">
<a href="ol.source.UrlTile.html#on">on</a>
</li>
<li data-name="ol.source.UrlTile#once" class="">
<a href="ol.source.UrlTile.html#once">once</a>
</li>
<li data-name="ol.source.UrlTile#set" class="">
<a href="ol.source.UrlTile.html#set">set</a>
</li>
<li data-name="ol.source.UrlTile#setAttributions" class="unstable">
<a href="ol.source.UrlTile.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.UrlTile#setProperties" class="">
<a href="ol.source.UrlTile.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.UrlTile#setTileLoadFunction" class="unstable">
<a href="ol.source.UrlTile.html#setTileLoadFunction">setTileLoadFunction</a>
</li>
<li data-name="ol.source.UrlTile#setTileUrlFunction" class="unstable">
<a href="ol.source.UrlTile.html#setTileUrlFunction">setTileUrlFunction</a>
</li>
<li data-name="ol.source.UrlTile#setUrl" class="">
<a href="ol.source.UrlTile.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.UrlTile#setUrls" class="">
<a href="ol.source.UrlTile.html#setUrls">setUrls</a>
</li>
<li data-name="ol.source.UrlTile#un" class="">
<a href="ol.source.UrlTile.html#un">un</a>
</li>
<li data-name="ol.source.UrlTile#unByKey" class="">
<a href="ol.source.UrlTile.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.UrlTile#unset" class="">
<a href="ol.source.UrlTile.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="ol.source.TileEvent#event:tileloadstart" class="">
<a href="ol.source.TileEvent.html#event:tileloadstart">tileloadstart</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadend" class="">
<a href="ol.source.TileEvent.html#event:tileloadend">tileloadend</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloaderror" class="">
<a href="ol.source.TileEvent.html#event:tileloaderror">tileloaderror</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.Vector">
<span class="title">
<a href="ol.source.Vector.html">ol.source.Vector</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.Vector#addFeature" class="">
<a href="ol.source.Vector.html#addFeature">addFeature</a>
</li>
<li data-name="ol.source.Vector#addFeatures" class="">
<a href="ol.source.Vector.html#addFeatures">addFeatures</a>
</li>
<li data-name="ol.source.Vector#changed" class="unstable">
<a href="ol.source.Vector.html#changed">changed</a>
</li>
<li data-name="ol.source.Vector#clear" class="">
<a href="ol.source.Vector.html#clear">clear</a>
</li>
<li data-name="ol.source.Vector#dispatchEvent" class="unstable">
<a href="ol.source.Vector.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.Vector#forEachFeature" class="">
<a href="ol.source.Vector.html#forEachFeature">forEachFeature</a>
</li>
<li data-name="ol.source.Vector#forEachFeatureInExtent" class="unstable">
<a href="ol.source.Vector.html#forEachFeatureInExtent">forEachFeatureInExtent</a>
</li>
<li data-name="ol.source.Vector#forEachFeatureIntersectingExtent" class="unstable">
<a href="ol.source.Vector.html#forEachFeatureIntersectingExtent">forEachFeatureIntersectingExtent</a>
</li>
<li data-name="ol.source.Vector#get" class="">
<a href="ol.source.Vector.html#get">get</a>
</li>
<li data-name="ol.source.Vector#getAttributions" class="">
<a href="ol.source.Vector.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.Vector#getClosestFeatureToCoordinate" class="">
<a href="ol.source.Vector.html#getClosestFeatureToCoordinate">getClosestFeatureToCoordinate</a>
</li>
<li data-name="ol.source.Vector#getExtent" class="">
<a href="ol.source.Vector.html#getExtent">getExtent</a>
</li>
<li data-name="ol.source.Vector#getFeatureById" class="">
<a href="ol.source.Vector.html#getFeatureById">getFeatureById</a>
</li>
<li data-name="ol.source.Vector#getFeatures" class="">
<a href="ol.source.Vector.html#getFeatures">getFeatures</a>
</li>
<li data-name="ol.source.Vector#getFeaturesAtCoordinate" class="">
<a href="ol.source.Vector.html#getFeaturesAtCoordinate">getFeaturesAtCoordinate</a>
</li>
<li data-name="ol.source.Vector#getFeaturesCollection" class="unstable">
<a href="ol.source.Vector.html#getFeaturesCollection">getFeaturesCollection</a>
</li>
<li data-name="ol.source.Vector#getFeaturesInExtent" class="unstable">
<a href="ol.source.Vector.html#getFeaturesInExtent">getFeaturesInExtent</a>
</li>
<li data-name="ol.source.Vector#getKeys" class="">
<a href="ol.source.Vector.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.Vector#getLogo" class="">
<a href="ol.source.Vector.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.Vector#getProjection" class="unstable">
<a href="ol.source.Vector.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.Vector#getProperties" class="">
<a href="ol.source.Vector.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.Vector#getRevision" class="unstable">
<a href="ol.source.Vector.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.Vector#getState" class="unstable">
<a href="ol.source.Vector.html#getState">getState</a>
</li>
<li data-name="ol.source.Vector#on" class="">
<a href="ol.source.Vector.html#on">on</a>
</li>
<li data-name="ol.source.Vector#once" class="">
<a href="ol.source.Vector.html#once">once</a>
</li>
<li data-name="ol.source.Vector#removeFeature" class="">
<a href="ol.source.Vector.html#removeFeature">removeFeature</a>
</li>
<li data-name="ol.source.Vector#set" class="">
<a href="ol.source.Vector.html#set">set</a>
</li>
<li data-name="ol.source.Vector#setAttributions" class="unstable">
<a href="ol.source.Vector.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.Vector#setProperties" class="">
<a href="ol.source.Vector.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.Vector#un" class="">
<a href="ol.source.Vector.html#un">un</a>
</li>
<li data-name="ol.source.Vector#unByKey" class="">
<a href="ol.source.Vector.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.Vector#unset" class="">
<a href="ol.source.Vector.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="ol.source.VectorEvent#event:addfeature" class="">
<a href="ol.source.VectorEvent.html#event:addfeature">addfeature</a>
</li>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.source.VectorEvent#event:changefeature" class="unstable">
<a href="ol.source.VectorEvent.html#event:changefeature">changefeature</a>
</li>
<li data-name="ol.source.VectorEvent#event:clear" class="unstable">
<a href="ol.source.VectorEvent.html#event:clear">clear</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.VectorEvent#event:removefeature" class="">
<a href="ol.source.VectorEvent.html#event:removefeature">removefeature</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.VectorEvent">
<span class="title">
<a href="ol.source.VectorEvent.html">ol.source.VectorEvent</a>
</span>
<ul class="members itemMembers">
<span class="subtitle">Members</span>
<li data-name="ol.source.VectorEvent#feature"><a href="ol.source.VectorEvent.html#feature">feature</a></li>
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.source.VectorTile">
<span class="title">
<a href="ol.source.VectorTile.html">ol.source.VectorTile</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.VectorTile#changed" class="unstable">
<a href="ol.source.VectorTile.html#changed">changed</a>
</li>
<li data-name="ol.source.VectorTile#dispatchEvent" class="unstable">
<a href="ol.source.VectorTile.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.VectorTile#get" class="">
<a href="ol.source.VectorTile.html#get">get</a>
</li>
<li data-name="ol.source.VectorTile#getAttributions" class="">
<a href="ol.source.VectorTile.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.VectorTile#getKeys" class="">
<a href="ol.source.VectorTile.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.VectorTile#getLogo" class="">
<a href="ol.source.VectorTile.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.VectorTile#getProjection" class="unstable">
<a href="ol.source.VectorTile.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.VectorTile#getProperties" class="">
<a href="ol.source.VectorTile.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.VectorTile#getRevision" class="unstable">
<a href="ol.source.VectorTile.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.VectorTile#getState" class="unstable">
<a href="ol.source.VectorTile.html#getState">getState</a>
</li>
<li data-name="ol.source.VectorTile#getTileGrid" class="">
<a href="ol.source.VectorTile.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.VectorTile#getTileLoadFunction" class="unstable">
<a href="ol.source.VectorTile.html#getTileLoadFunction">getTileLoadFunction</a>
</li>
<li data-name="ol.source.VectorTile#getTileUrlFunction" class="unstable">
<a href="ol.source.VectorTile.html#getTileUrlFunction">getTileUrlFunction</a>
</li>
<li data-name="ol.source.VectorTile#getUrls" class="unstable">
<a href="ol.source.VectorTile.html#getUrls">getUrls</a>
</li>
<li data-name="ol.source.VectorTile#on" class="">
<a href="ol.source.VectorTile.html#on">on</a>
</li>
<li data-name="ol.source.VectorTile#once" class="">
<a href="ol.source.VectorTile.html#once">once</a>
</li>
<li data-name="ol.source.VectorTile#set" class="">
<a href="ol.source.VectorTile.html#set">set</a>
</li>
<li data-name="ol.source.VectorTile#setAttributions" class="unstable">
<a href="ol.source.VectorTile.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.VectorTile#setProperties" class="">
<a href="ol.source.VectorTile.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.VectorTile#setTileLoadFunction" class="unstable">
<a href="ol.source.VectorTile.html#setTileLoadFunction">setTileLoadFunction</a>
</li>
<li data-name="ol.source.VectorTile#setTileUrlFunction" class="unstable">
<a href="ol.source.VectorTile.html#setTileUrlFunction">setTileUrlFunction</a>
</li>
<li data-name="ol.source.VectorTile#setUrl" class="">
<a href="ol.source.VectorTile.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.VectorTile#setUrls" class="">
<a href="ol.source.VectorTile.html#setUrls">setUrls</a>
</li>
<li data-name="ol.source.VectorTile#un" class="">
<a href="ol.source.VectorTile.html#un">un</a>
</li>
<li data-name="ol.source.VectorTile#unByKey" class="">
<a href="ol.source.VectorTile.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.VectorTile#unset" class="">
<a href="ol.source.VectorTile.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadend" class="">
<a href="ol.source.TileEvent.html#event:tileloadend">tileloadend</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloaderror" class="">
<a href="ol.source.TileEvent.html#event:tileloaderror">tileloaderror</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadstart" class="">
<a href="ol.source.TileEvent.html#event:tileloadstart">tileloadstart</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.WMTS">
<span class="title">
<a href="ol.source.WMTS.html">ol.source.WMTS</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.WMTS.optionsFromCapabilities" class="unstable">
<a href="ol.source.WMTS.html#.optionsFromCapabilities">optionsFromCapabilities</a>
</li>
<li data-name="ol.source.WMTS#changed" class="unstable">
<a href="ol.source.WMTS.html#changed">changed</a>
</li>
<li data-name="ol.source.WMTS#dispatchEvent" class="unstable">
<a href="ol.source.WMTS.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.WMTS#get" class="">
<a href="ol.source.WMTS.html#get">get</a>
</li>
<li data-name="ol.source.WMTS#getAttributions" class="">
<a href="ol.source.WMTS.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.WMTS#getDimensions" class="unstable">
<a href="ol.source.WMTS.html#getDimensions">getDimensions</a>
</li>
<li data-name="ol.source.WMTS#getFormat" class="unstable">
<a href="ol.source.WMTS.html#getFormat">getFormat</a>
</li>
<li data-name="ol.source.WMTS#getKeys" class="">
<a href="ol.source.WMTS.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.WMTS#getLayer" class="unstable">
<a href="ol.source.WMTS.html#getLayer">getLayer</a>
</li>
<li data-name="ol.source.WMTS#getLogo" class="">
<a href="ol.source.WMTS.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.WMTS#getMatrixSet" class="unstable">
<a href="ol.source.WMTS.html#getMatrixSet">getMatrixSet</a>
</li>
<li data-name="ol.source.WMTS#getProjection" class="unstable">
<a href="ol.source.WMTS.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.WMTS#getProperties" class="">
<a href="ol.source.WMTS.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.WMTS#getRequestEncoding" class="unstable">
<a href="ol.source.WMTS.html#getRequestEncoding">getRequestEncoding</a>
</li>
<li data-name="ol.source.WMTS#getRevision" class="unstable">
<a href="ol.source.WMTS.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.WMTS#getState" class="unstable">
<a href="ol.source.WMTS.html#getState">getState</a>
</li>
<li data-name="ol.source.WMTS#getStyle" class="unstable">
<a href="ol.source.WMTS.html#getStyle">getStyle</a>
</li>
<li data-name="ol.source.WMTS#getTileGrid" class="">
<a href="ol.source.WMTS.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.WMTS#getTileLoadFunction" class="unstable">
<a href="ol.source.WMTS.html#getTileLoadFunction">getTileLoadFunction</a>
</li>
<li data-name="ol.source.WMTS#getTileUrlFunction" class="unstable">
<a href="ol.source.WMTS.html#getTileUrlFunction">getTileUrlFunction</a>
</li>
<li data-name="ol.source.WMTS#getUrls" class="unstable">
<a href="ol.source.WMTS.html#getUrls">getUrls</a>
</li>
<li data-name="ol.source.WMTS#getVersion" class="unstable">
<a href="ol.source.WMTS.html#getVersion">getVersion</a>
</li>
<li data-name="ol.source.WMTS#on" class="">
<a href="ol.source.WMTS.html#on">on</a>
</li>
<li data-name="ol.source.WMTS#once" class="">
<a href="ol.source.WMTS.html#once">once</a>
</li>
<li data-name="ol.source.WMTS#set" class="">
<a href="ol.source.WMTS.html#set">set</a>
</li>
<li data-name="ol.source.WMTS#setAttributions" class="unstable">
<a href="ol.source.WMTS.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.WMTS#setProperties" class="">
<a href="ol.source.WMTS.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.WMTS#setRenderReprojectionEdges" class="unstable">
<a href="ol.source.WMTS.html#setRenderReprojectionEdges">setRenderReprojectionEdges</a>
</li>
<li data-name="ol.source.WMTS#setTileGridForProjection" class="unstable">
<a href="ol.source.WMTS.html#setTileGridForProjection">setTileGridForProjection</a>
</li>
<li data-name="ol.source.WMTS#setTileLoadFunction" class="unstable">
<a href="ol.source.WMTS.html#setTileLoadFunction">setTileLoadFunction</a>
</li>
<li data-name="ol.source.WMTS#setTileUrlFunction" class="unstable">
<a href="ol.source.WMTS.html#setTileUrlFunction">setTileUrlFunction</a>
</li>
<li data-name="ol.source.WMTS#setUrl" class="">
<a href="ol.source.WMTS.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.WMTS#setUrls" class="">
<a href="ol.source.WMTS.html#setUrls">setUrls</a>
</li>
<li data-name="ol.source.WMTS#un" class="">
<a href="ol.source.WMTS.html#un">un</a>
</li>
<li data-name="ol.source.WMTS#unByKey" class="">
<a href="ol.source.WMTS.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.WMTS#unset" class="">
<a href="ol.source.WMTS.html#unset">unset</a>
</li>
<li data-name="ol.source.WMTS#updateDimensions" class="unstable">
<a href="ol.source.WMTS.html#updateDimensions">updateDimensions</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadend" class="">
<a href="ol.source.TileEvent.html#event:tileloadend">tileloadend</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloaderror" class="">
<a href="ol.source.TileEvent.html#event:tileloaderror">tileloaderror</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadstart" class="">
<a href="ol.source.TileEvent.html#event:tileloadstart">tileloadstart</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.XYZ">
<span class="title">
<a href="ol.source.XYZ.html">ol.source.XYZ</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.XYZ#changed" class="unstable">
<a href="ol.source.XYZ.html#changed">changed</a>
</li>
<li data-name="ol.source.XYZ#dispatchEvent" class="unstable">
<a href="ol.source.XYZ.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.XYZ#get" class="">
<a href="ol.source.XYZ.html#get">get</a>
</li>
<li data-name="ol.source.XYZ#getAttributions" class="">
<a href="ol.source.XYZ.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.XYZ#getKeys" class="">
<a href="ol.source.XYZ.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.XYZ#getLogo" class="">
<a href="ol.source.XYZ.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.XYZ#getProjection" class="unstable">
<a href="ol.source.XYZ.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.XYZ#getProperties" class="">
<a href="ol.source.XYZ.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.XYZ#getRevision" class="unstable">
<a href="ol.source.XYZ.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.XYZ#getState" class="unstable">
<a href="ol.source.XYZ.html#getState">getState</a>
</li>
<li data-name="ol.source.XYZ#getTileGrid" class="">
<a href="ol.source.XYZ.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.XYZ#getTileLoadFunction" class="unstable">
<a href="ol.source.XYZ.html#getTileLoadFunction">getTileLoadFunction</a>
</li>
<li data-name="ol.source.XYZ#getTileUrlFunction" class="unstable">
<a href="ol.source.XYZ.html#getTileUrlFunction">getTileUrlFunction</a>
</li>
<li data-name="ol.source.XYZ#getUrls" class="unstable">
<a href="ol.source.XYZ.html#getUrls">getUrls</a>
</li>
<li data-name="ol.source.XYZ#on" class="">
<a href="ol.source.XYZ.html#on">on</a>
</li>
<li data-name="ol.source.XYZ#once" class="">
<a href="ol.source.XYZ.html#once">once</a>
</li>
<li data-name="ol.source.XYZ#set" class="">
<a href="ol.source.XYZ.html#set">set</a>
</li>
<li data-name="ol.source.XYZ#setAttributions" class="unstable">
<a href="ol.source.XYZ.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.XYZ#setProperties" class="">
<a href="ol.source.XYZ.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.XYZ#setRenderReprojectionEdges" class="unstable">
<a href="ol.source.XYZ.html#setRenderReprojectionEdges">setRenderReprojectionEdges</a>
</li>
<li data-name="ol.source.XYZ#setTileGridForProjection" class="unstable">
<a href="ol.source.XYZ.html#setTileGridForProjection">setTileGridForProjection</a>
</li>
<li data-name="ol.source.XYZ#setTileLoadFunction" class="unstable">
<a href="ol.source.XYZ.html#setTileLoadFunction">setTileLoadFunction</a>
</li>
<li data-name="ol.source.XYZ#setTileUrlFunction" class="unstable">
<a href="ol.source.XYZ.html#setTileUrlFunction">setTileUrlFunction</a>
</li>
<li data-name="ol.source.XYZ#setUrl" class="">
<a href="ol.source.XYZ.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.XYZ#setUrls" class="">
<a href="ol.source.XYZ.html#setUrls">setUrls</a>
</li>
<li data-name="ol.source.XYZ#un" class="">
<a href="ol.source.XYZ.html#un">un</a>
</li>
<li data-name="ol.source.XYZ#unByKey" class="">
<a href="ol.source.XYZ.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.XYZ#unset" class="">
<a href="ol.source.XYZ.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadend" class="">
<a href="ol.source.TileEvent.html#event:tileloadend">tileloadend</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloaderror" class="">
<a href="ol.source.TileEvent.html#event:tileloaderror">tileloaderror</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadstart" class="">
<a href="ol.source.TileEvent.html#event:tileloadstart">tileloadstart</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.Zoomify">
<span class="title">
<a href="ol.source.Zoomify.html">ol.source.Zoomify</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.source.Zoomify#changed" class="unstable">
<a href="ol.source.Zoomify.html#changed">changed</a>
</li>
<li data-name="ol.source.Zoomify#dispatchEvent" class="unstable">
<a href="ol.source.Zoomify.html#dispatchEvent">dispatchEvent</a>
</li>
<li data-name="ol.source.Zoomify#get" class="">
<a href="ol.source.Zoomify.html#get">get</a>
</li>
<li data-name="ol.source.Zoomify#getAttributions" class="">
<a href="ol.source.Zoomify.html#getAttributions">getAttributions</a>
</li>
<li data-name="ol.source.Zoomify#getKeys" class="">
<a href="ol.source.Zoomify.html#getKeys">getKeys</a>
</li>
<li data-name="ol.source.Zoomify#getLogo" class="">
<a href="ol.source.Zoomify.html#getLogo">getLogo</a>
</li>
<li data-name="ol.source.Zoomify#getProjection" class="unstable">
<a href="ol.source.Zoomify.html#getProjection">getProjection</a>
</li>
<li data-name="ol.source.Zoomify#getProperties" class="">
<a href="ol.source.Zoomify.html#getProperties">getProperties</a>
</li>
<li data-name="ol.source.Zoomify#getRevision" class="unstable">
<a href="ol.source.Zoomify.html#getRevision">getRevision</a>
</li>
<li data-name="ol.source.Zoomify#getState" class="unstable">
<a href="ol.source.Zoomify.html#getState">getState</a>
</li>
<li data-name="ol.source.Zoomify#getTileGrid" class="">
<a href="ol.source.Zoomify.html#getTileGrid">getTileGrid</a>
</li>
<li data-name="ol.source.Zoomify#getTileLoadFunction" class="unstable">
<a href="ol.source.Zoomify.html#getTileLoadFunction">getTileLoadFunction</a>
</li>
<li data-name="ol.source.Zoomify#getTileUrlFunction" class="unstable">
<a href="ol.source.Zoomify.html#getTileUrlFunction">getTileUrlFunction</a>
</li>
<li data-name="ol.source.Zoomify#getUrls" class="unstable">
<a href="ol.source.Zoomify.html#getUrls">getUrls</a>
</li>
<li data-name="ol.source.Zoomify#on" class="">
<a href="ol.source.Zoomify.html#on">on</a>
</li>
<li data-name="ol.source.Zoomify#once" class="">
<a href="ol.source.Zoomify.html#once">once</a>
</li>
<li data-name="ol.source.Zoomify#set" class="">
<a href="ol.source.Zoomify.html#set">set</a>
</li>
<li data-name="ol.source.Zoomify#setAttributions" class="unstable">
<a href="ol.source.Zoomify.html#setAttributions">setAttributions</a>
</li>
<li data-name="ol.source.Zoomify#setProperties" class="">
<a href="ol.source.Zoomify.html#setProperties">setProperties</a>
</li>
<li data-name="ol.source.Zoomify#setRenderReprojectionEdges" class="unstable">
<a href="ol.source.Zoomify.html#setRenderReprojectionEdges">setRenderReprojectionEdges</a>
</li>
<li data-name="ol.source.Zoomify#setTileGridForProjection" class="unstable">
<a href="ol.source.Zoomify.html#setTileGridForProjection">setTileGridForProjection</a>
</li>
<li data-name="ol.source.Zoomify#setTileLoadFunction" class="unstable">
<a href="ol.source.Zoomify.html#setTileLoadFunction">setTileLoadFunction</a>
</li>
<li data-name="ol.source.Zoomify#setTileUrlFunction" class="unstable">
<a href="ol.source.Zoomify.html#setTileUrlFunction">setTileUrlFunction</a>
</li>
<li data-name="ol.source.Zoomify#setUrl" class="">
<a href="ol.source.Zoomify.html#setUrl">setUrl</a>
</li>
<li data-name="ol.source.Zoomify#setUrls" class="">
<a href="ol.source.Zoomify.html#setUrls">setUrls</a>
</li>
<li data-name="ol.source.Zoomify#un" class="">
<a href="ol.source.Zoomify.html#un">un</a>
</li>
<li data-name="ol.source.Zoomify#unByKey" class="">
<a href="ol.source.Zoomify.html#unByKey">unByKey</a>
</li>
<li data-name="ol.source.Zoomify#unset" class="">
<a href="ol.source.Zoomify.html#unset">unset</a>
</li>
</ul>
<ul class="fires itemMembers">
<span class="subtitle">Fires</span>
<li data-name="event:change" class="unstable">
<a href="global.html#event:change">change</a>
</li>
<li data-name="ol.ObjectEvent#event:propertychange" class="">
<a href="ol.ObjectEvent.html#event:propertychange">propertychange</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadend" class="">
<a href="ol.source.TileEvent.html#event:tileloadend">tileloadend</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloaderror" class="">
<a href="ol.source.TileEvent.html#event:tileloaderror">tileloaderror</a>
</li>
<li data-name="ol.source.TileEvent#event:tileloadstart" class="">
<a href="ol.source.TileEvent.html#event:tileloadstart">tileloadstart</a>
</li>
</ul>
</li>
<li class="item" data-name="ol.source.wms">
<span class="title">
<a href="ol.source.wms.html">ol.source.wms</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
<span class="subtitle">Typedefs</span>
<li data-name="ol.source.wms.ServerType" class="unstable">
<a href="ol.source.wms.html#.ServerType">ServerType</a>
</li>
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.style">
<span class="title">
<a href="ol.style.html">ol.style</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
<span class="subtitle">Typedefs</span>
<li data-name="ol.style.GeometryFunction" class="unstable">
<a href="ol.style.html#.GeometryFunction">GeometryFunction</a>
</li>
<li data-name="ol.style.IconAnchorUnits" class="unstable">
<a href="ol.style.html#.IconAnchorUnits">IconAnchorUnits</a>
</li>
<li data-name="ol.style.IconOrigin" class="unstable">
<a href="ol.style.html#.IconOrigin">IconOrigin</a>
</li>
<li data-name="ol.style.StyleFunction" class="unstable">
<a href="ol.style.html#.StyleFunction">StyleFunction</a>
</li>
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.style.AtlasManager">
<span class="title">
<a href="ol.style.AtlasManager.html">ol.style.AtlasManager</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.style.Circle">
<span class="title">
<a href="ol.style.Circle.html">ol.style.Circle</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.style.Circle#getFill" class="unstable">
<a href="ol.style.Circle.html#getFill">getFill</a>
</li>
<li data-name="ol.style.Circle#getImage" class="unstable">
<a href="ol.style.Circle.html#getImage">getImage</a>
</li>
<li data-name="ol.style.Circle#getOpacity" class="unstable">
<a href="ol.style.Circle.html#getOpacity">getOpacity</a>
</li>
<li data-name="ol.style.Circle#getRadius" class="unstable">
<a href="ol.style.Circle.html#getRadius">getRadius</a>
</li>
<li data-name="ol.style.Circle#getRotateWithView" class="unstable">
<a href="ol.style.Circle.html#getRotateWithView">getRotateWithView</a>
</li>
<li data-name="ol.style.Circle#getRotation" class="unstable">
<a href="ol.style.Circle.html#getRotation">getRotation</a>
</li>
<li data-name="ol.style.Circle#getScale" class="unstable">
<a href="ol.style.Circle.html#getScale">getScale</a>
</li>
<li data-name="ol.style.Circle#getSnapToPixel" class="unstable">
<a href="ol.style.Circle.html#getSnapToPixel">getSnapToPixel</a>
</li>
<li data-name="ol.style.Circle#getStroke" class="unstable">
<a href="ol.style.Circle.html#getStroke">getStroke</a>
</li>
<li data-name="ol.style.Circle#setOpacity" class="unstable">
<a href="ol.style.Circle.html#setOpacity">setOpacity</a>
</li>
<li data-name="ol.style.Circle#setRotation" class="unstable">
<a href="ol.style.Circle.html#setRotation">setRotation</a>
</li>
<li data-name="ol.style.Circle#setScale" class="unstable">
<a href="ol.style.Circle.html#setScale">setScale</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.style.Fill">
<span class="title">
<a href="ol.style.Fill.html">ol.style.Fill</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.style.Fill#getColor" class="unstable">
<a href="ol.style.Fill.html#getColor">getColor</a>
</li>
<li data-name="ol.style.Fill#setColor" class="unstable">
<a href="ol.style.Fill.html#setColor">setColor</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.style.Icon">
<span class="title">
<a href="ol.style.Icon.html">ol.style.Icon</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.style.Icon#getAnchor" class="unstable">
<a href="ol.style.Icon.html#getAnchor">getAnchor</a>
</li>
<li data-name="ol.style.Icon#getImage" class="unstable">
<a href="ol.style.Icon.html#getImage">getImage</a>
</li>
<li data-name="ol.style.Icon#getOpacity" class="unstable">
<a href="ol.style.Icon.html#getOpacity">getOpacity</a>
</li>
<li data-name="ol.style.Icon#getOrigin" class="unstable">
<a href="ol.style.Icon.html#getOrigin">getOrigin</a>
</li>
<li data-name="ol.style.Icon#getRotateWithView" class="unstable">
<a href="ol.style.Icon.html#getRotateWithView">getRotateWithView</a>
</li>
<li data-name="ol.style.Icon#getRotation" class="unstable">
<a href="ol.style.Icon.html#getRotation">getRotation</a>
</li>
<li data-name="ol.style.Icon#getScale" class="unstable">
<a href="ol.style.Icon.html#getScale">getScale</a>
</li>
<li data-name="ol.style.Icon#getSize" class="unstable">
<a href="ol.style.Icon.html#getSize">getSize</a>
</li>
<li data-name="ol.style.Icon#getSnapToPixel" class="unstable">
<a href="ol.style.Icon.html#getSnapToPixel">getSnapToPixel</a>
</li>
<li data-name="ol.style.Icon#getSrc" class="unstable">
<a href="ol.style.Icon.html#getSrc">getSrc</a>
</li>
<li data-name="ol.style.Icon#load" class="unstable">
<a href="ol.style.Icon.html#load">load</a>
</li>
<li data-name="ol.style.Icon#setOpacity" class="unstable">
<a href="ol.style.Icon.html#setOpacity">setOpacity</a>
</li>
<li data-name="ol.style.Icon#setRotation" class="unstable">
<a href="ol.style.Icon.html#setRotation">setRotation</a>
</li>
<li data-name="ol.style.Icon#setScale" class="unstable">
<a href="ol.style.Icon.html#setScale">setScale</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.style.Image">
<span class="title">
<a href="ol.style.Image.html">ol.style.Image</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.style.Image#getOpacity" class="unstable">
<a href="ol.style.Image.html#getOpacity">getOpacity</a>
</li>
<li data-name="ol.style.Image#getRotateWithView" class="unstable">
<a href="ol.style.Image.html#getRotateWithView">getRotateWithView</a>
</li>
<li data-name="ol.style.Image#getRotation" class="unstable">
<a href="ol.style.Image.html#getRotation">getRotation</a>
</li>
<li data-name="ol.style.Image#getScale" class="unstable">
<a href="ol.style.Image.html#getScale">getScale</a>
</li>
<li data-name="ol.style.Image#getSnapToPixel" class="unstable">
<a href="ol.style.Image.html#getSnapToPixel">getSnapToPixel</a>
</li>
<li data-name="ol.style.Image#setOpacity" class="unstable">
<a href="ol.style.Image.html#setOpacity">setOpacity</a>
</li>
<li data-name="ol.style.Image#setRotation" class="unstable">
<a href="ol.style.Image.html#setRotation">setRotation</a>
</li>
<li data-name="ol.style.Image#setScale" class="unstable">
<a href="ol.style.Image.html#setScale">setScale</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.style.RegularShape">
<span class="title">
<a href="ol.style.RegularShape.html">ol.style.RegularShape</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.style.RegularShape#getAnchor" class="unstable">
<a href="ol.style.RegularShape.html#getAnchor">getAnchor</a>
</li>
<li data-name="ol.style.RegularShape#getAngle" class="unstable">
<a href="ol.style.RegularShape.html#getAngle">getAngle</a>
</li>
<li data-name="ol.style.RegularShape#getFill" class="unstable">
<a href="ol.style.RegularShape.html#getFill">getFill</a>
</li>
<li data-name="ol.style.RegularShape#getImage" class="unstable">
<a href="ol.style.RegularShape.html#getImage">getImage</a>
</li>
<li data-name="ol.style.RegularShape#getOpacity" class="unstable">
<a href="ol.style.RegularShape.html#getOpacity">getOpacity</a>
</li>
<li data-name="ol.style.RegularShape#getOrigin" class="unstable">
<a href="ol.style.RegularShape.html#getOrigin">getOrigin</a>
</li>
<li data-name="ol.style.RegularShape#getPoints" class="unstable">
<a href="ol.style.RegularShape.html#getPoints">getPoints</a>
</li>
<li data-name="ol.style.RegularShape#getRadius" class="unstable">
<a href="ol.style.RegularShape.html#getRadius">getRadius</a>
</li>
<li data-name="ol.style.RegularShape#getRadius2" class="unstable">
<a href="ol.style.RegularShape.html#getRadius2">getRadius2</a>
</li>
<li data-name="ol.style.RegularShape#getRotateWithView" class="unstable">
<a href="ol.style.RegularShape.html#getRotateWithView">getRotateWithView</a>
</li>
<li data-name="ol.style.RegularShape#getRotation" class="unstable">
<a href="ol.style.RegularShape.html#getRotation">getRotation</a>
</li>
<li data-name="ol.style.RegularShape#getScale" class="unstable">
<a href="ol.style.RegularShape.html#getScale">getScale</a>
</li>
<li data-name="ol.style.RegularShape#getSize" class="unstable">
<a href="ol.style.RegularShape.html#getSize">getSize</a>
</li>
<li data-name="ol.style.RegularShape#getSnapToPixel" class="unstable">
<a href="ol.style.RegularShape.html#getSnapToPixel">getSnapToPixel</a>
</li>
<li data-name="ol.style.RegularShape#getStroke" class="unstable">
<a href="ol.style.RegularShape.html#getStroke">getStroke</a>
</li>
<li data-name="ol.style.RegularShape#setOpacity" class="unstable">
<a href="ol.style.RegularShape.html#setOpacity">setOpacity</a>
</li>
<li data-name="ol.style.RegularShape#setRotation" class="unstable">
<a href="ol.style.RegularShape.html#setRotation">setRotation</a>
</li>
<li data-name="ol.style.RegularShape#setScale" class="unstable">
<a href="ol.style.RegularShape.html#setScale">setScale</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.style.Stroke">
<span class="title">
<a href="ol.style.Stroke.html">ol.style.Stroke</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.style.Stroke#getColor" class="unstable">
<a href="ol.style.Stroke.html#getColor">getColor</a>
</li>
<li data-name="ol.style.Stroke#getLineCap" class="unstable">
<a href="ol.style.Stroke.html#getLineCap">getLineCap</a>
</li>
<li data-name="ol.style.Stroke#getLineDash" class="unstable">
<a href="ol.style.Stroke.html#getLineDash">getLineDash</a>
</li>
<li data-name="ol.style.Stroke#getLineJoin" class="unstable">
<a href="ol.style.Stroke.html#getLineJoin">getLineJoin</a>
</li>
<li data-name="ol.style.Stroke#getMiterLimit" class="unstable">
<a href="ol.style.Stroke.html#getMiterLimit">getMiterLimit</a>
</li>
<li data-name="ol.style.Stroke#getWidth" class="unstable">
<a href="ol.style.Stroke.html#getWidth">getWidth</a>
</li>
<li data-name="ol.style.Stroke#setColor" class="unstable">
<a href="ol.style.Stroke.html#setColor">setColor</a>
</li>
<li data-name="ol.style.Stroke#setLineCap" class="unstable">
<a href="ol.style.Stroke.html#setLineCap">setLineCap</a>
</li>
<li data-name="ol.style.Stroke#setLineDash" class="unstable">
<a href="ol.style.Stroke.html#setLineDash">setLineDash</a>
</li>
<li data-name="ol.style.Stroke#setLineJoin" class="unstable">
<a href="ol.style.Stroke.html#setLineJoin">setLineJoin</a>
</li>
<li data-name="ol.style.Stroke#setMiterLimit" class="unstable">
<a href="ol.style.Stroke.html#setMiterLimit">setMiterLimit</a>
</li>
<li data-name="ol.style.Stroke#setWidth" class="unstable">
<a href="ol.style.Stroke.html#setWidth">setWidth</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.style.Style">
<span class="title">
<a href="ol.style.Style.html">ol.style.Style</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.style.Style#getFill" class="unstable">
<a href="ol.style.Style.html#getFill">getFill</a>
</li>
<li data-name="ol.style.Style#getGeometry" class="unstable">
<a href="ol.style.Style.html#getGeometry">getGeometry</a>
</li>
<li data-name="ol.style.Style#getGeometryFunction" class="unstable">
<a href="ol.style.Style.html#getGeometryFunction">getGeometryFunction</a>
</li>
<li data-name="ol.style.Style#getImage" class="unstable">
<a href="ol.style.Style.html#getImage">getImage</a>
</li>
<li data-name="ol.style.Style#getStroke" class="unstable">
<a href="ol.style.Style.html#getStroke">getStroke</a>
</li>
<li data-name="ol.style.Style#getText" class="unstable">
<a href="ol.style.Style.html#getText">getText</a>
</li>
<li data-name="ol.style.Style#getZIndex" class="unstable">
<a href="ol.style.Style.html#getZIndex">getZIndex</a>
</li>
<li data-name="ol.style.Style#setGeometry" class="unstable">
<a href="ol.style.Style.html#setGeometry">setGeometry</a>
</li>
<li data-name="ol.style.Style#setZIndex" class="unstable">
<a href="ol.style.Style.html#setZIndex">setZIndex</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.style.Text">
<span class="title">
<a href="ol.style.Text.html">ol.style.Text</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.style.Text#getFill" class="unstable">
<a href="ol.style.Text.html#getFill">getFill</a>
</li>
<li data-name="ol.style.Text#getFont" class="unstable">
<a href="ol.style.Text.html#getFont">getFont</a>
</li>
<li data-name="ol.style.Text#getOffsetX" class="unstable">
<a href="ol.style.Text.html#getOffsetX">getOffsetX</a>
</li>
<li data-name="ol.style.Text#getOffsetY" class="unstable">
<a href="ol.style.Text.html#getOffsetY">getOffsetY</a>
</li>
<li data-name="ol.style.Text#getRotation" class="unstable">
<a href="ol.style.Text.html#getRotation">getRotation</a>
</li>
<li data-name="ol.style.Text#getScale" class="unstable">
<a href="ol.style.Text.html#getScale">getScale</a>
</li>
<li data-name="ol.style.Text#getStroke" class="unstable">
<a href="ol.style.Text.html#getStroke">getStroke</a>
</li>
<li data-name="ol.style.Text#getText" class="unstable">
<a href="ol.style.Text.html#getText">getText</a>
</li>
<li data-name="ol.style.Text#getTextAlign" class="unstable">
<a href="ol.style.Text.html#getTextAlign">getTextAlign</a>
</li>
<li data-name="ol.style.Text#getTextBaseline" class="unstable">
<a href="ol.style.Text.html#getTextBaseline">getTextBaseline</a>
</li>
<li data-name="ol.style.Text#setFill" class="unstable">
<a href="ol.style.Text.html#setFill">setFill</a>
</li>
<li data-name="ol.style.Text#setFont" class="unstable">
<a href="ol.style.Text.html#setFont">setFont</a>
</li>
<li data-name="ol.style.Text#setOffsetX" class="unstable">
<a href="ol.style.Text.html#setOffsetX">setOffsetX</a>
</li>
<li data-name="ol.style.Text#setOffsetY" class="unstable">
<a href="ol.style.Text.html#setOffsetY">setOffsetY</a>
</li>
<li data-name="ol.style.Text#setRotation" class="unstable">
<a href="ol.style.Text.html#setRotation">setRotation</a>
</li>
<li data-name="ol.style.Text#setScale" class="unstable">
<a href="ol.style.Text.html#setScale">setScale</a>
</li>
<li data-name="ol.style.Text#setStroke" class="unstable">
<a href="ol.style.Text.html#setStroke">setStroke</a>
</li>
<li data-name="ol.style.Text#setText" class="unstable">
<a href="ol.style.Text.html#setText">setText</a>
</li>
<li data-name="ol.style.Text#setTextAlign" class="unstable">
<a href="ol.style.Text.html#setTextAlign">setTextAlign</a>
</li>
<li data-name="ol.style.Text#setTextBaseline" class="unstable">
<a href="ol.style.Text.html#setTextBaseline">setTextBaseline</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.tilegrid">
<span class="title">
<a href="ol.tilegrid.html">ol.tilegrid</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.tilegrid.createXYZ" class="unstable">
<a href="ol.tilegrid.html#.createXYZ">createXYZ</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.tilegrid.TileGrid">
<span class="title">
<a href="ol.tilegrid.TileGrid.html">ol.tilegrid.TileGrid</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.tilegrid.TileGrid#getMaxZoom" class="unstable">
<a href="ol.tilegrid.TileGrid.html#getMaxZoom">getMaxZoom</a>
</li>
<li data-name="ol.tilegrid.TileGrid#getMinZoom" class="unstable">
<a href="ol.tilegrid.TileGrid.html#getMinZoom">getMinZoom</a>
</li>
<li data-name="ol.tilegrid.TileGrid#getOrigin" class="">
<a href="ol.tilegrid.TileGrid.html#getOrigin">getOrigin</a>
</li>
<li data-name="ol.tilegrid.TileGrid#getResolution" class="">
<a href="ol.tilegrid.TileGrid.html#getResolution">getResolution</a>
</li>
<li data-name="ol.tilegrid.TileGrid#getResolutions" class="">
<a href="ol.tilegrid.TileGrid.html#getResolutions">getResolutions</a>
</li>
<li data-name="ol.tilegrid.TileGrid#getTileCoordExtent" class="unstable">
<a href="ol.tilegrid.TileGrid.html#getTileCoordExtent">getTileCoordExtent</a>
</li>
<li data-name="ol.tilegrid.TileGrid#getTileCoordForCoordAndResolution" class="unstable">
<a href="ol.tilegrid.TileGrid.html#getTileCoordForCoordAndResolution">getTileCoordForCoordAndResolution</a>
</li>
<li data-name="ol.tilegrid.TileGrid#getTileCoordForCoordAndZ" class="unstable">
<a href="ol.tilegrid.TileGrid.html#getTileCoordForCoordAndZ">getTileCoordForCoordAndZ</a>
</li>
<li data-name="ol.tilegrid.TileGrid#getTileSize" class="">
<a href="ol.tilegrid.TileGrid.html#getTileSize">getTileSize</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.tilegrid.WMTS">
<span class="title">
<a href="ol.tilegrid.WMTS.html">ol.tilegrid.WMTS</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.tilegrid.WMTS.createFromCapabilitiesMatrixSet" class="unstable">
<a href="ol.tilegrid.WMTS.html#.createFromCapabilitiesMatrixSet">createFromCapabilitiesMatrixSet</a>
</li>
<li data-name="ol.tilegrid.WMTS#getMatrixIds" class="unstable">
<a href="ol.tilegrid.WMTS.html#getMatrixIds">getMatrixIds</a>
</li>
<li data-name="ol.tilegrid.WMTS#getMaxZoom" class="unstable">
<a href="ol.tilegrid.WMTS.html#getMaxZoom">getMaxZoom</a>
</li>
<li data-name="ol.tilegrid.WMTS#getMinZoom" class="unstable">
<a href="ol.tilegrid.WMTS.html#getMinZoom">getMinZoom</a>
</li>
<li data-name="ol.tilegrid.WMTS#getOrigin" class="">
<a href="ol.tilegrid.WMTS.html#getOrigin">getOrigin</a>
</li>
<li data-name="ol.tilegrid.WMTS#getResolution" class="">
<a href="ol.tilegrid.WMTS.html#getResolution">getResolution</a>
</li>
<li data-name="ol.tilegrid.WMTS#getResolutions" class="">
<a href="ol.tilegrid.WMTS.html#getResolutions">getResolutions</a>
</li>
<li data-name="ol.tilegrid.WMTS#getTileCoordExtent" class="unstable">
<a href="ol.tilegrid.WMTS.html#getTileCoordExtent">getTileCoordExtent</a>
</li>
<li data-name="ol.tilegrid.WMTS#getTileCoordForCoordAndResolution" class="unstable">
<a href="ol.tilegrid.WMTS.html#getTileCoordForCoordAndResolution">getTileCoordForCoordAndResolution</a>
</li>
<li data-name="ol.tilegrid.WMTS#getTileCoordForCoordAndZ" class="unstable">
<a href="ol.tilegrid.WMTS.html#getTileCoordForCoordAndZ">getTileCoordForCoordAndZ</a>
</li>
<li data-name="ol.tilegrid.WMTS#getTileSize" class="">
<a href="ol.tilegrid.WMTS.html#getTileSize">getTileSize</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
<li class="item" data-name="ol.webgl.Context">
<span class="title">
<a href="ol.webgl.Context.html">ol.webgl.Context</a>
</span>
<ul class="members itemMembers">
</ul>
<ul class="typedefs itemMembers">
</ul>
<ul class="methods itemMembers">
<span class="subtitle">Methods</span>
<li data-name="ol.webgl.Context#getGL" class="unstable">
<a href="ol.webgl.Context.html#getGL">getGL</a>
</li>
<li data-name="ol.webgl.Context#useProgram" class="unstable">
<a href="ol.webgl.Context.html#useProgram">useProgram</a>
</li>
</ul>
<ul class="fires itemMembers">
</ul>
</li>
</ul>
</div>
<div class="main">
<h1 class="page-title" data-filename="ol.Graticule.html">Class: Graticule</h1>
<section>
<header>
<h2>
<span class="ancestors"><a href="ol.html">ol</a>.</span>Graticule
</h2>
</header>
<article>
<div class="container-overview">
<dt class="unstable">
<div class="nameContainer">
<h4 class="name" id="Graticule">
new ol.Graticule<span class="signature">(<span class="optional">opt_options</span>)</span>
<span class="stability experimental">experimental</span>
</h4>
<div class="tag-source">
src/ol/graticule.js, line 20
</div>
</div>
</dt>
<dd class="unstable">
<div class="description">
<p>Render a grid for a coordinate system on a map.</p>
</div>
<table class="params">
<thead>
<tr>
<th>Name</th>
<th>Type</th>
<th class="last">Description</th>
</tr>
</thead>
<tbody>
<tr class="">
<td class="name"><code>options</code></td>
<td colspan=2 class="description last">
<p>Options.</p>
<table class="params">
<thead>
<tr>
<th>Name</th>
<th>Type</th>
<th class="last">Description</th>
</tr>
</thead>
<tbody>
<tr class="unstable">
<td class="name"><code>map</code></td>
<td class="type">
<span class="param-type"><a href="ol.Map.html">ol.Map</a></span>
|
<span class="param-type">undefined</span>
</td>
<td class="description last">
<span class="stability experimental">experimental</span>
<p>Reference to an <code>ol.Map</code> object.</p></td>
</tr>
<tr class="unstable">
<td class="name"><code>maxLines</code></td>
<td class="type">
<span class="param-type">number</span>
|
<span class="param-type">undefined</span>
</td>
<td class="description last">
<span class="stability experimental">experimental</span>
<p>The maximum number of meridians and parallels from the center of the
map. The default value is 100, which means that at most 200 meridians
and 200 parallels will be displayed. The default value is appropriate
for conformal projections like Spherical Mercator. If you increase
the value more lines will be drawn and the drawing performance will
decrease.</p></td>
</tr>
<tr class="unstable">
<td class="name"><code>strokeStyle</code></td>
<td class="type">
<span class="param-type"><a href="ol.style.Stroke.html">ol.style.Stroke</a></span>
|
<span class="param-type">undefined</span>
</td>
<td class="description last">
<span class="stability experimental">experimental</span>
<p>The stroke style to use for drawing the graticule. If not provided, the
lines will be drawn with <code>rgba(0,0,0,0.2)</code>, a not fully opaque black.</p></td>
</tr>
<tr class="unstable">
<td class="name"><code>targetSize</code></td>
<td class="type">
<span class="param-type">number</span>
|
<span class="param-type">undefined</span>
</td>
<td class="description last">
<span class="stability experimental">experimental</span>
<p>The target size of the graticule cells, in pixels. Default
value is 100 pixels.</p></td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
<dl class="details">
</dl>
</dd>
</div>
<h3 class="subsection-title">Methods</h3>
<dl>
<dt class="unstable">
<div class="nameContainer">
<h4 class="name" id="getMap">
getMap<span class="signature">()</span><span class="glyphicon glyphicon-circle-arrow-right"></span><span class="type-signature returnType">{<a href="ol.Map.html">ol.Map</a>}</span>
<span class="stability experimental">experimental</span>
</h4>
<div class="tag-source">
src/ol/graticule.js, line 321
</div>
</div>
</dt>
<dd class="unstable">
<div class="description">
<p>Get the map associated with this graticule.</p>
</div>
<dl class="details">
</dl>
<h5>Returns:</h5>
The map.
<br />
</dd>
<dt class="unstable">
<div class="nameContainer">
<h4 class="name" id="getMeridians">
getMeridians<span class="signature">()</span><span class="glyphicon glyphicon-circle-arrow-right"></span><span class="type-signature returnType">{Array.<<a href="ol.geom.LineString.html">ol.geom.LineString</a>>}</span>
<span class="stability experimental">experimental</span>
</h4>
<div class="tag-source">
src/ol/graticule.js, line 357
</div>
</div>
</dt>
<dd class="unstable">
<div class="description">
<p>Get the list of meridians. Meridians are lines of equal longitude.</p>
</div>
<dl class="details">
</dl>
<h5>Returns:</h5>
The meridians.
<br />
</dd>
<dt class="unstable">
<div class="nameContainer">
<h4 class="name" id="getParallels">
getParallels<span class="signature">()</span><span class="glyphicon glyphicon-circle-arrow-right"></span><span class="type-signature returnType">{Array.<<a href="ol.geom.LineString.html">ol.geom.LineString</a>>}</span>
<span class="stability experimental">experimental</span>
</h4>
<div class="tag-source">
src/ol/graticule.js, line 393
</div>
</div>
</dt>
<dd class="unstable">
<div class="description">
<p>Get the list of parallels. Pallels are lines of equal latitude.</p>
</div>
<dl class="details">
</dl>
<h5>Returns:</h5>
The parallels.
<br />
</dd>
<dt class="unstable">
<div class="nameContainer">
<h4 class="name" id="setMap">
setMap<span class="signature">(map)</span>
<span class="stability experimental">experimental</span>
</h4>
<div class="tag-source">
src/ol/graticule.js, line 523
</div>
</div>
</dt>
<dd class="unstable">
<div class="description">
<p>Set the map for this graticule. The graticule will be rendered on the
provided map.</p>
</div>
<table class="params">
<thead>
<tr>
<th>Name</th>
<th>Type</th>
<th class="last">Description</th>
</tr>
</thead>
<tbody>
<tr class="">
<td class="name"><code>map</code></td>
<td class="type">
<span class="param-type"><a href="ol.Map.html">ol.Map</a></span>
</td>
<td class="description last">
<p>Map.</p></td>
</tr>
</tbody>
</table>
<dl class="details">
</dl>
</dd>
</dl>
</article>
</section>
</div>
</div>
<script>prettyPrint();</script>
<script src="scripts/linenumber.js"></script>
<script src="scripts/main.js"></script>
</body>
</html> |
tag/Cahil/index.html | Aferide/Aferide.github.io | <!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<meta http-equiv="X-UA-Compatible" content="IE=edge" />
<title>Cahil - Aferide</title>
<meta name="description" content="" />
<meta name="HandheldFriendly" content="True" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<link rel="shortcut icon" href="https://Aferide.github.io/favicon.ico">
<link rel="stylesheet" type="text/css" href="//Aferide.github.io/themes/casper/assets/css/screen.css?v=1491853896197" />
<link rel="stylesheet" type="text/css" href="//fonts.googleapis.com/css?family=Merriweather:300,700,700italic,300italic|Open+Sans:700,400" />
<link rel="canonical" href="https://Aferide.github.io/https://Aferide.github.io/tag/Cahil/" />
<meta name="referrer" content="origin" />
<meta property="og:site_name" content="Aferide" />
<meta property="og:type" content="website" />
<meta property="og:title" content="Cahil - Aferide" />
<meta property="og:url" content="https://Aferide.github.io/https://Aferide.github.io/tag/Cahil/" />
<meta name="twitter:card" content="summary" />
<meta name="twitter:title" content="Cahil - Aferide" />
<meta name="twitter:url" content="https://Aferide.github.io/https://Aferide.github.io/tag/Cahil/" />
<script type="application/ld+json">
null
</script>
<meta name="generator" content="HubPress" />
<link rel="alternate" type="application/rss+xml" title="Aferide" href="https://Aferide.github.io/rss/" />
</head>
<body class="tag-template tag-Cahil nav-closed">
<div class="site-wrapper">
<header class="main-header tag-head no-cover">
<nav class="main-nav overlay clearfix">
</nav>
<div class="vertical">
<div class="main-header-content inner">
<h1 class="page-title">Cahil</h1>
<h2 class="page-description">
A 1-post collection
</h2>
</div>
</div>
</header>
<main class="content" role="main">
<div class="extra-pagination inner">
<nav class="pagination" role="navigation">
<span class="page-number">Page 1 of 1</span>
</nav>
</div>
<article class="post tag-Cahil tag-Sevgi tag-Kara-Yosunu">
<header class="post-header">
<h2 class="post-title"><a href="https://Aferide.github.io/2017/04/10/Cahilce-Sevmek.html">Cahilce Sevmek</a></h2>
</header>
<section class="post-excerpt">
<p>Bu yazıyı okumak, varsa hatamı düzeltmek için size sorumluluk yükler. Ya el ile, ya dil ile, ya da kalp ile…​ *********************************************************** <a class="read-more" href="https://Aferide.github.io/2017/04/10/Cahilce-Sevmek.html">»</a></p>
</section>
<footer class="post-meta">
<img class="author-thumb" src="https://avatars1.githubusercontent.com/u/25251799?v=3" alt="Aferide" nopin="nopin" />
<a href="https://Aferide.github.io/author/Aferide/">Aferide</a>
on <a href="https://Aferide.github.io/tag/Cahil/">Cahil</a>, <a href="https://Aferide.github.io/tag/Sevgi/"> Sevgi</a>, <a href="https://Aferide.github.io/tag/Kara-Yosunu/"> Kara Yosunu</a>
<time class="post-date" datetime="2017-04-10">10 April 2017</time>
</footer>
</article>
<nav class="pagination" role="navigation">
<span class="page-number">Page 1 of 1</span>
</nav>
</main>
<footer class="site-footer clearfix">
<section class="copyright"><a href="https://Aferide.github.io">Aferide</a> © 2017</section>
<section class="poweredby">Proudly published with <a href="http://hubpress.io">HubPress</a></section>
</footer>
</div>
<script type="text/javascript" src="https://code.jquery.com/jquery-1.12.0.min.js"></script>
<script src="//cdnjs.cloudflare.com/ajax/libs/jquery/2.1.3/jquery.min.js?v="></script> <script src="//cdnjs.cloudflare.com/ajax/libs/moment.js/2.9.0/moment-with-locales.min.js?v="></script> <script src="//cdnjs.cloudflare.com/ajax/libs/highlight.js/8.4/highlight.min.js?v="></script>
<script type="text/javascript">
jQuery( document ).ready(function() {
// change date with ago
jQuery('ago.ago').each(function(){
var element = jQuery(this).parent();
element.html( moment(element.text()).fromNow());
});
});
hljs.initHighlightingOnLoad();
</script>
<script type="text/javascript" src="//Aferide.github.io/themes/casper/assets/js/jquery.fitvids.js?v=1491853896197"></script>
<script type="text/javascript" src="//Aferide.github.io/themes/casper/assets/js/index.js?v=1491853896197"></script>
<script>
(function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){
(i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o),
m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m)
})(window,document,'script','//www.google-analytics.com/analytics.js','ga');
ga('create', 'UA-90730903-1', 'auto');
ga('send', 'pageview');
</script>
</body>
</html>
|
apps/glance2/frame/left.html | yunxu1019/efront | <div class="navbar-header">
<span class="fa fa-area-chart"></span>
Glance
<span class="dashboard_text">Design dashboard</span>
</div>
<menu class="sidebar-menu" mode=inline>
<li class="header">MAIN NAVIGATION</li>
<li class="treeview">
<span>
<i class="fa fa-dashboard"></i> <span>Dashboard</span>
</span>
</li>
<li class="treeview">
<span>
<i class="fa fa-laptop"></i>
<span>Components</span>
<i class="fa fa-angle-left pull-right"></i>
</span>
<ul class="treeview-menu">
<li><span><i class="fa fa-angle-right"></i> Grids</span></li>
<li><span><i class="fa fa-angle-right"></i> Media Css</span></li>
</ul>
</li>
<li class="treeview">
<span>
<i class="fa fa-pie-chart"></i>
<span>Charts</span>
<span class="label label-primary pull-right">new</span>
</span>
</li>
<li class="treeview">
</li>
<li class="treeview">
<span>
<i class="fa fa-laptop"></i>
<span>UI Elements</span>
<i class="fa fa-angle-left pull-right"></i>
</span>
<ul class="treeview-menu">
<li><span><i class="fa fa-angle-right"></i> General</span></li>
<li><span><i class="fa fa-angle-right"></i> Icons</span></li>
<li><span><i class="fa fa-angle-right"></i> Buttons</span></li>
<li><span><i class="fa fa-angle-right"></i> Typography</span></li>
</ul>
</li>
<li>
<span>
<i class="fa fa-th"></i> <span>Widgets</span>
<small class="label pull-right label-info">08</small>
</span>
</li>
<li class="treeview">
<span>
<i class="fa fa-edit"></i> <span>Forms</span>
<i class="fa fa-angle-left pull-right"></i>
</span>
<ul class="treeview-menu">
<li><span><i class="fa fa-angle-right"></i> General Forms</span></li>
<li><span><i class="fa fa-angle-right"></i> Form Validations</span></li>
</ul>
</li>
<li class="treeview">
<span>
<i class="fa fa-table"></i> <span>Tables</span>
<i class="fa fa-angle-left pull-right"></i>
</span>
<ul class="treeview-menu">
<li><span><i class="fa fa-angle-right"></i> Simple tables</span></li>
</ul>
</li>
<li class="treeview">
<span>
<i class="fa fa-envelope"></i> <span>Mailbox </span>
<i class="fa fa-angle-left pull-right"></i><small class="label pull-right label-info1">08</small><span
class="label label-primary1 pull-right">02</span></span>
<ul class="treeview-menu">
<li><span><i class="fa fa-angle-right"></i> Mail Inbox </span></li>
<li><span><i class="fa fa-angle-right"></i> Compose Mail </span></li>
</ul>
</li>
<li class="treeview">
<span>
<i class="fa fa-folder"></i> <span>Examples</span>
<i class="fa fa-angle-left pull-right"></i>
</span>
<ul class="treeview-menu">
<li><span><i class="fa fa-angle-right"></i> Login</span></li>
<li><span><i class="fa fa-angle-right"></i> Register</span></li>
<li><span><i class="fa fa-angle-right"></i> 404 Error</span></li>
<li><span><i class="fa fa-angle-right"></i> 500 Error</span></li>
<li><span><i class="fa fa-angle-right"></i> Blank Page</span></li>
</ul>
</li>
<li class="header">LABELS</li>
<li><span><i class="fa fa-angle-right text-red"></i> <span>Important</span></span></li>
<li><span><i class="fa fa-angle-right text-yellow"></i> <span>Warning</span></span></li>
<li><span><i class="fa fa-angle-right text-aqua"></i> <span>Information</span></span></li>
</menu> |
docs/2018/04/05/spostare-i-redolog-su-oracle-12.x/index.html | teopost/teopost.github.io | <!DOCTYPE html>
<html lang="es-419">
<head>
<title>Spostare i redolog su Oracle 12.x · stefanoteodorani.it</title>
<meta name="generator" content="Hugo 0.70.0" />
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=1">
<meta name="author" content="Stefano Teodorani">
<meta name="description" content="">
<link rel="canonical" href="https://www.stefanoteodorani.it/2018/04/05/spostare-i-redolog-su-oracle-12.x/"/>
<link rel="icon" href="https://www.stefanoteodorani.it/favicon.ico">
<link rel="apple-touch-icon" href="https://www.stefanoteodorani.it/apple-touch-icon.png"/>
<link rel="stylesheet" href="https://www.stefanoteodorani.it/css/style.css">
<link rel="stylesheet" href="https://www.stefanoteodorani.it/css/font-awesome.min.css">
<link rel="stylesheet" href="https://www.stefanoteodorani.it/css/monokai.css">
<link rel="stylesheet" href="https://www.stefanoteodorani.it/fancybox/jquery.fancybox.css">
<link rel="stylesheet" href="https://www.stefanoteodorani.it/css/button.css">
<link rel="stylesheet" href="https://www.stefanoteodorani.it/css/notice.css">
<link href='https://fonts.googleapis.com/css?family=Open+Sans:400italic,400,600' rel='stylesheet' type='text/css'>
<link href='https://fonts.googleapis.com/css?family=Source+Code+Pro' rel='stylesheet' type='text/css'>
<meta property="og:image" content="https://www.stefanoteodorani.it/spostare-oracle-redolog/spostare-oracle-redolog.jpg" />
<meta property="og:title" content="Spostare i redolog su Oracle 12.x" />
<meta property="og:description" content="Introduzione
Oggi mi è capitato di dover spostare alcuni redolog che erano stati creati in una cartella sbagliata.
Ecco come ho fatto" />
<meta property="og:type" content="article" />
<meta property="og:url" content="https://www.stefanoteodorani.it/2018/04/05/spostare-i-redolog-su-oracle-12.x/" />
<meta property="article:published_time" content="2018-04-05T11:18:00+01:00" />
<meta property="article:modified_time" content="2018-04-05T11:18:00+01:00" />
<meta itemprop="name" content="Spostare i redolog su Oracle 12.x">
<meta itemprop="description" content="Introduzione
Oggi mi è capitato di dover spostare alcuni redolog che erano stati creati in una cartella sbagliata.
Ecco come ho fatto">
<meta itemprop="datePublished" content="2018-04-05T11:18:00+01:00" />
<meta itemprop="dateModified" content="2018-04-05T11:18:00+01:00" />
<meta itemprop="wordCount" content="296">
<meta itemprop="keywords" content="oracle,database," />
<meta name="twitter:card" content="summary"/>
<meta name="twitter:title" content="Spostare i redolog su Oracle 12.x"/>
<meta name="twitter:description" content="Introduzione
Oggi mi è capitato di dover spostare alcuni redolog che erano stati creati in una cartella sbagliata.
Ecco come ho fatto"/>
<meta name="twitter:site" content="@teopost"/>
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/2.1.4/jquery.min.js"></script>
</head>
<body>
<div class="container">
<div id="container">
<header id="header">
<div id="header-main" class="header-inner">
<div class="outer">
<a href="https://www.stefanoteodorani.it/" id="logo">
<i class="logo" style="background-image: url('https://www.stefanoteodorani.it/css/images/logo.png')"></i>
<span class="site-title">stefanoteodorani.it</span>
</a>
<nav id="main-nav">
<a class="main-nav-link" href="https://www.stefanoteodorani.it/">Home</a>
<a class="main-nav-link" href="http://teopost.github.io/ulisse">My Dog</a>
<a class="main-nav-link" href="https://www.stefanoteodorani.it/tags/">Tags</a>
<a class="main-nav-link" href="https://www.stefanoteodorani.it/categories/">Categories</a>
</nav>
<nav id="sub-nav">
<div class="profile" id="profile-nav">
<a id="profile-anchor" href="javascript:;"><img class="avatar" src="https://avatars0.githubusercontent.com/u/2573389?v=3&s=460"><i class="fa fa-caret-down"></i></a>
</div>
</nav>
<div id="search-form-wrap">
<form action="//google.com/search" method="get" accept-charset="UTF-8" class="search-form">
<input type="search" name="q" class="search-form-input" placeholder="Search">
<button type="submit" class="search-form-submit">
</button>
<input type="hidden" name="sitesearch" value="https://www.stefanoteodorani.it/" />
</form>
</div>
</div>
</div>
<div id="main-nav-mobile" class="header-sub header-inner">
<table class="menu outer">
<tbody>
<tr>
<td><a class="main-nav-link" href="https://www.stefanoteodorani.it/">Home</a></td>
<td><a class="main-nav-link" href="http://teopost.github.io/ulisse">My Dog</a></td>
<td><a class="main-nav-link" href="https://www.stefanoteodorani.it/tags/">Tags</a></td>
<td><a class="main-nav-link" href="https://www.stefanoteodorani.it/categories/">Categories</a></td>
<td>
<form action="//google.com/search" method="get" accept-charset="UTF-8" class="search-form">
<input type="search" name="q" class="search-form-input" placeholder="Search">
<input type="hidden" name="sitesearch" value="https://www.stefanoteodorani.it/" />
</form>
</td>
</tr>
</tbody>
</table>
</div>
</header>
<div class="outer">
<aside id="profile">
<div class="inner profile-inner">
<div class="base-info profile-block">
<img id="avatar" src="https://avatars0.githubusercontent.com/u/2573389?v=3&s=460">
<h2 id="name">Stefano Teodorani</h2>
<h3 id="title">DBA, Programmer, Linux Administrator and Opensource lover</h3>
<span id="location"><i class="fa fa-map-marker"></i>Savignano sul Rubicone</span>
<a id="follow" href="https://github.com/teopost">
Follow
</a>
</div>
<div class="article-info profile-block">
<div class="article-info-block">
32
<span>Posts</span>
</div>
<div class="article-info-block">
17
<span>
Tags
</span>
</div>
</div>
<div class="profile-block social-links">
<table>
<tr>
<td><a href="//github.com/teopost" target="_blank" title="GitHub"><i class="fa fa-github"></i></a></td>
<td><a href="//instagram.com/teopost" target="_blank" title="Instagram"><i class="fa fa-instagram"></i></a></td>
<td><a href="//linkedin.com/in/stefano-teodorani-58722b70/" target="_blank" title="LinkedIn"><i class="fa fa-linkedin"></i></a></td>
<td><a href="//facebook.com/steodorani" target="_blank" title="Facebook"><i class="fa fa-facebook"></i></a></td>
<td><a href="//twitter.com/teopost" target="_blank" title="Twitter"><i class="fa fa-twitter"></i></a></td>
<td><a href="https://www.stefanoteodorani.it/index.xml" target="_blank" title="RSS"><i class="fa fa-rss"></i></a></td>
</tr>
</table>
</div>
</div>
</aside>
<section id="main">
<article id="page-undefined" class="article article-type-page" itemscope="" itemprop="blogPost">
<div class="article-inner">
<img src="https://www.stefanoteodorani.it/spostare-oracle-redolog/spostare-oracle-redolog.jpg" class="article-banner">
<header class="article-header">
<a href="https://www.stefanoteodorani.it/2018/04/05/spostare-i-redolog-su-oracle-12.x/">
<h1 class="article-title" itemprop="name">
Spostare i redolog su Oracle 12.x
</h1>
</a>
<div class="article-meta">
<div class="article-date">
<i class="fa fa-calendar"></i>
<time datetime="2018-04-05 11:18:00 +0100 +0100" itemprop="datePublished">05-04-2018</time>
·
296
words
·
2
minute read
</div>
<div class="article-category">
<i class="fa fa-folder"></i>
<a class="article-category-link" href="https://www.stefanoteodorani.it/categories/work">work</a>
</div>
<div class="article-category">
<i class="fa fa-tags"></i>
<a class="article-category-link" href="https://www.stefanoteodorani.it/tags/oracle">oracle</a>
·
<a class="article-category-link" href="https://www.stefanoteodorani.it/tags/database">database</a>
</div>
</div>
</header>
<div class="article-entry" itemprop="articleBody">
<h2 id="introduzione">Introduzione</h2>
<p>Oggi mi è capitato di dover spostare alcuni redolog che erano stati creati in una cartella sbagliata.
Ecco come ho fatto</p>
<h2 id="procedimento">Procedimento</h2>
<p>Per prima cosa vediamo dove sono posizionati tali files:</p>
<div class="highlight"><pre style="color:#f8f8f2;background-color:#272822;-moz-tab-size:4;-o-tab-size:4;tab-size:4"><code class="language-bash" data-lang="bash"><span style="color:#75715e"># sqlplus "/ as sysdba"</span>
SQL> <span style="color:#66d9ef">select</span> member from v$logfile;
MEMBER
---------------------------------------
/u02/oradata/INTDB01/controlfile/o1_mf_f3h3nxgs_.ctl
/u03/oradata/INTDB01/controlfile/o1_mf_f3h3nxlh_.ctl
/u04/oradate/INTDB01/controlfile/o1_mf_f3h3nxol_.ctl
</code></pre></div><p>Il problema è la cartella oradate (si deve chiamare oradata).
I redo logs non possono essere rinominati (o spostati) mentre il database è online.
Il database deve essere in stato mount.
Per prima cosa faccio lo shutdown del DB.</p>
<p>Quindi:</p>
<div class="highlight"><pre style="color:#f8f8f2;background-color:#272822;-moz-tab-size:4;-o-tab-size:4;tab-size:4"><code class="language-bash" data-lang="bash">SQL> shutdown immediate
Database closed.
Database dismounted.
ORACLE instance shut down.
</code></pre></div><p>Ora posso spostare il file:</p>
<div class="highlight"><pre style="color:#f8f8f2;background-color:#272822;-moz-tab-size:4;-o-tab-size:4;tab-size:4"><code class="language-bash" data-lang="bash">$ mv /u04/oradate/INTDB01/controlfile/o1_mf_f3h3nxol_.ctl /u04/oradata/INTDB01/controlfile/
</code></pre></div><p>Ora rimetto il DB in mount e aggiorno il dizionario dati di Oracle con la nuova posizione dei files.</p>
<div class="highlight"><pre style="color:#f8f8f2;background-color:#272822;-moz-tab-size:4;-o-tab-size:4;tab-size:4"><code class="language-bash" data-lang="bash">SQL> startup mount
ORACLE instance started.
Total System Global Area <span style="color:#ae81ff">1849530880</span> bytes
Fixed Size <span style="color:#ae81ff">31339824</span> bytes
Variable Size <span style="color:#ae81ff">5528485968</span> bytes
Database Buffers <span style="color:#ae81ff">5314572800</span> bytes
Redo Buffers <span style="color:#ae81ff">55132288</span> bytes
Database mounted.
SQL> alter database rename file <span style="color:#e6db74">'/u04/oradate/INTDB01/controlfile/o1_mf_f3h3nxol_.ctl'</span> to <span style="color:#e6db74">'/u04/oradata/INTDB01/controlfile/o1_mf_f3h3nxol_.ctl'</span>;
Database altered.
SQL> alter database open;
Database altered.
</code></pre></div><p>Controlliamo che tutto sia andato ben</p>
<div class="highlight"><pre style="color:#f8f8f2;background-color:#272822;-moz-tab-size:4;-o-tab-size:4;tab-size:4"><code class="language-bash" data-lang="bash"><span style="color:#75715e"># sqlplus "/ as sysdba"</span>
SQL> <span style="color:#66d9ef">select</span> member from v$logfile;
MEMBER
---------------------------------------
/u02/oradata/INTDB01/controlfile/o1_mf_f3h3nxgs_.ctl
/u03/oradata/INTDB01/controlfile/o1_mf_f3h3nxlh_.ctl
/u04/oradata/INTDB01/controlfile/o1_mf_f3h3nxol_.ctl
</code></pre></div><p>Controllo i parametri db_create_online_log_dest</p>
<div class="highlight"><pre style="color:#f8f8f2;background-color:#272822;-moz-tab-size:4;-o-tab-size:4;tab-size:4"><code class="language-bash" data-lang="bash">SQL> show parameter db_create_online_log_dest
NAME TYPE VALUE
------------------------------------ ----------- ------------------------------
db_create_online_log_dest_1 string /u02/oradata
db_create_online_log_dest_2 string /u03/oradata
db_create_online_log_dest_3 string /u04/oradate
db_create_online_log_dest_4 string
db_create_online_log_dest_5 string
</code></pre></div><p>Lo sistemo e controllo</p>
<div class="highlight"><pre style="color:#f8f8f2;background-color:#272822;-moz-tab-size:4;-o-tab-size:4;tab-size:4"><code class="language-bash" data-lang="bash">SQL> alter system set db_create_online_log_dest_3<span style="color:#f92672">=</span><span style="color:#e6db74">'/u04/oradata'</span> scope<span style="color:#f92672">=</span>spfile;
System altered.
SQL> show parameter db_create_online_log_dest
NAME TYPE VALUE
------------------------------------ ----------- ------------------------------
db_create_online_log_dest_1 string /u02/oradata
db_create_online_log_dest_2 string /u03/oradata
db_create_online_log_dest_3 string /u04/oradata
db_create_online_log_dest_4 string
db_create_online_log_dest_5 string
SQL> shutdown immediate
Database closed.
Database dismounted.
ORACLE instance shut down.
SQL> startup
ORACLE instance started.
Total System Global Area <span style="color:#ae81ff">1849530880</span> bytes
Fixed Size <span style="color:#ae81ff">31339824</span> bytes
Variable Size <span style="color:#ae81ff">5528485968</span> bytes
Database Buffers <span style="color:#ae81ff">5314572800</span> bytes
Redo Buffers <span style="color:#ae81ff">55132288</span> bytes
Database mounted.
</code></pre></div><p>FATTO</p>
</div>
<footer class="article-footer">
<a data-url="https://www.stefanoteodorani.it/2018/04/05/spostare-i-redolog-su-oracle-12.x/" data-id="c38e851811102f93c50a69a72f87ba5b" class="article-share-link">
<i class="fa fa-share"></i>
Share
</a>
<a href="https://www.stefanoteodorani.it/2018/04/05/spostare-i-redolog-su-oracle-12.x/#disqus_thread" class="article-comment-link">
Comments
</a>
<script>
(function ($) {
if (typeof(__SHARE_BUTTON_BINDED__) === 'undefined' || !__SHARE_BUTTON_BINDED__) {
__SHARE_BUTTON_BINDED__ = true;
} else {
return;
}
$('body').on('click', function() {
$('.article-share-box.on').removeClass('on');
}).on('click', '.article-share-link', function(e) {
e.stopPropagation();
var $this = $(this),
url = $this.attr('data-url'),
encodedUrl = encodeURIComponent(url),
id = 'article-share-box-' + $this.attr('data-id'),
offset = $this.offset(),
box;
if ($('#' + id).length) {
box = $('#' + id);
if (box.hasClass('on')){
box.removeClass('on');
return;
}
} else {
var html = [
'<div id="' + id + '" class="article-share-box">',
'<input class="article-share-input" value="' + url + '">',
'<div class="article-share-links">',
'<a href="https://twitter.com/intent/tweet?url=' + encodedUrl + '" class="fa fa-twitter article-share-twitter" target="_blank" title="Twitter"></a>',
'<a href="https://www.facebook.com/sharer.php?u=' + encodedUrl + '" class="fa fa-facebook article-share-facebook" target="_blank" title="Facebook"></a>',
'<a href="http://pinterest.com/pin/create/button/?url=' + encodedUrl + '" class="fa fa-pinterest article-share-pinterest" target="_blank" title="Pinterest"></a>',
'<a href="https://plus.google.com/share?url=' + encodedUrl + '" class="fa fa-google article-share-google" target="_blank" title="Google+"></a>',
'</div>',
'</div>'
].join('');
box = $(html);
$('body').append(box);
}
$('.article-share-box.on').hide();
box.css({
top: offset.top + 25,
left: offset.left
}).addClass('on');
}).on('click', '.article-share-box', function (e) {
e.stopPropagation();
}).on('click', '.article-share-box-input', function () {
$(this).select();
}).on('click', '.article-share-box-link', function (e) {
e.preventDefault();
e.stopPropagation();
window.open(this.href, 'article-share-box-window-' + Date.now(), 'width=500,height=450');
});
})(jQuery);
</script>
</footer>
</div>
<nav id="article-nav">
<a href="https://www.stefanoteodorani.it/2018/03/30/installazione-client-oracle-12.x-su-red-hat/" id="article-nav-older" class="article-nav-link-wrap">
<strong class="article-nav-caption">
Older
</strong>
<div class="article-nav-title">Installazione client Oracle 12.x su Red-Hat</div>
</a>
<a href="https://www.stefanoteodorani.it/2018/04/05/spostare-i-controlfiles-su-oracle-12.x/" id="article-nav-newer" class="article-nav-link-wrap">
<strong class="article-nav-caption">
Newer
</strong>
<div class="article-nav-title">Spostare i controlfiles su Oracle 12.x</div>
</a>
</nav>
</article>
<section id="comments">
<div id="disqus_thread">
</div>
</section>
</section>
<aside id="sidebar">
<div class="widget-wrap">
<h3 class="widget-title">
Recents
</h3>
<div class="widget">
<ul id="recent-post">
<li>
<div class="item-thumbnail">
<a href="https://www.stefanoteodorani.it/2020/05/01/schedulare-nmon-nel-crontab/" class="thumbnail">
<span style="background-image:url(https://www.stefanoteodorani.it/nmon-as-a-service/nmon-as-a-service.jpg)" alt="Spostare i redolog su Oracle 12.x" class="thumbnail-image"></span>
</a>
</div>
<div class="item-inner">
<p class="item-category">
<a class="article-category-link" href="https://www.stefanoteodorani.it/categories/work">
work
</a>
</p>
<p class="item-title"><a href="https://www.stefanoteodorani.it/2020/05/01/schedulare-nmon-nel-crontab/" class="title">Schedulare nmon nel crontab</a></p>
<p class="item-date">
<time datetime="2020-05-01 18:42:26 +0100 +0100" itemprop="datePublished">01-05-2020</time>
</p>
</div>
</li>
<li>
<div class="item-thumbnail">
<a href="https://www.stefanoteodorani.it/2019/04/24/pagina-di-cortesia-su-apache/" class="thumbnail">
<span style="background-image:url(https://www.stefanoteodorani.it/apache-pagina-cortesia/apache-pagina-cortesia.png)" alt="Spostare i redolog su Oracle 12.x" class="thumbnail-image"></span>
</a>
</div>
<div class="item-inner">
<p class="item-category">
<a class="article-category-link" href="https://www.stefanoteodorani.it/categories/work">
work
</a>
</p>
<p class="item-title"><a href="https://www.stefanoteodorani.it/2019/04/24/pagina-di-cortesia-su-apache/" class="title">Pagina di cortesia su Apache</a></p>
<p class="item-date">
<time datetime="2019-04-24 18:42:26 +0100 +0100" itemprop="datePublished">24-04-2019</time>
</p>
</div>
</li>
<li>
<div class="item-thumbnail">
<a href="https://www.stefanoteodorani.it/2019/01/20/lock-wait-e-timeout-in-db2/" class="thumbnail">
<span style="background-image:url(https://www.stefanoteodorani.it/db2-lock-wait-e-timeout/db2-lock-wait-e-timeout.jpg)" alt="Spostare i redolog su Oracle 12.x" class="thumbnail-image"></span>
</a>
</div>
<div class="item-inner">
<p class="item-category">
<a class="article-category-link" href="https://www.stefanoteodorani.it/categories/work">
work
</a>
</p>
<p class="item-title"><a href="https://www.stefanoteodorani.it/2019/01/20/lock-wait-e-timeout-in-db2/" class="title">Lock wait e timeout in DB2</a></p>
<p class="item-date">
<time datetime="2019-01-20 18:42:26 +0100 CET" itemprop="datePublished">20-01-2019</time>
</p>
</div>
</li>
<li>
<div class="item-thumbnail">
<a href="https://www.stefanoteodorani.it/2018/11/22/liquibase-vs-flyway/" class="thumbnail">
<span style="background-image:url(https://www.stefanoteodorani.it/liquibase-vs-flyway/liquibase-vs-flyway.png)" alt="Spostare i redolog su Oracle 12.x" class="thumbnail-image"></span>
</a>
</div>
<div class="item-inner">
<p class="item-category">
<a class="article-category-link" href="https://www.stefanoteodorani.it/categories/work">
work
</a>
</p>
<p class="item-title"><a href="https://www.stefanoteodorani.it/2018/11/22/liquibase-vs-flyway/" class="title">Liquibase vs Flyway</a></p>
<p class="item-date">
<time datetime="2018-11-22 18:00:00 +0100 CET" itemprop="datePublished">22-11-2018</time>
</p>
</div>
</li>
<li>
<div class="item-thumbnail">
<a href="https://www.stefanoteodorani.it/2018/11/05/sql-tuning-advisor-per-uno-specifico-sql_id/" class="thumbnail">
<span style="background-image:url(https://www.stefanoteodorani.it/oracle-sql-tuning-advisor-with-sqlid/oracle-sql-tuning-advisor-with-sqlid.png)" alt="Spostare i redolog su Oracle 12.x" class="thumbnail-image"></span>
</a>
</div>
<div class="item-inner">
<p class="item-category">
<a class="article-category-link" href="https://www.stefanoteodorani.it/categories/work">
work
</a>
</p>
<p class="item-title"><a href="https://www.stefanoteodorani.it/2018/11/05/sql-tuning-advisor-per-uno-specifico-sql_id/" class="title">SQL Tuning Advisor per uno specifico sql_id</a></p>
<p class="item-date">
<time datetime="2018-11-05 21:36:13 +0100 CET" itemprop="datePublished">05-11-2018</time>
</p>
</div>
</li>
</ul>
</div>
</div>
<div class="widget-wrap">
<h3 class="widget-title">Categories</h3>
<div class="widget">
<ul class="category-list">
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/categories/fun">
fun
</a>
<span class="category-list-count">12</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/categories/work">
work
</a>
<span class="category-list-count">20</span>
</li>
</ul>
</div>
</div>
<div class="widget-wrap">
<h3 class="widget-title">
Tags
</h3>
<div class="widget">
<ul class="category-list">
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/android">
android
</a>
<span class="category-list-count">1</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/apache">
apache
</a>
<span class="category-list-count">1</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/ckan">
ckan
</a>
<span class="category-list-count">1</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/database">
database
</a>
<span class="category-list-count">12</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/db2">
db2
</a>
<span class="category-list-count">1</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/git">
git
</a>
<span class="category-list-count">1</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/github">
github
</a>
<span class="category-list-count">1</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/linux">
linux
</a>
<span class="category-list-count">14</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/mac">
mac
</a>
<span class="category-list-count">2</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/mobile">
mobile
</a>
<span class="category-list-count">1</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/opendata">
opendata
</a>
<span class="category-list-count">1</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/oracle">
oracle
</a>
<span class="category-list-count">10</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/raspberry">
raspberry
</a>
<span class="category-list-count">8</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/ssh">
ssh
</a>
<span class="category-list-count">1</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/ubuntu">
ubuntu
</a>
<span class="category-list-count">1</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/utility">
utility
</a>
<span class="category-list-count">4</span>
</li>
<li class="category-list-item">
<a class="category-list-link" href="https://www.stefanoteodorani.it/tags/wordpress">
wordpress
</a>
<span class="category-list-count">1</span>
</li>
</ul>
</div>
</div>
<div id="toTop" class="fa fa-angle-up"></div>
</aside>
</div>
</div>
<footer id="footer">
<div class="outer">
<div id="footer-info" class="inner">
© 2020
Powered by <a href="//gohugo.io">Hugo</a>
</div>
</div>
</footer>
<script src="https://www.stefanoteodorani.it/fancybox/jquery.fancybox.pack.js"></script>
<script src="https://www.stefanoteodorani.it/js/script.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/highlight.js/9.9.0/highlight.min.js"></script>
<script>hljs.initHighlightingOnLoad();</script>
</body>
</html>
|
data science/machine_learning_for_the_web/chapter_4/movie/11066.html | xianjunzhengbackup/code | <HTML><HEAD>
<TITLE>Review for Tango Lesson, The (1997)</TITLE>
<LINK REL="STYLESHEET" TYPE="text/css" HREF="/ramr.css">
</HEAD>
<BODY BGCOLOR="#FFFFFF" TEXT="#000000">
<H1 ALIGN="CENTER" CLASS="title"><A HREF="/Title?0120275">Tango Lesson, The (1997)</A></H1><H3 ALIGN=CENTER>reviewed by<BR><A HREF="/ReviewsBy?James+Berardinelli">James Berardinelli</A></H3><HR WIDTH="40%" SIZE="4">
<PRE>THE TANGO LESSON</PRE>
<PRE>A Film Review by James Berardinelli</PRE>
<PRE>RATING: ** OUT OF ****</PRE>
<PRE>UK/France/Argentina, 1997
U.S. Release Date: beginning 11/97 (limited)
Running Length: 1:40
MPAA Classification: PG (Mature themes)
Theatrical Aspect Ratio: 1.85:1</PRE>
<PRE>Cast: Sally Potter, Pablo Veron
Director: Sally Potter
Producers: Christopher Sheppard
Screenplay: Sally Potter
Cinematography: Robby Muller
Music: Sally Potter
U.S. Distributor: Sony Pictures Classics
In English, French, and Spanish with subtitles</PRE>
<P> Sally Potter's THE TANGO LESSON is a cold, antiseptic romance, a
love story without a heart or soul. Thanks to Robby Muller's striking
black-and-white cinematography (occasionally interrupted by spectacular
bursts of color), the movie looks great, but, on an emotional level,
it's as stiff and unyielding as a slab of granite. For a film that's
supposed to be about one of the most passionate dances known to the
world, THE TANGO LESSON comes across as flat and lifeless. </P>
<P> Watching this movie, I was reminded of a couple of other recent
pictures that use pairs dancing (as opposed to the FLASHDANCE variety)
as an integral aspect of the story. The first, STRICTLY BALLROOM, is a
glib parody of the romantic comedy/sports genre, and the second, SHALL
WE DANCE?, isn't a conventional romance at all, but an examination of
the path to personal freedom. And, while it's unfair to compare the
intentions or plot of THE TANGO LESSON to those of either film, it's
worth noting the differences in the way the dance numbers are presented.
In both STRICTLY BALLROOM and SHALL WE DANCE?, they are genuine
celebrations of life -- energetic, vibrant, and engaging. In THE TANGO
LESSON, they're nicely-choreographed, but cool and clinical. Only one
dance sequence (a number near the end, featuring four participants)
works on a level other than the intellectual one.</P>
<P> Potter's story, although rather thin for a 100-minute motion
picture, contains some clever elements. It's a fiction based on fact
that uses real people, real locations, and real situations to spin off a
narrative. Sally Potter appears as herself, an independent director
trying to decide on her next project during a trip to Paris. While
there, she sees an on-stage tango performance by the legendary
Argentinean dancer, Pablo Veron (playing himself) and his partner.
Inspired, Potter asks Veron for a lesson, and, when he learns that she's
in the movie business, he agrees. Over the next several months, as
their lessons continue, they become romantically linked. Then comes the
deal: Potter will put Veron in her next movie if he makes her into a
dancer. The apparent result of this pact, a canny mix of fact and
fiction, is THE TANGO LESSON -- a film about tango that features Veron.</P>
<P> One of Potter's most egregious errors is casting herself as the
lead. This is her acting debut, and it shows -- not only is she
ineffective, but she has no screen presence whatsoever. I'm sure that
taking the top role in THE TANGO LESSON appealed to her vanity, but it's
a huge misstep. Behind the camera, with features such as the art-house
hit, ORLANDO, the British film maker is a creative force; in front of
it, she leaves little impression. Pablo Veron, her co-star (also making
his feature debut) is more lively but not more accomplished.</P>
<P> THE TANGO LESSON is at its best not when the characters are
dancing, but when it's exploring the creative process. The last half
hour, as Potter endures the difficulty of bringing her new film to life,
is intriguing for the insight it offers into the difficulties of
producing art, especially when it involves collaboration. Some of the
most inspired scenes are throw-aways, such as Potter's poolside meeting
with a group of Hollywood executives who are debating whether or not to
fund her latest project. Sadly, there's not enough of that material to
sustain the film, and sitting through the entire running length can, at
times, be tedious. THE TANGO LESSON doesn't make you want to get up and
dance; it makes you want to go to sleep.</P>
<PRE>Copyright 1998 James Berardinelli</PRE>
<PRE>- James Berardinelli
e-mail: <A HREF="mailto:berardin@mail.cybernex.net">berardin@mail.cybernex.net</A></PRE>
<P>Now with more than 1300 reviews...
The ReelViews web site: <A HREF="http://movie-reviews.colossus.net/">http://movie-reviews.colossus.net/</A></P>
<P>"No art passes our conscience in the way film does, and goes directly to our
feelings, deep down into the dark rooms of our souls"</P>
<PRE>- Ingmar Bergman</PRE>
<HR><P CLASS=flush><SMALL>The review above was posted to the
<A HREF="news:rec.arts.movies.reviews">rec.arts.movies.reviews</A> newsgroup (<A HREF="news:de.rec.film.kritiken">de.rec.film.kritiken</A> for German reviews).<BR>
The Internet Movie Database accepts no responsibility for the contents of the
review and has no editorial control. Unless stated otherwise, the copyright
belongs to the author.<BR>
Please direct comments/criticisms of the review to relevant newsgroups.<BR>
Broken URLs inthe reviews are the responsibility of the author.<BR>
The formatting of the review is likely to differ from the original due
to ASCII to HTML conversion.
</SMALL></P>
<P ALIGN=CENTER>Related links: <A HREF="/Reviews/">index of all rec.arts.movies.reviews reviews</A></P>
</P></BODY></HTML>
|
css/application.css | Savithra/ShapingUpWithAngularJS | .ng-invalid.ng-dirty{
border-color: red
}
.ng-valid.ng-dirty{
border-color: green
} |
generators/hardfloat/doc/HardFloat-Verilog.html | jameshegarty/rigel |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<HTML>
<HEAD>
<TITLE>Berkeley HardFloat Verilog Modules</TITLE>
</HEAD>
<BODY>
<H1>Berkeley HardFloat Release 1: Verilog Modules</H1>
<P>
John R. Hauser<BR>
2019 July 29<BR>
</P>
<H2>Contents</H2>
<BLOCKQUOTE>
<TABLE BORDER=0 CELLSPACING=0 CELLPADDING=0>
<COL WIDTH=25>
<COL WIDTH="*">
<TR><TD COLSPAN=2>1. Introduction</TD></TR>
<TR><TD COLSPAN=2>2. Limitations</TD></TR>
<TR><TD COLSPAN=2>3. Acknowledgments and License</TD></TR>
<TR><TD COLSPAN=2>4. HardFloat Package Directory Structure</TD></TR>
<TR><TD COLSPAN=2>5. Floating-Point Representations</TD></TR>
<TR><TD></TD><TD>5.1. Standard Formats</TD></TR>
<TR><TD></TD><TD>5.2. Recoded Formats</TD></TR>
<TR><TD></TD><TD>5.3. Raw Deconstructions</TD></TR>
<TR><TD COLSPAN=2>6. Common Control and Mode Inputs</TD></TR>
<TR><TD></TD><TD>6.1. Control Input</TD></TR>
<TR><TD></TD><TD>6.2. Rounding Mode</TD></TR>
<TR><TD COLSPAN=2>7. Exception Results</TD></TR>
<TR><TD COLSPAN=2>8. Specialization</TD></TR>
<TR><TD></TD><TD>8.1. Width and Default Value for the Control Input</TD></TR>
<TR><TD></TD><TD>8.2. Integer Results on Exceptions</TD></TR>
<TR><TD></TD><TD>8.3. NaN Results</TD></TR>
<TR><TD COLSPAN=2>9. Main Modules</TD></TR>
<TR>
<TD></TD>
<TD>9.1. Conversions Between Standard and Recoded Floating-Point
(<CODE>fNToRecFN</CODE>, <CODE>recFNToFN</CODE>)</TD>
</TR>
<TR>
<TD></TD>
<TD>9.2. Conversions from Integer (<CODE>iNToRecFN</CODE>,
<CODE>iNToRawFN</CODE>)</TD>
</TR>
<TR><TD></TD><TD>9.3. Conversions to Integer (<CODE>recFNToIN</CODE>)</TD></TR>
<TR>
<TD></TD>
<TD>9.4. Conversions Between Formats (<CODE>recFNToRecFN</CODE>)</TD>
</TR>
<TR>
<TD></TD>
<TD>9.5. Addition and Subtraction (<CODE>addRecFN</CODE>,
<CODE>addRecFNToRaw</CODE>)</TD>
</TR>
<TR>
<TD></TD>
<TD>9.6. Multiplication (<CODE>mulRecFN</CODE>,
<CODE>mulRecFNToRaw</CODE>,
<CODE>mulRecFNToFullRaw</CODE>)</TD>
</TR>
<TR>
<TD></TD>
<TD>9.7. Fused Multiply-Add (<CODE>mulAddRecFN</CODE>,
<CODE>mulAddRecFNToRaw</CODE>)</TD>
</TR>
<TR>
<TD></TD>
<TD>9.8. Division and Square Root (<CODE>divSqrtRecFN_small</CODE>,
<CODE>divSqrtRecFNToRaw_small</CODE>)</TD>
</TR>
<TR><TD></TD><TD>9.9. Comparisons (<CODE>compareRecFN</CODE>)</TD></TR>
<TR><TD COLSPAN=2>10. Common Submodules</TD></TR>
<TR><TD></TD><TD>10.1. <CODE>isSigNaNRecFN</CODE></TD></TR>
<TR><TD></TD><TD>10.2. <CODE>recFNToRawFN</CODE></TD></TR>
<TR><TD></TD><TD>10.3. <CODE>roundAnyRawFNToRecFN</CODE></TD></TR>
<TR><TD></TD><TD>10.4. <CODE>roundRawFNToRecFN</CODE></TD></TR>
<TR><TD COLSPAN=2>11. Testing HardFloat</TD></TR>
<TR><TD COLSPAN=2>12. Contact Information</TD></TR>
</TABLE>
</BLOCKQUOTE>
<H2>1. Introduction</H2>
<P>
Berkeley HardFloat is a hardware implementation of binary floating-point that
conforms to the IEEE Standard for Floating-Point Arithmetic.
HardFloat supports a wide range of floating-point formats, using module
parameters to independently determine the widths of the exponent and
significand fields.
The set of possible formats includes the standard ones of <NOBR>16-bit</NOBR>
half-precision, <NOBR>32-bit</NOBR> single-precision, <NOBR>64-bit</NOBR>
double-precision, and <NOBR>128-bit</NOBR> quadruple-precision.
Some historical <EM>extended</EM> formats, such as Intel’s old
<NOBR>80-bit</NOBR> double-extended-precision floating-point, are not directly
supported.
(But HardFloat could be used in the implementation of these and other
IEEE-based formats with the addition of modules to convert between encodings.)
</P>
<P>
For any supported format, the following arithmetic functions are available:
<UL>
<LI>
addition and subtraction,
<LI>
multiplication,
<LI>
fused multiply-add,
<LI>
division and square root (implemented iteratively),
<LI>
comparisons,
<LI>
conversions to/from other floating-point formats, and
<LI>
conversions to/from integers, signed and unsigned.
</UL>
<P>
This document covers the Verilog version of Berkeley HardFloat.
An understanding of both Verilog and the IEEE Floating-Point Standard is
required.
</P>
<P>
HardFloat is currently in its first documented release, called
<NOBR>Release 1</NOBR>.
</P>
<H2>2. Limitations</H2>
<P>
In its Verilog version, Berkeley HardFloat requires development tools that
conform at a minimum to the 2001 IEEE Standard for the Verilog language.
</P>
<P>
For a particular IEEE-conforming binary floating-point format, if <I>w</I> is
the width of the format’s exponent field and <I>p</I> is the precision as
defined by the floating-point standard (that is,
<NOBR><I>p</I> = 1 + the</NOBR> width of the trailing significand field),
HardFloat requires that <NOBR><I>w</I> ≥ 3</NOBR> and
<NOBR><I>p</I> ≥ 3</NOBR>, and also that <I>w</I> and <I>p</I> satisfy this
relationship:
<BLOCKQUOTE>
<I>p</I> ≤ 2<SUP>(<I>w</I> − 2)</SUP> + 3
</BLOCKQUOTE>
<P>
Formats not satisfying these constraints will not always operate correctly.
</P>
<P>
Although HardFloat supports an infinite range of binary floating-point formats
within these constraints, <NOBR>Release 1</NOBR> has been tested only for the
common IEEE-defined formats of <NOBR>16-bit</NOBR> half-precision,
<NOBR>32-bit</NOBR> single-precision, <NOBR>64-bit</NOBR> double-precision, and
<NOBR>128-bit</NOBR> quadruple-precision.
<B>You should assume there is a greater risk of failure for any format that is
not one of the four that have been tested.</B>
</P>
<P>
While the range of HardFloat’s parameters includes the
“bfloat16” format (<NOBR><I>w</I> = 8</NOBR>,
<NOBR><I>p</I> = 8</NOBR>) first defined by Google and subsequently adopted by
Intel and others, HardFloat’s floating-point always includes support for
subnormals as dictated by the IEEE Standard, whereas at least some versions of
bfloat16 (as implemented by Intel, for example) officially exclude subnormals.
Getting HardFloat to implement bfloat16 without subnormals requires some
modifications, such as by adding wrappers around HardFloat’s modules to
force subnormals to zeros.
</P>
<P>
HardFloat is designed to operate on IEEE floating-point values by converting
them into a <I>recoded format</I>, performing arithmetic in the recoded format,
and then eventually converting back to a standard IEEE-defined encoding.
HardFloat’s recoded formats encode the exact same set of values as the
standard floating-point encodings, so recoding entails only a change of
<EM>representation</EM> as bits, not a change of value.
It is intended that this recoding be made invisible to other system components
by converting values back to a standard encoding whenever necessary.
Nevertheless, there may exist situations where use of the recoded formats
cannot be tolerated.
For more about the recoding, see <NOBR>section 5</NOBR>, <I>Floating-Point
Representations</I>.
</P>
<H2>3. Acknowledgments and License</H2>
<P>
The HardFloat package was written by me, <NOBR>John R.</NOBR> Hauser.
The project was done in the employ of the University of California, Berkeley,
within the Department of Electrical Engineering and Computer Sciences, first
for the Parallel Computing Laboratory (Par Lab), then for the ASPIRE Lab, and
lastly for the ADEPT Lab.
The work was officially overseen by Prof. Krste Asanovic, with funding provided
by these sources:
<BLOCKQUOTE>
<TABLE>
<COL>
<COL WIDTH=10>
<COL>
<TR>
<TD VALIGN=TOP><NOBR>Par Lab:</NOBR></TD>
<TD></TD>
<TD>
Microsoft (Award #024263), Intel (Award #024894), and U.C. Discovery
(Award #DIG07-10227), with additional support from Par Lab affiliates Nokia,
NVIDIA, Oracle, and Samsung.
</TD>
</TR>
<TR>
<TD VALIGN=TOP><NOBR>ASPIRE Lab:</NOBR></TD>
<TD></TD>
<TD>
DARPA PERFECT program (Award #HR0011-12-2-0016), with additional support from
ASPIRE industrial sponsor Intel and ASPIRE affiliates Google, Nokia, NVIDIA,
Oracle, and Samsung.
</TD>
</TR>
<TR>
<TD VALIGN=TOP><NOBR>ADEPT Lab:</NOBR></TD>
<TD></TD>
<TD>
ADEPT industrial sponsor Intel and ADEPT affiliates Google, Futurewei, Seagate,
Siemens, and SK Hynix.
</TD>
</TR>
</TABLE>
</BLOCKQUOTE>
<P>
The following applies to the whole of HardFloat <NOBR>Release 1</NOBR> as well
as to each source file individually.
</P>
<P>
Copyright 2019 The Regents of the University of California.
All rights reserved.
</P>
<P>
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are met:
<OL>
<LI>
<P>
Redistributions of source code must retain the above copyright notice, this
list of conditions, and the following disclaimer.
</P>
<LI>
<P>
Redistributions in binary form must reproduce the above copyright notice, this
list of conditions, and the following disclaimer in the documentation and/or
other materials provided with the distribution.
</P>
<LI>
<P>
Neither the name of the University nor the names of its contributors may be
used to endorse or promote products derived from this software without specific
prior written permission.
</P>
</OL>
<P>
THIS SOFTWARE IS PROVIDED BY THE REGENTS AND CONTRIBUTORS “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 THE REGENTS OR CONTRIBUTORS 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.
</P>
<H2>4. HardFloat Package Directory Structure</H2>
<P>
The directory structure for the Verilog version of HardFloat is as follows:
<BLOCKQUOTE>
<PRE>
doc
source
8086-SSE
ARM-VFPv2
RISCV
test
source
Verilator
build
Verilator-GCC
IcarusVerilog
</PRE>
</BLOCKQUOTE>
<P>
The source files that define the Verilog modules are all in the main
<CODE>source</CODE> directory.
The <CODE>test</CODE> directory has files used solely for testing.
</P>
<P>
Most of HardFloat’s source files are regular Verilog
‘<CODE>.v</CODE>’ files containing module definitions.
There are also a few ‘<CODE>.vi</CODE>’ files that define macros
and constant functions.
These latter types of files get textually included (using compiler directive
<CODE>`include</CODE>) in the other Verilog files.
</P>
<P>
Within the main <CODE>source</CODE> directory are subdirectories for files that
specialize the floating-point behavior to match particular processor families:
<BLOCKQUOTE>
<DL>
<DT><CODE>8086-SSE</CODE></DT>
<DD>
Intel’s x86 processors with Streaming SIMD Extensions (SSE) and later
compatible extensions (but not including the older <NOBR>80-bit</NOBR>
double-extended-precision format)
</DD>
<DT><CODE>ARM-VFPv2</CODE></DT>
<DD>
Arm’s VFPv2 or later floating-point
</DD>
<DT><CODE>RISCV</CODE></DT>
<DD>
<NOBR>RISC-V</NOBR> floating-point
</DD>
</DL>
</BLOCKQUOTE>
<P>
Each of these specialization subdirectories contains two files,
<CODE>HardFloat_specialize.vi</CODE> and <CODE>HardFloat_specialize.v</CODE>.
Specialization is covered in detail in <NOBR>section 8</NOBR>.
</P>
<H2>5. Floating-Point Representations</H2>
<P>
HardFloat has three main ways of representing binary floating-point values:
<BLOCKQUOTE>
<DL>
<DT>Standard IEEE formats (‘<CODE>fN</CODE>’)</DT>
<DD>
A computation’s original floating-point inputs and final results will
typically be represented in what the IEEE Standard calls <I>binary interchange
formats</I>, such as <I>binary32</I> for single-precision and <I>binary64</I>
for double-precision.
</DD>
<DT>Recoded formats (‘<CODE>recFN</CODE>’)</DT>
<DD>
Rather than operate on the standard formats directly, HardFloat prefers to
translate IEEE-encoded values into equivalent <I>recoded formats</I> and
operate on those alternative representations instead.
The main purpose of the recoding is to make subnormals be normalized, aligned
with other floating-point values, thus reducing the complexity of
floating-point operations.
</DD>
<DT>Raw deconstructions (‘<CODE>rawFN</CODE>’)</DT>
<DD>
During the computation of individual arithmetic operations, HardFloat often
represents floating-point values in a deconstructed “raw” form,
with separated sign, exponent, significand, etc.
Among other uses, this representation is employed for intermediate results
before rounding.
</DD>
</DL>
</BLOCKQUOTE>
<P>
Each of these representations is covered in a subsection below.
</P>
<H3>5.1. Standard Formats</H3>
<P>
HardFloat uses the term <I>standard format</I> to refer to an encoding of
floating-point in the style of a <I>binary interchange format</I> defined by
the IEEE Standard.
Although the standard officially limits binary interchange formats to certain
combinations of exponent width <I>w</I> and precision <I>p</I>, HardFloat
loosens those restrictions to allow any <I>w</I> and <I>p</I>, so long as each
parameter is no smaller than 3, and this relationship is also satisfied:
<BLOCKQUOTE>
<I>p</I> ≤ 2<SUP>(<I>w</I> − 2)</SUP> + 3
</BLOCKQUOTE>
<P>
In module names, HardFloat uses the abbreviation ‘<CODE>fN</CODE>’
(distinct from ‘<CODE>recFN</CODE>’ or
‘<CODE>rawFN</CODE>’) to refer to standard IEEE-style formats.
A particular format is indicated by parameters <CODE>expWidth</CODE>
(<NOBR>= <I>w</I></NOBR>) and <CODE>sigWidth</CODE> (<NOBR>= <I>p</I></NOBR>).
The size in bits of a complete floating-point value is <CODE>expWidth</CODE> +
<CODE>sigWidth</CODE>, which is subdivided as <NOBR>1 bit</NOBR> for the sign,
<CODE>expWidth</CODE> bits for the encoded exponent, and
<NOBR><CODE>sigWidth</CODE> − 1</NOBR> bits for the trailing significand.
The parameters for the common (and tested) floating-point formats are
<BLOCKQUOTE>
<TABLE BORDER=0>
<TR>
<TD></TD>
<TD ROWSPAN=5> </TD>
<TD><CODE>expWidth</CODE> (<I>w</I>)</TD>
<TD ROWSPAN=5> </TD>
<TD><CODE>sigWidth</CODE> (<I>p</I>)</TD>
</TR>
<TR>
<TD>16-bit half-precision</TD>
<TD ALIGN=CENTER>5</TD>
<TD ALIGN=CENTER>11</TD>
</TR>
<TR>
<TD>32-bit single-precision</TD>
<TD ALIGN=CENTER>8</TD>
<TD ALIGN=CENTER>24</TD>
</TR>
<TR>
<TD>64-bit double-precision</TD>
<TD ALIGN=CENTER>11</TD>
<TD ALIGN=CENTER>53</TD>
</TR>
<TR>
<TD>128-bit quadruple-precision</TD>
<TD ALIGN=CENTER>15</TD>
<TD ALIGN=CENTER>113</TD>
</TR>
</TABLE>
</BLOCKQUOTE>
<P>
As supplied, HardFloat distinguishes signaling NaNs from quiet NaNs in the way
the IEEE Standard prefers;
that is, if the most-significant bit of a NaN’s trailing significand
<NOBR>is <CODE>0</CODE></NOBR>, the NaN is signaling;
if this bit <NOBR>is <CODE>1</CODE></NOBR>, the NaN is quiet.
When NaN payloads are propagated through operations, signaling NaNs are
ordinarily converted into quiet NaNs by flipping this bit from <CODE>0</CODE>
<NOBR>to <CODE>1</CODE></NOBR>.
</P>
<H3>5.2. Recoded Formats</H3>
<P>
For each standard format, HardFloat defines a corresponding
<I>recoded format</I> that encodes the same set of values in a slightly
different representation.
The recoded formats have sign, exponent, and significand fields just like the
standard formats, but with one extra bit for the exponent.
Hence, standard <NOBR>32-bit</NOBR> single-precision, for example, gets recoded
in <NOBR>33 bits</NOBR>: one bit for the sign, 9 for the encoded exponent (one
more than usual), and 23 for the trailing significand.
The recoded formats simplify the implementation of floating-point arithmetic in
a few ways, the most important being to normalize subnormals so they can be
treated nearly the same as regular floating-point numbers.
</P>
<P>
The following table summarizes the recoding:
<BLOCKQUOTE>
<TABLE>
<TR>
<TD></TD>
<TD ROWSPAN=99 WIDTH=20></TD>
<TD COLSPAN=5>standard format</TD>
<TD ROWSPAN=99 WIDTH=25></TD>
<TD COLSPAN=4>HardFloat’s recoded format</TD>
</TR>
<TR>
<TD></TD>
<TD>sign</TD>
<TD ROWSPAN=99> </TD>
<TD>exponent</TD>
<TD ROWSPAN=99> </TD>
<TD ALIGN=CENTER>significand</TD>
<TD>sign</TD>
<TD ROWSPAN=99> </TD>
<TD ALIGN=CENTER>exponent</TD>
<TD ALIGN=CENTER>significand</TD>
</TR>
<TR><TD></TD></TR>
<TR>
<TD>zeros</TD>
<TD ALIGN=CENTER><I>s</I></TD>
<TD ALIGN=CENTER>0</TD>
<TD ALIGN=CENTER>0</TD>
<TD ALIGN=CENTER><I>s</I></TD>
<TD ALIGN=CENTER><CODE>000</CODE><I>xx</I>...<I>xx</I></TD>
<TD ALIGN=CENTER>0</TD>
</TR>
<TR>
<TD>subnormal numbers</TD>
<TD ALIGN=CENTER><I>s</I></TD>
<TD ALIGN=CENTER>0</TD>
<TD ALIGN=CENTER><I>F</I></TD>
<TD ALIGN=CENTER><I>s</I></TD>
<TD ALIGN=CENTER>2<SUP><I>k</I></SUP> + 2 − <I>n</I></TD>
<TD ALIGN=CENTER> normalized <I>F</I><CODE><<</CODE><I>n</I></TD>
</TR>
<TR>
<TD>normal numbers</TD>
<TD ALIGN=CENTER><I>s</I></TD>
<TD ALIGN=CENTER><I>E</I></TD>
<TD ALIGN=CENTER><I>F</I></TD>
<TD ALIGN=CENTER><I>s</I></TD>
<TD ALIGN=CENTER><I>E</I> + 2<SUP><I>k</I></SUP> + 1</TD>
<TD ALIGN=CENTER><I>F</I></TD>
</TR>
<TR>
<TD>infinities</TD>
<TD ALIGN=CENTER><I>s</I></TD>
<TD ALIGN=CENTER><CODE>1111</CODE>...<CODE>11</CODE></TD>
<TD ALIGN=CENTER>0</TD>
<TD ALIGN=CENTER><I>s</I></TD>
<TD ALIGN=CENTER><CODE>110</CODE><I>xx</I>...<I>xx</I></TD>
<TD ALIGN=CENTER><I>xxxxxxx</I>...<I>xxxx</I></TD>
</TR>
<TR>
<TD>NaNs</TD>
<TD ALIGN=CENTER><I>s</I></TD>
<TD ALIGN=CENTER><CODE>1111</CODE>...<CODE>11</CODE></TD>
<TD ALIGN=CENTER><I>F</I></TD>
<TD ALIGN=CENTER><I>s</I></TD>
<TD ALIGN=CENTER><CODE>111</CODE><I>xx</I>...<I>xx</I></TD>
<TD ALIGN=CENTER><I>F</I></TD>
</TR>
</TABLE>
</BLOCKQUOTE>
<P>
The parameter <I>k</I> is <NOBR><CODE>expWidth</CODE> − 1</NOBR>, where
<CODE>expWidth</CODE> is the <EM>standard width</EM> of the exponent field, not
the recoded width.
An <I>x</I> represents a “don’t care” bit.
For the special values of zeros, infinities, and NaNs, only the three
most-significant bits are relevant in the recoded exponent field.
If those three bits are <CODE>000</CODE>, <CODE>110</CODE>, or
<CODE>111</CODE>, the floating-point value is a zero, infinity, or NaN,
respectively;
otherwise, the value is a normalized finite number.
In the latter case, if the recoded exponent field is
<NOBR>2<SUP><I>k</I></SUP> + 2</NOBR> or more, the value is a regular normal
number, and if it’s less, the value is a normalized subnormal number.
(The notation “normalized <I>F</I><CODE><<</CODE><I>n</I>”
means <I>F</I> normalized by shifting left by <NOBR><I>n</I> bits</NOBR> and
discarding the <NOBR>leading <CODE>1</CODE></NOBR>).
</P>
<P>
For most floating-point values (zeros, normal numbers, and NaNs) the only thing
different about the recoded formats is the encoding of the exponent;
the sign and significand fields are the same as the corresponding standard
format.
Infinities are special only in that the significand field is ignored in the
recoded formats and might not be zero.
Only for subnormals is there a significant transformation of both exponent and
significand fields, due to normalization.
</P>
<P>
A large number of possible bit patterns in the recoded formats don’t
conform to entries in the table above, such as when the recoded
exponent’s most-significant three bits are <CODE>000</CODE>, indicating a
zero, yet the significand field is not zero.
Such patterns are not valid.
If an invalid recoded input is given to a HardFloat module, all module outputs
are unspecified.
Invalid recoded results are never generated by HardFloat’s modules, so
long as all module inputs are valid.
For normalized numbers (not zeros, infinities, or NaNs), a valid recoded
exponent field is always in the range
<NOBR>2<SUP><I>k</I></SUP> + 3 − <CODE>sigWidth</CODE></NOBR> (for the
tiniest subnormal) to <NOBR>3×2<SUP><I>k</I></SUP> − 1</NOBR> (for
the largest normal number).
</P>
<P>
In module names, a recoded format is abbreviated as
‘<CODE>recFN</CODE>’.
Like the standard formats, a particular recoded format is specified by
parameters <CODE>expWidth</CODE> and <CODE>sigWidth</CODE>.
The parameters to give, however, are those of the <EM>corresponding standard
format</EM>, without adjustment for the wider recoded exponent field.
For example, the recoded format for common <NOBR>32-bit</NOBR> single-precision
is specified by <NOBR><CODE>expWidth</CODE> = 8</NOBR> and
<NOBR><CODE>sigWidth</CODE> = 24</NOBR>, the same as the standard format.
(Refer back to the previous subsection on the standard formats.)
Accordingly, the width of a recoded floating-point exponent field is really
<NOBR><CODE>expWidth</CODE> + 1</NOBR>, and the size in bits of the entire
recoded floating-point format is <CODE>expWidth</CODE> +
<NOBR><CODE>sigWidth</CODE> + 1</NOBR>.
</P>
<H3>5.3. Raw Deconstructions</H3>
<P>
Within the implementation of individual arithmetic operations (addition,
multiplication, etc.), HardFloat often represents floating-point values in a
deconstructed form, with six separate components:
<BLOCKQUOTE>
<DL>
<DT><CODE>isNaN</CODE></DT>
<DD>
A single bit indicating whether the floating-point value is a NaN.
If <CODE>isNaN</CODE> is <I>true</I> (<NOBR>= 1</NOBR>), the other components
are irrelevant except possibly for <CODE>sign</CODE> and <CODE>sig</CODE>.
Components <CODE>sign</CODE> and <CODE>sig</CODE> are relevant for a NaN only
if HardFloat is configured to propagate NaN payloads.
</DD>
<DT><CODE>isInf</CODE></DT>
<DD>
A single bit indicating whether the floating-point value is an infinity.
If <CODE>isNaN</CODE> is <I>false</I> and <CODE>isInf</CODE> is <I>true</I>,
the other components are irrelevant except for <CODE>sign</CODE>.
</DD>
<DT><CODE>isZero</CODE></DT>
<DD>
A single bit indicating whether the floating-point value is a zero.
If <CODE>isNaN</CODE> and <CODE>isInf</CODE> are both <I>false</I> and
<CODE>isZero</CODE> is <I>true</I>, the other components are irrelevant except
for <CODE>sign</CODE>.
</DD>
<DT><CODE>sign</CODE></DT>
<DD>
The floating-point sign bit.
Ignored only if <CODE>isNaN</CODE> is <I>true</I> and NaN payloads are not
propagated.
</DD>
<DT><CODE>sExp</CODE></DT>
<DD>
For a finite nonzero floating-point value, the biased floating-point exponent
as a signed integer.
For NaNs, infinities, and zeros, <CODE>sExp</CODE> is ignored.
As there are no special encodings of <CODE>sExp</CODE> to indicate special
values, <CODE>sExp</CODE> is always just a simple signed integer, with the same
bias as in the recoded formats.
For a specified <CODE>expWidth</CODE>, the actual width of <CODE>sExp</CODE> is
<NOBR><CODE>expWidth</CODE> + 2</NOBR>, giving it a range of
−2<SUP><I>w</I>+1</SUP> to <NOBR>2<SUP><I>w</I>+1</SUP> − 1</NOBR>,
where <NOBR><I>w</I> = <CODE>expWidth</CODE></NOBR> as usual.
</DD>
<DT><CODE>sig</CODE></DT>
<DD>
For a NaN, the NaN payload (sometimes ignored).
For a finite nonzero floating-point value, the complete significand, including
the usually implicit <NOBR><CODE>1</CODE> bit</NOBR>.
For a specified <CODE>sigWidth</CODE>, the width of <CODE>sig</CODE> is
<NOBR><CODE>sigWidth</CODE> + 1</NOBR>, with 2 extra bits at the
most-significant end when compared to the usual trailing significand of the
standard and recoded formats.
In some cases, these two bits are always binary <CODE>01</CODE>.
In other cases, the most-significant <CODE>1</CODE> bit of the significand can
be either of the two leading bits of <CODE>sig</CODE>, allowing for a
<NOBR>1-bit</NOBR> slack in the normalization of the significand.
A value of <CODE>sig</CODE> with the two most-significant bits both zeros
(<CODE>00</CODE>) is invalid (unless one of <CODE>isNaN</CODE>,
<CODE>isInf</CODE>, or <CODE>isZero</CODE> is <I>true</I>).
</DD>
</DL>
</BLOCKQUOTE>
<P>
Unlike the recoded formats, the deconstructed forms allow many valid encodings
that do not correspond directly to IEEE floating-point values.
These extra-precise and/or out-of-bounds values may be mapped to the set of
valid IEEE values by <EM>rounding</EM>, possibly resulting in underflow or
overflow.
</P>
<P>
In HardFloat’s module names, the deconstructed forms are abbreviated as
‘<CODE>rawFN</CODE>’.
They are typically used in two ways.
First, inputs to an operation get converted from recoded formats into
deconstructed forms using <CODE>recFNToRawFN</CODE> submodules.
An intermediate numeric result is then computed, also in raw form, and this
gets rounded to a valid IEEE value using module <CODE>roundRawFNToRecFN</CODE>
or <CODE>roundAnyRawFNToRecFN</CODE>.
These modules for handling <CODE>rawFN</CODE> are documented in more detail in
<NOBR>section 10</NOBR>, <I>Common Submodules</I>.
</P>
<H2>6. Common Control and Mode Inputs</H2>
<P>
HardFloat’s floating-point arithmetic modules commonly take two inputs
that may adjust the behavior of the module:
<BLOCKQUOTE>
<CODE>control</CODE><BR>
<CODE>roundingMode</CODE><BR>
</BLOCKQUOTE>
<P>
These are covered in the following subsections.
</P>
<H3>6.1. Control Input</H3>
<P>
The <CODE>control</CODE> input is a vehicle for supplying to floating-point
operations any number of miscellaneous control parameters that are not expected
to change frequently.
The width of this input is specified by macro <CODE>floatControlWidth</CODE>,
which is defined by default in file <CODE>HardFloat_consts.vi</CODE>, although
it may be overridden in <CODE>HardFloat_specialize.vi</CODE>.
Currently, the default width for <CODE>control</CODE> is only
<NOBR>1 bit</NOBR>.
</P>
<P>
The default single bit of <CODE>control</CODE> determines detection of
<I>tininess</I> for underflow.
In the terminology of the IEEE Standard, HardFloat can detect tininess for
underflow either before or after rounding.
The following are the names of macros whose values can be bitwised
<NOBR>ORed</NOBR> into the <CODE>control</CODE> input:
<BLOCKQUOTE>
<PRE>
flControl_tininessBeforeRounding
flControl_tininessAfterRounding
</PRE>
</BLOCKQUOTE>
<P>
If the <CODE>control</CODE> bit specified by macro
<CODE>flControl_tininessAfterRounding</CODE> is <NOBR>set (= 1)</NOBR>, then
tininess is detected after rounding.
If this bit is not <NOBR>set (= 0)</NOBR>, tininess is detected before
rounding.
Detecting tininess after rounding is usually slightly better because it results
in fewer spurious underflow signals.
The option for detecting tininess before rounding is provided for compatibility
with some systems.
As required by the IEEE Standard since 2008, HardFloat always detects
<I>loss of accuracy</I> for underflow as an inexact result.
</P>
<H3>6.2. Rounding Mode</H3>
<P>
The <CODE>roundingMode</CODE> input to a module chooses the rounding mode for a
floating-point operation (obviously).
All five rounding modes defined by the 2008 IEEE Floating-Point Standard are
implemented for all operations that require rounding.
HardFloat adds support also for a sixth mode, <I>round to odd</I>.
The value of <CODE>roundingMode</CODE> may be that of any of these macros
defined in <CODE>HardFloat_consts.vi</CODE>:
<BLOCKQUOTE>
<TABLE CELLSPACING=0 CELLPADDING=0>
<TR>
<TD><CODE>round_near_even</CODE></TD>
<TD>round to nearest, with ties to even</TD>
</TR>
<TR>
<TD><CODE>round_near_maxMag </CODE></TD>
<TD>round to nearest, with ties to maximum magnitude (away from zero)</TD>
</TR>
<TR>
<TD><CODE>round_minMag</CODE></TD>
<TD>round to minimum magnitude (toward zero)</TD>
</TR>
<TR>
<TD><CODE>round_min</CODE></TD>
<TD>round to minimum (down)</TD>
</TR>
<TR>
<TD><CODE>round_max</CODE></TD>
<TD>round to maximum (up)</TD>
</TR>
<TR>
<TD><CODE>round_odd</CODE></TD>
<TD>round to odd (jamming)</TD>
</TR>
</TABLE>
</BLOCKQUOTE>
<P>
Rounding mode <CODE>round_odd</CODE> operates as follows:
For a conversion to an integer, if the input is not already an integer value,
the rounded result is the closest <EM>odd</EM> integer.
For operations that return a floating-point value, the floating-point result is
first rounded to minimum magnitude, the same as <CODE>round_minMag</CODE>, and
then, if the result is inexact, the least-significant bit of the result is set
<NOBR>to <CODE>1</CODE></NOBR>.
Rounding to odd is also known as <EM>jamming</EM>.
</P>
<H2>7. Exception Results</H2>
<P>
HardFloat supports all five exception flags required by the IEEE Floating-Point
Standard.
Most modules for floating-point operations have an <CODE>exceptionFlags</CODE>
output with <NOBR>5 bits</NOBR> in this order:
<BLOCKQUOTE>
<CODE>{</CODE><I>invalid</I><CODE>, </CODE><I>infinite</I><CODE>,
</CODE><I>overflow</I><CODE>, </CODE><I>underflow</I><CODE>,
</CODE><I>inexact</I><CODE>}</CODE>
</BLOCKQUOTE>
<P>
The <I>infinite</I> exception is what the standard calls
“divide by zero”, meaning an infinite result generated from finite
operands.
</P>
<P>
The module that converts from floating-point to integer,
<CODE>recFNToIN</CODE>, drops the <I>infinite</I> and <I>underflow</I> bits,
because conversions to integer can never underflow or deliver an infinite
result.
This module has instead an <CODE>intExceptionFlags</CODE> output with
<NOBR>3 bits</NOBR> in this order:
<BLOCKQUOTE>
<CODE>{</CODE><I>invalid</I><CODE>, </CODE><I>overflow</I><CODE>,
</CODE><I>inexact</I><CODE>}</CODE>
</BLOCKQUOTE>
<P>
Note that, although <CODE>recFNToIN</CODE> distinguishes <I>overflow</I> from
<I>invalid</I> exceptions in <CODE>intExceptionFlags</CODE> as shown, the IEEE
Standard does not permit conversions to integer to signal a
<I>floating-point overflow</I> exception.
Rather, if a system has no other way to indicate overflow from conversions to
integer, the standard requires that the floating-point <I>invalid</I> exception
be signaled, not floating-point <I>overflow</I>.
Hence, it will often be the case that the <I>invalid</I> and <I>overflow</I>
bits from the <CODE>intExceptionFlags</CODE> output must be <NOBR>ORed</NOBR>
together to signal the usual floating-point <I>invalid</I> exception.
</P>
<P>
Depending on how it is configured, HardFloat has the ability to create distinct
NaNs for different exceptions, and to propagate NaN payloads from operation
inputs to output.
These options for NaNs are determined by the specialization of HardFloat,
covered in the next section.
</P>
<H2>8. Specialization</H2>
<P>
The IEEE Floating-Point Standard allows for some variation among conforming
implementations, particularly concerning NaNs.
The HardFloat <CODE>source</CODE> directory is supplied with some
<I>specialization</I> subdirectories containing possible definitions for this
implementation-specific behavior.
For example, the <NOBR><CODE>8086-SSE</CODE></NOBR> subdirectory has source
files that specialize HardFloat to that of Intel’s newer x86 processors.
The files in a specialization subdirectory determine:
<UL>
<LI>
the width of the <CODE>control</CODE> input, if it’s not the default of
<NOBR>1 bit</NOBR>;
<LI>
an optional default value for the <CODE>control</CODE> input, including whether
tininess for underflow is detected before or after rounding by default;
<LI>
the integer results returned when conversions to integer type overflow or raise
the <I>invalid</I> exception;
<LI>
whether NaN payloads are propagated from function inputs to output;
and
<LI>
the specific NaN delivered for any operation that returns a NaN (either a
default NaN or the NaN with the desired propagated payload).
</UL>
<P>
A specialization subdirectory is expected to contain two files: an
“include” file named <CODE>HardFloat_specialize.vi</CODE> and a
regular Verilog file named <CODE>HardFloat_specialize.v</CODE>.
</P>
<H3>8.1. Width and Default Value for the Control Input</H3>
<P>
If the specific implementation adds any bits to the <CODE>control</CODE> input,
its width must be defined in <CODE>HardFloat_specialize.vi</CODE> by undefining
(<CODE>`undef</CODE>) the existing macro <CODE>floatControlWidth</CODE> and
redefining it to the correct number of bits.
</P>
<P>
If needed, a default value for the <CODE>control</CODE> input can be specified
by defining macro <CODE>flControl_default</CODE> in
<CODE>HardFloat_specialize.vi</CODE>.
This macro should be defined to either
<CODE>`flControl_tininessBeforeRounding</CODE> or
<CODE>`flControl_tininessAfterRounding</CODE>, combined with defaults for any
added <CODE>control</CODE> bits.
</P>
<H3>8.2. Integer Results on Exceptions</H3>
<P>
To determine the result returned when a conversion to integer type overflows or
raises the <I>invalid</I> exception, file <CODE>HardFloat_specialize.v</CODE>
is expected to define a module with these parameters and ports:
<BLOCKQUOTE>
<PRE>
module
iNFromException#(parameter width) (
input signedOut,
input isNaN,
input sign,
output [(width - 1):0] out
);
</PRE>
</BLOCKQUOTE>
<P>
Input <CODE>signedOut</CODE> indicates whether the result integer type is
signed or unsigned, with 0 being <I>unsigned</I> and 1 being <I>signed</I>.
The other two inputs, <CODE>isNaN</CODE> and <CODE>sign</CODE>, provide
information about the original floating-point input that can affect the choice
of the integer result.
If <CODE>isNaN</CODE> is <I>true</I>, the floating-point input is a NaN;
else it is a number (possibly an infinity) outside the range of the integer
type.
The correct integer result is returned in <CODE>out</CODE>.
</P>
<H3>8.3. NaN Results</H3>
<P>
The specialization also determines the specific NaNs delivered when operations
return NaNs.
One must first choose whether NaN payloads will be propagated.
Defining macro <CODE>HardFloat_propagateNaNPayloads</CODE> in
<CODE>HardFloat_specialize.vi</CODE> enables NaN payload propagation.
(If defined, the content of this macro is ignored;
only its effect on <CODE>`ifdef</CODE> directives matters.)
The remaining specification of NaN results depends on whether macro
<CODE>HardFloat_propagateNaNPayloads</CODE> is defined.
</P>
<P><B>Without NaN payload propagation</B></P>
<P>
When NaN payloads are not propagated, a NaN result will usually be just the
<I>default NaN</I> for the result format, regardless of any input NaNs.
Default NaNs must be specified by two other macros defined in
<CODE>HardFloat_specialize.vi</CODE>.
First, a default NaN’s sign bit is chosen by macro
<CODE>HardFloat_signDefaultNaN</CODE>, which can be defined as either
<CODE>0</CODE> <NOBR>or <CODE>1</CODE></NOBR>.
Second, the bulk of the default NaN payload (apart from the sign) is determined
by a function-like macro with one argument,
<CODE>HardFloat_fractDefaultNaN(<I>sigWidth</I>)</CODE>, which must evaluate to
an integer of <NOBR><CODE><I>sigWidth</I></CODE> − 1</NOBR> bits.
</P>
<P><B>With NaN payload propagation</B></P>
<P>
If NaN propagation is enabled (macro
<CODE>HardFloat_propagateNaNPayloads</CODE> is defined), then NaN results are
determined in an entirely different way.
In this case, several modules must be supplied in
<CODE>HardFloat_specialize.v</CODE> to implement the desired propagation.
The names, parameters, and ports of these modules are as follows:
<BLOCKQUOTE>
<PRE>
module
propagateFloatNaN_add#(parameter sigWidth) (
input [(`floatControlWidth - 1):0] control,
input subOp,
input isNaNA,
input signA,
input [(sigWidth - 2):0] fractA,
input isNaNB,
input signB,
input [(sigWidth - 2):0] fractB,
output signNaN,
output [(sigWidth - 2):0] fractNaN
);
module
propagateFloatNaN_mul#(parameter sigWidth) (
input [(`floatControlWidth - 1):0] control,
input isNaNA,
input signA,
input [(sigWidth - 2):0] fractA,
input isNaNB,
input signB,
input [(sigWidth - 2):0] fractB,
output signNaN,
output [(sigWidth - 2):0] fractNaN
);
module
propagateFloatNaN_mulAdd#(parameter sigWidth) (
input [(`floatControlWidth - 1):0] control,
input [1:0] op,
input isNaNA,
input signA,
input [(sigWidth - 2):0] fractA,
input isNaNB,
input signB,
input [(sigWidth - 2):0] fractB,
input invalidProd,
input isNaNC,
input signC,
input [(sigWidth - 2):0] fractC,
output signNaN,
output [(sigWidth - 2):0] fractNaN
);
module
propagateFloatNaN_divSqrt#(parameter sigWidth) (
input [(`floatControlWidth - 1):0] control,
input sqrtOp,
input isNaNA,
input signA,
input [(sigWidth - 2):0] fractA,
input isNaNB,
input signB,
input [(sigWidth - 2):0] fractB,
output signNaN,
output [(sigWidth - 2):0] fractNaN
);
</PRE>
</BLOCKQUOTE>
<P>
A different NaN-propagation module is needed for each of addition/subtraction,
multiplication, fused multiply-add, and division/square-root.
In all cases:
<UL>
<LI>
The <CODE>control</CODE> input comes directly from the inputs of the original
floating-point operation.
<LI>
Inputs <CODE>isNaNA</CODE>, <CODE>signA</CODE>, and <CODE>fractA</CODE>
provide information about the first floating-point operand.
(<CODE>signA</CODE> and <CODE>fractA</CODE> are expected to be useful only when
<CODE>isNaNA</CODE> is <I>true</I>.)
<LI>
Inputs <CODE>isNaNB</CODE>, <CODE>signB</CODE>, and <CODE>fractB</CODE> inform
about the second floating-point operand.
<LI>
The proper NaN result is indicated by outputs <CODE>signNaN</CODE> and
<CODE>fractNaN</CODE>.
</UL>
<P>
Module <CODE>propagateFloatNaN_add</CODE> has an extra input,
<CODE>subOp</CODE>, indicating whether the operation is addition
(<NOBR>= 0</NOBR>) or subtraction (<NOBR>= 1</NOBR>).
Similarly, <CODE>propagateFloatNaN_divSqrt</CODE> has an extra input,
<CODE>sqrtOp</CODE>, indicating whether the operation is division
(<NOBR>= 0</NOBR>) or square root (<NOBR>= 1</NOBR>).
For square roots, the <CODE><I>b</I></CODE> operand (<CODE>isNaNB</CODE>,
<CODE>signB</CODE>, <CODE>fractB</CODE>) should be ignored.
Module <CODE>propagateFloatNaN_mulAdd</CODE> has these extra inputs:
<UL>
<LI>
Input <CODE>op</CODE> duplicates the same input to the <CODE>mulAdd</CODE>
module.
<LI>
Input <CODE>invalidProd</CODE> indicates whether the product of floating-point
operands <CODE><I>a</I></CODE> and <CODE><I>b</I></CODE> is invalid (because
one operand is a zero and the other is an infinity).
<LI>
Inputs <CODE>isNaNC</CODE>, <CODE>signC</CODE>, and <CODE>fractC</CODE> inform
about the third floating-point operand, which is the other addend besides the
product <NOBR><CODE><I>a</I></CODE> × <CODE><I>b</I></CODE></NOBR>.
</UL>
<P>
If no floating-point operand is a NaN (all <CODE>isNaN</CODE> inputs are
<I>false</I>), the modules must return the correct default NaN for an invalid
operation of the given kind.
</P>
<P>
It may be that correct NaN results depend in part on whether floating-point
operands are signaling NaNs.
If so, inputs <CODE>isNaNA</CODE> and <CODE>fractA</CODE> contain enough
information for a module to determine whether operand <CODE><I>a</I></CODE> is
a signaling NaN, and likewise for operands <CODE><I>b</I></CODE>
<NOBR>and <CODE><I>c</I></CODE></NOBR>.
</P>
<H2>9. Main Modules</H2>
<P>
HardFloat defines modules for the following floating-point conversions and
operations:
<UL>
<LI>
conversions between standard IEEE floating-point formats and HardFloat’s
recoded format;
<LI>
conversions between integers (signed or unsigned) and floating-point;
<LI>
conversions between floating-point formats having different range or precision;
<LI>
floating-point addition and subtraction;
<LI>
floating-point multiplication;
<LI>
the fused multiply-add function defined by the IEEE Standard;
<LI>
floating-point division and square root; and
<LI>
floating-point equality and inequality comparisons.
</UL>
<P>
Only for the first bullet item above do HardFloat’s modules directly
touch floating-point encoded in a standard IEEE format.
Otherwise, floating-point inputs are always in HardFloat’s recoded
format, and floating-point outputs are either in a recoded format or in a
“raw” deconstructed form.
When an output is in deconstructed form, the output value is before rounding,
and it must still be processed through <CODE>roundRawFNToRecFN</CODE> or
<CODE>roundAnyRawFNToRecFN</CODE> to obtain a correctly rounded result in
conformance with IEEE rules.
Modules <CODE>roundRawFNToRecFN</CODE> and <CODE>roundAnyRawFNToRecFN</CODE>
are documented later, in <NOBR>section 10</NOBR>, <I>Common Submodules</I>.
</P>
<P>
Many HardFloat modules take inputs named <CODE>control</CODE> and
<CODE>roundingMode</CODE>.
These are always as documented in <NOBR>section 6</NOBR>, <I>Common Control and
Mode Inputs</I>.
Likewise, an output named <CODE>exceptionFlags</CODE> is always the five
exception flags reported in <NOBR>section 7</NOBR>, <I>Exception Results</I>.
</P>
<P>
Naturally, if recoded floating-point inputs to a module are not valid according
to <NOBR>section 5.2</NOBR>, <I>Recoded Formats</I>, then module outputs become
unspecified.
</P>
<H3>9.1. Conversions Between Standard and Recoded Floating-Point
(<CODE>fNToRecFN</CODE>, <CODE>recFNToFN</CODE>)</H3>
<P>
HardFloat has only two modules that input or output floating-point encoded in a
standard IEEE format.
One module, <CODE>fNToRecFN</CODE>, converts from a standard format into
HardFloat’s equivalent recoded format, and the other,
<CODE>recFNToFN</CODE>, converts back from a recoded format to standard format.
For all other functions, HardFloat requires the use of either its recoded
format or a “raw” deconstructed form.
The two conversion modules are complementary, with these parameters and ports:
<BLOCKQUOTE>
<PRE>
module
fNToRecFN#(parameter expWidth, parameter sigWidth) (
input [(expWidth + sigWidth - 1):0] in,
output [(expWidth + sigWidth):0] out
);
module
recFNToFN#(parameter expWidth, parameter sigWidth) (
input [(expWidth + sigWidth):0] in,
output [(expWidth + sigWidth - 1):0] out
);
</PRE>
</BLOCKQUOTE>
<P>
Because the set of values encoded in the recoded format is identical to the
corresponding standard format, there are no possible exceptions from converting
in either direction.
</P>
<H3>9.2. Conversions from Integer (<CODE>iNToRecFN</CODE>,
<CODE>iNToRawFN</CODE>)</H3>
<P>
Module <CODE>iNToRecFN</CODE> converts from an integer type to floating-point
in recoded form.
Its parameters and ports are:
<BLOCKQUOTE>
<PRE>
module
iNToRecFN#(parameter intWidth, parameter expWidth, parameter sigWidth) (
input [(`floatControlWidth - 1):0] control,
input signedIn,
input [(intWidth - 1):0] in,
input [2:0] roundingMode,
output [(expWidth + sigWidth):0] out,
output [4:0] exceptionFlags
);
</PRE>
</BLOCKQUOTE>
<P>
The input named <CODE>in</CODE> is interpreted as an unsigned integer if
<CODE>signedIn</CODE> is <I>false</I>, or as a signed integer if
<CODE>signedIn</CODE> is <I>true</I>.
</P>
<P>
Module <CODE>iNToRawFN</CODE> performs a similar function, but returns a
floating-point value in deconstructed form:
<BLOCKQUOTE>
<PRE>
module
iNToRawFN#(parameter intWidth) (
input signedIn,
input [(intWidth - 1):0] in,
output isZero,
output sign,
output signed [(<I>clog2</I>(intWidth) + 2):0] sExp,
output [intWidth:0] sig
);
</PRE>
</BLOCKQUOTE>
<P>
This module lacks parameters <CODE>expWidth</CODE> and <CODE>sigWidth</CODE>.
Instead, the output format is determined from the width of the input integer as
follows:
<BLOCKQUOTE>
<CODE>expWidth</CODE> = <CODE><I>clog2</I></CODE>(<CODE>intWidth</CODE>) + 1<BR>
<CODE>sigWidth</CODE> = <CODE>intWidth</CODE>
</BLOCKQUOTE>
<P>
Function <CODE><I>clog2</I></CODE>(<I>x</I>) is the smallest integer at least
as large as the <NOBR>base-2</NOBR> logarithm <NOBR>of <I>x</I></NOBR>.
For example, if <CODE>intWidth</CODE> is 17, the <NOBR>base-2</NOBR> logarithm
of <CODE>intWidth</CODE> is approximately 4.087, so
<CODE><I>clog2</I></CODE>(<CODE>intWidth</CODE>) <NOBR>is 5</NOBR>, and port
<CODE>sExp</CODE> is thus <NOBR>8 bits</NOBR> wide.
</P>
<P>
The deconstructed output from <CODE>iNToRawFN</CODE> omits <CODE>isNaN</CODE>
and <CODE>isInf</CODE>, because these are known always to be <I>false</I> for
an integer.
</P>
<P>
The widths chosen for the output exponent and significand allow the
floating-point result from <CODE>iNToRawFN</CODE> to be always exactly equal in
value to the integer input (much like <CODE>recFNToRawFN</CODE>,
<NOBR>section 10.2</NOBR>).
Furthermore, <CODE>iNToRawFN</CODE> guarantees the following for its outputs:
<UL>
<LI>
The encoded exponent <CODE>sExp</CODE> is never negative.
<LI>
For a nonzero integer input (<CODE>isZero</CODE> is <I>false</I>), the two
most-significant bits of <CODE>sig</CODE> are binary <CODE>01</CODE>.
<LI>
For a zero integer input (<CODE>isZero</CODE> is <I>true</I>),
<CODE>sign</CODE> and <CODE>sig</CODE> are zeros.
</UL>
<H3>9.3. Conversions to Integer (<CODE>recFNToIN</CODE>)</H3>
<P>
Module <CODE>recFNToIN</CODE> converts from a floating-point value in recoded
form to an integer type.
Its parameters and ports are:
<BLOCKQUOTE>
<PRE>
module
recFNToIN#(parameter expWidth, parameter sigWidth, parameter intWidth) (
input [(`floatControlWidth - 1):0] control,
input [(expWidth + sigWidth):0] in,
input [2:0] roundingMode,
input signedOut,
output [(intWidth - 1):0] out,
output [2:0] intExceptionFlags
);
</PRE>
</BLOCKQUOTE>
<P>
The output named <CODE>out</CODE> is an unsigned integer if input
<CODE>signedOut</CODE> is <I>false</I>, or is a signed integer if
<CODE>signedOut</CODE> is <I>true</I>.
</P>
<P>
As explained earlier in <NOBR>section 7</NOBR>, <I>Exception Results</I>, the
<NOBR>3-bit</NOBR> output named <CODE>intExceptionFlags</CODE> reports
exceptions <I>invalid</I>, <I>overflow</I>, and <I>inexact</I>.
Although <CODE>intExceptionFlags</CODE> distinguishes integer <I>overflow</I>
separately from <I>invalid</I> exceptions, the IEEE Standard does not permit
conversions to integer to raise a <I>floating-point overflow</I> exception.
Instead, if a system has no other way to indicate that a conversion to integer
overflowed, the standard requires that the <I>floating-point invalid</I>
exception be raised, not <I>floating-point overflow</I>.
Hence, the <I>invalid</I> and <I>overflow</I> bits from
<CODE>intExceptionFlags</CODE> will typically be <NOBR>ORed</NOBR> together to
contribute to the usual floating-point <I>invalid</I> exception.
</P>
<H3>9.4. Conversions Between Formats (<CODE>recFNToRecFN</CODE>)</H3>
<P>
Module <CODE>recFNToRecFN</CODE> converts a recoded floating-point value to a
different recoded format (such as from single-precision to double-precision, or
vice versa):
<BLOCKQUOTE>
<PRE>
module
recFNToRecFN#(
parameter inExpWidth,
parameter inSigWidth,
parameter outExpWidth,
parameter outSigWidth
) (
input [(`floatControlWidth - 1):0] control,
input [(inExpWidth + inSigWidth):0] in,
input [2:0] roundingMode,
output [(outExpWidth + outSigWidth):0] out,
output [4:0] exceptionFlags
);
</PRE>
</BLOCKQUOTE>
<P>
This module requires no special explanation.
</P>
<H3>9.5. Addition and Subtraction (<CODE>addRecFN</CODE>,
<CODE>addRecFNToRaw</CODE>)</H3>
<P>
Module <CODE>addRecFN</CODE> adds or subtracts two recoded floating-point
values, returning a result in the same format.
Its parameters and ports are:
<BLOCKQUOTE>
<PRE>
module
addRecFN#(parameter expWidth, parameter sigWidth) (
input [(`floatControlWidth - 1):0] control,
input subOp,
input [(expWidth + sigWidth):0] a,
input [(expWidth + sigWidth):0] b,
input [2:0] roundingMode,
output [(expWidth + sigWidth):0] out,
output [4:0] exceptionFlags
);
</PRE>
</BLOCKQUOTE>
<P>
When input <CODE>subOp</CODE> <NOBR>is 0</NOBR>, the operation is addition
(<NOBR><CODE><I>a</I></CODE> + <CODE><I>b</I></CODE></NOBR>), and when it
<NOBR>is 1</NOBR>, the operation is subtraction
(<NOBR><CODE><I>a</I></CODE> − <CODE><I>b</I></CODE></NOBR>).
</P>
<P>
A variant module, <CODE>addRecFNToRaw</CODE>, returns the intermediate result
of addition or subtraction <EM>before rounding</EM>, as a “raw”
deconstructed floating-point value with two extra bits of significand:
<BLOCKQUOTE>
<PRE>
module
addRecFNToRaw#(parameter expWidth, parameter sigWidth) (
input [(`floatControlWidth - 1):0] control,
input subOp,
input [(expWidth + sigWidth):0] a,
input [(expWidth + sigWidth):0] b,
input [2:0] roundingMode,
output invalidExc,
output out_isNaN,
output out_isInf,
output out_isZero,
output out_sign,
output signed [(expWidth + 1):0] out_sExp,
output [(sigWidth + 2):0] out_sig
);
</PRE>
</BLOCKQUOTE>
<P>
Boolean output <CODE>invalidExc</CODE> is <I>true</I> if the operation should
raise an <I>invalid</I> exception.
Module <CODE>roundRawFNToRecFN</CODE> can be used to round the intermediate
result in conformance with the IEEE Standard.
</P>
<H3>9.6. Multiplication (<CODE>mulRecFN</CODE>,
<CODE>mulRecFNToRaw</CODE>, <CODE>mulRecFNToFullRaw</CODE>)</H3>
<P>
Module <CODE>mulRecFN</CODE> multiplies two recoded floating-point values,
returning a result in the same format:
<BLOCKQUOTE>
<PRE>
module
mulRecFN#(parameter expWidth, parameter sigWidth) (
input [(`floatControlWidth - 1):0] control,
input [(expWidth + sigWidth):0] a,
input [(expWidth + sigWidth):0] b,
input [2:0] roundingMode,
output [(expWidth + sigWidth):0] out,
output [4:0] exceptionFlags
);
</PRE>
</BLOCKQUOTE>
<P>
A variant module, <CODE>mulRecFNToRaw</CODE>, returns the intermediate result
of multiplication <EM>before rounding</EM>, as a “raw”
deconstructed floating-point value with two extra bits of significand:
<BLOCKQUOTE>
<PRE>
module
mulRecFNToRaw#(parameter expWidth, parameter sigWidth) (
input [(`floatControlWidth - 1):0] control,
input [(expWidth + sigWidth):0] a,
input [(expWidth + sigWidth):0] b,
output invalidExc,
output out_isNaN,
output out_isInf,
output out_isZero,
output out_sign,
output signed [(expWidth + 1):0] out_sExp,
output [(sigWidth + 2):0] out_sig
);
</PRE>
</BLOCKQUOTE>
<P>
Boolean output <CODE>invalidExc</CODE> is <I>true</I> if the operation should
raise an <I>invalid</I> exception.
Module <CODE>roundRawFNToRecFN</CODE> can be used to round the intermediate
result in conformance with the IEEE Standard.
</P>
<P>
Module <CODE>mulRecFNToFullRaw</CODE> is a different variant, acting like
<CODE>mulRecFNToRaw</CODE> except returning the complete double-width product
significand:
<BLOCKQUOTE>
<PRE>
module
mulRecFNToFullRaw#(parameter expWidth, parameter sigWidth) (
input [(`floatControlWidth - 1):0] control,
input [(expWidth + sigWidth):0] a,
input [(expWidth + sigWidth):0] b,
output invalidExc,
output out_isNaN,
output out_isInf,
output out_isZero,
output out_sign,
output signed [(expWidth + 1):0] out_sExp,
output [(sigWidth*2 - 1):0] out_sig
);
</PRE>
</BLOCKQUOTE>
<P>
Unlike <CODE>mulRecFNToRaw</CODE>, the result from
<CODE>mulRecFNToFullRaw</CODE> is the exact product of the operands, without
any rounding approximation.
This full-size deconstructed floating-point result can be correctly rounded to
any recoded format using <CODE>roundAnyRawFNToRecFN</CODE>.
</P>
<H3>9.7. Fused Multiply-Add (<CODE>mulAddRecFN</CODE>,
<CODE>mulAddRecFNToRaw</CODE>)</H3>
<P>
Module <CODE>mulAddRecFN</CODE> implements fused multiply-add as defined by the
IEEE Floating-Point Standard:
<BLOCKQUOTE>
<PRE>
module
mulAddRecFN#(parameter expWidth, parameter sigWidth) (
input [(`floatControlWidth - 1):0] control,
input [1:0] op,
input [(expWidth + sigWidth):0] a,
input [(expWidth + sigWidth):0] b,
input [(expWidth + sigWidth):0] c,
input [2:0] roundingMode,
output [(expWidth + sigWidth):0] out,
output [4:0] exceptionFlags
);
</PRE>
</BLOCKQUOTE>
<P>
When <NOBR><CODE>op</CODE> = 0</NOBR>, the module computes
<NOBR>(<CODE><I>a</I></CODE> × <CODE><I>b</I></CODE>) +
<CODE><I>c</I></CODE></NOBR> with a single rounding.
If one of the multiplication operands <CODE><I>a</I></CODE> and
<CODE><I>b</I></CODE> is infinite and the other is zero, the <I>invalid</I>
exception is indicated even if operand <CODE><I>c</I></CODE> is a quiet NaN.
</P>
<P>
The bits of input <CODE>op</CODE> affect the signs of the addends, making it
possible to turn addition into subtraction (much like the <CODE>subOp</CODE>
input to <CODE>addRecFN</CODE>).
The exact effects of <CODE>op</CODE> are summarized in this table:
<BLOCKQUOTE>
<TABLE BORDER=0>
<TR>
<TD ALIGN=CENTER><CODE>op[1]</CODE></TD>
<TD ROWSPAN=5> </TD>
<TD ALIGN=CENTER><CODE>op[0]</CODE></TD>
<TD ROWSPAN=5> </TD>
<TD ALIGN=CENTER>Function</TD>
</TR>
<TR>
<TD ALIGN=CENTER>0</TD>
<TD ALIGN=CENTER>0</TD>
<TD ALIGN=CENTER>(<CODE><I>a</I></CODE> × <CODE><I>b</I></CODE>) + <CODE><I>c</I></CODE></TD>
</TR>
<TR>
<TD ALIGN=CENTER>0</TD>
<TD ALIGN=CENTER>1</TD>
<TD ALIGN=CENTER>(<CODE><I>a</I></CODE> × <CODE><I>b</I></CODE>) − <CODE><I>c</I></CODE></TD>
</TR>
<TR>
<TD ALIGN=CENTER>1</TD>
<TD ALIGN=CENTER>0</TD>
<TD ALIGN=CENTER><CODE><I>c</I></CODE> − (<CODE><I>a</I></CODE> × <CODE><I>b</I></CODE>)</TD>
</TR>
<TR>
<TD ALIGN=CENTER>1</TD>
<TD ALIGN=CENTER>1</TD>
<TD ALIGN=CENTER>−(<CODE><I>a</I></CODE> × <CODE><I>b</I></CODE>) − <CODE><I>c</I></CODE></TD>
</TR>
</TABLE>
</BLOCKQUOTE>
<P>
In all cases, the function is computed with only a single rounding, of course.
</P>
<P>
A variant module, <CODE>mulAddRecFNToRaw</CODE>, returns the intermediate
result of the fused multiply-add <EM>before rounding</EM>, as a
“raw” deconstructed floating-point value with two extra bits of
significand:
<BLOCKQUOTE>
<PRE>
module
mulAddRecFNToRaw#(parameter expWidth, parameter sigWidth) (
input [(`floatControlWidth - 1):0] control,
input [1:0] op,
input [(expWidth + sigWidth):0] a,
input [(expWidth + sigWidth):0] b,
input [(expWidth + sigWidth):0] c,
input [2:0] roundingMode,
output invalidExc,
output out_isNaN,
output out_isInf,
output out_isZero,
output out_sign,
output signed [(expWidth + 1):0] out_sExp,
output [(sigWidth + 2):0] out_sig
);
</PRE>
</BLOCKQUOTE>
<P>
Boolean output <CODE>invalidExc</CODE> is <I>true</I> if the operation should
raise an <I>invalid</I> exception.
Module <CODE>roundRawFNToRecFN</CODE> can be used to round the intermediate
result in conformance with the IEEE Standard.
</P>
<H3>9.8. Division and Square Root (<CODE>divSqrtRecFN_small</CODE>,
<CODE>divSqrtRecFNToRaw_small</CODE>)</H3>
<P>
Besides basic addition and multiplication, HardFloat has modules for computing
either division or square root, where the choice of function is controlled by a
module input.
Implementing as they do the most complex operations that HardFloat supports,
these combined division/square-root modules are unique within HardFloat for
being <EM>sequential</EM>, meaning they take a clock input and execute over
more than one clock cycle.
The division/square-root modules in HardFloat use classic one-bit-per-cycle
techniques that are simple and inexpensive but also slower than other known
algorithms for computing division and square root.
This character is reflected in the suffix ‘<CODE>_small</CODE>’ in
the modules’ names.
</P>
<P>
HardFloat’s principal division/square-root module is
<CODE>divSqrtRecFN_small</CODE>, with these parameters and ports:
<BLOCKQUOTE>
<PRE>
module
divSqrtRecFN_small#(
parameter expWidth,
parameter sigWidth,
parameter options = 0
) (
input nReset,
input clock,
input [(`floatControlWidth - 1):0] control,
output inReady,
input inValid,
input sqrtOp,
input [(expWidth + sigWidth):0] a,
input [(expWidth + sigWidth):0] b,
input [2:0] roundingMode,
output outValid,
output sqrtOpOut,
output [(expWidth + sigWidth):0] out,
output [4:0] exceptionFlags
);
</PRE>
</BLOCKQUOTE>
<P>
Currently, the only valid value for the <CODE>options</CODE> parameter is zero.
</P>
<P>
The reset input, <CODE>nReset</CODE>, is active-negative and operates
asynchronously within the module.
(By applying reset asynchronously, the module should accept any valid form of
reset, assuming proper care is taken elsewhere to synchronize the release of
reset with the clock.)
No clock cycles are needed during reset.
Apart from reset, state changes within the module occur only on the rising
edges of <CODE>clock</CODE>.
</P>
<P>
The module asserts <CODE>inReady</CODE> <I>true</I> (<NOBR>= 1</NOBR>) in any
clock cycle when it is ready to start a new division or square root operation.
Whenever <CODE>inReady</CODE> and <CODE>inValid</CODE> are both <I>true</I> at
a rising edge of <CODE>clock</CODE>, a new operation is begun, and inputs
<CODE>control</CODE>, <CODE>sqrtOp</CODE>, <CODE>a</CODE>, <CODE>b</CODE>, and
<CODE>roundingMode</CODE> must also be valid.
The computation of <CODE>inValid</CODE> (or any other module input) should not
depend on <CODE>inReady</CODE> within the same clock cycle.
</P>
<P>
If <CODE>sqrtOp</CODE> <NOBR>is 0</NOBR> when a new operation is started, the
operation is division
(<NOBR><CODE><I>a</I></CODE> ÷ <CODE><I>b</I></CODE></NOBR>).
If <CODE>sqrtOp</CODE> <NOBR>is 1</NOBR>, the operation is the square root
<NOBR>of <CODE><I>a</I></CODE></NOBR>, and operand <CODE><I>b</I></CODE> is
ignored.
</P>
<P>
After some number of clock cycles, <CODE>outValid</CODE> is asserted
<I>true</I> for exactly one clock cycle, at which time outputs
<CODE>sqrtOpOut</CODE>, <CODE>out</CODE>, and <CODE>exceptionFlags</CODE> are
all valid.
These outputs become invalid again in the very next clock cycle if another
division or square root operation gets initiated before or during the cycle
that <CODE>outValid</CODE> is <I>true</I>.
There is no mechanism within the module to retain a result for more than one
cycle once another division or square root has begun.
</P>
<P>
On the other hand, if no subsequent operation has yet been started when
<CODE>outValid</CODE> is asserted, then <CODE>divSqrtRecFN_small</CODE> will
hold its result outputs constant until a new operation is begun (by asserting
<CODE>inValid</CODE> while <CODE>inReady</CODE> is <I>true</I>).
Even so, <CODE>outValid</CODE> is never asserted for more than one clock cycle
per result, indicating the first cycle when the result is valid.
</P>
<P>
Output <CODE>sqrtOpOut</CODE> is merely a copy of the original
<CODE>sqrtOp</CODE> for the operation.
It is expected that clients will rarely have a need for this output.
</P>
<P>
The number of clock cycles to complete an operation is not guaranteed to be
constant, but may in fact depend on all inputs to the operation, including
<CODE>a</CODE>, <CODE>b</CODE>, and <CODE>roundingMode</CODE>.
Because the module employs algorithms that compute one result bit per cycle,
the number of cycles is typically
<NOBR><CODE>sigWidth</CODE> + <I>n</I></NOBR>, for some
<NOBR>small <I>n</I></NOBR>.
However, for exceptional cases (zero divided by infinity, for example), a
result may be delivered much sooner.
</P>
<P>
A variant module, <CODE>divSqrtRecFNToRaw_small</CODE>, returns the
intermediate result of a division or square root operation
<EM>before rounding</EM>, as a “raw” deconstructed floating-point
value with two extra bits of significand:
<BLOCKQUOTE>
<PRE>
module
divSqrtRecFNToRaw_small#(
parameter expWidth,
parameter sigWidth,
parameter options = 0
) (
input nReset,
input clock,
input [(`floatControlWidth - 1):0] control,
output inReady,
input inValid,
input sqrtOp,
input [(expWidth + sigWidth):0] a,
input [(expWidth + sigWidth):0] b,
input [2:0] roundingMode,
output outValid,
output sqrtOpOut,
output [2:0] roundingModeOut,
output invalidExc,
output infiniteExc,
output out_isNaN,
output out_isInf,
output out_isZero,
output out_sign,
output signed [(expWidth + 1):0] out_sExp,
output [(sigWidth + 2):0] out_sig
);
</PRE>
</BLOCKQUOTE>
<P>
Functionally, the only difference between this module and
<CODE>divSqrtRecFN_small</CODE> is the form of the outputs.
Like <CODE>sqrtOpOut</CODE>, output <CODE>roundingModeOut</CODE> is simply a
copy of the original <CODE>roundingMode</CODE> for the operation.
Boolean output <CODE>invalidExc</CODE> is <I>true</I> if the operation should
raise an <I>invalid</I> exception, while <CODE>infiniteExc</CODE> is
<I>true</I> if the operation should raise an <I>infinite</I> exception
(“divide by zero”).
Module <CODE>roundRawFNToRecFN</CODE> can be used to round the intermediate
result in conformance with the IEEE Standard.
</P>
<H3>9.9. Comparisons (<CODE>compareRecFN</CODE>)</H3>
<P>
Module <CODE>compareRecFN</CODE> compares two recoded floating-point values for
equality or inequality, according to the IEEE Standard.
Its parameters and ports are as follows:
<BLOCKQUOTE>
<PRE>
module
compareRecFN#(parameter expWidth, parameter sigWidth) (
input [(expWidth + sigWidth):0] a,
input [(expWidth + sigWidth):0] b,
input signaling,
output lt,
output eq,
output gt,
output unordered,
output [4:0] exceptionFlags
);
</PRE>
</BLOCKQUOTE>
<P>
If Boolean input <CODE>signaling</CODE> is <I>true</I>, a <I>signaling</I>
comparison is done, meaning that an <I>invalid</I> exception is raised if
either operand is any kind of NaN.
If <CODE>signaling</CODE> is <I>false</I>, a <I>quiet</I> comparison is done,
meaning that quiet NaNs do not cause an <I>invalid</I> exception.
The IEEE Standard mandates that equality comparisons (<NOBR>=, ≠</NOBR>)
ordinarily are <I>quiet</I>, while inequality comparisons
(<NOBR><, ≤</NOBR>, <NOBR>≥, ></NOBR>) ordinarily are
<I>signaling</I>.
</P>
<P>
Boolean outputs <CODE>lt</CODE>, <CODE>eq</CODE>, and <CODE>gt</CODE> indicate
whether <NOBR><CODE><I>a</I></CODE> < <CODE><I>b</I></CODE></NOBR>,
<NOBR><CODE><I>a</I></CODE> = <CODE><I>b</I></CODE></NOBR>, or
<NOBR><CODE><I>a</I></CODE> > <CODE><I>b</I></CODE></NOBR>, respectively.
Output <CODE>unordered</CODE> is <I>true</I> if either operand is a NaN.
Exactly one of <CODE>lt</CODE>, <CODE>eq</CODE>, <CODE>gt</CODE>, and
<CODE>unordered</CODE> will be <I>true</I> for any pair of operands,
<CODE><I>a</I></CODE> <NOBR>and <CODE><I>b</I></CODE></NOBR>.
</P>
<H2>10. Common Submodules</H2>
<P>
A few HardFloat modules are components that are shared by multiple
floating-point operations.
One such module tests whether a floating-point value is a signaling NaN.
Other modules convert into and out of the deconstructed “raw” forms
documented earler in <NOBR>section 5.3</NOBR>, <I>Raw Deconstructions</I>.
These component modules are found in files <CODE>isSigNaNRecFN.v</CODE> and
<CODE>HardFloat_rawFN.v</CODE>.
</P>
<P>
These modules are documented here for those who may need to use them directly.
Otherwise, this section can be skipped.
</P>
<H3>10.1. <CODE>isSigNaNRecFN</CODE></H3>
<P>
Module <CODE>isSigNaNRecFN</CODE> tells whether a floating-point value is a
signaling NaN.
It has these parameters and ports:
<BLOCKQUOTE>
<PRE>
module
isSigNaNRecFN#(parameter expWidth, parameter sigWidth) (
input [(expWidth + sigWidth):0] in,
output isSigNaN
);
</PRE>
</BLOCKQUOTE>
<P>
As indicated by the module’s name, the input floating-point value is in
HardFloat’s recoded format.
The output <CODE>isSigNaN</CODE> is <I>true</I> if the input is a signaling
NaN.
</P>
<H3>10.2. <CODE>recFNToRawFN</CODE></H3>
<P>
Module <CODE>recFNToRawFN</CODE> converts a floating-point value from
HardFloat’s recoded format into the “raw” deconstructed form.
Its parameters and ports are as follows:
<BLOCKQUOTE>
<PRE>
module
recFNToRawFN#(parameter expWidth, parameter sigWidth) (
input [(expWidth + sigWidth):0] in,
output isNaN,
output isInf,
output isZero,
output sign,
output signed [(expWidth + 1):0] sExp,
output [sigWidth:0] sig
);
</PRE>
</BLOCKQUOTE>
<P>
For general information about the deconstructed form, see
<NOBR>section 5.3</NOBR>, <I>Raw Deconstructions</I>.
Besides the usual rules for the deconstructed form, this module guarantees the
following for its outputs:
<UL>
<LI>
All three of <CODE>isNaN</CODE>, <CODE>isInf</CODE>, and <CODE>isZero</CODE>
are always valid, so at most one is <I>true</I>.
(Ordinarily, when <CODE>isNaN</CODE> is <I>true</I>, the value of
<CODE>isInf</CODE> is irrelevant, and when <CODE>isNaN</CODE> or
<CODE>isInf</CODE> is <I>true</I>, <CODE>isZero</CODE> is irrelevant.)
<LI>
The encoded exponent <CODE>sExp</CODE> is never negative.
<LI>
For a finite nonzero number (with <CODE>isNaN</CODE>, <CODE>isInf</CODE>, and
<CODE>isZero</CODE> all being <I>false</I>):
<UL>
<LI>
<CODE>sExp</CODE> is in the recoded format’s range of
<NOBR>2<SUP><I>k</I></SUP> + 3 − <CODE>sigWidth</CODE></NOBR> (smallest)
to <NOBR>3×2<SUP><I>k</I></SUP> − 1</NOBR> (largest),
where again <NOBR><I>k</I> = <CODE>expWidth</CODE> − 1</NOBR>.
<LI>
The two most-significant bits of <CODE>sig</CODE> are binary <CODE>01</CODE>.
</UL>
<LI>
For a zero (<CODE>isZero</CODE> is <I>true</I>):
<UL>
<LI>
<CODE>sExp</CODE> is less than the value it has for any finite nonzero number
in the same format (i.e., less than
<NOBR>2<SUP><I>k</I></SUP> + 3 − <CODE>sigWidth</CODE></NOBR>).
<LI>
<CODE>sig</CODE> is zero.
</UL>
</UL>
<H3>10.3. <CODE>roundAnyRawFNToRecFN</CODE></H3>
<P>
Module <CODE>roundAnyRawFNToRecFN</CODE> takes an intermediate floating-point
value in deconstructed form and rounds it to a valid IEEE-conformant value in a
recoded format, applying the requested rounding mode and taking account of any
exceptional conditions such as underflow or overflow.
This module is declared with these parameters and ports:
<BLOCKQUOTE>
<PRE>
module
roundAnyRawFNToRecFN#(
parameter inExpWidth,
parameter inSigWidth,
parameter outExpWidth,
parameter outSigWidth,
parameter options = 0
) (
input [(`floatControlWidth - 1):0] control,
input invalidExc,
input infiniteExc,
input in_isNaN,
input in_isInf,
input in_isZero,
input in_sign,
input signed [(inExpWidth + 1):0] in_sExp,
input [inSigWidth:0] in_sig,
input [2:0] roundingMode,
output [(outExpWidth + outSigWidth):0] out,
output [4:0] exceptionFlags
);
</PRE>
</BLOCKQUOTE>
<P>
Parameters <CODE>inExpWidth</CODE> and <CODE>inSigWidth</CODE> characterize the
floating-point input to be rounded, while <CODE>outExpWidth</CODE> and
<CODE>outSigWidth</CODE> control the result format.
The <CODE>options</CODE> parameter is explained later below.
</P>
<P>
Inputs <CODE>control</CODE> and <CODE>roundingMode</CODE> are as documented in
<NOBR>section 6</NOBR>, <I>Common Control and Mode Inputs</I>.
The <CODE>in_*</CODE> inputs obviously supply the incoming floating-point value
in deconstructed form.
Output <CODE>out</CODE> is the rounded IEEE floating-point value, in recoded
format, while <CODE>exceptionFlags</CODE> delivers the five floating-point
exception flags as documented in <NOBR>section 7</NOBR>,
<I>Exception Results</I>.
</P>
<P>
That leaves only inputs <CODE>invalidExc</CODE> and <CODE>infiniteExc</CODE>,
both Booleans.
If <CODE>invalidExc</CODE> is <I>true</I>, it forces an <I>invalid</I>
exception to be asserted, independent of the other inputs, so the
floating-point result delivered by <CODE>out</CODE> will be a NaN, and an
<I>invalid</I> exception will be indicated in <CODE>exceptionFlags</CODE>.
Similarly, <CODE>infiniteExc</CODE> asserts an <I>infinite</I> exception
(“divide by zero”) independent of most other inputs.
If <CODE>invalidExc</CODE> is <I>false</I> and <CODE>infiniteExc</CODE> is
<I>true</I>, the floating-point output will be an infinity with sign
<CODE>in_sign</CODE>, and an <I>infinite</I> exception will be indicated in
<CODE>exceptionFlags</CODE>.
</P>
<P>
When the floating-point input to <CODE>roundAnyRawFNToRecFN</CODE> is the
intermediate result of an operation, its precision typically needs to be at
least two bits greater than the output precision to avoid corrupting the result
value, i.e.,
<CODE>inSigWidth</CODE> ≥ <NOBR><CODE>outSigWidth</CODE> + 2</NOBR>.
In this case, the least-significant bit of the input is typically called the
<I>sticky</I> bit of the computation.
On the other hand, if the floating-point input is always an <EM>exact</EM>
value (such as from <CODE>iNToRawFN</CODE> or <CODE>recFNToRawFN</CODE>), then
no relationship between input and output formats is necessary.
</P>
<P>
Source file <CODE>HardFloat_consts.vi</CODE> defines several
‘<CODE>flRoundOpt_</CODE>’ macros to be used for the
<CODE>options</CODE> parameter, with the following meanings:
<BLOCKQUOTE>
<DL>
<DT><CODE>flRoundOpt_sigMSBitAlwaysZero</CODE></DT>
<DD>
For finite nonzero values, the two most-significant bits of <CODE>in_sig</CODE>
are always binary <CODE>01</CODE>.
</DD>
<DT><CODE>flRoundOpt_subnormsAlwaysExact</CODE></DT>
<DD>
Whenever the floating-point result is a subnormal, the result is always exact,
requiring no real rounding.
The <I>inexact</I> exception is therefore never indicated for subnormal
results.
(This case commonly arises with floating-point addition and subtraction.)
</DD>
<DT><CODE>flRoundOpt_neverUnderflows</CODE></DT>
<DD>
Underflow never occurs, because, for finite nonzero values, the floating-point
exponent is never below the normal range.
</DD>
<DT><CODE>flRoundOpt_neverOverflows</CODE></DT>
<DD>
Overflow never occurs, because, for finite nonzero values, the floating-point
exponent is never above the normal range.
</DD>
</DL>
</BLOCKQUOTE>
<P>
The <CODE>options</CODE> parameter can be set to the bitwise OR of any
combination of these macro values, or to 0, if none is applicable.
By setting <CODE>options</CODE> to the maximal set of conditions that apply,
the efficiency of the module may be improved.
</P>
<P>
If the floating-point output is a NaN (because either <CODE>invalidExc</CODE>
is <I>true</I>, or <CODE>invalidExc</CODE> and <CODE>infiniteExc</CODE> are
<I>false</I> and <CODE>in_isNaN</CODE> is <I>true</I>), and if macro
<CODE>HardFloat_propagateNaNPayloads</CODE> is defined (refer back to
<NOBR>section 8.3</NOBR>, <I>NaN Results</I>), then the NaN’s payload is
specified by inputs <CODE>in_sign</CODE> and <CODE>in_sig</CODE>.
This is true even when the NaN result should be the default NaN.
The client is responsible for controlling when a NaN result will be the default
NaN, by setting <CODE>in_sign</CODE> and <CODE>in_sig</CODE> appropriately.
On the other hand, if macro <CODE>HardFloat_propagateNaNPayloads</CODE> is not
defined, any NaN outputs from <CODE>roundAnyRawFNToRecFN</CODE> are always the
default NaN, and inputs <CODE>in_sign</CODE> and <CODE>in_sig</CODE> are
ignored for NaNs.
</P>
<H3>10.4. <CODE>roundRawFNToRecFN</CODE></H3>
<P>
Module <CODE>roundRawFNToRecFN</CODE> is a variation on
<CODE>roundAnyRawFNToRecFN</CODE>, with the same set of ports but fewer
parameters:
<BLOCKQUOTE>
<PRE>
module
roundRawFNToRecFN#(
parameter expWidth,
parameter sigWidth,
parameter options = 0
) (
input [(`floatControlWidth - 1):0] control,
input invalidExc,
input infiniteExc,
input in_isNaN,
input in_isInf,
input in_isZero,
input in_sign,
input signed [(expWidth + 1):0] in_sExp,
input [(sigWidth + 2):0] in_sig,
input [2:0] roundingMode,
output [(expWidth + sigWidth):0] out,
output [4:0] exceptionFlags
);
</PRE>
</BLOCKQUOTE>
<P>
<CODE>roundRawFNToRecFN</CODE> is identical to
<CODE>roundAnyRawFNToRecFN</CODE> with this assignment of parameters:
<BLOCKQUOTE>
<CODE>inExpWidth</CODE> = <CODE>expWidth</CODE><BR>
<CODE>inSigWidth</CODE> = <CODE>sigWidth</CODE> + 2<BR>
<CODE>outExpWidth</CODE> = <CODE>expWidth</CODE><BR>
<CODE>outSigWidth</CODE> = <CODE>sigWidth</CODE>
</BLOCKQUOTE>
<P>
Note that the deconstructed input has implicitly two more bits of precision
than the specified <CODE>sigWidth</CODE> would normally indicate.
</P>
<H2>11. Testing HardFloat</H2>
<P>
The HardFloat package includes a subdirectory named <CODE>test</CODE>
containing source code and example <CODE>Makefile</CODE>s for testing
HardFloat’s Verilog modules.
To execute the tests, either a Verilog simulator or Verilator is required.
(Verilator is a free tool for converting a subset of synthesizable Verilog or
SystemVerilog into C++ code.
When compiled into an executable program, the code generated by Verilator has
been found to run much faster than some Verilog simulators.)
</P>
<P>
HardFloat’s test infrastructure also depends on Berkeley TestFloat, which
must be obtained and compiled separately.
And building TestFloat furthermore requires Berkeley SoftFloat, thus completing
the three-part set of Berkeley HardFloat, SoftFloat, and TestFloat.
Information about TestFloat and SoftFloat can be found at their respective Web
pages:
<BLOCKQUOTE>
<TABLE>
<TR>
<TD><A HREF="http://www.jhauser.us/arithmetic/TestFloat.html"><NOBR><CODE>http://www.jhauser.us/arithmetic/TestFloat.html</CODE></NOBR></A></TD>
</TR>
<TR>
<TD><A HREF="http://www.jhauser.us/arithmetic/SoftFloat.html"><NOBR><CODE>http://www.jhauser.us/arithmetic/SoftFloat.html</CODE></NOBR></A></TD>
</TR>
</TABLE>
</BLOCKQUOTE>
<P>
Separate documentation is supplied according to whether one is using a Verilog
simulator or Verilator for testing:
<BLOCKQUOTE>
<TABLE>
<TR>
<TD><A HREF="HardFloat-test-Verilog.html"><NOBR><CODE>HardFloat-test-Verilog.html</CODE></NOBR></A></TD>
<TD>
Documentation for testing HardFloat using Verilog simulation.
</TD>
</TR>
<TR>
<TD><A HREF="HardFloat-test-Verilator.html"><NOBR><CODE>HardFloat-test-Verilator.html</CODE></NOBR></A><CODE> </CODE></TD>
<TD>
Documentation for testing HardFloat using Verilator.
</TD>
</TR>
</TABLE>
</BLOCKQUOTE>
<H2>12. Contact Information</H2>
<P>
At the time of this writing, the most up-to-date information about HardFloat
and the latest release can be found at the Web page
<A HREF="http://www.jhauser.us/arithmetic/HardFloat.html"><NOBR><CODE>http://www.jhauser.us/arithmetic/HardFloat.html</CODE></NOBR></A>.
</P>
</BODY>
</HTML>
|
dist/demo/css/grid.css | derjasper/blue.frontend | /*! blue */
*, *:before, *:after {
box-sizing: border-box;
-moz-box-sizing: border-box;
-webkit-box-sizing: border-box;
-ms-box-sizing: border-box; }
html, body {
margin: 0;
padding: 0;
font-size: 100%; }
html {
height: 100%;
position: relative; }
body {
min-height: 100%; }
.container {
*zoom: 1;
position: relative;
width: auto;
height: auto;
margin-left: auto;
margin-right: auto; }
.container:before, .container:after {
content: "";
display: table; }
.container:after {
clear: both; }
html {
/*! customrule: {"variable_init": {"variable": "bl-menu-hide", "value": false, "type": "simple"}} */
/*! customrule: {"trigger": {"key": "bl-menu-hide", "event_type": "click", "value_expression": "!bl-menu-hide", "priority": 0}} */ }
body {
font-family: sans;
color: white;
background: #222;
padding: 0 4em 4em 4em; }
h1, h2, h3 {
padding: 1em 0;
margin: 0;
font-weight: normal; }
a {
color: white; }
div:not(.nostyle) {
background: #006785;
border: #037698 0.5em solid; }
div:not(.nostyle) > div {
background: #4c4c4c;
border: #575757 0.5em solid; }
div.placeholder, div > div.placeholder {
height: 30em;
background: transparent;
border: none; }
ol:not(.nostyle), ul:not(.nostyle) {
background: #006785;
color: white; }
ol:not(.nostyle) li, ul:not(.nostyle) li {
background: #037698; }
ol:not(.nostyle) li a, ul:not(.nostyle) li a {
background: #4c4c4c;
color: white; }
.col-basic {
*zoom: 1;
position: relative;
width: auto;
height: auto;
margin-left: auto;
margin-right: auto; }
.col-basic:before, .col-basic:after {
content: "";
display: table; }
.col-basic:after {
clear: both; }
.col-basic div {
float: left;
position: relative;
width: 33.33333%; }
.col-offset {
*zoom: 1;
position: relative;
width: auto;
height: auto;
margin-left: auto;
margin-right: auto; }
.col-offset:before, .col-offset:after {
content: "";
display: table; }
.col-offset:after {
clear: both; }
.col-offset div {
float: left;
position: relative;
width: 33.33333%; }
.col-offset .o {
margin-left: 33.33333%; }
.col-right {
*zoom: 1;
position: relative;
width: auto;
height: auto;
margin-left: auto;
margin-right: auto; }
.col-right:before, .col-right:after {
content: "";
display: table; }
.col-right:after {
clear: both; }
.col-right div {
float: right;
position: relative;
width: 33.33333%; }
.col-pushpull {
*zoom: 1;
position: relative;
width: auto;
height: auto;
margin-left: auto;
margin-right: auto; }
.col-pushpull:before, .col-pushpull:after {
content: "";
display: table; }
.col-pushpull:after {
clear: both; }
.col-pushpull div {
float: left;
position: relative;
width: 33.33333%; }
.col-pushpull .pl {
left: auto;
right: 33.33333%; }
.col-pushpull .ps {
left: 33.33333%;
right: auto; }
.col-right-pushpull {
*zoom: 1;
position: relative;
width: auto;
height: auto;
margin-left: auto;
margin-right: auto; }
.col-right-pushpull:before, .col-right-pushpull:after {
content: "";
display: table; }
.col-right-pushpull:after {
clear: both; }
.col-right-pushpull div {
float: right;
position: relative;
width: 33.33333%; }
.col-right-pushpull .pl {
left: auto;
right: 33.33333%; }
.col-right-pushpull .ps {
left: 33.33333%;
right: auto; }
.row-basic {
*zoom: 1;
position: relative;
width: auto;
height: 20rem;
min-height: 20rem;
max-height: 20rem;
margin-left: auto;
margin-right: auto; }
.row-basic:before, .row-basic:after {
content: "";
display: table; }
.row-basic:after {
clear: both; }
.row-basic div {
float: left;
position: relative;
width: 100%;
float: left;
position: relative;
height: 33.33333%; }
.row-offset {
*zoom: 1;
position: relative;
width: auto;
height: 20rem;
min-height: 20rem;
max-height: 20rem;
margin-left: auto;
margin-right: auto; }
.row-offset:before, .row-offset:after {
content: "";
display: table; }
.row-offset:after {
clear: both; }
.row-offset div {
float: left;
position: relative;
width: 100%;
float: left;
position: relative;
height: 25%; }
.row-offset .o {
/*! customrule: {"grid_offset": {"width": "100%", "height": "25%"}} */ }
.row-pushpull {
*zoom: 1;
position: relative;
width: auto;
height: 20rem;
min-height: 20rem;
max-height: 20rem;
margin-left: auto;
margin-right: auto; }
.row-pushpull:before, .row-pushpull:after {
content: "";
display: table; }
.row-pushpull:after {
clear: both; }
.row-pushpull div {
float: left;
position: relative;
width: 100%;
float: left;
position: relative;
height: 33.33333%; }
.row-pushpull .pl {
top: auto;
bottom: 33.33333%; }
.row-pushpull .ps {
top: 33.33333%;
bottom: auto; }
/*# sourceMappingURL=grid.css.map */
|
_ng1_docs/1.0.10/interfaces/common.obj.html | ui-router/ui-router.github.io | ---
redirect_from: /docs/1.0.10/interfaces/common.obj.html
---
<!doctype html>
<html class="default no-js">
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<title>Obj | @uirouter/angularjs</title>
<meta name="description" content="">
<meta name="viewport" content="width=device-width, initial-scale=1">
<link rel="stylesheet" href="../assets/css/main.css">
<link rel="stylesheet" href="../assets/css/uirouter.css">
<script src="../assets/js/modernizr.js"></script>
<script src="../assets/js/reset.js"></script>
</head>
<body>
<header>
<div class="tsd-page-toolbar">
<div class="container">
<div class="table-wrap">
<div class="table-cell" id="tsd-search" data-index="../assets/js/search.js" data-base="..">
<div class="field">
<label for="tsd-search-field" class="tsd-widget search no-caption">Search</label>
<input id="tsd-search-field" type="text" />
</div>
<ul class="results">
<li class="state loading">Preparing search index...</li>
<li class="state failure">The search index is not available</li>
</ul>
<a href="../index.html" class="title">@uirouter/angularjs</a>
</div>
<div class="table-cell" id="tsd-widgets">
<div id="tsd-filter">
<a href="#" class="tsd-widget options no-caption" data-toggle="options">Options</a>
<div class="tsd-filter-group">
<!--
<div class="tsd-select" id="tsd-filter-visibility">
<span class="tsd-select-label">All</span>
<ul class="tsd-select-list">
<li data-value="public">Public</li>
<li data-value="protected">Public/Protected</li>
<li data-value="private" class="selected">All</li>
</ul>
</div>
<input type="checkbox" id="tsd-filter-inherited" checked />
<label class="tsd-widget" for="tsd-filter-inherited">Inherited</label>
-->
<input type="checkbox" id="tsd-filter-externals" checked />
<label class="tsd-widget" for="tsd-filter-externals">Internal UI-Router API</label>
<!--
<input type="checkbox" id="tsd-filter-only-exported" />
<label class="tsd-widget" for="tsd-filter-only-exported">Only exported</label>
-->
</div>
</div>
<a href="#" class="tsd-widget menu no-caption" data-toggle="menu">Menu</a>
</div>
</div>
</div>
</div>
<div class="tsd-page-title">
<div class="container">
<ul class="tsd-breadcrumb">
<li>
<a href="../index.html">@uirouter/angularjs</a>
</li>
<li>
<a href="../modules/common.html">common</a>
</li>
<li>
<a href="common.obj.html">Obj</a>
</li>
</ul>
<h1>Interface Obj</h1>
</div>
</div>
</header>
<div class="container container-main">
<div class="row">
<div class="col-8 col-content">
<section class="tsd-panel tsd-hierarchy">
<h3>Hierarchy</h3>
<ul class="tsd-hierarchy">
<li>
<span class="tsd-signature-type">Object</span>
<ul class="tsd-hierarchy">
<li>
<span class="target">Obj</span>
</li>
</ul>
</li>
</ul>
</section>
<section class="tsd-panel tsd-kind-interface tsd-parent-kind-external-module tsd-is-external">
<h3 class="tsd-before-signature">Indexable</h3>
<div class="tsd-signature tsd-kind-icon"><span class="tsd-signature-symbol">[</span>key: <span class="tsd-signature-type">string</span><span class="tsd-signature-symbol">]: </span><span class="tsd-signature-type">any</span></div>
</section>
<section class="tsd-panel-group tsd-index-group">
<h2>Index</h2>
<section class="tsd-panel tsd-index-panel">
<div class="tsd-index-content">
<section class="tsd-index-section tsd-is-external">
<h3>Properties</h3>
<ul class="tsd-index-list">
<li class="tsd-kind-property tsd-parent-kind-interface tsd-is-external"><a href="common.obj.html#object" class="tsd-kind-icon">Object</a></li>
<li class="tsd-kind-property tsd-parent-kind-interface tsd-is-inherited tsd-is-external"><a href="common.obj.html#constructor" class="tsd-kind-icon">constructor</a></li>
</ul>
</section>
<section class="tsd-index-section tsd-is-inherited tsd-is-external">
<h3>Methods</h3>
<ul class="tsd-index-list">
<li class="tsd-kind-method tsd-parent-kind-interface tsd-is-overwrite tsd-is-inherited tsd-is-external"><a href="common.obj.html#hasownproperty" class="tsd-kind-icon">has<wbr>Own<wbr>Property</a></li>
<li class="tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external"><a href="common.obj.html#isprototypeof" class="tsd-kind-icon">is<wbr>Prototype<wbr>Of</a></li>
<li class="tsd-kind-method tsd-parent-kind-interface tsd-is-overwrite tsd-is-inherited tsd-is-external"><a href="common.obj.html#propertyisenumerable" class="tsd-kind-icon">property<wbr>IsEnumerable</a></li>
<li class="tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external"><a href="common.obj.html#tolocalestring" class="tsd-kind-icon">to<wbr>Locale<wbr>String</a></li>
<li class="tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external"><a href="common.obj.html#tostring" class="tsd-kind-icon">to<wbr>String</a></li>
<li class="tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external"><a href="common.obj.html#valueof" class="tsd-kind-icon">value<wbr>Of</a></li>
</ul>
</section>
</div>
</section>
</section>
<section class="tsd-panel-group tsd-member-group tsd-is-external">
<h2>Properties</h2>
<section class="tsd-panel tsd-member tsd-kind-property tsd-parent-kind-interface tsd-is-external">
<a name="object" class="tsd-anchor"></a>
<!--
<h3>Object</h3>
-->
<div class="tsd-signature tsd-kind-icon">Object<span class="tsd-signature-symbol">:</span> <span class="tsd-signature-type">ObjectConstructor</span> <div class="tsd-header">
<p> Provides functionality common to all JavaScript objects. </p>
</div>
</div>
<div class="tsd-declaration">
<div class="tsd-comment tsd-typography">
<div class="lead">
<p>Provides functionality common to all JavaScript objects.</p>
</div>
</div>
</div>
<aside class="tsd-sources">
<ul>
<li>Defined in angularjs/node_modules/typedoc/node_modules/typescript/lib/lib.es6.d.ts:245</li>
</ul>
</aside>
</section>
<section class="tsd-panel tsd-member tsd-kind-property tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<a name="constructor" class="tsd-anchor"></a>
<!--
<h3>constructor</h3>
-->
<div class="tsd-signature tsd-kind-icon">constructor<span class="tsd-signature-symbol">:</span> <span class="tsd-signature-type">Function</span> <div class="tsd-header">
<p> The initial value of Object.prototype.constructor is the standard built-in Object constructor. </p>
</div>
</div>
<div class="tsd-declaration">
<div class="tsd-comment tsd-typography">
<div class="lead">
<p>The initial value of Object.prototype.constructor is the standard built-in Object constructor.</p>
</div>
</div>
</div>
<aside class="tsd-sources">
<p>Inherited from Object.constructor</p>
<ul>
<li>Defined in angularjs/node_modules/typedoc/node_modules/typescript/lib/lib.es6.d.ts:100</li>
</ul>
</aside>
</section>
</section>
<section class="tsd-panel-group tsd-member-group tsd-is-inherited tsd-is-external">
<h2>Methods</h2>
<section class="tsd-panel tsd-member tsd-kind-method tsd-parent-kind-interface tsd-is-overwrite tsd-is-inherited tsd-is-external">
<a name="hasownproperty" class="tsd-anchor"></a>
<!--
<h3>has<wbr>Own<wbr>Property</h3>
-->
<ul class="tsd-signatures tsd-kind-method tsd-parent-kind-interface tsd-is-overwrite tsd-is-inherited tsd-is-external">
<li class="tsd-signature tsd-kind-icon">has<wbr>Own<wbr>Property<span class="tsd-signature-symbol">(</span>v<span class="tsd-signature-symbol">: </span><span class="tsd-signature-type">string</span><span class="tsd-signature-symbol">)</span><span class="tsd-signature-symbol">: </span><span class="tsd-signature-type">boolean</span></li>
<li class="tsd-header">
<p> Determines whether an object has a property with the specified name. </p>
</li>
</ul>
<ul class="tsd-descriptions">
<li class="tsd-description">
<div class="tsd-comment tsd-typography">
<div class="lead">
<p>Determines whether an object has a property with the specified name.</p>
</div>
</div>
<h4 class="tsd-parameters-title">Parameters</h4>
<ul class="tsd-parameters">
<li>
<h5>v <span class="tsd-signature-type">string</span></h5>
: <div class="tsd-comment tsd-typography">
<p>A property name.</p>
</div>
</li>
</ul>
<div class="tsd-returns">
<h4 class="tsd-returns-title">Returns <span class="tsd-signature-type">boolean</span></h4>
</div>
<hr>
<aside class="tsd-sources">
<p>Inherited from Object.hasOwnProperty</p>
<p>Overwrites Object.hasOwnProperty</p>
<ul>
<li>Defined in angularjs/node_modules/typedoc/node_modules/typescript/lib/lib.es6.d.ts:115</li>
</ul>
</aside> </li>
</ul>
</section>
<section class="tsd-panel tsd-member tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<a name="isprototypeof" class="tsd-anchor"></a>
<!--
<h3>is<wbr>Prototype<wbr>Of</h3>
-->
<ul class="tsd-signatures tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<li class="tsd-signature tsd-kind-icon">is<wbr>Prototype<wbr>Of<span class="tsd-signature-symbol">(</span>v<span class="tsd-signature-symbol">: </span><span class="tsd-signature-type">Object</span><span class="tsd-signature-symbol">)</span><span class="tsd-signature-symbol">: </span><span class="tsd-signature-type">boolean</span></li>
<li class="tsd-header">
<p> Determines whether an object exists in another object's prototype chain. </p>
</li>
</ul>
<ul class="tsd-descriptions">
<li class="tsd-description">
<div class="tsd-comment tsd-typography">
<div class="lead">
<p>Determines whether an object exists in another object's prototype chain.</p>
</div>
</div>
<h4 class="tsd-parameters-title">Parameters</h4>
<ul class="tsd-parameters">
<li>
<h5>v <span class="tsd-signature-type">Object</span></h5>
: <div class="tsd-comment tsd-typography">
<p>Another object whose prototype chain is to be checked.</p>
</div>
</li>
</ul>
<div class="tsd-returns">
<h4 class="tsd-returns-title">Returns <span class="tsd-signature-type">boolean</span></h4>
</div>
<hr>
<aside class="tsd-sources">
<p>Inherited from Object.isPrototypeOf</p>
<ul>
<li>Defined in angularjs/node_modules/typedoc/node_modules/typescript/lib/lib.es6.d.ts:121</li>
</ul>
</aside> </li>
</ul>
</section>
<section class="tsd-panel tsd-member tsd-kind-method tsd-parent-kind-interface tsd-is-overwrite tsd-is-inherited tsd-is-external">
<a name="propertyisenumerable" class="tsd-anchor"></a>
<!--
<h3>property<wbr>IsEnumerable</h3>
-->
<ul class="tsd-signatures tsd-kind-method tsd-parent-kind-interface tsd-is-overwrite tsd-is-inherited tsd-is-external">
<li class="tsd-signature tsd-kind-icon">property<wbr>IsEnumerable<span class="tsd-signature-symbol">(</span>v<span class="tsd-signature-symbol">: </span><span class="tsd-signature-type">string</span><span class="tsd-signature-symbol">)</span><span class="tsd-signature-symbol">: </span><span class="tsd-signature-type">boolean</span></li>
<li class="tsd-header">
<p> Determines whether a specified property is enumerable. </p>
</li>
</ul>
<ul class="tsd-descriptions">
<li class="tsd-description">
<div class="tsd-comment tsd-typography">
<div class="lead">
<p>Determines whether a specified property is enumerable.</p>
</div>
</div>
<h4 class="tsd-parameters-title">Parameters</h4>
<ul class="tsd-parameters">
<li>
<h5>v <span class="tsd-signature-type">string</span></h5>
: <div class="tsd-comment tsd-typography">
<p>A property name.</p>
</div>
</li>
</ul>
<div class="tsd-returns">
<h4 class="tsd-returns-title">Returns <span class="tsd-signature-type">boolean</span></h4>
</div>
<hr>
<aside class="tsd-sources">
<p>Inherited from Object.propertyIsEnumerable</p>
<p>Overwrites Object.propertyIsEnumerable</p>
<ul>
<li>Defined in angularjs/node_modules/typedoc/node_modules/typescript/lib/lib.es6.d.ts:127</li>
</ul>
</aside> </li>
</ul>
</section>
<section class="tsd-panel tsd-member tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<a name="tolocalestring" class="tsd-anchor"></a>
<!--
<h3>to<wbr>Locale<wbr>String</h3>
-->
<ul class="tsd-signatures tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<li class="tsd-signature tsd-kind-icon">to<wbr>Locale<wbr>String<span class="tsd-signature-symbol">(</span><span class="tsd-signature-symbol">)</span><span class="tsd-signature-symbol">: </span><span class="tsd-signature-type">string</span></li>
<li class="tsd-header">
<p> Returns a date converted to a string using the current locale. </p>
</li>
</ul>
<ul class="tsd-descriptions">
<li class="tsd-description">
<div class="tsd-comment tsd-typography">
<div class="lead">
<p>Returns a date converted to a string using the current locale.</p>
</div>
</div>
<div class="tsd-returns">
<h4 class="tsd-returns-title">Returns <span class="tsd-signature-type">string</span></h4>
</div>
<hr>
<aside class="tsd-sources">
<p>Inherited from Object.toLocaleString</p>
<ul>
<li>Defined in angularjs/node_modules/typedoc/node_modules/typescript/lib/lib.es6.d.ts:106</li>
</ul>
</aside> </li>
</ul>
</section>
<section class="tsd-panel tsd-member tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<a name="tostring" class="tsd-anchor"></a>
<!--
<h3>to<wbr>String</h3>
-->
<ul class="tsd-signatures tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<li class="tsd-signature tsd-kind-icon">to<wbr>String<span class="tsd-signature-symbol">(</span><span class="tsd-signature-symbol">)</span><span class="tsd-signature-symbol">: </span><span class="tsd-signature-type">string</span></li>
<li class="tsd-header">
<p> Returns a string representation of an object. </p>
</li>
</ul>
<ul class="tsd-descriptions">
<li class="tsd-description">
<div class="tsd-comment tsd-typography">
<div class="lead">
<p>Returns a string representation of an object.</p>
</div>
</div>
<div class="tsd-returns">
<h4 class="tsd-returns-title">Returns <span class="tsd-signature-type">string</span></h4>
</div>
<hr>
<aside class="tsd-sources">
<p>Inherited from Object.toString</p>
<ul>
<li>Defined in angularjs/node_modules/typedoc/node_modules/typescript/lib/lib.es6.d.ts:103</li>
</ul>
</aside> </li>
</ul>
</section>
<section class="tsd-panel tsd-member tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<a name="valueof" class="tsd-anchor"></a>
<!--
<h3>value<wbr>Of</h3>
-->
<ul class="tsd-signatures tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<li class="tsd-signature tsd-kind-icon">value<wbr>Of<span class="tsd-signature-symbol">(</span><span class="tsd-signature-symbol">)</span><span class="tsd-signature-symbol">: </span><span class="tsd-signature-type">Object</span></li>
<li class="tsd-header">
<p> Returns the primitive value of the specified object. </p>
</li>
</ul>
<ul class="tsd-descriptions">
<li class="tsd-description">
<div class="tsd-comment tsd-typography">
<div class="lead">
<p>Returns the primitive value of the specified object.</p>
</div>
</div>
<div class="tsd-returns">
<h4 class="tsd-returns-title">Returns <span class="tsd-signature-type">Object</span></h4>
</div>
<hr>
<aside class="tsd-sources">
<p>Inherited from Object.valueOf</p>
<ul>
<li>Defined in angularjs/node_modules/typedoc/node_modules/typescript/lib/lib.es6.d.ts:109</li>
</ul>
</aside> </li>
</ul>
</section>
</section>
</div>
<div class="col-4 col-menu menu-sticky-wrap menu-highlight">
<nav class="tsd-navigation primary">
<ul>
<li class="globals ">
<a href="../index.html"><em>@uirouter/angularjs</em></a>
</li>
<li class="label tsd-is-external">
<span>Public API</span>
</li>
<li class=" tsd-kind-external-module">
<a href="../modules/core.html">core</a>
</li>
<li class=" tsd-kind-external-module">
<a href="../modules/directives.html">directives</a>
</li>
<li class=" tsd-kind-external-module">
<a href="../modules/injectables.html">injectables</a>
</li>
<li class=" tsd-kind-external-module">
<a href="../modules/ng1.html">ng1</a>
</li>
<li class=" tsd-kind-external-module">
<a href="../modules/ng1_state_events.html">ng1_<wbr>state_<wbr>events</a>
</li>
<li class=" tsd-kind-external-module">
<a href="../modules/params.html">params</a>
</li>
<li class=" tsd-kind-external-module">
<a href="../modules/resolve.html">resolve</a>
</li>
<li class=" tsd-kind-external-module">
<a href="../modules/trace.html">trace</a>
</li>
<li class=" tsd-kind-external-module">
<a href="../modules/transition.html">transition</a>
</li>
<li class=" tsd-kind-external-module">
<a href="../modules/url.html">url</a>
</li>
<li class=" tsd-kind-external-module">
<a href="../modules/view.html">view</a>
</li>
<li class="label tsd-is-external">
<span>Internal UI-<wbr><wbr>Router API</span>
</li>
<li class="current tsd-kind-external-module tsd-is-external">
<a href="../modules/common.html">common</a>
</li>
<li class=" tsd-kind-external-module tsd-is-external">
<a href="../modules/common_hof.html">common_<wbr>hof</a>
</li>
<li class=" tsd-kind-external-module tsd-is-external">
<a href="../modules/common_predicates.html">common_<wbr>predicates</a>
</li>
<li class=" tsd-kind-external-module tsd-is-external">
<a href="../modules/common_strings.html">common_<wbr>strings</a>
</li>
<li class=" tsd-kind-external-module tsd-is-external">
<a href="../modules/hooks.html">hooks</a>
</li>
<li class=" tsd-kind-external-module tsd-is-external">
<a href="../modules/path.html">path</a>
</li>
<li class=" tsd-kind-external-module tsd-is-external">
<a href="../modules/state.html">state</a>
</li>
<li class=" tsd-kind-external-module tsd-is-external">
<a href="../modules/vanilla.html">vanilla</a>
</li>
</ul>
</nav>
<nav class="tsd-navigation secondary menu-sticky">
<ul class="before-current">
</ul>
<ul class="current">
<li class="current tsd-kind-interface tsd-parent-kind-external-module tsd-is-external">
<a href="common.obj.html" class="tsd-kind-icon">Obj</a>
<ul>
<li class=" tsd-kind-property tsd-parent-kind-interface tsd-is-external">
<a href="common.obj.html#object" class="tsd-kind-icon">Object</a>
</li>
<li class=" tsd-kind-property tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<a href="common.obj.html#constructor" class="tsd-kind-icon">constructor</a>
</li>
<li class=" tsd-kind-method tsd-parent-kind-interface tsd-is-overwrite tsd-is-inherited tsd-is-external">
<a href="common.obj.html#hasownproperty" class="tsd-kind-icon">has<wbr>Own<wbr>Property</a>
</li>
<li class=" tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<a href="common.obj.html#isprototypeof" class="tsd-kind-icon">is<wbr>Prototype<wbr>Of</a>
</li>
<li class=" tsd-kind-method tsd-parent-kind-interface tsd-is-overwrite tsd-is-inherited tsd-is-external">
<a href="common.obj.html#propertyisenumerable" class="tsd-kind-icon">property<wbr>IsEnumerable</a>
</li>
<li class=" tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<a href="common.obj.html#tolocalestring" class="tsd-kind-icon">to<wbr>Locale<wbr>String</a>
</li>
<li class=" tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<a href="common.obj.html#tostring" class="tsd-kind-icon">to<wbr>String</a>
</li>
<li class=" tsd-kind-method tsd-parent-kind-interface tsd-is-inherited tsd-is-external">
<a href="common.obj.html#valueof" class="tsd-kind-icon">value<wbr>Of</a>
</li>
</ul>
</li>
</ul>
<ul class="after-current">
</ul>
</nav>
</div>
</div>
</div>
<footer class="with-border-bottom">
<div class="container">
<h2>Legend</h2>
<div class="tsd-legend-group">
<ul class="tsd-legend">
<li class="tsd-kind-module"><span class="tsd-kind-icon">Module</span></li>
<li class="tsd-kind-object-literal"><span class="tsd-kind-icon">Object literal</span></li>
<li class="tsd-kind-variable"><span class="tsd-kind-icon">Variable</span></li>
<li class="tsd-kind-function"><span class="tsd-kind-icon">Function</span></li>
<li class="tsd-kind-function tsd-has-type-parameter"><span class="tsd-kind-icon">Function with type parameter</span></li>
<li class="tsd-kind-index-signature"><span class="tsd-kind-icon">Index signature</span></li>
<li class="tsd-kind-type-alias"><span class="tsd-kind-icon">Type alias</span></li>
</ul>
<ul class="tsd-legend">
<li class="tsd-kind-enum"><span class="tsd-kind-icon">Enumeration</span></li>
<li class="tsd-kind-enum-member"><span class="tsd-kind-icon">Enumeration member</span></li>
<li class="tsd-kind-property tsd-parent-kind-enum"><span class="tsd-kind-icon">Property</span></li>
<li class="tsd-kind-method tsd-parent-kind-enum"><span class="tsd-kind-icon">Method</span></li>
</ul>
<ul class="tsd-legend">
<li class="tsd-kind-interface"><span class="tsd-kind-icon">Interface</span></li>
<li class="tsd-kind-interface tsd-has-type-parameter"><span class="tsd-kind-icon">Interface with type parameter</span></li>
<li class="tsd-kind-constructor tsd-parent-kind-interface"><span class="tsd-kind-icon">Constructor</span></li>
<li class="tsd-kind-property tsd-parent-kind-interface"><span class="tsd-kind-icon">Property</span></li>
<li class="tsd-kind-method tsd-parent-kind-interface"><span class="tsd-kind-icon">Method</span></li>
<li class="tsd-kind-index-signature tsd-parent-kind-interface"><span class="tsd-kind-icon">Index signature</span></li>
</ul>
<ul class="tsd-legend">
<li class="tsd-kind-class"><span class="tsd-kind-icon">Class</span></li>
<li class="tsd-kind-class tsd-has-type-parameter"><span class="tsd-kind-icon">Class with type parameter</span></li>
<li class="tsd-kind-constructor tsd-parent-kind-class"><span class="tsd-kind-icon">Constructor</span></li>
<li class="tsd-kind-property tsd-parent-kind-class"><span class="tsd-kind-icon">Property</span></li>
<li class="tsd-kind-method tsd-parent-kind-class"><span class="tsd-kind-icon">Method</span></li>
<li class="tsd-kind-accessor tsd-parent-kind-class"><span class="tsd-kind-icon">Accessor</span></li>
<li class="tsd-kind-index-signature tsd-parent-kind-class"><span class="tsd-kind-icon">Index signature</span></li>
</ul>
<ul class="tsd-legend">
<li class="tsd-kind-constructor tsd-parent-kind-class tsd-is-inherited"><span class="tsd-kind-icon">Inherited constructor</span></li>
<li class="tsd-kind-property tsd-parent-kind-class tsd-is-inherited"><span class="tsd-kind-icon">Inherited property</span></li>
<li class="tsd-kind-method tsd-parent-kind-class tsd-is-inherited"><span class="tsd-kind-icon">Inherited method</span></li>
<li class="tsd-kind-accessor tsd-parent-kind-class tsd-is-inherited"><span class="tsd-kind-icon">Inherited accessor</span></li>
</ul>
<ul class="tsd-legend">
<li class="tsd-kind-property tsd-parent-kind-class tsd-is-protected"><span class="tsd-kind-icon">Protected property</span></li>
<li class="tsd-kind-method tsd-parent-kind-class tsd-is-protected"><span class="tsd-kind-icon">Protected method</span></li>
<li class="tsd-kind-accessor tsd-parent-kind-class tsd-is-protected"><span class="tsd-kind-icon">Protected accessor</span></li>
</ul>
<ul class="tsd-legend">
<li class="tsd-kind-property tsd-parent-kind-class tsd-is-private"><span class="tsd-kind-icon">Private property</span></li>
<li class="tsd-kind-method tsd-parent-kind-class tsd-is-private"><span class="tsd-kind-icon">Private method</span></li>
<li class="tsd-kind-accessor tsd-parent-kind-class tsd-is-private"><span class="tsd-kind-icon">Private accessor</span></li>
</ul>
<ul class="tsd-legend">
<li class="tsd-kind-property tsd-parent-kind-class tsd-is-static"><span class="tsd-kind-icon">Static property</span></li>
<li class="tsd-kind-call-signature tsd-parent-kind-class tsd-is-static"><span class="tsd-kind-icon">Static method</span></li>
</ul>
</div>
</div>
</footer>
<div class="container tsd-generator">
<p>Generated using <a href="http://typedoc.io" target="_blank">TypeDoc</a></p>
</div>
<div class="overlay"></div>
<script src="../assets/js/main.js"></script>
<script>if (location.protocol == 'file:') document.write('<script src="../assets/js/search.js"><' + '/script>');</script>
</body>
</html> |
javadoc/4.1/org/robolectric/shadows/ShadowVisualVoicemailSms.html | robolectric/robolectric.github.io | <!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 (1.8.0_91) on Wed Dec 12 19:04:14 PST 2018 -->
<title>ShadowVisualVoicemailSms</title>
<meta name="date" content="2018-12-12">
<link rel="stylesheet" type="text/css" href="../../../stylesheet.css" title="Style">
<script type="text/javascript" src="../../../script.js"></script>
</head>
<body>
<script type="text/javascript"><!--
try {
if (location.href.indexOf('is-external=true') == -1) {
parent.document.title="ShadowVisualVoicemailSms";
}
}
catch(err) {
}
//-->
var methods = {"i0":9,"i1":10,"i2":10,"i3":10,"i4":10,"i5":10,"i6":10,"i7":10,"i8":10,"i9":10,"i10":10};
var tabs = {65535:["t0","All Methods"],1:["t1","Static Methods"],2:["t2","Instance Methods"],8:["t4","Concrete Methods"]};
var altColor = "altColor";
var rowColor = "rowColor";
var tableTab = "tableTab";
var activeTableTab = "activeTableTab";
</script>
<noscript>
<div>JavaScript is disabled on your browser.</div>
</noscript>
<!-- ========= START OF TOP NAVBAR ======= -->
<div class="topNav"><a name="navbar.top">
<!-- -->
</a>
<div class="skipNav"><a href="#skip.navbar.top" title="Skip navigation links">Skip navigation links</a></div>
<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 class="navBarCell1Rev">Class</li>
<li><a href="package-tree.html">Tree</a></li>
<li><a href="../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../index-all.html">Index</a></li>
<li><a href="../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li><a href="../../../org/robolectric/shadows/ShadowVirtualRefBasePtr.html" title="class in org.robolectric.shadows"><span class="typeNameLink">Prev Class</span></a></li>
<li><a href="../../../org/robolectric/shadows/ShadowVMRuntime.html" title="class in org.robolectric.shadows"><span class="typeNameLink">Next Class</span></a></li>
</ul>
<ul class="navList">
<li><a href="../../../index.html?org/robolectric/shadows/ShadowVisualVoicemailSms.html" target="_top">Frames</a></li>
<li><a href="ShadowVisualVoicemailSms.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>
<div>
<ul class="subNavList">
<li>Summary: </li>
<li>Nested | </li>
<li><a href="#field.summary">Field</a> | </li>
<li><a href="#constructor.summary">Constr</a> | </li>
<li><a href="#method.summary">Method</a></li>
</ul>
<ul class="subNavList">
<li>Detail: </li>
<li><a href="#field.detail">Field</a> | </li>
<li><a href="#constructor.detail">Constr</a> | </li>
<li><a href="#method.detail">Method</a></li>
</ul>
</div>
<a name="skip.navbar.top">
<!-- -->
</a></div>
<!-- ========= END OF TOP NAVBAR ========= -->
<!-- ======== START OF CLASS DATA ======== -->
<div class="header">
<div class="subTitle">org.robolectric.shadows</div>
<h2 title="Class ShadowVisualVoicemailSms" class="title">Class ShadowVisualVoicemailSms</h2>
</div>
<div class="contentContainer">
<ul class="inheritance">
<li>java.lang.Object</li>
<li>
<ul class="inheritance">
<li>org.robolectric.shadows.ShadowVisualVoicemailSms</li>
</ul>
</li>
</ul>
<div class="description">
<ul class="blockList">
<li class="blockList">
<hr>
<br>
<pre><a href="../../../org/robolectric/annotation/Implements.html" title="annotation in org.robolectric.annotation">@Implements</a>(<a href="../../../org/robolectric/annotation/Implements.html#value--">value</a>=android.telephony.VisualVoicemailSms.class,
<a href="../../../org/robolectric/annotation/Implements.html#minSdk--">minSdk</a>=26)
public class <span class="typeNameLabel">ShadowVisualVoicemailSms</span>
extends java.lang.Object</pre>
</li>
</ul>
</div>
<div class="summary">
<ul class="blockList">
<li class="blockList">
<!-- =========== FIELD SUMMARY =========== -->
<ul class="blockList">
<li class="blockList"><a name="field.summary">
<!-- -->
</a>
<h3>Field Summary</h3>
<table class="memberSummary" border="0" cellpadding="3" cellspacing="0" summary="Field Summary table, listing fields, and an explanation">
<caption><span>Fields</span><span class="tabEnd"> </span></caption>
<tr>
<th class="colFirst" scope="col">Modifier and Type</th>
<th class="colLast" scope="col">Field and Description</th>
</tr>
<tr class="altColor">
<td class="colFirst"><code>static android.os.Parcelable.Creator<android.telephony.VisualVoicemailSms></code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html#CREATOR">CREATOR</a></span></code> </td>
</tr>
</table>
</li>
</ul>
<!-- ======== CONSTRUCTOR SUMMARY ======== -->
<ul class="blockList">
<li class="blockList"><a name="constructor.summary">
<!-- -->
</a>
<h3>Constructor Summary</h3>
<table class="memberSummary" border="0" cellpadding="3" cellspacing="0" summary="Constructor Summary table, listing constructors, and an explanation">
<caption><span>Constructors</span><span class="tabEnd"> </span></caption>
<tr>
<th class="colOne" scope="col">Constructor and Description</th>
</tr>
<tr class="altColor">
<td class="colOne"><code><span class="memberNameLink"><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html#ShadowVisualVoicemailSms--">ShadowVisualVoicemailSms</a></span>()</code> </td>
</tr>
</table>
</li>
</ul>
<!-- ========== METHOD SUMMARY =========== -->
<ul class="blockList">
<li class="blockList"><a name="method.summary">
<!-- -->
</a>
<h3>Method Summary</h3>
<table class="memberSummary" border="0" cellpadding="3" cellspacing="0" summary="Method Summary table, listing methods, and an explanation">
<caption><span id="t0" class="activeTableTab"><span>All Methods</span><span class="tabEnd"> </span></span><span id="t1" class="tableTab"><span><a href="javascript:show(1);">Static Methods</a></span><span class="tabEnd"> </span></span><span id="t2" class="tableTab"><span><a href="javascript:show(2);">Instance Methods</a></span><span class="tabEnd"> </span></span><span id="t4" class="tableTab"><span><a href="javascript:show(8);">Concrete Methods</a></span><span class="tabEnd"> </span></span></caption>
<tr>
<th class="colFirst" scope="col">Modifier and Type</th>
<th class="colLast" scope="col">Method and Description</th>
</tr>
<tr id="i0" class="altColor">
<td class="colFirst"><code>protected static void</code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html#Z:Z__staticInitializer__--">__staticInitializer__</a></span>()</code> </td>
</tr>
<tr id="i1" class="rowColor">
<td class="colFirst"><code>protected int</code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html#describeContents--">describeContents</a></span>()</code> </td>
</tr>
<tr id="i2" class="altColor">
<td class="colFirst"><code>protected android.os.Bundle</code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html#getFields--">getFields</a></span>()</code> </td>
</tr>
<tr id="i3" class="rowColor">
<td class="colFirst"><code>protected java.lang.String</code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html#getMessageBody--">getMessageBody</a></span>()</code> </td>
</tr>
<tr id="i4" class="altColor">
<td class="colFirst"><code>protected android.telecom.PhoneAccountHandle</code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html#getPhoneAccountHandle--">getPhoneAccountHandle</a></span>()</code> </td>
</tr>
<tr id="i5" class="rowColor">
<td class="colFirst"><code>protected java.lang.String</code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html#getPrefix--">getPrefix</a></span>()</code> </td>
</tr>
<tr id="i6" class="altColor">
<td class="colFirst"><code><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html" title="class in org.robolectric.shadows">ShadowVisualVoicemailSms</a></code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html#setFields-android.os.Bundle-">setFields</a></span>(android.os.Bundle fields)</code> </td>
</tr>
<tr id="i7" class="rowColor">
<td class="colFirst"><code><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html" title="class in org.robolectric.shadows">ShadowVisualVoicemailSms</a></code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html#setMessageBody-java.lang.String-">setMessageBody</a></span>(java.lang.String messageBody)</code> </td>
</tr>
<tr id="i8" class="altColor">
<td class="colFirst"><code><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html" title="class in org.robolectric.shadows">ShadowVisualVoicemailSms</a></code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html#setPhoneAccountHandle-android.telecom.PhoneAccountHandle-">setPhoneAccountHandle</a></span>(android.telecom.PhoneAccountHandle phoneAccountHandle)</code> </td>
</tr>
<tr id="i9" class="rowColor">
<td class="colFirst"><code><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html" title="class in org.robolectric.shadows">ShadowVisualVoicemailSms</a></code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html#setPrefix-java.lang.String-">setPrefix</a></span>(java.lang.String prefix)</code> </td>
</tr>
<tr id="i10" class="altColor">
<td class="colFirst"><code>protected void</code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html#writeToParcel-android.os.Parcel-int-">writeToParcel</a></span>(android.os.Parcel dest,
int flags)</code> </td>
</tr>
</table>
<ul class="blockList">
<li class="blockList"><a name="methods.inherited.from.class.java.lang.Object">
<!-- -->
</a>
<h3>Methods inherited from class java.lang.Object</h3>
<code>clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait</code></li>
</ul>
</li>
</ul>
</li>
</ul>
</div>
<div class="details">
<ul class="blockList">
<li class="blockList">
<!-- ============ FIELD DETAIL =========== -->
<ul class="blockList">
<li class="blockList"><a name="field.detail">
<!-- -->
</a>
<h3>Field Detail</h3>
<a name="CREATOR">
<!-- -->
</a>
<ul class="blockListLast">
<li class="blockList">
<h4>CREATOR</h4>
<pre>public static final android.os.Parcelable.Creator<android.telephony.VisualVoicemailSms> CREATOR</pre>
</li>
</ul>
</li>
</ul>
<!-- ========= CONSTRUCTOR DETAIL ======== -->
<ul class="blockList">
<li class="blockList"><a name="constructor.detail">
<!-- -->
</a>
<h3>Constructor Detail</h3>
<a name="ShadowVisualVoicemailSms--">
<!-- -->
</a>
<ul class="blockListLast">
<li class="blockList">
<h4>ShadowVisualVoicemailSms</h4>
<pre>public ShadowVisualVoicemailSms()</pre>
</li>
</ul>
</li>
</ul>
<!-- ============ METHOD DETAIL ========== -->
<ul class="blockList">
<li class="blockList"><a name="method.detail">
<!-- -->
</a>
<h3>Method Detail</h3>
<a name="Z:Z__staticInitializer__--">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>__staticInitializer__</h4>
<pre><a href="../../../org/robolectric/annotation/Implementation.html" title="annotation in org.robolectric.annotation">@Implementation</a>
protected static void __staticInitializer__()</pre>
</li>
</ul>
<a name="getPhoneAccountHandle--">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>getPhoneAccountHandle</h4>
<pre><a href="../../../org/robolectric/annotation/Implementation.html" title="annotation in org.robolectric.annotation">@Implementation</a>
protected android.telecom.PhoneAccountHandle getPhoneAccountHandle()</pre>
</li>
</ul>
<a name="setPhoneAccountHandle-android.telecom.PhoneAccountHandle-">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>setPhoneAccountHandle</h4>
<pre>public <a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html" title="class in org.robolectric.shadows">ShadowVisualVoicemailSms</a> setPhoneAccountHandle(android.telecom.PhoneAccountHandle phoneAccountHandle)</pre>
</li>
</ul>
<a name="getPrefix--">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>getPrefix</h4>
<pre><a href="../../../org/robolectric/annotation/Implementation.html" title="annotation in org.robolectric.annotation">@Implementation</a>
protected java.lang.String getPrefix()</pre>
</li>
</ul>
<a name="setPrefix-java.lang.String-">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>setPrefix</h4>
<pre>public <a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html" title="class in org.robolectric.shadows">ShadowVisualVoicemailSms</a> setPrefix(java.lang.String prefix)</pre>
</li>
</ul>
<a name="getFields--">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>getFields</h4>
<pre><a href="../../../org/robolectric/annotation/Implementation.html" title="annotation in org.robolectric.annotation">@Implementation</a>
protected android.os.Bundle getFields()</pre>
</li>
</ul>
<a name="setFields-android.os.Bundle-">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>setFields</h4>
<pre>public <a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html" title="class in org.robolectric.shadows">ShadowVisualVoicemailSms</a> setFields(android.os.Bundle fields)</pre>
</li>
</ul>
<a name="getMessageBody--">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>getMessageBody</h4>
<pre><a href="../../../org/robolectric/annotation/Implementation.html" title="annotation in org.robolectric.annotation">@Implementation</a>
protected java.lang.String getMessageBody()</pre>
</li>
</ul>
<a name="setMessageBody-java.lang.String-">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>setMessageBody</h4>
<pre>public <a href="../../../org/robolectric/shadows/ShadowVisualVoicemailSms.html" title="class in org.robolectric.shadows">ShadowVisualVoicemailSms</a> setMessageBody(java.lang.String messageBody)</pre>
</li>
</ul>
<a name="describeContents--">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>describeContents</h4>
<pre><a href="../../../org/robolectric/annotation/Implementation.html" title="annotation in org.robolectric.annotation">@Implementation</a>
protected int describeContents()</pre>
</li>
</ul>
<a name="writeToParcel-android.os.Parcel-int-">
<!-- -->
</a>
<ul class="blockListLast">
<li class="blockList">
<h4>writeToParcel</h4>
<pre><a href="../../../org/robolectric/annotation/Implementation.html" title="annotation in org.robolectric.annotation">@Implementation</a>
protected void writeToParcel(android.os.Parcel dest,
int flags)</pre>
</li>
</ul>
</li>
</ul>
</li>
</ul>
</div>
</div>
<!-- ========= END OF CLASS DATA ========= -->
<!-- ======= START OF BOTTOM NAVBAR ====== -->
<div class="bottomNav"><a name="navbar.bottom">
<!-- -->
</a>
<div class="skipNav"><a href="#skip.navbar.bottom" title="Skip navigation links">Skip navigation links</a></div>
<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 class="navBarCell1Rev">Class</li>
<li><a href="package-tree.html">Tree</a></li>
<li><a href="../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../index-all.html">Index</a></li>
<li><a href="../../../help-doc.html">Help</a></li>
</ul>
<div class="aboutLanguage"><script type="text/javascript" src="../../../highlight.pack.js"></script>
<script type="text/javascript"><!--
hljs.initHighlightingOnLoad();
//--></script></div>
</div>
<div class="subNav">
<ul class="navList">
<li><a href="../../../org/robolectric/shadows/ShadowVirtualRefBasePtr.html" title="class in org.robolectric.shadows"><span class="typeNameLink">Prev Class</span></a></li>
<li><a href="../../../org/robolectric/shadows/ShadowVMRuntime.html" title="class in org.robolectric.shadows"><span class="typeNameLink">Next Class</span></a></li>
</ul>
<ul class="navList">
<li><a href="../../../index.html?org/robolectric/shadows/ShadowVisualVoicemailSms.html" target="_top">Frames</a></li>
<li><a href="ShadowVisualVoicemailSms.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>
<div>
<ul class="subNavList">
<li>Summary: </li>
<li>Nested | </li>
<li><a href="#field.summary">Field</a> | </li>
<li><a href="#constructor.summary">Constr</a> | </li>
<li><a href="#method.summary">Method</a></li>
</ul>
<ul class="subNavList">
<li>Detail: </li>
<li><a href="#field.detail">Field</a> | </li>
<li><a href="#constructor.detail">Constr</a> | </li>
<li><a href="#method.detail">Method</a></li>
</ul>
</div>
<a name="skip.navbar.bottom">
<!-- -->
</a></div>
<!-- ======== END OF BOTTOM NAVBAR ======= -->
</body>
</html>
|
db-5.3.28.NC/docs/api_reference/STL/stlDbstlElemTraitsget_sequence_copy_function.html | iadix/iadixcoin | <?xml version="1.0" encoding="UTF-8" standalone="no"?>
<!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/html; charset=UTF-8" />
<title>get_sequence_copy_function</title>
<link rel="stylesheet" href="apiReference.css" type="text/css" />
<meta name="generator" content="DocBook XSL Stylesheets V1.73.2" />
<link rel="start" href="index.html" title="Berkeley DB C++ Standard Template Library API Reference" />
<link rel="up" href="DbstlElemTraits.html" title="Chapter 26. DbstlElemTraits" />
<link rel="prev" href="stlDbstlElemTraitsget_sequence_len_function.html" title="get_sequence_len_function" />
<link rel="next" href="stlDbstlElemTraitsset_sequence_copy_function.html" title="set_sequence_copy_function" />
</head>
<body>
<div xmlns="" class="navheader">
<div class="libver">
<p>Library Version 11.2.5.3</p>
</div>
<table width="100%" summary="Navigation header">
<tr>
<th colspan="3" align="center">get_sequence_copy_function</th>
</tr>
<tr>
<td width="20%" align="left"><a accesskey="p" href="stlDbstlElemTraitsget_sequence_len_function.html">Prev</a> </td>
<th width="60%" align="center">Chapter 26.
DbstlElemTraits </th>
<td width="20%" align="right"> <a accesskey="n" href="stlDbstlElemTraitsset_sequence_copy_function.html">Next</a></td>
</tr>
</table>
<hr />
</div>
<div class="sect1" lang="en" xml:lang="en">
<div class="titlepage">
<div>
<div>
<h2 class="title" style="clear: both"><a id="stlDbstlElemTraitsget_sequence_copy_function"></a>get_sequence_copy_function</h2>
</div>
</div>
</div>
<div class="sect2" lang="en" xml:lang="en">
<div class="titlepage">
<div>
<div>
<h3 class="title"><a id="stlDbstlElemTraitsget_sequence_copy_function_details"></a>Function Details</h3>
</div>
</div>
</div>
<pre class="programlisting">
SequenceCopyFunct get_sequence_copy_function()
</pre>
</div>
<div class="sect2" lang="en" xml:lang="en">
<div class="titlepage">
<div>
<div>
<h3 class="title"><a id="idp51706888"></a>Group: Set/get functions for callback function pointers.</h3>
</div>
</div>
</div>
<p>These are the setters and getters for each callback function pointers. </p>
</div>
<div class="sect2" lang="en" xml:lang="en">
<div class="titlepage">
<div>
<div>
<h3 class="title"><a id="idp51713600"></a>Class</h3>
</div>
</div>
</div>
<p>
<a class="link" href="DbstlElemTraits.html" title="Chapter 26. DbstlElemTraits">DbstlElemTraits</a>
</p>
</div>
</div>
<div class="navfooter">
<hr />
<table width="100%" summary="Navigation footer">
<tr>
<td width="40%" align="left"><a accesskey="p" href="stlDbstlElemTraitsget_sequence_len_function.html">Prev</a> </td>
<td width="20%" align="center">
<a accesskey="u" href="DbstlElemTraits.html">Up</a>
</td>
<td width="40%" align="right"> <a accesskey="n" href="stlDbstlElemTraitsset_sequence_copy_function.html">Next</a></td>
</tr>
<tr>
<td width="40%" align="left" valign="top">get_sequence_len_function </td>
<td width="20%" align="center">
<a accesskey="h" href="index.html">Home</a>
</td>
<td width="40%" align="right" valign="top"> set_sequence_copy_function</td>
</tr>
</table>
</div>
</body>
</html>
|
_includes/infoSection.html | yontemhukuk/en | <div class="row">
<div class="col-lg-3 col-lg-offset-2">
<div class="info-section">
Contact Info
</div>
<div class="address text-muted">
M.Fevzi Çakmak cd. 1.Sok No:9 Daire:6 Şirinevler Meydanı Sirinevler/Bahcelievler/ Istanbul
TURKEY
</div>
<div class="email text-muted">
avukatbd@gmail.com
</div>
<hr>
</div>
<div class="col-lg-6 col-lg-offset-1 ">
<div class="info-section">
Recent Articles
</div>
<div class="articles-in-footer">
{% for post in site.posts %}
<div class="post-preview">
<a href="{{ post.url | prepend: site.baseurl }}">
<h5>
{{ post.title }}
</h5>
{% if post.subtitle %}
<h6 class="post-subtitle">
{{ post.subtitle }}
</h6>
{% endif %}
</a>
<p class="post-meta">Posted by {% if post.author %}{{ post.author }}{% else %}{{ site.title }}{% endif %} on {{ post.date | date: "%B %-d, %Y" }}</p>
</div>
<hr>
{% endfor %}
</div>
</div>
</div>
|
doc/requirements/tags/print.S4.html | dmcnulla/rest_baby | <!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" xml:lang="en" lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<title>
Tag: @print.S4
— Documentation by YARD 0.8.7.6
</title>
<link rel="stylesheet" href="../../css/style.css" type="text/css" charset="utf-8" />
<link rel="stylesheet" href="../../css/common.css" type="text/css" charset="utf-8" />
<link rel="stylesheet" href="../../css/cucumber.css" type="text/css" charset="utf-8" />
<script type="text/javascript" charset="utf-8">
hasFrames = window.top.frames.main ? true : false;
relpath = '../../';
framesUrl = "../../frames.html#!requirements/tags/print.S4.html";
</script>
<script type="text/javascript" charset="utf-8" src="../../js/jquery.js"></script>
<script type="text/javascript" charset="utf-8" src="../../js/app.js"></script>
<script type="text/javascript" charset="utf-8" src="../../js/cucumber.js"></script>
</head>
<body>
<div id="header">
<div id="menu">
<a href="../../_index.html">Index (p)</a> »
<span class='title'><span class='object_link'><a href="../../requirements.html" title="requirements (requirements)">requirements</a></span></span> » <span class='title'><span class='object_link'><a href="../tags.html" title="requirements::tags (featuretags)">tags</a></span></span>
»
<span class="title">print.S4</span>
<div class="noframes"><span class="title">(</span><a href="." target="_top">no frames</a><span class="title">)</span></div>
</div>
<div id="search">
<a class="full_list_link" id="feature_list_link"
href="../../feature_list.html">
Features
</a>
<a class="full_list_link" id="tag_list_link"
href="../../tag_list.html">
Tags
</a>
<a class="full_list_link" id="step_list_link"
href="../../step_list.html">
Steps
</a>
<a class="full_list_link" id="stepdefinition_list_link"
href="../../stepdefinition_list.html">
Step Defs
</a>
<a class="full_list_link" id="class_list_link"
href="../../class_list.html">
Class List
</a>
<a class="full_list_link" id="method_list_link"
href="../../method_list.html">
Method List
</a>
<a class="full_list_link" id="file_list_link"
href="../../file_list.html">
File List
</a>
</div>
<div class="clear"></div>
</div>
<iframe id="search_frame"></iframe>
<div id="content"><div class="tag">
<div class="title">
<span class="pre">Tag:</span>
<span class="name">@print.S4</span>
</div>
<div class="meta">
<div class="file">
1 scenario
</div>
</div>
<div style="margin-top: 20px;"> </div>
<div id="features" style="margin-left: 40px;">
<div class="title"><span class="name">Scenarios</span></div>
</div>
<table style="margin-left: 10px; width: 100%;">
<tr>
<td valign='top' width="50%">
<ul id="alpha_C" class="alpha">
<li class="letter">C</li>
<ul>
<li>
<a href="../features/print_response.html#scenario_4">
client rest Delete
</a>
<small>(features/print_response.feature)</small>
</li>
</ul>
</ul>
</td>
</tr>
</table>
</div>
</div>
<div id="footer">
Generated on Sat Dec 12 12:35:49 2015 by
<a href="http://yardoc.org" title="Yay! A Ruby Documentation Tool" target="_parent">yard</a>
0.8.7.6 (ruby-2.0.0).
</div>
</body>
</html> |
suite/libsass/units/expected.compact.css | mgreter/sass-specs | div { hey: 5150.91864in; ho: true; }
|
2_Drawing/3_2_Tree-generations.html | sebleedelisle/CreativeJS2D | <!doctype html>
<html lang=en>
<head>
<meta charset=utf-8>
<title></title>
<style type="text/css">
body {
background-color: #000000;
margin: 0px;
text-align:center;
}
</style>
</head>
<body>
<script src="../libs/creative.js"></script>
<script>
// canvas element and 2D context
var canvas = document.createElement( 'canvas' ),
context = canvas.getContext( '2d' );
canvas.width = 800;
canvas.height = 600;
document.body.appendChild(canvas);
var c = context;
var level = 0;
c.translate(400,500);
c.rotate(radians(-90));
branch(100,0);
function branch(length,rotation) {
c.save();
c.strokeStyle = hsl(level*10, 50, 50+(level*4));
c.lineWidth = length/10;
c.lineCap = "round";
c.rotate(rotation);
c.beginPath();
c.moveTo(0,0);
c.lineTo(length, 0);
c.stroke();
c.save();
c.rotate(Math.PI/2);
c.fillStyle = hsl(level*10, 50,50+(level*4));
c.fillText(level, 10,0);
c.restore();
if(level<12) {
level++;
c.translate(length/2, 0);
branch(length*random(0.7,0.9), radians(random(-30,30)));
c.translate(length/2, 0);
branch(length*random(0.7,0.9), radians(random(-30,30)));
level--;
}
c.restore();
}
</script>
</body>
</html>
|
aurevoir/css/creative.css | akosszasz/akosszasz.github.io | body,
html {
width: 100%;
height: 100%;
}
body {
font-family: 'Merriweather', 'Helvetica Neue', Arial, sans-serif;
background-image: url("../img/header_s2.jpg");
background-position: top -270px center;
background-repeat: no-repeat;
-webkit-background-size: cover;
-moz-background-size: cover;
-o-background-size: cover;
background-size: cover;
background-attachment: fixed;
}
hr {
max-width: 50px;
border-width: 3px;
border-color: #F05F40;
}
hr.light {
border-color: #fff;
}
a {
color: #212529;
-webkit-transition: all 0.2s;
-moz-transition: all 0.2s;
transition: all 0.2s;
padding-bottom: 2px;
border-bottom: 1px #212529 solid;
}
a:hover {
color: #212529;
text-decoration: none;
padding-bottom: 7px;
border-bottom: 1px #212529 solid;
}
a.social {
color: #212529;
opacity: 0.5;
-webkit-transition: all 0.5s;
-moz-transition: all 0.5s;
transition: all 0.5s;
border-bottom: 0;
text-decoration: none;
font-family: "Oswald", "Helvetica Neue", sans-serif;
font-weight: 300;
}
a.social:hover {
color: #212529;
opacity: 1;
border-bottom: 0;
}
h1,
h2,
h3,
h4,
h5,
h6 {
font-family: 'Oswald', 'Helvetica Neue', Arial, sans-serif;
text-transform: uppercase;
padding: 10px;
}
.bg-primary {
background-color: #F05F40 !important;
}
.bg-dark {
background-color: #212529 !important;
}
.text-faded {
color: rgba(255, 255, 255, 0.7);
}
section {
background: white;
padding: 8rem 0;
}
#contact {
background: #f8f8f8;
}
.section-heading {
margin-top: 0;
}
::-moz-selection {
color: #fff;
background: #212529;
text-shadow: none;
}
::selection {
color: #fff;
background: #212529;
text-shadow: none;
}
img::selection {
color: #fff;
background: transparent;
}
img::-moz-selection {
color: #fff;
background: transparent;
}
header.masthead {
padding-top: 10rem;
padding-bottom: calc(10rem - 56px);
height: 80vh;
min-height: 80vh;
}
header.masthead hr {
margin-top: 30px;
margin-bottom: 30px;
}
header.masthead h1 {
font-size: 2rem;
}
header.masthead p {
font-weight: 300;
}
@media (max-width: 768px) {
body{
background-image: url("../img/header_xs.jpg");
background-size: 100%;
background-position: top;
background-attachment: fixed;
}
header.masthead {
height: 72vh;
min-height: 72vh;
}
}
@media (min-width: 769px) and (max-width: 1440px) {
body{
background-image: url("../img/header_s2.jpg");
background-position: top -160px center;
background-attachment: fixed;
}
}
@media (min-width: 992px) {
header.masthead {
padding-top: 0;
padding-bottom: 0;
}
header.masthead h1 {
font-size: 3rem;
}
}
@media (min-width: 1200px) {
header.masthead h1 {
font-size: 4rem;
}
}
.service-box {
max-width: 400px;
}
.portfolio-box {
position: relative;
display: block;
max-width: 650px;
margin: 0 auto;
}
.portfolio-box .portfolio-box-caption {
position: absolute;
bottom: 0;
display: block;
width: 100%;
height: 100%;
text-align: center;
opacity: 0;
color: #fff;
background: rgba(240, 95, 64, 0.9);
-webkit-transition: all 0.2s;
-moz-transition: all 0.2s;
transition: all 0.2s;
}
.portfolio-box .portfolio-box-caption .portfolio-box-caption-content {
position: absolute;
top: 50%;
width: 100%;
transform: translateY(-50%);
text-align: center;
}
.portfolio-box .portfolio-box-caption .portfolio-box-caption-content .project-category,
.portfolio-box .portfolio-box-caption .portfolio-box-caption-content .project-name {
padding: 0 15px;
font-family: 'Open Sans', 'Helvetica Neue', Arial, sans-serif;
}
.portfolio-box .portfolio-box-caption .portfolio-box-caption-content .project-category {
font-size: 14px;
font-weight: 600;
text-transform: uppercase;
}
.portfolio-box .portfolio-box-caption .portfolio-box-caption-content .project-name {
font-size: 18px;
}
.portfolio-box:hover .portfolio-box-caption {
opacity: 1;
}
.portfolio-box:focus {
outline: none;
}
@media (min-width: 768px) {
.portfolio-box .portfolio-box-caption .portfolio-box-caption-content .project-category {
font-size: 16px;
}
.portfolio-box .portfolio-box-caption .portfolio-box-caption-content .project-name {
font-size: 22px;
}
}
.text-primary {
color: #F05F40 !important;
}
.btn {
font-weight: 700;
text-transform: uppercase;
border: none;
border-radius: 300px;
font-family: 'Open Sans', 'Helvetica Neue', Arial, sans-serif;
}
.btn-xl {
padding: 1rem 2rem;
}
.btn-primary {
background-color: #F05F40;
border-color: #F05F40;
}
.btn-primary:hover, .btn-primary:focus, .btn-primary:active {
color: #fff;
background-color: #ee4b28 !important;
}
.btn-primary:active, .btn-primary:focus {
box-shadow: 0 0 0 0.2rem rgba(240, 95, 64, 0.5) !important;
}
|
Signum.React.Extensions/DiffLog/Templates/DiffLog.css | signumsoftware/framework | .colorIcon {
color: black;
padding: 2px;
margin: 0 2px;
}
.colorIcon.red {
background: #FF8B8B;
}
.colorIcon.mini.red {
background: #FFD1D1;
}
.colorIcon.green {
background: #72F272;
}
.colorIcon.mini.green {
background: #CEF3CE;
}
.colorIcon.gray {
background: lightgray;
}
.nav-tabs > li.linkTab > a:hover {
border-color: transparent;
background-color: transparent;
}
|
utils/pmd-bin-5.2.2/docs/pmd-plsql/xref/net/sourceforge/pmd/lang/plsql/dfa/StatementAndBraceFinder.html | byronka/xenos | <!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" xml:lang="en" lang="en">
<head><meta http-equiv="content-type" content="text/html; charset=UTF-8" />
<title>StatementAndBraceFinder xref</title>
<link type="text/css" rel="stylesheet" href="../../../../../../stylesheet.css" />
</head>
<body>
<div id="overview"><a href="../../../../../../../apidocs/net/sourceforge/pmd/lang/plsql/dfa/StatementAndBraceFinder.html">View Javadoc</a></div><pre>
<a class="jxr_linenumber" name="L1" href="#L1">1</a> <em class="jxr_javadoccomment">/**</em>
<a class="jxr_linenumber" name="L2" href="#L2">2</a> <em class="jxr_javadoccomment"> * BSD-style license; for more info see <a href="http://pmd.sourceforge.net/license.htm" target="alexandria_uri">http://pmd.sourceforge.net/license.htm</a>l</em>
<a class="jxr_linenumber" name="L3" href="#L3">3</a> <em class="jxr_javadoccomment"> */</em>
<a class="jxr_linenumber" name="L4" href="#L4">4</a> <strong class="jxr_keyword">package</strong> net.sourceforge.pmd.lang.plsql.dfa;
<a class="jxr_linenumber" name="L5" href="#L5">5</a>
<a class="jxr_linenumber" name="L6" href="#L6">6</a> <strong class="jxr_keyword">import</strong> java.util.List;
<a class="jxr_linenumber" name="L7" href="#L7">7</a> <strong class="jxr_keyword">import</strong> java.util.logging.Level;
<a class="jxr_linenumber" name="L8" href="#L8">8</a> <strong class="jxr_keyword">import</strong> java.util.logging.Logger;
<a class="jxr_linenumber" name="L9" href="#L9">9</a>
<a class="jxr_linenumber" name="L10" href="#L10">10</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.DataFlowHandler;
<a class="jxr_linenumber" name="L11" href="#L11">11</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.ast.Node;
<a class="jxr_linenumber" name="L12" href="#L12">12</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.dfa.Linker;
<a class="jxr_linenumber" name="L13" href="#L13">13</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.dfa.LinkerException;
<a class="jxr_linenumber" name="L14" href="#L14">14</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.dfa.NodeType;
<a class="jxr_linenumber" name="L15" href="#L15">15</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.dfa.SequenceException;
<a class="jxr_linenumber" name="L16" href="#L16">16</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.dfa.Structure;
<a class="jxr_linenumber" name="L17" href="#L17">17</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTCaseStatement;
<a class="jxr_linenumber" name="L18" href="#L18">18</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTCaseWhenClause;
<a class="jxr_linenumber" name="L19" href="#L19">19</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTCloseStatement;
<a class="jxr_linenumber" name="L20" href="#L20">20</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTContinueStatement;
<a class="jxr_linenumber" name="L21" href="#L21">21</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTElseClause;
<a class="jxr_linenumber" name="L22" href="#L22">22</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTElsifClause;
<a class="jxr_linenumber" name="L23" href="#L23">23</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTEmbeddedSqlStatement;
<a class="jxr_linenumber" name="L24" href="#L24">24</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTExitStatement;
<a class="jxr_linenumber" name="L25" href="#L25">25</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTExpression;
<a class="jxr_linenumber" name="L26" href="#L26">26</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTFetchStatement;
<a class="jxr_linenumber" name="L27" href="#L27">27</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTForStatement;
<a class="jxr_linenumber" name="L28" href="#L28">28</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTGotoStatement;
<a class="jxr_linenumber" name="L29" href="#L29">29</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTIfStatement;
<a class="jxr_linenumber" name="L30" href="#L30">30</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTLabelledStatement;
<a class="jxr_linenumber" name="L31" href="#L31">31</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTLoopStatement;
<a class="jxr_linenumber" name="L32" href="#L32">32</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTMethodDeclaration;
<a class="jxr_linenumber" name="L33" href="#L33">33</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTOpenStatement;
<a class="jxr_linenumber" name="L34" href="#L34">34</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTPipelineStatement;
<a class="jxr_linenumber" name="L35" href="#L35">35</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTProgramUnit;
<a class="jxr_linenumber" name="L36" href="#L36">36</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTRaiseStatement;
<a class="jxr_linenumber" name="L37" href="#L37">37</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTReturnStatement;
<a class="jxr_linenumber" name="L38" href="#L38">38</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTSqlStatement;
<a class="jxr_linenumber" name="L39" href="#L39">39</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTStatement;
<a class="jxr_linenumber" name="L40" href="#L40">40</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTTriggerTimingPointSection;
<a class="jxr_linenumber" name="L41" href="#L41">41</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTTriggerUnit;
<a class="jxr_linenumber" name="L42" href="#L42">42</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTTypeMethod;
<a class="jxr_linenumber" name="L43" href="#L43">43</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTUnlabelledStatement;
<a class="jxr_linenumber" name="L44" href="#L44">44</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTVariableOrConstantDeclarator;
<a class="jxr_linenumber" name="L45" href="#L45">45</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.ASTWhileStatement;
<a class="jxr_linenumber" name="L46" href="#L46">46</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.PLSQLNode;
<a class="jxr_linenumber" name="L47" href="#L47">47</a> <strong class="jxr_keyword">import</strong> net.sourceforge.pmd.lang.plsql.ast.PLSQLParserVisitorAdapter;
<a class="jxr_linenumber" name="L48" href="#L48">48</a>
<a class="jxr_linenumber" name="L49" href="#L49">49</a> <em class="jxr_javadoccomment">/**</em>
<a class="jxr_linenumber" name="L50" href="#L50">50</a> <em class="jxr_javadoccomment"> * @author raik</em>
<a class="jxr_linenumber" name="L51" href="#L51">51</a> <em class="jxr_javadoccomment"> * <p/></em>
<a class="jxr_linenumber" name="L52" href="#L52">52</a> <em class="jxr_javadoccomment"> * Sublayer of DataFlowFacade. Finds all data flow nodes and stores the</em>
<a class="jxr_linenumber" name="L53" href="#L53">53</a> <em class="jxr_javadoccomment"> * type information (@see StackObject). At last it uses this information to</em>
<a class="jxr_linenumber" name="L54" href="#L54">54</a> <em class="jxr_javadoccomment"> * link the nodes.</em>
<a class="jxr_linenumber" name="L55" href="#L55">55</a> <em class="jxr_javadoccomment"> */</em>
<a class="jxr_linenumber" name="L56" href="#L56">56</a> <strong class="jxr_keyword">public</strong> <strong class="jxr_keyword">class</strong> <a href="../../../../../../net/sourceforge/pmd/lang/plsql/dfa/StatementAndBraceFinder.html">StatementAndBraceFinder</a> <strong class="jxr_keyword">extends</strong> <a href="../../../../../../net/sourceforge/pmd/lang/plsql/ast/PLSQLParserVisitorAdapter.html">PLSQLParserVisitorAdapter</a> {
<a class="jxr_linenumber" name="L57" href="#L57">57</a> <strong class="jxr_keyword">private</strong> <strong class="jxr_keyword">final</strong> <strong class="jxr_keyword">static</strong> Logger LOGGER = Logger.getLogger(StatementAndBraceFinder.<strong class="jxr_keyword">class</strong>.getName());
<a class="jxr_linenumber" name="L58" href="#L58">58</a>
<a class="jxr_linenumber" name="L59" href="#L59">59</a> <strong class="jxr_keyword">private</strong> <strong class="jxr_keyword">final</strong> DataFlowHandler dataFlowHandler;
<a class="jxr_linenumber" name="L60" href="#L60">60</a> <strong class="jxr_keyword">private</strong> Structure dataFlow;
<a class="jxr_linenumber" name="L61" href="#L61">61</a>
<a class="jxr_linenumber" name="L62" href="#L62">62</a> <strong class="jxr_keyword">public</strong> <a href="../../../../../../net/sourceforge/pmd/lang/plsql/dfa/StatementAndBraceFinder.html">StatementAndBraceFinder</a>(DataFlowHandler dataFlowHandler) {
<a class="jxr_linenumber" name="L63" href="#L63">63</a> <strong class="jxr_keyword">this</strong>.dataFlowHandler = dataFlowHandler;
<a class="jxr_linenumber" name="L64" href="#L64">64</a> }
<a class="jxr_linenumber" name="L65" href="#L65">65</a>
<a class="jxr_linenumber" name="L66" href="#L66">66</a> <strong class="jxr_keyword">public</strong> <strong class="jxr_keyword">void</strong> buildDataFlowFor(<a href="../../../../../../net/sourceforge/pmd/lang/plsql/ast/PLSQLNode.html">PLSQLNode</a> node) {
<a class="jxr_linenumber" name="L67" href="#L67">67</a> LOGGER.entering(<strong class="jxr_keyword">this</strong>.getClass().getCanonicalName(),<span class="jxr_string">"buildDataFlowFor"</span>);
<a class="jxr_linenumber" name="L68" href="#L68">68</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L69" href="#L69">69</a> LOGGER.finest(<span class="jxr_string">"buildDataFlowFor: node class "</span>
<a class="jxr_linenumber" name="L70" href="#L70">70</a> + node.getClass().getCanonicalName() + <span class="jxr_string">" @ line "</span>
<a class="jxr_linenumber" name="L71" href="#L71">71</a> + node.getBeginLine()
<a class="jxr_linenumber" name="L72" href="#L72">72</a> +<span class="jxr_string">", column "</span> + node.getBeginColumn()
<a class="jxr_linenumber" name="L73" href="#L73">73</a> + <span class="jxr_string">" --- "</span> + <strong class="jxr_keyword">new</strong> Throwable().getStackTrace()
<a class="jxr_linenumber" name="L74" href="#L74">74</a> );
<a class="jxr_linenumber" name="L75" href="#L75">75</a> }
<a class="jxr_linenumber" name="L76" href="#L76">76</a> <strong class="jxr_keyword">if</strong> (!(node instanceof ASTMethodDeclaration)
<a class="jxr_linenumber" name="L77" href="#L77">77</a> && !(node instanceof <a href="../../../../../../net/sourceforge/pmd/lang/plsql/ast/ASTProgramUnit.html">ASTProgramUnit</a>)
<a class="jxr_linenumber" name="L78" href="#L78">78</a> && !(node instanceof <a href="../../../../../../net/sourceforge/pmd/lang/plsql/ast/ASTTypeMethod.html">ASTTypeMethod</a>)
<a class="jxr_linenumber" name="L79" href="#L79">79</a> && !(node instanceof <a href="../../../../../../net/sourceforge/pmd/lang/plsql/ast/ASTTriggerUnit.html">ASTTriggerUnit</a>)
<a class="jxr_linenumber" name="L80" href="#L80">80</a> && !(node instanceof <a href="../../../../../../net/sourceforge/pmd/lang/plsql/ast/ASTTriggerTimingPointSection.html">ASTTriggerTimingPointSection</a>)
<a class="jxr_linenumber" name="L81" href="#L81">81</a> ) {
<a class="jxr_linenumber" name="L82" href="#L82">82</a> <strong class="jxr_keyword">throw</strong> <strong class="jxr_keyword">new</strong> RuntimeException(<span class="jxr_string">"Can't build a data flow for anything other than a Method or a Trigger"</span>);
<a class="jxr_linenumber" name="L83" href="#L83">83</a> }
<a class="jxr_linenumber" name="L84" href="#L84">84</a>
<a class="jxr_linenumber" name="L85" href="#L85">85</a> <strong class="jxr_keyword">this</strong>.dataFlow = <strong class="jxr_keyword">new</strong> Structure(dataFlowHandler);
<a class="jxr_linenumber" name="L86" href="#L86">86</a> <strong class="jxr_keyword">this</strong>.dataFlow.createStartNode(node.getBeginLine());
<a class="jxr_linenumber" name="L87" href="#L87">87</a> <strong class="jxr_keyword">this</strong>.dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L88" href="#L88">88</a>
<a class="jxr_linenumber" name="L89" href="#L89">89</a> node.jjtAccept(<strong class="jxr_keyword">this</strong>, dataFlow);
<a class="jxr_linenumber" name="L90" href="#L90">90</a>
<a class="jxr_linenumber" name="L91" href="#L91">91</a> <strong class="jxr_keyword">this</strong>.dataFlow.createEndNode(node.getEndLine());
<a class="jxr_linenumber" name="L92" href="#L92">92</a>
<a class="jxr_linenumber" name="L93" href="#L93">93</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINE))
<a class="jxr_linenumber" name="L94" href="#L94">94</a> {
<a class="jxr_linenumber" name="L95" href="#L95">95</a> LOGGER.fine(<span class="jxr_string">"DataFlow is "</span> + <strong class="jxr_keyword">this</strong>.dataFlow.dump() );
<a class="jxr_linenumber" name="L96" href="#L96">96</a> }
<a class="jxr_linenumber" name="L97" href="#L97">97</a> Linker linker = <strong class="jxr_keyword">new</strong> Linker(dataFlowHandler, dataFlow.getBraceStack(), dataFlow.getContinueBreakReturnStack());
<a class="jxr_linenumber" name="L98" href="#L98">98</a> <strong class="jxr_keyword">try</strong> {
<a class="jxr_linenumber" name="L99" href="#L99">99</a> linker.computePaths();
<a class="jxr_linenumber" name="L100" href="#L100">100</a> } <strong class="jxr_keyword">catch</strong> (LinkerException e) {
<a class="jxr_linenumber" name="L101" href="#L101">101</a> LOGGER.severe(<span class="jxr_string">"LinkerException"</span>);
<a class="jxr_linenumber" name="L102" href="#L102">102</a> e.printStackTrace();
<a class="jxr_linenumber" name="L103" href="#L103">103</a> } <strong class="jxr_keyword">catch</strong> (SequenceException e) {
<a class="jxr_linenumber" name="L104" href="#L104">104</a> LOGGER.severe(<span class="jxr_string">"SequenceException"</span>);
<a class="jxr_linenumber" name="L105" href="#L105">105</a> e.printStackTrace();
<a class="jxr_linenumber" name="L106" href="#L106">106</a> }
<a class="jxr_linenumber" name="L107" href="#L107">107</a> LOGGER.exiting(<strong class="jxr_keyword">this</strong>.getClass().getCanonicalName(),<span class="jxr_string">"buildDataFlowFor"</span>);
<a class="jxr_linenumber" name="L108" href="#L108">108</a> }
<a class="jxr_linenumber" name="L109" href="#L109">109</a>
<a class="jxr_linenumber" name="L110" href="#L110">110</a>
<a class="jxr_linenumber" name="L111" href="#L111">111</a> <strong class="jxr_keyword">public</strong> Object visit(ASTSqlStatement node, Object data) {
<a class="jxr_linenumber" name="L112" href="#L112">112</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L113" href="#L113">113</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L114" href="#L114">114</a> LOGGER.finest(<span class="jxr_string">"immediate return ASTSqlStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L115" href="#L115">115</a> }
<a class="jxr_linenumber" name="L116" href="#L116">116</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L117" href="#L117">117</a> }
<a class="jxr_linenumber" name="L118" href="#L118">118</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L119" href="#L119">119</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L120" href="#L120">120</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L121" href="#L121">121</a> LOGGER.finest(<span class="jxr_string">"createNewNode ASTSqlStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L122" href="#L122">122</a> }
<a class="jxr_linenumber" name="L123" href="#L123">123</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L124" href="#L124">124</a> }
<a class="jxr_linenumber" name="L125" href="#L125">125</a>
<a class="jxr_linenumber" name="L126" href="#L126">126</a> <strong class="jxr_keyword">public</strong> Object visit(ASTEmbeddedSqlStatement node, Object data) {
<a class="jxr_linenumber" name="L127" href="#L127">127</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L128" href="#L128">128</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L129" href="#L129">129</a> LOGGER.finest(<span class="jxr_string">"immediate return ASTEmbeddedSqlStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L130" href="#L130">130</a> }
<a class="jxr_linenumber" name="L131" href="#L131">131</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L132" href="#L132">132</a> }
<a class="jxr_linenumber" name="L133" href="#L133">133</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L134" href="#L134">134</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L135" href="#L135">135</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L136" href="#L136">136</a> LOGGER.finest(<span class="jxr_string">"createNewNode ASTEmbeddedSqlStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L137" href="#L137">137</a> }
<a class="jxr_linenumber" name="L138" href="#L138">138</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L139" href="#L139">139</a> }
<a class="jxr_linenumber" name="L140" href="#L140">140</a>
<a class="jxr_linenumber" name="L141" href="#L141">141</a> <strong class="jxr_keyword">public</strong> Object visit(ASTCloseStatement node, Object data) {
<a class="jxr_linenumber" name="L142" href="#L142">142</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L143" href="#L143">143</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L144" href="#L144">144</a> }
<a class="jxr_linenumber" name="L145" href="#L145">145</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L146" href="#L146">146</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L147" href="#L147">147</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L148" href="#L148">148</a> LOGGER.finest(<span class="jxr_string">"createNewNode ASTCloseStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L149" href="#L149">149</a> }
<a class="jxr_linenumber" name="L150" href="#L150">150</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L151" href="#L151">151</a> }
<a class="jxr_linenumber" name="L152" href="#L152">152</a>
<a class="jxr_linenumber" name="L153" href="#L153">153</a> <strong class="jxr_keyword">public</strong> Object visit(ASTOpenStatement node, Object data) {
<a class="jxr_linenumber" name="L154" href="#L154">154</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L155" href="#L155">155</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L156" href="#L156">156</a> }
<a class="jxr_linenumber" name="L157" href="#L157">157</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L158" href="#L158">158</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L159" href="#L159">159</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L160" href="#L160">160</a> LOGGER.finest(<span class="jxr_string">"createNewNode ASTOpenStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L161" href="#L161">161</a> }
<a class="jxr_linenumber" name="L162" href="#L162">162</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L163" href="#L163">163</a> }
<a class="jxr_linenumber" name="L164" href="#L164">164</a>
<a class="jxr_linenumber" name="L165" href="#L165">165</a> <strong class="jxr_keyword">public</strong> Object visit(ASTFetchStatement node, Object data) {
<a class="jxr_linenumber" name="L166" href="#L166">166</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L167" href="#L167">167</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L168" href="#L168">168</a> }
<a class="jxr_linenumber" name="L169" href="#L169">169</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L170" href="#L170">170</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L171" href="#L171">171</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L172" href="#L172">172</a> LOGGER.finest(<span class="jxr_string">"createNewNode ASTFetchStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L173" href="#L173">173</a> }
<a class="jxr_linenumber" name="L174" href="#L174">174</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L175" href="#L175">175</a> }
<a class="jxr_linenumber" name="L176" href="#L176">176</a>
<a class="jxr_linenumber" name="L177" href="#L177">177</a> <strong class="jxr_keyword">public</strong> Object visit(ASTPipelineStatement node, Object data) {
<a class="jxr_linenumber" name="L178" href="#L178">178</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L179" href="#L179">179</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L180" href="#L180">180</a> }
<a class="jxr_linenumber" name="L181" href="#L181">181</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L182" href="#L182">182</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L183" href="#L183">183</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L184" href="#L184">184</a> LOGGER.finest(<span class="jxr_string">"createNewNode ASTPipelineStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L185" href="#L185">185</a> }
<a class="jxr_linenumber" name="L186" href="#L186">186</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L187" href="#L187">187</a> }
<a class="jxr_linenumber" name="L188" href="#L188">188</a>
<a class="jxr_linenumber" name="L189" href="#L189">189</a> <em class="jxr_comment">/* */</em>
<a class="jxr_linenumber" name="L190" href="#L190">190</a>
<a class="jxr_linenumber" name="L191" href="#L191">191</a> <strong class="jxr_keyword">public</strong> Object visit(ASTVariableOrConstantDeclarator node, Object data) {
<a class="jxr_linenumber" name="L192" href="#L192">192</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L193" href="#L193">193</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L194" href="#L194">194</a> }
<a class="jxr_linenumber" name="L195" href="#L195">195</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L196" href="#L196">196</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L197" href="#L197">197</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L198" href="#L198">198</a> LOGGER.finest(<span class="jxr_string">"createNewNode ASTVariableOrConstantDeclarator: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L199" href="#L199">199</a> }
<a class="jxr_linenumber" name="L200" href="#L200">200</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L201" href="#L201">201</a> }
<a class="jxr_linenumber" name="L202" href="#L202">202</a>
<a class="jxr_linenumber" name="L203" href="#L203">203</a> <strong class="jxr_keyword">public</strong> Object visit(ASTExpression node, Object data) {
<a class="jxr_linenumber" name="L204" href="#L204">204</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L205" href="#L205">205</a> LOGGER.finest(<span class="jxr_string">"Entry ASTExpression: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L206" href="#L206">206</a> }
<a class="jxr_linenumber" name="L207" href="#L207">207</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L208" href="#L208">208</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L209" href="#L209">209</a> LOGGER.finest(<span class="jxr_string">"immediate return ASTExpression: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L210" href="#L210">210</a> }
<a class="jxr_linenumber" name="L211" href="#L211">211</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L212" href="#L212">212</a> }
<a class="jxr_linenumber" name="L213" href="#L213">213</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L214" href="#L214">214</a>
<a class="jxr_linenumber" name="L215" href="#L215">215</a> <em class="jxr_comment">//The equivalent of an ASTExpression is an Expression whose parent is an UnLabelledStatement</em>
<a class="jxr_linenumber" name="L216" href="#L216">216</a> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTUnlabelledStatement) {
<a class="jxr_linenumber" name="L217" href="#L217">217</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L218" href="#L218">218</a> LOGGER.finest(<span class="jxr_string">"createNewNode ASTSUnlabelledStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L219" href="#L219">219</a> }
<a class="jxr_linenumber" name="L220" href="#L220">220</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L221" href="#L221">221</a> } <strong class="jxr_keyword">else</strong>
<a class="jxr_linenumber" name="L222" href="#L222">222</a> <em class="jxr_comment">// TODO what about throw stmts?</em>
<a class="jxr_linenumber" name="L223" href="#L223">223</a> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTIfStatement) {
<a class="jxr_linenumber" name="L224" href="#L224">224</a> dataFlow.createNewNode(node); <em class="jxr_comment">// START IF</em>
<a class="jxr_linenumber" name="L225" href="#L225">225</a> dataFlow.pushOnStack(NodeType.IF_EXPR, dataFlow.getLast());
<a class="jxr_linenumber" name="L226" href="#L226">226</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L227" href="#L227">227</a> LOGGER.finest(<span class="jxr_string">"pushOnStack parent IF_EXPR: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L228" href="#L228">228</a> }
<a class="jxr_linenumber" name="L229" href="#L229">229</a> } <strong class="jxr_keyword">else</strong> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTElsifClause) {
<a class="jxr_linenumber" name="L230" href="#L230">230</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L231" href="#L231">231</a> LOGGER.finest(<span class="jxr_string">"parent (Elsif) IF_EXPR at "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L232" href="#L232">232</a> }
<a class="jxr_linenumber" name="L233" href="#L233">233</a> dataFlow.createNewNode(node); <em class="jxr_comment">// START IF</em>
<a class="jxr_linenumber" name="L234" href="#L234">234</a> dataFlow.pushOnStack(NodeType.IF_EXPR, dataFlow.getLast());
<a class="jxr_linenumber" name="L235" href="#L235">235</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L236" href="#L236">236</a> LOGGER.finest(<span class="jxr_string">"pushOnStack parent (Elsif) IF_EXPR: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L237" href="#L237">237</a> }
<a class="jxr_linenumber" name="L238" href="#L238">238</a> } <strong class="jxr_keyword">else</strong> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTWhileStatement) {
<a class="jxr_linenumber" name="L239" href="#L239">239</a> dataFlow.createNewNode(node); <em class="jxr_comment">// START WHILE</em>
<a class="jxr_linenumber" name="L240" href="#L240">240</a> dataFlow.pushOnStack(NodeType.WHILE_EXPR, dataFlow.getLast());
<a class="jxr_linenumber" name="L241" href="#L241">241</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L242" href="#L242">242</a> LOGGER.finest(<span class="jxr_string">"pushOnStack parent WHILE_EXPR: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L243" href="#L243">243</a> }
<a class="jxr_linenumber" name="L244" href="#L244">244</a> } <strong class="jxr_keyword">else</strong> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTCaseStatement) {
<a class="jxr_linenumber" name="L245" href="#L245">245</a> dataFlow.createNewNode(node); <em class="jxr_comment">// START SWITCH</em>
<a class="jxr_linenumber" name="L246" href="#L246">246</a> dataFlow.pushOnStack(NodeType.SWITCH_START, dataFlow.getLast());
<a class="jxr_linenumber" name="L247" href="#L247">247</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L248" href="#L248">248</a> LOGGER.finest(<span class="jxr_string">"pushOnStack parent SWITCH_START: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L249" href="#L249">249</a> }
<a class="jxr_linenumber" name="L250" href="#L250">250</a> } <strong class="jxr_keyword">else</strong> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTForStatement) {
<a class="jxr_linenumber" name="L251" href="#L251">251</a> <em class="jxr_comment">/* A PL/SQL loop control:</em>
<a class="jxr_linenumber" name="L252" href="#L252">252</a> <em class="jxr_comment"> * [<REVERSE>] Expression()[".."Expression()] </em>
<a class="jxr_linenumber" name="L253" href="#L253">253</a> <em class="jxr_comment"> * </em>
<a class="jxr_linenumber" name="L254" href="#L254">254</a> <em class="jxr_comment"> */</em>
<a class="jxr_linenumber" name="L255" href="#L255">255</a> <strong class="jxr_keyword">if</strong> (node.equals( node.jjtGetParent().getFirstChildOfType(ASTExpression.<strong class="jxr_keyword">class</strong>) ) )
<a class="jxr_linenumber" name="L256" href="#L256">256</a> {
<a class="jxr_linenumber" name="L257" href="#L257">257</a> dataFlow.createNewNode(node); <em class="jxr_comment">// FOR EXPR</em>
<a class="jxr_linenumber" name="L258" href="#L258">258</a> dataFlow.pushOnStack(NodeType.FOR_EXPR, dataFlow.getLast());
<a class="jxr_linenumber" name="L259" href="#L259">259</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L260" href="#L260">260</a> LOGGER.finest(<span class="jxr_string">"pushOnStack parent FOR_EXPR: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L261" href="#L261">261</a> }
<a class="jxr_linenumber" name="L262" href="#L262">262</a> }
<a class="jxr_linenumber" name="L263" href="#L263">263</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L264" href="#L264">264</a> LOGGER.finest(<span class="jxr_string">"parent (ASTForStatement): line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L265" href="#L265">265</a> }
<a class="jxr_linenumber" name="L266" href="#L266">266</a> } <strong class="jxr_keyword">else</strong> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTLoopStatement) {
<a class="jxr_linenumber" name="L267" href="#L267">267</a> dataFlow.createNewNode(node); <em class="jxr_comment">// DO EXPR</em>
<a class="jxr_linenumber" name="L268" href="#L268">268</a> dataFlow.pushOnStack(NodeType.DO_EXPR, dataFlow.getLast());
<a class="jxr_linenumber" name="L269" href="#L269">269</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L270" href="#L270">270</a> LOGGER.finest(<span class="jxr_string">"pushOnStack parent DO_EXPR: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L271" href="#L271">271</a> }
<a class="jxr_linenumber" name="L272" href="#L272">272</a> }
<a class="jxr_linenumber" name="L273" href="#L273">273</a>
<a class="jxr_linenumber" name="L274" href="#L274">274</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L275" href="#L275">275</a> }
<a class="jxr_linenumber" name="L276" href="#L276">276</a>
<a class="jxr_linenumber" name="L277" href="#L277">277</a> <strong class="jxr_keyword">public</strong> Object visit(ASTLabelledStatement node, Object data) {
<a class="jxr_linenumber" name="L278" href="#L278">278</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L279" href="#L279">279</a> dataFlow.pushOnStack(NodeType.LABEL_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L280" href="#L280">280</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L281" href="#L281">281</a> LOGGER.finest(<span class="jxr_string">"pushOnStack LABEL_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L282" href="#L282">282</a> }
<a class="jxr_linenumber" name="L283" href="#L283">283</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L284" href="#L284">284</a> }
<a class="jxr_linenumber" name="L285" href="#L285">285</a>
<a class="jxr_linenumber" name="L286" href="#L286">286</a> <em class="jxr_javadoccomment">/**</em>
<a class="jxr_linenumber" name="L287" href="#L287">287</a> <em class="jxr_javadoccomment"> * PL/SQL does not have a do/while statement or repeat/until statement: the equivalent is a LOOP statement.</em>
<a class="jxr_linenumber" name="L288" href="#L288">288</a> <em class="jxr_javadoccomment"> * A PL/SQL LOOP statement is exited using an explicit EXIT ( == break;) statement</em>
<a class="jxr_linenumber" name="L289" href="#L289">289</a> <em class="jxr_javadoccomment"> * It does not have a test expression, so the Java control processing (on the expression) does not fire.</em>
<a class="jxr_linenumber" name="L290" href="#L290">290</a> <em class="jxr_javadoccomment"> * The best way to cope it to push a DO_EXPR after the loop.</em>
<a class="jxr_linenumber" name="L291" href="#L291">291</a> <em class="jxr_javadoccomment"> */</em>
<a class="jxr_linenumber" name="L292" href="#L292">292</a> <strong class="jxr_keyword">public</strong> Object visit(ASTLoopStatement node, Object data) {
<a class="jxr_linenumber" name="L293" href="#L293">293</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L294" href="#L294">294</a> LOGGER.finest(<span class="jxr_string">"entry ASTLoopStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L295" href="#L295">295</a> }
<a class="jxr_linenumber" name="L296" href="#L296">296</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L297" href="#L297">297</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L298" href="#L298">298</a> LOGGER.finest(<span class="jxr_string">"immediate return ASTLoopStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L299" href="#L299">299</a> }
<a class="jxr_linenumber" name="L300" href="#L300">300</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L301" href="#L301">301</a> }
<a class="jxr_linenumber" name="L302" href="#L302">302</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L303" href="#L303">303</a>
<a class="jxr_linenumber" name="L304" href="#L304">304</a> <em class="jxr_comment">//process the contents on the LOOP statement </em>
<a class="jxr_linenumber" name="L305" href="#L305">305</a> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L306" href="#L306">306</a>
<a class="jxr_linenumber" name="L307" href="#L307">307</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L308" href="#L308">308</a> dataFlow.pushOnStack(NodeType.DO_EXPR, dataFlow.getLast());
<a class="jxr_linenumber" name="L309" href="#L309">309</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L310" href="#L310">310</a> LOGGER.finest(<span class="jxr_string">"pushOnStack (ASTLoopStatement) DO_EXPR: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L311" href="#L311">311</a> }
<a class="jxr_linenumber" name="L312" href="#L312">312</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L313" href="#L313">313</a> }
<a class="jxr_linenumber" name="L314" href="#L314">314</a>
<a class="jxr_linenumber" name="L315" href="#L315">315</a> <em class="jxr_javadoccomment">/**</em>
<a class="jxr_linenumber" name="L316" href="#L316">316</a> <em class="jxr_javadoccomment"> * A PL/SQL WHILE statement includes the LOOP statement and all Expressions within it: </em>
<a class="jxr_linenumber" name="L317" href="#L317">317</a> <em class="jxr_javadoccomment"> * it does not have a single test expression, so the Java control processing (on the Expression) fires for each </em>
<a class="jxr_linenumber" name="L318" href="#L318">318</a> <em class="jxr_javadoccomment"> * Expression in the LOOP.</em>
<a class="jxr_linenumber" name="L319" href="#L319">319</a> <em class="jxr_javadoccomment"> * The best way to cope it to push a WHILE_LAST_STATEMENT after the WhileStatement has been processed.</em>
<a class="jxr_linenumber" name="L320" href="#L320">320</a> <em class="jxr_javadoccomment"> */</em>
<a class="jxr_linenumber" name="L321" href="#L321">321</a> <strong class="jxr_keyword">public</strong> Object visit(ASTWhileStatement node, Object data) {
<a class="jxr_linenumber" name="L322" href="#L322">322</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L323" href="#L323">323</a> LOGGER.finest(<span class="jxr_string">"entry ASTWhileStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L324" href="#L324">324</a> }
<a class="jxr_linenumber" name="L325" href="#L325">325</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L326" href="#L326">326</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L327" href="#L327">327</a> LOGGER.finest(<span class="jxr_string">"immediate return ASTWhileStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L328" href="#L328">328</a> }
<a class="jxr_linenumber" name="L329" href="#L329">329</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L330" href="#L330">330</a> }
<a class="jxr_linenumber" name="L331" href="#L331">331</a>
<a class="jxr_linenumber" name="L332" href="#L332">332</a> <em class="jxr_comment">//process the contents on the WHILE statement </em>
<a class="jxr_linenumber" name="L333" href="#L333">333</a> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L334" href="#L334">334</a>
<a class="jxr_linenumber" name="L335" href="#L335">335</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L336" href="#L336">336</a> }
<a class="jxr_linenumber" name="L337" href="#L337">337</a>
<a class="jxr_linenumber" name="L338" href="#L338">338</a>
<a class="jxr_linenumber" name="L339" href="#L339">339</a> <em class="jxr_comment">// ----------------------------------------------------------------------------</em>
<a class="jxr_linenumber" name="L340" href="#L340">340</a> <em class="jxr_comment">// BRANCH OUT</em>
<a class="jxr_linenumber" name="L341" href="#L341">341</a>
<a class="jxr_linenumber" name="L342" href="#L342">342</a> <strong class="jxr_keyword">public</strong> Object visit(ASTStatement node, Object data) {
<a class="jxr_linenumber" name="L343" href="#L343">343</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L344" href="#L344">344</a> LOGGER.finest(<span class="jxr_string">"entry ASTStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn() + <span class="jxr_string">" -> "</span> + node.getClass().getCanonicalName());
<a class="jxr_linenumber" name="L345" href="#L345">345</a> }
<a class="jxr_linenumber" name="L346" href="#L346">346</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L347" href="#L347">347</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L348" href="#L348">348</a> LOGGER.finest(<span class="jxr_string">"immediate return ASTStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L349" href="#L349">349</a> }
<a class="jxr_linenumber" name="L350" href="#L350">350</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L351" href="#L351">351</a> }
<a class="jxr_linenumber" name="L352" href="#L352">352</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L353" href="#L353">353</a>
<a class="jxr_linenumber" name="L354" href="#L354">354</a> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTForStatement) {
<a class="jxr_linenumber" name="L355" href="#L355">355</a> ASTForStatement st = (ASTForStatement) node.jjtGetParent();
<a class="jxr_linenumber" name="L356" href="#L356">356</a> <strong class="jxr_keyword">if</strong> (node.equals(st.getFirstChildOfType(ASTStatement.<strong class="jxr_keyword">class</strong>)))
<a class="jxr_linenumber" name="L357" href="#L357">357</a> {
<a class="jxr_linenumber" name="L358" href="#L358">358</a> <strong class="jxr_keyword">this</strong>.addForExpressionNode(node, dataFlow);
<a class="jxr_linenumber" name="L359" href="#L359">359</a> dataFlow.pushOnStack(NodeType.FOR_BEFORE_FIRST_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L360" href="#L360">360</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L361" href="#L361">361</a> LOGGER.finest(<span class="jxr_string">"pushOnStack FOR_BEFORE_FIRST_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L362" href="#L362">362</a> }
<a class="jxr_linenumber" name="L363" href="#L363">363</a> }
<a class="jxr_linenumber" name="L364" href="#L364">364</a> } <strong class="jxr_keyword">else</strong> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTLoopStatement) {
<a class="jxr_linenumber" name="L365" href="#L365">365</a> ASTLoopStatement st = (ASTLoopStatement) node.jjtGetParent();
<a class="jxr_linenumber" name="L366" href="#L366">366</a> <strong class="jxr_keyword">if</strong> (node.equals(st.getFirstChildOfType(ASTStatement.<strong class="jxr_keyword">class</strong>)))
<a class="jxr_linenumber" name="L367" href="#L367">367</a> {
<a class="jxr_linenumber" name="L368" href="#L368">368</a> dataFlow.pushOnStack(NodeType.DO_BEFORE_FIRST_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L369" href="#L369">369</a> dataFlow.createNewNode(node.jjtGetParent());
<a class="jxr_linenumber" name="L370" href="#L370">370</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L371" href="#L371">371</a> LOGGER.finest(<span class="jxr_string">"pushOnStack DO_BEFORE_FIRST_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L372" href="#L372">372</a> }
<a class="jxr_linenumber" name="L373" href="#L373">373</a> }
<a class="jxr_linenumber" name="L374" href="#L374">374</a> }
<a class="jxr_linenumber" name="L375" href="#L375">375</a>
<a class="jxr_linenumber" name="L376" href="#L376">376</a>
<a class="jxr_linenumber" name="L377" href="#L377">377</a> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L378" href="#L378">378</a>
<a class="jxr_linenumber" name="L379" href="#L379">379</a> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTElseClause) {
<a class="jxr_linenumber" name="L380" href="#L380">380</a> List<ASTStatement> allStatements = node.jjtGetParent().findChildrenOfType(ASTStatement.<strong class="jxr_keyword">class</strong>) ;
<a class="jxr_linenumber" name="L381" href="#L381">381</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L382" href="#L382">382</a> LOGGER.finest(<span class="jxr_string">"ElseClause has "</span> + allStatements.size() + <span class="jxr_string">" Statements "</span> );
<a class="jxr_linenumber" name="L383" href="#L383">383</a> }
<a class="jxr_linenumber" name="L384" href="#L384">384</a>
<a class="jxr_linenumber" name="L385" href="#L385">385</a> <em class="jxr_comment">/*</em>
<a class="jxr_linenumber" name="L386" href="#L386">386</a> <em class="jxr_comment"> //Restrict to the last Statement of the Else Clause</em>
<a class="jxr_linenumber" name="L387" href="#L387">387</a> <em class="jxr_comment"> if (node == allStatements.get(allStatements.size()-1) )</em>
<a class="jxr_linenumber" name="L388" href="#L388">388</a> <em class="jxr_comment"> {</em>
<a class="jxr_linenumber" name="L389" href="#L389">389</a> <em class="jxr_comment"> if (node.jjtGetParent().jjtGetParent() instanceof ASTCaseStatement) {</em>
<a class="jxr_linenumber" name="L390" href="#L390">390</a> <em class="jxr_comment"> dataFlow.pushOnStack(NodeType.SWITCH_LAST_DEFAULT_STATEMENT, dataFlow.getLast());</em>
<a class="jxr_linenumber" name="L391" href="#L391">391</a> <em class="jxr_comment"> LOGGER.finest("pushOnStack (Else-Below Case) SWITCH_LAST_DEFAULT_STATEMENT: line " + node.getBeginLine() +", column " + node.getBeginColumn());</em>
<a class="jxr_linenumber" name="L392" href="#L392">392</a> <em class="jxr_comment"> } /*SRT else // if (node == node.jjtGetParent() instanceof ASTElseClause) { </em>
<a class="jxr_linenumber" name="L393" href="#L393">393</a> <em class="jxr_comment"> {</em>
<a class="jxr_linenumber" name="L394" href="#L394">394</a> <em class="jxr_comment"> dataFlow.pushOnStack(NodeType.ELSE_LAST_STATEMENT, dataFlow.getLast());</em>
<a class="jxr_linenumber" name="L395" href="#L395">395</a> <em class="jxr_comment"> LOGGER.finest("pushOnStack (Else-Below If) ELSE_LAST_STATEMENT: line " + node.getBeginLine() +", column " + node.getBeginColumn());</em>
<a class="jxr_linenumber" name="L396" href="#L396">396</a> <em class="jxr_comment"> } */</em>
<a class="jxr_linenumber" name="L397" href="#L397">397</a> <em class="jxr_comment">//}</em>
<a class="jxr_linenumber" name="L398" href="#L398">398</a> } <strong class="jxr_keyword">else</strong> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTWhileStatement) {
<a class="jxr_linenumber" name="L399" href="#L399">399</a> ASTWhileStatement statement = (ASTWhileStatement) node.jjtGetParent();
<a class="jxr_linenumber" name="L400" href="#L400">400</a> List<ASTStatement> children = statement.findChildrenOfType(ASTStatement.<strong class="jxr_keyword">class</strong>);
<a class="jxr_linenumber" name="L401" href="#L401">401</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L402" href="#L402">402</a> LOGGER.finest(<span class="jxr_string">"(LastChildren): size "</span> + children.size() );
<a class="jxr_linenumber" name="L403" href="#L403">403</a> }
<a class="jxr_linenumber" name="L404" href="#L404">404</a> ASTStatement lastChild = children.get(children.size()-1);
<a class="jxr_linenumber" name="L405" href="#L405">405</a>
<a class="jxr_linenumber" name="L406" href="#L406">406</a> <em class="jxr_comment">// Push on stack if this Node is the LAST Statement associated with the FOR Statment</em>
<a class="jxr_linenumber" name="L407" href="#L407">407</a> <strong class="jxr_keyword">if</strong> ( node.equals(lastChild) )
<a class="jxr_linenumber" name="L408" href="#L408">408</a> {
<a class="jxr_linenumber" name="L409" href="#L409">409</a> dataFlow.pushOnStack(NodeType.WHILE_LAST_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L410" href="#L410">410</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L411" href="#L411">411</a> LOGGER.finest(<span class="jxr_string">"pushOnStack WHILE_LAST_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L412" href="#L412">412</a> }
<a class="jxr_linenumber" name="L413" href="#L413">413</a> }
<a class="jxr_linenumber" name="L414" href="#L414">414</a> } <strong class="jxr_keyword">else</strong> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTForStatement ) {
<a class="jxr_linenumber" name="L415" href="#L415">415</a> ASTForStatement statement = (ASTForStatement) node.jjtGetParent();
<a class="jxr_linenumber" name="L416" href="#L416">416</a> List<ASTStatement> children = statement.findChildrenOfType(ASTStatement.<strong class="jxr_keyword">class</strong>);
<a class="jxr_linenumber" name="L417" href="#L417">417</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L418" href="#L418">418</a> LOGGER.finest(<span class="jxr_string">"(LastChildren): size "</span> + children.size() );
<a class="jxr_linenumber" name="L419" href="#L419">419</a> }
<a class="jxr_linenumber" name="L420" href="#L420">420</a> ASTStatement lastChild = children.get(children.size()-1);
<a class="jxr_linenumber" name="L421" href="#L421">421</a>
<a class="jxr_linenumber" name="L422" href="#L422">422</a> <em class="jxr_comment">// Push on stack if this Node is the LAST Statement associated with the FOR Statment</em>
<a class="jxr_linenumber" name="L423" href="#L423">423</a> <strong class="jxr_keyword">if</strong> ( node.equals(lastChild) )
<a class="jxr_linenumber" name="L424" href="#L424">424</a> {
<a class="jxr_linenumber" name="L425" href="#L425">425</a> dataFlow.pushOnStack(NodeType.FOR_END, dataFlow.getLast());
<a class="jxr_linenumber" name="L426" href="#L426">426</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L427" href="#L427">427</a> LOGGER.finest(<span class="jxr_string">"pushOnStack (LastChildStatemnt) FOR_END: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L428" href="#L428">428</a> }
<a class="jxr_linenumber" name="L429" href="#L429">429</a> }
<a class="jxr_linenumber" name="L430" href="#L430">430</a> } <strong class="jxr_keyword">else</strong> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTLabelledStatement) {
<a class="jxr_linenumber" name="L431" href="#L431">431</a> dataFlow.pushOnStack(NodeType.LABEL_LAST_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L432" href="#L432">432</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L433" href="#L433">433</a> LOGGER.finest(<span class="jxr_string">"pushOnStack LABEL_LAST_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L434" href="#L434">434</a> }
<a class="jxr_linenumber" name="L435" href="#L435">435</a> }
<a class="jxr_linenumber" name="L436" href="#L436">436</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L437" href="#L437">437</a> LOGGER.finest(<span class="jxr_string">"exit ASTStatement: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn()
<a class="jxr_linenumber" name="L438" href="#L438">438</a> + <span class="jxr_string">" -> "</span> + node.getClass().getCanonicalName()
<a class="jxr_linenumber" name="L439" href="#L439">439</a> + <span class="jxr_string">" ->-> "</span> + node.jjtGetParent().getClass().getCanonicalName()
<a class="jxr_linenumber" name="L440" href="#L440">440</a> );
<a class="jxr_linenumber" name="L441" href="#L441">441</a> }
<a class="jxr_linenumber" name="L442" href="#L442">442</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L443" href="#L443">443</a> }
<a class="jxr_linenumber" name="L444" href="#L444">444</a>
<a class="jxr_linenumber" name="L445" href="#L445">445</a> <strong class="jxr_keyword">public</strong> Object visit(ASTUnlabelledStatement node, Object data) {
<a class="jxr_linenumber" name="L446" href="#L446">446</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L447" href="#L447">447</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L448" href="#L448">448</a> }
<a class="jxr_linenumber" name="L449" href="#L449">449</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L450" href="#L450">450</a> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L451" href="#L451">451</a> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTLabelledStatement) {
<a class="jxr_linenumber" name="L452" href="#L452">452</a> dataFlow.pushOnStack(NodeType.LABEL_LAST_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L453" href="#L453">453</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L454" href="#L454">454</a> LOGGER.finest(<span class="jxr_string">"pushOnStack (ASTUnlabelledStatement) LABEL_LAST_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L455" href="#L455">455</a> }
<a class="jxr_linenumber" name="L456" href="#L456">456</a> }
<a class="jxr_linenumber" name="L457" href="#L457">457</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L458" href="#L458">458</a> }
<a class="jxr_linenumber" name="L459" href="#L459">459</a>
<a class="jxr_linenumber" name="L460" href="#L460">460</a> <strong class="jxr_keyword">public</strong> Object visit(ASTCaseStatement node, Object data) {
<a class="jxr_linenumber" name="L461" href="#L461">461</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L462" href="#L462">462</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L463" href="#L463">463</a> }
<a class="jxr_linenumber" name="L464" href="#L464">464</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L465" href="#L465">465</a>
<a class="jxr_linenumber" name="L466" href="#L466">466</a> <em class="jxr_comment">/*</em>
<a class="jxr_linenumber" name="L467" href="#L467">467</a> <em class="jxr_comment"> * A PL/SQL CASE statement may be either:- </em>
<a class="jxr_linenumber" name="L468" href="#L468">468</a> <em class="jxr_comment"> * SIMPLE, e.g. CASE case_operand WHEN when_operand THEN statement ; ELSE statement ; END CASE</em>
<a class="jxr_linenumber" name="L469" href="#L469">469</a> <em class="jxr_comment"> * SEARCHED, e.g. CASE WHEN boolean_expression THEN statement ; ELSE statement ; END CASE</em>
<a class="jxr_linenumber" name="L470" href="#L470">470</a> <em class="jxr_comment"> * </em>
<a class="jxr_linenumber" name="L471" href="#L471">471</a> <em class="jxr_comment"> * A SIMPLE CASE statement may be treated as a normal Java SWITCH statement ( see visit(ASTExpression)), </em>
<a class="jxr_linenumber" name="L472" href="#L472">472</a> <em class="jxr_comment"> * but a SEARCHED CASE statement must have an atificial start node</em>
<a class="jxr_linenumber" name="L473" href="#L473">473</a> <em class="jxr_comment"> */</em>
<a class="jxr_linenumber" name="L474" href="#L474">474</a> <strong class="jxr_keyword">if</strong> (<strong class="jxr_keyword">null</strong> == node.getFirstChildOfType(ASTExpression.<strong class="jxr_keyword">class</strong>) <em class="jxr_comment">// CASE is "searched case statement"</em>
<a class="jxr_linenumber" name="L475" href="#L475">475</a> )
<a class="jxr_linenumber" name="L476" href="#L476">476</a> {
<a class="jxr_linenumber" name="L477" href="#L477">477</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L478" href="#L478">478</a> dataFlow.pushOnStack(NodeType.SWITCH_START, dataFlow.getLast());
<a class="jxr_linenumber" name="L479" href="#L479">479</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L480" href="#L480">480</a> LOGGER.finest(<span class="jxr_string">"pushOnStack SWITCH_START: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L481" href="#L481">481</a> }
<a class="jxr_linenumber" name="L482" href="#L482">482</a> }
<a class="jxr_linenumber" name="L483" href="#L483">483</a>
<a class="jxr_linenumber" name="L484" href="#L484">484</a> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L485" href="#L485">485</a>
<a class="jxr_linenumber" name="L486" href="#L486">486</a> dataFlow.pushOnStack(NodeType.SWITCH_END, dataFlow.getLast());
<a class="jxr_linenumber" name="L487" href="#L487">487</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L488" href="#L488">488</a> LOGGER.finest(<span class="jxr_string">"pushOnStack SWITCH_END: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L489" href="#L489">489</a> }
<a class="jxr_linenumber" name="L490" href="#L490">490</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L491" href="#L491">491</a> }
<a class="jxr_linenumber" name="L492" href="#L492">492</a>
<a class="jxr_linenumber" name="L493" href="#L493">493</a> <strong class="jxr_keyword">public</strong> Object visit(ASTCaseWhenClause node, Object data) {
<a class="jxr_linenumber" name="L494" href="#L494">494</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L495" href="#L495">495</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L496" href="#L496">496</a> }
<a class="jxr_linenumber" name="L497" href="#L497">497</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L498" href="#L498">498</a>
<a class="jxr_linenumber" name="L499" href="#L499">499</a>
<a class="jxr_linenumber" name="L500" href="#L500">500</a> <em class="jxr_comment">//Java ASTSwitchLabel </em>
<a class="jxr_linenumber" name="L501" href="#L501">501</a> <em class="jxr_comment">//SRT dataFlow.createNewNode(node);</em>
<a class="jxr_linenumber" name="L502" href="#L502">502</a> dataFlow.pushOnStack(NodeType.CASE_LAST_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L503" href="#L503">503</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L504" href="#L504">504</a> LOGGER.finest(<span class="jxr_string">"pushOnStack CASE_LAST_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L505" href="#L505">505</a> }
<a class="jxr_linenumber" name="L506" href="#L506">506</a>
<a class="jxr_linenumber" name="L507" href="#L507">507</a> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L508" href="#L508">508</a>
<a class="jxr_linenumber" name="L509" href="#L509">509</a> <em class="jxr_comment">//dataFlow.createNewNode(node);</em>
<a class="jxr_linenumber" name="L510" href="#L510">510</a> dataFlow.pushOnStack(NodeType.BREAK_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L511" href="#L511">511</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L512" href="#L512">512</a> LOGGER.finest(<span class="jxr_string">"pushOnStack (ASTCaseWhenClause) BREAK_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L513" href="#L513">513</a> }
<a class="jxr_linenumber" name="L514" href="#L514">514</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L515" href="#L515">515</a> }
<a class="jxr_linenumber" name="L516" href="#L516">516</a>
<a class="jxr_linenumber" name="L517" href="#L517">517</a> <strong class="jxr_keyword">public</strong> Object visit(<a href="../../../../../../net/sourceforge/pmd/lang/plsql/ast/ASTIfStatement.html">ASTIfStatement</a> node, Object data) {
<a class="jxr_linenumber" name="L518" href="#L518">518</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L519" href="#L519">519</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L520" href="#L520">520</a> }
<a class="jxr_linenumber" name="L521" href="#L521">521</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L522" href="#L522">522</a> LOGGER.finest(<span class="jxr_string">"ElsifClause) super.visit line"</span> );
<a class="jxr_linenumber" name="L523" href="#L523">523</a> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L524" href="#L524">524</a>
<a class="jxr_linenumber" name="L525" href="#L525">525</a>
<a class="jxr_linenumber" name="L526" href="#L526">526</a> <em class="jxr_comment">/*</em>
<a class="jxr_linenumber" name="L527" href="#L527">527</a> <em class="jxr_comment"> * PLSQL AST now has explicit ELSIF and ELSE clauses</em>
<a class="jxr_linenumber" name="L528" href="#L528">528</a> <em class="jxr_comment"> * All of the ELSE_END_STATEMENTS in an IF clause</em>
<a class="jxr_linenumber" name="L529" href="#L529">529</a> <em class="jxr_comment"> * should point to the outer last clause because</em>
<a class="jxr_linenumber" name="L530" href="#L530">530</a> <em class="jxr_comment"> * we have to convert a single PL/SQL IF/ELSIF/ELSE satement into the equivalent </em>
<a class="jxr_linenumber" name="L531" href="#L531">531</a> <em class="jxr_comment"> * set of nested Java if/else {if/else {if/else}} statements </em>
<a class="jxr_linenumber" name="L532" href="#L532">532</a> <em class="jxr_comment"> */</em>
<a class="jxr_linenumber" name="L533" href="#L533">533</a> List<ASTElsifClause> elsifs = node.findChildrenOfType(ASTElsifClause.<strong class="jxr_keyword">class</strong>);
<a class="jxr_linenumber" name="L534" href="#L534">534</a> ASTElseClause elseClause = node.getFirstChildOfType(ASTElseClause.<strong class="jxr_keyword">class</strong>);
<a class="jxr_linenumber" name="L535" href="#L535">535</a> <strong class="jxr_keyword">if</strong> (<strong class="jxr_keyword">null</strong> == elseClause
<a class="jxr_linenumber" name="L536" href="#L536">536</a> &&
<a class="jxr_linenumber" name="L537" href="#L537">537</a> elsifs.isEmpty()
<a class="jxr_linenumber" name="L538" href="#L538">538</a> ) <em class="jxr_comment">// The IF statements has no ELSE or ELSIF statements and this is the last Statement </em>
<a class="jxr_linenumber" name="L539" href="#L539">539</a> {
<a class="jxr_linenumber" name="L540" href="#L540">540</a> dataFlow.pushOnStack(NodeType.IF_LAST_STATEMENT_WITHOUT_ELSE, dataFlow.getLast());
<a class="jxr_linenumber" name="L541" href="#L541">541</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L542" href="#L542">542</a> LOGGER.finest(<span class="jxr_string">"pushOnStack (ASTIfClause - no ELSIFs) IF_LAST_STATEMENT_WITHOUT_ELSE: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L543" href="#L543">543</a> }
<a class="jxr_linenumber" name="L544" href="#L544">544</a> }
<a class="jxr_linenumber" name="L545" href="#L545">545</a> <strong class="jxr_keyword">else</strong>
<a class="jxr_linenumber" name="L546" href="#L546">546</a> {
<a class="jxr_linenumber" name="L547" href="#L547">547</a> <strong class="jxr_keyword">if</strong> (!elsifs.isEmpty() )
<a class="jxr_linenumber" name="L548" href="#L548">548</a> {
<a class="jxr_linenumber" name="L549" href="#L549">549</a>
<a class="jxr_linenumber" name="L550" href="#L550">550</a> ASTElsifClause lastElsifClause = elsifs.get(elsifs.size()-1);
<a class="jxr_linenumber" name="L551" href="#L551">551</a> <strong class="jxr_keyword">for</strong> (ASTElsifClause elsifClause : elsifs )
<a class="jxr_linenumber" name="L552" href="#L552">552</a> {
<a class="jxr_linenumber" name="L553" href="#L553">553</a>
<a class="jxr_linenumber" name="L554" href="#L554">554</a> <em class="jxr_comment">/* If last ELSIF clause is not followed by a ELSE clause</em>
<a class="jxr_linenumber" name="L555" href="#L555">555</a> <em class="jxr_comment"> * then the last ELSIF is equivalent to an if statement without an else</em>
<a class="jxr_linenumber" name="L556" href="#L556">556</a> <em class="jxr_comment"> * Otherwise, it is equivalent to an if/else statement </em>
<a class="jxr_linenumber" name="L557" href="#L557">557</a> <em class="jxr_comment"> */</em>
<a class="jxr_linenumber" name="L558" href="#L558">558</a> <strong class="jxr_keyword">if</strong> (lastElsifClause.equals(elsifClause) && elseClause == <strong class="jxr_keyword">null</strong>)
<a class="jxr_linenumber" name="L559" href="#L559">559</a> {
<a class="jxr_linenumber" name="L560" href="#L560">560</a> dataFlow.pushOnStack(NodeType.IF_LAST_STATEMENT_WITHOUT_ELSE, dataFlow.getLast());
<a class="jxr_linenumber" name="L561" href="#L561">561</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L562" href="#L562">562</a> LOGGER.finest(<span class="jxr_string">"pushOnStack (ASTIfClause - with ELSIFs) IF_LAST_STATEMENT_WITHOUT_ELSE: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L563" href="#L563">563</a> }
<a class="jxr_linenumber" name="L564" href="#L564">564</a> }
<a class="jxr_linenumber" name="L565" href="#L565">565</a>
<a class="jxr_linenumber" name="L566" href="#L566">566</a> {
<a class="jxr_linenumber" name="L567" href="#L567">567</a> dataFlow.pushOnStack(NodeType.ELSE_LAST_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L568" href="#L568">568</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L569" href="#L569">569</a> LOGGER.finest(<span class="jxr_string">"pushOnStack (ASTIfClause - with ELSIFs) ELSE_LAST_STATEMENT : line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L570" href="#L570">570</a> }
<a class="jxr_linenumber" name="L571" href="#L571">571</a> }
<a class="jxr_linenumber" name="L572" href="#L572">572</a> }
<a class="jxr_linenumber" name="L573" href="#L573">573</a> }
<a class="jxr_linenumber" name="L574" href="#L574">574</a>
<a class="jxr_linenumber" name="L575" href="#L575">575</a> <strong class="jxr_keyword">if</strong> (<strong class="jxr_keyword">null</strong> != elseClause)
<a class="jxr_linenumber" name="L576" href="#L576">576</a> {
<a class="jxr_linenumber" name="L577" href="#L577">577</a> <em class="jxr_comment">//Output one terminating else</em>
<a class="jxr_linenumber" name="L578" href="#L578">578</a> dataFlow.pushOnStack(NodeType.ELSE_LAST_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L579" href="#L579">579</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L580" href="#L580">580</a> LOGGER.finest(<span class="jxr_string">"pushOnStack (ASTIfClause - with ELSE) ELSE_LAST_STATEMENT : line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L581" href="#L581">581</a> }
<a class="jxr_linenumber" name="L582" href="#L582">582</a> }
<a class="jxr_linenumber" name="L583" href="#L583">583</a> }
<a class="jxr_linenumber" name="L584" href="#L584">584</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L585" href="#L585">585</a> }
<a class="jxr_linenumber" name="L586" href="#L586">586</a>
<a class="jxr_linenumber" name="L587" href="#L587">587</a> <strong class="jxr_keyword">public</strong> Object visit(ASTElseClause node, Object data) {
<a class="jxr_linenumber" name="L588" href="#L588">588</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L589" href="#L589">589</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L590" href="#L590">590</a> }
<a class="jxr_linenumber" name="L591" href="#L591">591</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L592" href="#L592">592</a>
<a class="jxr_linenumber" name="L593" href="#L593">593</a> <strong class="jxr_keyword">if</strong> (node.jjtGetParent() instanceof ASTIfStatement) {
<a class="jxr_linenumber" name="L594" href="#L594">594</a> dataFlow.pushOnStack(NodeType.IF_LAST_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L595" href="#L595">595</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L596" href="#L596">596</a> LOGGER.finest(<span class="jxr_string">"pushOnStack (Visit ASTElseClause) IF_LAST_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L597" href="#L597">597</a> LOGGER.finest(<span class="jxr_string">"ElseClause) super.visit line"</span> );
<a class="jxr_linenumber" name="L598" href="#L598">598</a> }
<a class="jxr_linenumber" name="L599" href="#L599">599</a> }
<a class="jxr_linenumber" name="L600" href="#L600">600</a> <strong class="jxr_keyword">else</strong>
<a class="jxr_linenumber" name="L601" href="#L601">601</a> {
<a class="jxr_linenumber" name="L602" href="#L602">602</a> <em class="jxr_comment">//SRT dataFlow.createNewNode(node);</em>
<a class="jxr_linenumber" name="L603" href="#L603">603</a> dataFlow.pushOnStack(NodeType.SWITCH_LAST_DEFAULT_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L604" href="#L604">604</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L605" href="#L605">605</a> LOGGER.finest(<span class="jxr_string">"pushOnStack SWITCH_LAST_DEFAULT_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L606" href="#L606">606</a> }
<a class="jxr_linenumber" name="L607" href="#L607">607</a> }
<a class="jxr_linenumber" name="L608" href="#L608">608</a>
<a class="jxr_linenumber" name="L609" href="#L609">609</a> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L610" href="#L610">610</a>
<a class="jxr_linenumber" name="L611" href="#L611">611</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L612" href="#L612">612</a> }
<a class="jxr_linenumber" name="L613" href="#L613">613</a>
<a class="jxr_linenumber" name="L614" href="#L614">614</a> <strong class="jxr_keyword">public</strong> Object visit(ASTElsifClause node, Object data) {
<a class="jxr_linenumber" name="L615" href="#L615">615</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L616" href="#L616">616</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L617" href="#L617">617</a> }
<a class="jxr_linenumber" name="L618" href="#L618">618</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L619" href="#L619">619</a> dataFlow.pushOnStack(NodeType.IF_LAST_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L620" href="#L620">620</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L621" href="#L621">621</a> LOGGER.finest(<span class="jxr_string">"pushOnStack (Visit ASTElsifClause) IF_LAST_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L622" href="#L622">622</a> LOGGER.finest(<span class="jxr_string">"ElsifClause) super.visit line"</span> );
<a class="jxr_linenumber" name="L623" href="#L623">623</a> }
<a class="jxr_linenumber" name="L624" href="#L624">624</a> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L625" href="#L625">625</a>
<a class="jxr_linenumber" name="L626" href="#L626">626</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L627" href="#L627">627</a> }
<a class="jxr_linenumber" name="L628" href="#L628">628</a>
<a class="jxr_linenumber" name="L629" href="#L629">629</a> <em class="jxr_javadoccomment">/**</em>
<a class="jxr_linenumber" name="L630" href="#L630">630</a> <em class="jxr_javadoccomment"> * Treat a PLSQL CONTINUE like a Java "continue"</em>
<a class="jxr_linenumber" name="L631" href="#L631">631</a> <em class="jxr_javadoccomment"> * </em>
<a class="jxr_linenumber" name="L632" href="#L632">632</a> <em class="jxr_javadoccomment"> * @param node</em>
<a class="jxr_linenumber" name="L633" href="#L633">633</a> <em class="jxr_javadoccomment"> * @param data</em>
<a class="jxr_linenumber" name="L634" href="#L634">634</a> <em class="jxr_javadoccomment"> * @return </em>
<a class="jxr_linenumber" name="L635" href="#L635">635</a> <em class="jxr_javadoccomment"> */</em>
<a class="jxr_linenumber" name="L636" href="#L636">636</a> <strong class="jxr_keyword">public</strong> Object visit(ASTContinueStatement node, Object data) {
<a class="jxr_linenumber" name="L637" href="#L637">637</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L638" href="#L638">638</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L639" href="#L639">639</a> }
<a class="jxr_linenumber" name="L640" href="#L640">640</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L641" href="#L641">641</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L642" href="#L642">642</a> dataFlow.pushOnStack(NodeType.CONTINUE_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L643" href="#L643">643</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L644" href="#L644">644</a> LOGGER.finest(<span class="jxr_string">"pushOnStack (ASTContinueStatement) CONTINUE_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L645" href="#L645">645</a> }
<a class="jxr_linenumber" name="L646" href="#L646">646</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L647" href="#L647">647</a> }
<a class="jxr_linenumber" name="L648" href="#L648">648</a>
<a class="jxr_linenumber" name="L649" href="#L649">649</a> <em class="jxr_javadoccomment">/**</em>
<a class="jxr_linenumber" name="L650" href="#L650">650</a> <em class="jxr_javadoccomment"> * Treat a PLSQL EXIT like a Java "break"</em>
<a class="jxr_linenumber" name="L651" href="#L651">651</a> <em class="jxr_javadoccomment"> * </em>
<a class="jxr_linenumber" name="L652" href="#L652">652</a> <em class="jxr_javadoccomment"> * @param node</em>
<a class="jxr_linenumber" name="L653" href="#L653">653</a> <em class="jxr_javadoccomment"> * @param data</em>
<a class="jxr_linenumber" name="L654" href="#L654">654</a> <em class="jxr_javadoccomment"> * @return </em>
<a class="jxr_linenumber" name="L655" href="#L655">655</a> <em class="jxr_javadoccomment"> */</em>
<a class="jxr_linenumber" name="L656" href="#L656">656</a> <strong class="jxr_keyword">public</strong> Object visit(ASTExitStatement node, Object data) {
<a class="jxr_linenumber" name="L657" href="#L657">657</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L658" href="#L658">658</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L659" href="#L659">659</a> }
<a class="jxr_linenumber" name="L660" href="#L660">660</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L661" href="#L661">661</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L662" href="#L662">662</a> dataFlow.pushOnStack(NodeType.BREAK_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L663" href="#L663">663</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L664" href="#L664">664</a> LOGGER.finest(<span class="jxr_string">"pushOnStack (ASTExitStatement) BREAK_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L665" href="#L665">665</a> }
<a class="jxr_linenumber" name="L666" href="#L666">666</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L667" href="#L667">667</a> }
<a class="jxr_linenumber" name="L668" href="#L668">668</a>
<a class="jxr_linenumber" name="L669" href="#L669">669</a> <em class="jxr_javadoccomment">/**</em>
<a class="jxr_linenumber" name="L670" href="#L670">670</a> <em class="jxr_javadoccomment"> * Treat a PLSQL GOTO like a Java "continue"</em>
<a class="jxr_linenumber" name="L671" href="#L671">671</a> <em class="jxr_javadoccomment"> * </em>
<a class="jxr_linenumber" name="L672" href="#L672">672</a> <em class="jxr_javadoccomment"> * @param node</em>
<a class="jxr_linenumber" name="L673" href="#L673">673</a> <em class="jxr_javadoccomment"> * @param data</em>
<a class="jxr_linenumber" name="L674" href="#L674">674</a> <em class="jxr_javadoccomment"> * @return </em>
<a class="jxr_linenumber" name="L675" href="#L675">675</a> <em class="jxr_javadoccomment"> */</em>
<a class="jxr_linenumber" name="L676" href="#L676">676</a> <strong class="jxr_keyword">public</strong> Object visit(ASTGotoStatement node, Object data) {
<a class="jxr_linenumber" name="L677" href="#L677">677</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L678" href="#L678">678</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L679" href="#L679">679</a> }
<a class="jxr_linenumber" name="L680" href="#L680">680</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L681" href="#L681">681</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L682" href="#L682">682</a> dataFlow.pushOnStack(NodeType.CONTINUE_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L683" href="#L683">683</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L684" href="#L684">684</a> LOGGER.finest(<span class="jxr_string">"pushOnStack (ASTGotoStatement) CONTINUE_STATEMENT (GOTO): line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L685" href="#L685">685</a> }
<a class="jxr_linenumber" name="L686" href="#L686">686</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L687" href="#L687">687</a> }
<a class="jxr_linenumber" name="L688" href="#L688">688</a>
<a class="jxr_linenumber" name="L689" href="#L689">689</a> <strong class="jxr_keyword">public</strong> Object visit(ASTReturnStatement node, Object data) {
<a class="jxr_linenumber" name="L690" href="#L690">690</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L691" href="#L691">691</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L692" href="#L692">692</a> }
<a class="jxr_linenumber" name="L693" href="#L693">693</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L694" href="#L694">694</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L695" href="#L695">695</a> dataFlow.pushOnStack(NodeType.RETURN_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L696" href="#L696">696</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L697" href="#L697">697</a> LOGGER.finest(<span class="jxr_string">"pushOnStack RETURN_STATEMENT: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L698" href="#L698">698</a> }
<a class="jxr_linenumber" name="L699" href="#L699">699</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L700" href="#L700">700</a> }
<a class="jxr_linenumber" name="L701" href="#L701">701</a>
<a class="jxr_linenumber" name="L702" href="#L702">702</a> <strong class="jxr_keyword">public</strong> Object visit(ASTRaiseStatement node, Object data) {
<a class="jxr_linenumber" name="L703" href="#L703">703</a> <strong class="jxr_keyword">if</strong> (!(data instanceof Structure)) {
<a class="jxr_linenumber" name="L704" href="#L704">704</a> <strong class="jxr_keyword">return</strong> data;
<a class="jxr_linenumber" name="L705" href="#L705">705</a> }
<a class="jxr_linenumber" name="L706" href="#L706">706</a> Structure dataFlow = (Structure) data;
<a class="jxr_linenumber" name="L707" href="#L707">707</a> dataFlow.createNewNode(node);
<a class="jxr_linenumber" name="L708" href="#L708">708</a> dataFlow.pushOnStack(NodeType.THROW_STATEMENT, dataFlow.getLast());
<a class="jxr_linenumber" name="L709" href="#L709">709</a> <strong class="jxr_keyword">if</strong> (LOGGER.isLoggable(Level.FINEST)) {
<a class="jxr_linenumber" name="L710" href="#L710">710</a> LOGGER.finest(<span class="jxr_string">"pushOnStack THROW: line "</span> + node.getBeginLine() +<span class="jxr_string">", column "</span> + node.getBeginColumn());
<a class="jxr_linenumber" name="L711" href="#L711">711</a> }
<a class="jxr_linenumber" name="L712" href="#L712">712</a> <strong class="jxr_keyword">return</strong> <strong class="jxr_keyword">super</strong>.visit(node, data);
<a class="jxr_linenumber" name="L713" href="#L713">713</a> }
<a class="jxr_linenumber" name="L714" href="#L714">714</a>
<a class="jxr_linenumber" name="L715" href="#L715">715</a> <em class="jxr_comment">/*</em>
<a class="jxr_linenumber" name="L716" href="#L716">716</a> <em class="jxr_comment"> * The method handles the special "for" loop. It creates always an</em>
<a class="jxr_linenumber" name="L717" href="#L717">717</a> <em class="jxr_comment"> * expression node even if the loop looks like for(;;).</em>
<a class="jxr_linenumber" name="L718" href="#L718">718</a> <em class="jxr_comment"> * */</em>
<a class="jxr_linenumber" name="L719" href="#L719">719</a> <strong class="jxr_keyword">private</strong> <strong class="jxr_keyword">void</strong> addForExpressionNode(Node node, Structure dataFlow) {
<a class="jxr_linenumber" name="L720" href="#L720">720</a> ASTForStatement parent = (ASTForStatement) node.jjtGetParent();
<a class="jxr_linenumber" name="L721" href="#L721">721</a> <strong class="jxr_keyword">boolean</strong> hasExpressionChild = false;
<a class="jxr_linenumber" name="L722" href="#L722">722</a>
<a class="jxr_linenumber" name="L723" href="#L723">723</a> <strong class="jxr_keyword">for</strong> (<strong class="jxr_keyword">int</strong> i = 0; i < parent.jjtGetNumChildren(); i++) {
<a class="jxr_linenumber" name="L724" href="#L724">724</a> <strong class="jxr_keyword">if</strong> (parent.jjtGetChild(i) instanceof ASTExpression) {
<a class="jxr_linenumber" name="L725" href="#L725">725</a> hasExpressionChild = <strong class="jxr_keyword">true</strong>;
<a class="jxr_linenumber" name="L726" href="#L726">726</a> }
<a class="jxr_linenumber" name="L727" href="#L727">727</a>
<a class="jxr_linenumber" name="L728" href="#L728">728</a> }
<a class="jxr_linenumber" name="L729" href="#L729">729</a> <strong class="jxr_keyword">if</strong> (!hasExpressionChild) {
<a class="jxr_linenumber" name="L730" href="#L730">730</a> <strong class="jxr_keyword">if</strong> (node instanceof ASTStatement) {
<a class="jxr_linenumber" name="L731" href="#L731">731</a> <em class="jxr_comment">/* if (!hasForInitNode && !hasForUpdateNode) {</em>
<a class="jxr_linenumber" name="L732" href="#L732">732</a> <em class="jxr_comment"> dataFlow.createNewNode(node);</em>
<a class="jxr_linenumber" name="L733" href="#L733">733</a> <em class="jxr_comment"> dataFlow.pushOnStack(NodeType.FOR_EXPR, dataFlow.getLast());</em>
<a class="jxr_linenumber" name="L734" href="#L734">734</a> <em class="jxr_comment"> } */</em>
<a class="jxr_linenumber" name="L735" href="#L735">735</a> }
<a class="jxr_linenumber" name="L736" href="#L736">736</a> }
<a class="jxr_linenumber" name="L737" href="#L737">737</a> }
<a class="jxr_linenumber" name="L738" href="#L738">738</a> }
</pre>
<hr/>
<div id="footer">Copyright © 2002–2014 <a href="http://pmd.sourceforge.net/">InfoEther</a>. All rights reserved.</div>
</body>
</html>
|
src/app/home/home.tpl.html | henchill/social-aggregator | <div ng-click="hideMenu()">
<!-- No Posts Found -->
<div id="setup" class="container" ng-show="users[userProfile.webid].gotposts == false">
<div class="row">
<div class="col-md-12">
<div class="panel panel-default text-center">
<h3>You haven't posted anything. Try writing a new post!</h3>
</div>
</div>
</div>
</div>
<!-- New Post submission -->
<div id="newpost" class="container">
<div class="row">
<!-- <div class="clear-70"></div> -->
<div class="col-md-12">
<!-- new post -->
<new-post ng-show="loggedin"></new-post>
<!-- end new post -->
</div>
</div>
</div>
<!-- list of posts -->
<div id="posts" class="container">
<div class="row">
<div class="col-md-12">
<!-- Loading animation -->
<div class="panel panel-default text-center" ng-show="loading">
<!-- <div class="spinner"> -->
<div class="clear-40">
<div class="circle circle-large"></div><div class="circle1 circle1-large"></div>
</div>
<!-- <div class="gear"></div> -->
</div>
<!-- All posts go into <posts-viewer> -->
<!-- ngRepeat: post in posts | unique:'uri' | orderBy:'date':true -->
<posts-list ng-show="loggedin"></posts-list>
</div>
</div>
</div>
</div>
|
_site/index.html | narcan/narcan.github.io | <!doctype html>
<!--[if lt IE 7]><html class="no-js lt-ie9 lt-ie8 lt-ie7" lang="en"> <![endif]-->
<!--[if (IE 7)&!(IEMobile)]><html class="no-js lt-ie9 lt-ie8" lang="en"><![endif]-->
<!--[if (IE 8)&!(IEMobile)]><html class="no-js lt-ie9" lang="en"><![endif]-->
<!--[if gt IE 8]><!--> <html class="no-js" lang="en"><!--<![endif]-->
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<title>Written Rhetoric – Weblog</title>
<meta name="description" content="musings of a writing traveler.">
<!-- Twitter Cards -->
<meta name="twitter:title" content="Weblog" />
<meta name="twitter:description" content="musings of a writing traveler." />
<meta name="twitter:image" content="http://localhost:4000" />
<!-- Google plus
<meta name="author" content="">
<link rel="author" href=""> -->
<!-- Open Graph -->
<meta property="og:locale" content="en_US">
<meta property="og:type" content="article">
<meta property="og:title" content="Weblog">
<meta property="og:description" content="musings of a writing traveler.">
<meta property="og:url" content="http://localhost:4000/">
<meta property="og:site_name" content="Written Rhetoric">
<meta property="og:image" content="http://localhost:4000/images/images/bg_ink.png">
<link rel="canonical" href="http://localhost:4000/">
<link href="http://localhost:4000/feed.xml" type="application/atom+xml" rel="alternate" title="Written Rhetoric Feed">
<!-- https://t.co/dKP3o1e -->
<meta name="HandheldFriendly" content="True">
<meta name="MobileOptimized" content="320">
<meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=1.0, user-scalable=no"/>
<!-- For all browsers -->
<link rel="stylesheet" href="http://localhost:4000/assets/css/main.css">
<link rel="stylesheet" href="http://localhost:4000/assets/css/jquery.mmenu.all.css">
<link rel="stylesheet" href="http://localhost:4000/assets/css/jquery.floating-social-share.min.css">
<!-- Styling -->
<link rel="stylesheet" href="/assets/vendor/normalize-css/normalize.css">
<!-- <link rel="stylesheet" href="/css/main.css"> -->
<!--
<link rel="stylesheet" href="/assets/vendor/highlight/styles/solarized_dark.css">
-->
<!-- <link rel="stylesheet" href="/assets/vendor/font-awesome/css/font-awesome.css"> -->
<!-- Webfonts -->
<link href="https://fonts.googleapis.com/css?family=Lato:300,400,700,300italic,400italic" rel="stylesheet" type="text/css">
<link href='https://fonts.googleapis.com/css?family=Inconsolata:400,700&subset=latin-ext,latin' rel='stylesheet' type='text/css'>
<link href='https://fonts.googleapis.com/css?family=IM+Fell+English' rel='stylesheet' type='text/css'>
<link href='https://fonts.googleapis.com/css?family=MedievalSharp' rel='stylesheet' type='text/css'>
<link href='https://fonts.googleapis.com/css?family=Special+Elite' rel='stylesheet' type='text/css'>
<meta http-equiv="cleartype" content="on">
<!-- Load Modernizr -->
<script type="text/javascript" src="http://localhost:4000/assets/js/vendor/modernizr-2.6.2.custom.min.js"></script>
<!-- Icons -->
<!-- 16x16 -->
<link rel="shortcut icon" href="http://localhost:4000/images/icons/favicon.ico">
<!-- 32x32 -->
<link rel="shortcut icon" href="http://localhost:4000/images/icons/favicon.png">
<!-- 57x57 (precomposed) for iPhone 3GS, pre-2011 iPod Touch and older Android devices -->
<link rel="apple-touch-icon-precomposed" href="http://localhost:4000/images/icons/apple-touch-icon.png">
<!-- 72x72 (precomposed) for 1st generation iPad, iPad 2 and iPad mini -->
<link rel="apple-touch-icon-precomposed" sizes="72x72" href="http://localhost:4000/images/icons/apple-touch-icon-72x72.png">
<!-- 114x114 (precomposed) for iPhone 4, 4S, 5 and post-2011 iPod Touch -->
<link rel="apple-touch-icon-precomposed" sizes="114x114" href="http://localhost:4000/images/icons/apple-touch-icon-114x114.png">
<!-- 144x144 (precomposed) for iPad 3rd and 4th generation -->
<link rel="apple-touch-icon-precomposed" sizes="144x144" href="http://localhost:4000/images/icons/apple-touch-icon-144x144.png">
<!-- Data Layer -->
<script>
analyticsEvent = function() {};
analyticsSocial = function() {};
analyticsVPV = function() {};
analyticsClearVPV = function() {};
analyticsForm = function() {};
window.dataLayer = window.dataLayer || [];
window.dataLayer.push({
'content group':"Blog",
'read time':
});
</script>
<!-- End Data Layer -->
</head>
<body id="post-index">
<!-- Google Tag Manager -->
<noscript><iframe src="//www.googletagmanager.com/ns.html?id=GTM-P2NRC8"
height="0" width="0" style="display:none;visibility:hidden"></iframe></noscript>
<script>(function(w,d,s,l,i){w[l]=w[l]||[];w[l].push({'gtm.start':
new Date().getTime(),event:'gtm.js'});var f=d.getElementsByTagName(s)[0],
j=d.createElement(s),dl=l!='dataLayer'?'&l='+l:'';j.async=true;j.src=
'//www.googletagmanager.com/gtm.js?id='+i+dl;f.parentNode.insertBefore(j,f);
})(window,document,'script','dataLayer','GTM-P2NRC8');</script>
<!-- End Google Tag Manager -->
<!--[if lt IE 9]><div class="upgrade"><strong><a href="https://whatbrowser.org/">Your browser is quite old!</strong> Why not upgrade to a different browser to better enjoy this site?</a></div><![endif]-->
<div class="header-menu header-menu-top">
<ul class="header-item-container">
<li class="header-item-title header-toggle "><a href="#menu"><h2><i class="fa fa-bars"></i></h2></a></li>
<li class="header-item-title">
<a href="http://localhost:4000/">
<span class="header-title">Written Rhetoric
<img class="logo" src="http://localhost:4000/images/bg_ink.png" alt="Written Rhetoric"/>
</span>
</a>
</li>
<li class="header-item "><a href="http://localhost:4000#"><h3>Browse</h3></a>
<ul class="header-submenu">
<li class="sub-item"><a href="http://localhost:4000/categories">Categories</a></li>
<li class="sub-item"><a href="http://localhost:4000/tags">Tags</a></li>
<li class="sub-item"><a href="http://localhost:4000/pages/archive">Archive</a></li>
<li class="sub-item"><a href="http://localhost:4000/pages/about">About</a></li>
</ul>
</li>
<li class="header-item "><a href="http://localhost:4000/pages/stories"><h3>Stories</h3></a></li>
<li class="header-item"><a href="http://localhost:4000/search"><h3><i class="fa fa-search"></i></h3></a></li>
</ul>
</div>
<nav id="menu" style="display: none">
<ul>
<li><a href="http://localhost:4000/pages/stories"><h3>Stories</h3></a></li>
<li><a href="http://localhost:4000#"><h3>Browse</h3></a>
<ul>
<li><a href="http://localhost:4000/categories">Categories</a></li>
<li><a href="http://localhost:4000/tags">Tags</a></li>
<li><a href="http://localhost:4000/pages/archive">Archive</a></li>
<li><a href="http://localhost:4000/pages/about">About</a></li>
</ul>
</li>
</ul>
</nav>
<!--
-->
<div id="main" role="main">
<article class="card">
<header>
<div class="card-header">
<time datetime="2016-03-22T05:40:00+00:00">
<span class="entry-date date published updated">
March 22, 2016
</span>
</time>
</div>
<h2 class="entry-title"><a href="http://localhost:4000/2016/03/the-site/" rel="bookmark" title="The Site" itemprop="url">The Site</a></h2>
<div class="card-header-meta">
<span class="author vcard fn">
<a href="http://localhost:4000/about/" title="About Pedro Ávila">Oscar Bjørne</a>
</span><br>
<span class="entry-date date published updated">
05:40 in Manhattan, New York
</span>
</div><!-- /.entry-meta -->
</header>
<div class="entry-content">
<p>“It’s a fresh look, based on Google’s material design. The design is responsive… see? It adjusts to your mobile or tablet device, so the site looks as good on your phone as on your computer. It’s social, so you can <em>share it on facebook and twitter</em>, add it to readers like <a href="https://www.instapaper.com/">Instapaper</a> or <a href="https://getpocket.com/">Pocket</a>, And it still maintains the design elements of the old site, including the stone background and torn paper but with improved material shadows and buttons…”</p>
<p>My agent and manager, Tor Rabban, looked at me like I was insane.</p>
<p>“The design is beautiful, Oscar,” he said. I thought, however, that I caught a nervous hint about his tone. “Excellent touches, really. I especially like how you ditched the old wax imprint logo and used the ink splotch instead — it’s so much more consistent with the rest of the site.”</p>
<div class="keep-reading float-right analyticsEvent">
<a href="http://localhost:4000/2016/03/the-site/" class="permalink" rel="bookmark" title="The Site">
<i class="fa fa-clock-o"></i>
Reading time ~4 minutes
<!-- /.entry-reading-time -->
<i class="fa fa-level-down"></i>
</a>
</div>
<div><a href="#"><img src="http://localhost:4000/images/bg_sig-oscar.png"></a></div>
</div><!-- /.entry-content -->
</article><!-- /.hentry -->
<article class="card">
<header>
<div class="card-header">
<time datetime="2012-02-20T06:12:57+00:00">
<span class="entry-date date published updated">
February 20, 2012
</span>
</time>
</div>
<h2 class="entry-title"><a href="http://localhost:4000/2012/02/of-smiles-and-roars/" rel="bookmark" title="Of smiles and roars" itemprop="url">Of smiles and roars</a></h2>
<div class="card-header-meta">
<span class="author vcard fn">
<a href="http://localhost:4000/about/" title="About Pedro Ávila">Pedro Ávila</a>
</span><br>
<span class="entry-date date published updated">
06:12 in Manhattan, New York
</span>
</div><!-- /.entry-meta -->
</header>
<div class="entry-content">
<p>The evening plan had been to finish up some chinese food left over from last night’s study session and then get back to the thesis and some other papers and projects that have kept me away from here for so long. The last few days had been a maddening bout of regression analyses on historic confidence levels of congress, interacting terms and sometimes even a quadratic, hoping to make sense of something in the data available.</p>
<p>As I started to sit up from the couch to head to my desk I saw an email come up on my phone, and just before the notification screen went dark it showed me the name. “Ben?” I thought, “haven’t seen him since high school…I wonder if he’s in town or something. That’d be nice…”</p>
<div class="keep-reading float-right analyticsEvent">
<a href="http://localhost:4000/2012/02/of-smiles-and-roars/" class="permalink" rel="bookmark" title="Of smiles and roars">
<i class="fa fa-clock-o"></i>
Reading time ~4 minutes
<!-- /.entry-reading-time -->
<i class="fa fa-level-down"></i>
</a>
</div>
<div><a href="#"><img src="http://localhost:4000/images/bg_sig-pedro.png"></a></div>
</div><!-- /.entry-content -->
</article><!-- /.hentry -->
<article class="card">
<header>
<div class="card-header">
<time datetime="2011-06-28T23:29:31+00:00">
<span class="entry-date date published updated">
June 28, 2011
</span>
</time>
</div>
<h2 class="entry-title"><a href="http://localhost:4000/2011/06/tulsa/" rel="bookmark" title="Tulsa" itemprop="url">Tulsa</a></h2>
<div class="card-header-meta">
<span class="author vcard fn">
<a href="http://localhost:4000/about/" title="About Pedro Ávila">Pedro Ávila</a>
</span><br>
<span class="entry-date date published updated">
23:29 in Tulsa, Oklahoma
</span>
</div><!-- /.entry-meta -->
</header>
<div class="entry-content">
<p>It was useless to stand on the United frequent-flyer blue carpet thing. The <em>Onepass-Mileage-Plus-Platinum-something-something</em> was the only line into the jetway; one of those flights that is filled to the brim with elite access and star alliance gold members — business travelers only. <em>Right</em>, I thought. <em>Who the fuck else would fly to Tulsa this early on a weekday?</em></p>
<p>I had been coming in regularly every week from New York, for several weeks. Flying out of Laguardia at five in the morning on Monday like some kind of midnight rat, and then ducking out on Thursday afternoon, depleted and bored and still having to face a connection at O’Hare.</p>
<div class="keep-reading float-right analyticsEvent">
<a href="http://localhost:4000/2011/06/tulsa/" class="permalink" rel="bookmark" title="Tulsa">
<i class="fa fa-clock-o"></i>
Reading time ~5 minutes
<!-- /.entry-reading-time -->
<i class="fa fa-level-down"></i>
</a>
</div>
<div><a href="#"><img src="http://localhost:4000/images/bg_sig-pedro.png"></a></div>
</div><!-- /.entry-content -->
</article><!-- /.hentry -->
<article class="card">
<header>
<div class="card-header">
<time datetime="2010-04-08T05:32:12+00:00">
<span class="entry-date date published updated">
April 08, 2010
</span>
</time>
</div>
<h2 class="entry-title"><a href="http://localhost:4000/2010/04/a-mild-distraction/" rel="bookmark" title="A Mild Distraction" itemprop="url">A Mild Distraction</a></h2>
<div class="card-header-meta">
<span class="author vcard fn">
<a href="http://localhost:4000/about/" title="About Pedro Ávila">Oscar Bjørne</a>
</span><br>
<span class="entry-date date published updated">
05:32 in London, UK
</span>
</div><!-- /.entry-meta -->
</header>
<div class="entry-content">
<p>I’ve delved into the old ways again. But this is not a confession.</p>
<p>Like mountains hanging above the horizon, I simply am what I am — without apologies, even though it causes a lot of confusion. For months I’ve been out on the road in crazy ways, in the air, seemingly everywhere — just like old times.</p>
<p>A few weeks ago I crossed the Atlantic Ocean four times in as many days. Or was it a few months ago? Whenever; it was for logistical reasons, and I learned the hard way that the human body cannot cross the Atlantic Ocean that often without violent consequences. The dry air of the airplane cabin cracks your lips and sucks all moisture from your pores until there is no water, just oil. Sometime after the first twelve hours your skin starts to smell like cannola and your hair becomes weighed down, thick and disgusting to the touch. In the fun house mirrors of those tiny airplane bathrooms, you realize your facial hair grows at an alarming rate at altitude and that there is no amount of water you can throw on your face to feel awake. So you go back to your seat and ask for another scotch…</p>
<div class="keep-reading float-right analyticsEvent">
<a href="http://localhost:4000/2010/04/a-mild-distraction/" class="permalink" rel="bookmark" title="A Mild Distraction">
<i class="fa fa-clock-o"></i>
Reading time ~4 minutes
<!-- /.entry-reading-time -->
<i class="fa fa-level-down"></i>
</a>
</div>
<div><a href="#"><img src="http://localhost:4000/images/bg_sig-oscar.png"></a></div>
</div><!-- /.entry-content -->
</article><!-- /.hentry -->
<article class="card">
<header>
<div class="card-header">
<time datetime="2010-01-24T13:05:23+00:00">
<span class="entry-date date published updated">
January 24, 2010
</span>
</time>
</div>
<h2 class="entry-title"><a href="http://localhost:4000/2010/01/the-last-leaf-hanging/" rel="bookmark" title="The Last Leaf Hanging" itemprop="url">The Last Leaf Hanging</a></h2>
<div class="card-header-meta">
<span class="author vcard fn">
<a href="http://localhost:4000/about/" title="About Pedro Ávila">Dylan Cormack</a>
</span><br>
<span class="entry-date date published updated">
13:05 in Lerum, Sweden
</span>
</div><!-- /.entry-meta -->
</header>
<div class="entry-content">
<p>Yeah, those other two are off trying to write a book like two right hands with one pen between them. No word yet how long they’ll be.</p>
<p>And I wish them luck, of course. Writing a story is a daunting task if you want it to be even remotely readable, let alone good. For me, though, the great and all untouchable novel is an animal I’d rather not have to deal with no matter how much coffee I drink. I can’t imagine taking on that amount of work voluntarily.</p>
<p>So they’ll be gone a while. But that doesn’t stop the ugly and the weird from showing up in the world of government, politics and economics. And shit, that’s <em>my</em> turf. So let’s get started.</p>
<div class="keep-reading float-right analyticsEvent">
<a href="http://localhost:4000/2010/01/the-last-leaf-hanging/" class="permalink" rel="bookmark" title="The Last Leaf Hanging">
<i class="fa fa-clock-o"></i>
Reading time ~5 minutes
<!-- /.entry-reading-time -->
<i class="fa fa-level-down"></i>
</a>
</div>
<div><a href="#"><img src="http://localhost:4000/images/bg_sig-dylan.png"></a></div>
</div><!-- /.entry-content -->
</article><!-- /.hentry -->
<article class="card">
<header>
<div class="card-header">
<time datetime="2009-12-05T05:34:20+00:00">
<span class="entry-date date published updated">
December 05, 2009
</span>
</time>
</div>
<h2 class="entry-title"><a href="http://localhost:4000/2009/12/too-long-in-beta/" rel="bookmark" title="Too Long in Beta" itemprop="url">Too Long in Beta</a></h2>
<div class="card-header-meta">
<span class="author vcard fn">
<a href="http://localhost:4000/about/" title="About Pedro Ávila">Pedro Ávila</a>
</span><br>
<span class="entry-date date published updated">
05:34 in Manhattan, NY
</span>
</div><!-- /.entry-meta -->
</header>
<div class="entry-content">
<p>I put my drink back down on the little plastic foldaway airplane table. In the dark of the cabin, the thin golden liquid disappears into the blackness, which is enriched and deepened by the contrast of the bright screeen staring back at me. I’ve sifted through hundreds of channels beamed in via satellite, live voices telling me things, none of which carry even a whiff of importance, a mild fart of novelty.</p>
<p>The sky beneath us was distant. A falling ocean, a waterfall of plumes and sprays, with murderous roars muffled by the thick glass of the airplane windows.</p>
<div class="keep-reading float-right analyticsEvent">
<a href="http://localhost:4000/2009/12/too-long-in-beta/" class="permalink" rel="bookmark" title="Too Long in Beta">
<i class="fa fa-clock-o"></i>
Reading time ~1 minute
<!-- /.entry-reading-time -->
<i class="fa fa-level-down"></i>
</a>
</div>
<div><a href="#"><img src="http://localhost:4000/images/bg_sig-pedro.png"></a></div>
</div><!-- /.entry-content -->
</article><!-- /.hentry -->
<article class="card">
<header>
<div class="card-header">
<time datetime="2009-11-03T20:39:10+00:00">
<span class="entry-date date published updated">
November 03, 2009
</span>
</time>
</div>
<h2 class="entry-title"><a href="http://localhost:4000/2009/11/a-shadow-lurking/" rel="bookmark" title="A Shadow Lurking" itemprop="url">A Shadow Lurking</a></h2>
<div class="card-header-meta">
<span class="author vcard fn">
<a href="http://localhost:4000/about/" title="About Pedro Ávila">Dylan Cormack</a>
</span><br>
<span class="entry-date date published updated">
20:39 in Kuala Lumpur, Malaysia
</span>
</div><!-- /.entry-meta -->
</header>
<div class="entry-content">
<p>It doesn’t matter what you think of MSNBC or Rachel Maddow or Keith Olbermann or their sometimes annoying little band of political correspondants selected to agree with them on the air. It doesn’t matter that they use the same news show equations as Fox News or that they have their own moments of embarrasing journalism, no different from Bill O’Reilly’s or Sean Hannity’s except that the left is a bad comeback to the right and tends to be more infantile and less condescending.</p>
<p>But never mind all that.
<div class="keep-reading float-right analyticsEvent">
<a href="http://localhost:4000/2009/11/a-shadow-lurking/" class="permalink" rel="bookmark" title="A Shadow Lurking">
<i class="fa fa-clock-o"></i>
Reading time ~4 minutes
<!-- /.entry-reading-time -->
<i class="fa fa-level-down"></i>
</a>
</div>
<div><a href="#"><img src="http://localhost:4000/images/bg_sig-dylan.png"></a></div>
</div><!-- /.entry-content -->
</article><!-- /.hentry -->
<article class="card">
<header>
<div class="card-header">
<time datetime="2009-10-12T04:31:53+00:00">
<span class="entry-date date published updated">
October 12, 2009
</span>
</time>
</div>
<h2 class="entry-title"><a href="http://localhost:4000/2009/10/imminent-retreat/" rel="bookmark" title="Imminent Retreat" itemprop="url">Imminent Retreat</a></h2>
<div class="card-header-meta">
<span class="author vcard fn">
<a href="http://localhost:4000/about/" title="About Pedro Ávila">Dylan Cormack</a>
</span><br>
<span class="entry-date date published updated">
04:31 in Manhattan, NY
</span>
</div><!-- /.entry-meta -->
</header>
<div class="entry-content">
<p>The trouble is mounting on something already too twisted and cold to grasp without gloves. Much like yanking thick ivy off a wrought iron fence on a cold morning, finding any trace of actual public service under the hack and filth of the new health care bill will be a job no American will want to take. Truth is, even before the votes are all in it’ll be just as heavy. Chances are, of course, that it won’t fall on you, and you’ll be able to safely ignore the damn thing without looking odd and out of place like a sexless jack rabbit in spring. Soon enough the congress will round up to vote on the health care bill they’ve been talking incessantly about and we’ll answer once again that old question: if a politician votes no on a necessary piece of legislation and no one from his state has been paying attention, will the affair make any noise at all?</p>
<div class="keep-reading float-right analyticsEvent">
<a href="http://localhost:4000/2009/10/imminent-retreat/" class="permalink" rel="bookmark" title="Imminent Retreat">
<i class="fa fa-clock-o"></i>
Reading time ~4 minutes
<!-- /.entry-reading-time -->
<i class="fa fa-level-down"></i>
</a>
</div>
<div><a href="#"><img src="http://localhost:4000/images/bg_sig-dylan.png"></a></div>
</div><!-- /.entry-content -->
</article><!-- /.hentry -->
<article class="card">
<header>
<div class="card-header">
<time datetime="2009-09-11T22:37:56+00:00">
<span class="entry-date date published updated">
September 11, 2009
</span>
</time>
</div>
<h2 class="entry-title"><a href="http://localhost:4000/2009/09/maybe-nothing-should-be-serious/" rel="bookmark" title="Maybe Nothing Should Be Serious" itemprop="url">Maybe Nothing Should Be Serious</a></h2>
<div class="card-header-meta">
<span class="author vcard fn">
<a href="http://localhost:4000/about/" title="About Pedro Ávila">Pedro Ávila</a>
</span><br>
<span class="entry-date date published updated">
22:37 in Austerlitz, The Netherlands
</span>
</div><!-- /.entry-meta -->
</header>
<div class="entry-content">
<p>“What $550?” I asked Shane, who had called me from some shit hole in Wyoming.</p>
<p>“$537, actually,” he corrected me. “Direct. Barcelona to JFK, round trip.” His voice was covered in static through the mobile.</p>
<p>“That’s incredible. Truly <em>increíble</em>, man. Did you know a ticket from Amsterdam to Barcelona would cost me just as much?” I didn’t believe it when I was looking for a ticket to go meet up with him, and it still didn’t make any sense, even two days later.</p>
<div class="keep-reading float-right analyticsEvent">
<a href="http://localhost:4000/2009/09/maybe-nothing-should-be-serious/" class="permalink" rel="bookmark" title="Maybe Nothing Should Be Serious">
<i class="fa fa-clock-o"></i>
Reading time ~9 minutes
<!-- /.entry-reading-time -->
<i class="fa fa-level-down"></i>
</a>
</div>
<div><a href="#"><img src="http://localhost:4000/images/bg_sig-pedro.png"></a></div>
</div><!-- /.entry-content -->
</article><!-- /.hentry -->
<article class="card">
<header>
<div class="card-header">
<time datetime="2009-08-29T13:47:07+00:00">
<span class="entry-date date published updated">
August 29, 2009
</span>
</time>
</div>
<h2 class="entry-title"><a href="http://localhost:4000/2009/08/a-little-bit-of-noise-in-the-night/" rel="bookmark" title="A Little Bit of Noise in the Night" itemprop="url">A Little Bit of Noise in the Night</a></h2>
<div class="card-header-meta">
<span class="author vcard fn">
<a href="http://localhost:4000/about/" title="About Pedro Ávila">Dylan Cormack</a>
</span><br>
<span class="entry-date date published updated">
13:47 in Austerlitz, The Netherlands
</span>
</div><!-- /.entry-meta -->
</header>
<div class="entry-content">
<p>Nothing behaves as irrationally as a cornered beast. Believe me, I know. At the moment, I am one of <em>them</em>.</p>
<p>There are few things as dangerous as a mammal that has lost all other options and is faced with no choice other than the grim and vaguely disturbing idea of fanatically hopping a four-hour train along the coast of New England at two in the morning. To do so after twenty hours of no sleep and going the next 72 on less than three — well, there are people that would say that’s just plain stupid. And I would agree with them, if there had been any element of choice in the matter whatsoever.</p>
<div class="keep-reading float-right analyticsEvent">
<a href="http://localhost:4000/2009/08/a-little-bit-of-noise-in-the-night/" class="permalink" rel="bookmark" title="A Little Bit of Noise in the Night">
<i class="fa fa-clock-o"></i>
Reading time ~10 minutes
<!-- /.entry-reading-time -->
<i class="fa fa-level-down"></i>
</a>
</div>
<div><a href="#"><img src="http://localhost:4000/images/bg_sig-dylan.png"></a></div>
</div><!-- /.entry-content -->
</article><!-- /.hentry -->
<div class="pagination">
<ul class="inline-list">
<li><strong class="current-page">1</strong></li>
<li><a href="http://localhost:4000/page2/">2</a></li>
<li><a href="http://localhost:4000/page3/">3</a></li>
<li>…</li>
<li><a href="http://localhost:4000/page15/">15</a></li>
<li><a href="http://localhost:4000/page2/" class="btn">Next</a></li>
</ul>
</div>
</div><!-- /#main -->
<script type="text/javascript" src="//ajax.googleapis.com/ajax/libs/jquery/1.9.1/jquery.min.js"></script>
<script type="text/javascript">window.jQuery || document.write('<script type="text/javascript" src="http://localhost:4000/assets/js/vendor/jquery-1.9.1.min.js"><\/script>')</script>
<script type="text/javascript" src="http://localhost:4000/assets/js/scripts.min.js"></script>
<script type="text/javascript" async defer id="github-bjs" src="https://buttons.github.io/buttons.js"></script>
<script type="text/javascript">!function(d,s,id){var js,fjs=d.getElementsByTagName(s)[0],p=/^https:/.test(d.location)?'http':'https';if(!d.getElementById(id)){js=d.createElement(s);js.id=id;js.src=p+'://platform.twitter.com/widgets.js';fjs.parentNode.insertBefore(js,fjs);}}(document, 'script', 'twitter-wjs');</script>
<script type="text/javascript">
sharing();
</script>
<div class="footer-wrapper">
<footer role="contentinfo">
<span><a href="http://localhost:4000/pages/about/copyright">© 2009 Pedro Ávila</span>
<div class="entry-meta">
<a href="http://localhost:4000/feed.xml"><i class="fa fa-rss-square"></i></a>
</div>
</footer>
</div><!-- /.footer-wrapper -->
</body>
</html>
|
cw-data/0-999/CW0000000455.html | BuzzAcademy/idioms-moe-unformatted-data | <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html lang="zh-TW">
<head>
<title>æè²é¨ãæèªå
¸ã</title>
<meta http-equiv="Pragma" content="no-cache">
<meta name="AUTHOR" content="FlySheet Information Services, Inc.">
<meta http-equiv="Content-Type" content="text/html; charset=utf-8">
<link rel=stylesheet type="text/css" href="/cydic/styles.css?v=1331799287.0">
</head>
<body bgcolor=snow >
<form method=post name=main action="/cgi-bin/cydic/gsweb.cgi">
<script language=JavaScript src="/cydic/prototype.js?v=1234435343.0"></script>
<script language=JavaScript src="/cydic/swfobject.js?v=1215332700.0"></script>
<script language=JavaScript src="/cydic/dicsearch.js?v=1306830621.0"></script>
<script language=JavaScript src="/cydic//yui/yui2.3.0/build/yahoo-dom-event/yahoo-dom-event.js"></script>
<script language=JavaScript src="/cydic/cydicpage/mycookie.js?v=1247566755.0"></script>
<link rel="stylesheet" type="text/css" href="/cydic/cydicpage/cyt.css?v=1398321301.0" />
<link rel="stylesheet" type="text/css" href="/cydic/fontcss.css?v=1301307888.0" />
<link rel="stylesheet" type="text/css" href="/cydic/fulu_f.css?v=1298448600.0" />
<script type="text/javascript">
<!--
function MM_swapImgRestore() { //v3.0
var i,x,a=document.MM_sr; for(i=0;a&&i<a.length&&(x=a[i])&&x.oSrc;i++) x.src=x.oSrc;
}
function MM_preloadImages() { //v3.0
var d=document; if(d.images){ if(!d.MM_p) d.MM_p=new Array();
var i,j=d.MM_p.length,a=MM_preloadImages.arguments; for(i=0; i<a.length; i++)
if (a[i].indexOf("#")!=0){ d.MM_p[j]=new Image; d.MM_p[j++].src=a[i];}}
}
function MM_findObj(n, d) { //v4.01
var p,i,x; if(!d) d=document; if((p=n.indexOf("?"))>0&&parent.frames.length) {
d=parent.frames[n.substring(p+1)].document; n=n.substring(0,p);}
if(!(x=d[n])&&d.all) x=d.all[n]; for (i=0;!x&&i<d.forms.length;i++) x=d.forms[i][n];
for(i=0;!x&&d.layers&&i<d.layers.length;i++) x=MM_findObj(n,d.layers[i].document);
if(!x && d.getElementById) x=d.getElementById(n); return x;
}
function MM_swapImage() { //v3.0
var i,j=0,x,a=MM_swapImage.arguments; document.MM_sr=new Array; for(i=0;i<(a.length-2);i+=3)
if ((x=MM_findObj(a[i]))!=null){document.MM_sr[j++]=x; if(!x.oSrc) x.oSrc=x.src; x.src=a[i+2];}
}
//-->
</script>
<input type=hidden name="o" value="e0">
<input type=hidden name="ccd" value="xxxxxx">
<input type=hidden name="sec" value="sec3">
<SCRIPT language=JavaScript1.1>
<!--
exiturl = "1";
var showcountdown = ""
var exitalerturl = "/cydic/index.htm";
exitalertmsg = "å æ¨éç½®è¶
é30åéï¼ç³»çµ±å·²èªåç»åºï¼æ¡è¿å次ç»å
¥ä½¿ç¨ãè«æä¸ã確å®ãå系統é¦é ï¼ææãåæ¶ãééè¦çªã";
var secondsleft = 30 * 60;
var showntimeout = false; // has the alert been shown?
var timewin; // handle for the timeout warning window
var remind = 5 * 60; // remind user when this much time is left
function fsUnload() {
cleartimeout();
// BEGIN: FSPage plugin for the JS-onUnload() event.
// END: FSPage plugin for the JS-onUnload() event.
}
function cleartimeout() {
if ((timewin != null) && !(timewin.closed))
timewin.close();
}
function showtimeout() {
if (secondsleft <= 0){
if (exiturl != ""){
if (exitalertmsg!=""){
if (confirm(exitalertmsg)){
window.location.href = exitalerturl;
}
else{
window.close();
}
}
else{
parent.location.href = exiturl;
}
}
//self.close();
return;
}
if (showntimeout == false && secondsleft > 0 && secondsleft <= remind) {
}
var minutes = Math.floor (secondsleft / 60);
var seconds = secondsleft % 60;
if (seconds < 10)
seconds = "0" + seconds;
if (showcountdown){
window.status = toLatin("last time:" + minutes + ":" + seconds);
}
var period = 1;
setTimeout("showtimeout()", period*1000);
secondsleft -= period;
}
// -->
window.onload = function (){
showtimeout();
}
</SCRIPT>
<script language="JavaScript"> var _version = 1.0 </script>
<script language="JavaScript1.1"> _version = 1.1 </script>
<script language="JavaScript1.2"> _version = 1.2 </script>
<script language="JavaScript1.1">
function toLatin(x) {
if (_version >= 1.2 && ("zh" == "fr" || "zh" == "es")) {
var pattern = new RegExp("&#([0-9]+);");
while ((result = pattern.exec(x)) != null) {
x = x.replace(result[0], String.fromCharCode(RegExp.$1));
}
x = x.replace(/ /g, ' ');
}
return (x);
}
</script>
<div id="pageall">
<div id="gamelink">
<a href="/cydic/flash/game/flash001/game.html" target="_blank" title="æèªéæ²">æèªéæ²</a>
<a href="/cydic/flash/game/flash002/game2.html" target="_blank" title="æèªéæ²">æèªéæ²</a>
</div>
<div id="top">
<h1><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&func=diccydicfunc.cydicexit" title="æè²é¨æèªå
¸"><img src="/cydic/images/logo_text.jpg" alt="æè²é¨æèªå
¸" align="left" /></a></a></h1>
<p>
<span class="map">
<a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&sec=sec10&init=1&active=webguide" title="ç¶²ç«å°è¦½">ç¶²ç«å°è¦½</a>â
<a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&func=diccydicfunc.cydic_switch" title="åæç">åæç</a>
</span>
<span class="een"> <a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&&sec=sec1&index=1&active=index&switchlanguage=eng" title="ENGLISH VERSION"></a></span>
</p>
<ul>
<li><a title="3a up ins" accessKey="u" href="#" style="position: absolute;top: 10px; left:-30px;color:#E6D29F;" >
<font class="fontcenter">:::</font></a></li>
<li class="link1"><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&func=diccydicfunc.cydicexit" title="é¦é ">é¦é </a></li>
<li class="link2"><a href="/cydic/userguide/userguide1/userguide_top.htm" title="使ç¨èªªæ" target=_blank>使ç¨èªªæ</a></li>
<li class="link3"><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&sec=sec8&init=1&active=editor" title="編輯說æ">編輯說æ</a></li>
<li class="link4"><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&sec=sec6&ducfulu=1&init=1&active=dicfulu&dicfululv1=1" title="è¾å
¸éé">è¾å
¸éé</a></li>
<li class="link5"><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&sec=sec7&active=qadb&brwtype=browse&brwval=id%3D%27QR%2A%27&disparea=QR&init=1" title="常è¦åé¡">常è¦åé¡</a></li>
</ul>
</div>
<!-- top -->
<div id="menu">
<ul>
<a title="3a menu ins" accessKey="m" href="#" style="position: absolute;top: 40px; left:-30px;color:#969C32;" >
<font class="fontcenter">:::</font></a><li><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&&sec=sec1&index=1&active=index" class="m1clk" title="åºæ¬æª¢ç´¢"></a></li>
<li class="m2" title="é²é檢索"><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&&sec=sec3&op=ma&init=1&advance=1&active=advance">é²é檢索</a></li>
<li class="m3" title="ééæª¢ç´¢"><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&sec=sec4&fulu=1&init=1&active=fulu">ééæª¢ç´¢</a></li>
<li class="m4" title="é»åæ¸ç覽"><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&sec=sec5&ebook=1&init=1&active=ebook">é»åæ¸ç覽</a></li>
</ul>
</div>
<a title="3a center ins" accessKey="c" href="#" style="position: absolute;color:red;" >
<font class="fontcenter">:::</font></a>
<div id="contents">
<div id="contents2">
<div class="search">
<input name="basicopt" id="basicopt1" type="radio" value="1" checked/>
<font class="chi_12">æèªæª¢ç´¢</font>
<input name="basicopt" id="basicopt2" type="radio" value="2" />
<font class="chi_12">ç¾©é¡æª¢ç´¢<font>
<input type="text" name="qs0" id="qs0" size="10" class="s1b" onKeypress="return dealsubmitsearch(event, '0', 'qs0', 'è«è¼¸å
¥æª¢ç´¢å串ï¼')" onclick="this.focus();"
onmouseover="this.focus();" onfocus="this.focus();" />
<input name="input" type="submit" class="s2f" value="檢索" onclick="return cydic_basic_cksearch(event, '0', 'qs0', 'è«è¼¸å
¥æª¢ç´¢å串', 'è«è¼¸å
¥æª¢ç´¢åè©ï¼å¯æé
ç¬¦èæª¢ç´¢/è«éµå
¥æèªèªç¾©é¡å¥');;" onKeypress="" />
</div>
<!-- div search -->
<div class="prbtnbar"><table cellspacing=0 cellpadding=2 align=right summary="system htm table"><tr> <td><label for=browse></label><input type=image border=0 align=top hspace=0 style="cursor:hand" alt="æ¨é¡ç覽" onMouseOver="mover(event)" onMouseOut="mout(0,event)" onblur="mout(0,event)" onfocus="mover(event)" name=browse id="browse" src="/cydic/images/browse.gif"></td></tr></table></div>
<table class="fmt0table">
<tr><td colspan=2>
<script>function openfile(url) {fullwin = window.open(url, "fulltext", "toolbar=no,location=no,directories=no,status=no,menubar=no,scrollbars=yes,resizable=yes");}</script><div class="layoutclass"><div class="layoutclass_first"><table class="tableoutfmt2"><tr><th class="std1"><b>æèª </b></th><td class="std2"><font class=inverse>妿¸å®¶ç</font></td></tr>
<tr><th class="std1"><b>æ³¨é³ </b></th><td class="std2">ãã¨<sup class="subfont">Ë</sup>ããã¨<sup class="subfont">Ë</sup>ããï½ãããã£</td></tr>
<tr><th class="std1"><b>æ¼¢èªæ¼é³ </b></th><td class="std2"><font class="english_word">rú shÇ jiÄ zhÄn</font></td></tr>
<tr><th class="std1"><b>é義 </b></th><td class="std2"></font> 好åè¨ç®èªå®¶æçèçç 坶䏿¨£ãæ¯å»æè¿°äºç©ææ°çç·´ãâ»èªææ¬ãéè©©å¤å³ï¼å·ä¸ããâ³ã<a href="/cgi-bin/cydic/gsweb.cgi?o=dcydic&schfmt=text&gourl=%3De0%26sec%3Dsec1%26op%3Dsid%3D%22CW0000001317%22.%26v%3D-1" class="clink" target=_blank>ä¸äºä¸å</a>ã</font></td></tr>
</td></tr></table></div> <!-- layoutclass_first --><div class="layoutclass_second"><h5 class="btitle2">妿¸å®¶ç</h5>
<div class="leftm"><ul><li class="leftm1n"><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&sec=sec3&op=v&view=90-1&fmt=11" title="é³è®èé義" class=clink></a></li>
<li class="leftm2"><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&sec=sec3&op=v&view=90-1&fmt=12" title="å
¸æº"></a></li>
<li class="leftm8"><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&sec=sec3&op=v&view=90-1&fmt=13" title="å
¸æ
說æ"></a></li>
<li class="leftm3"><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&sec=sec3&op=v&view=90-1&fmt=14" title="æ¸è"></a></li>
<li class="leftm4"><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&sec=sec3&op=v&view=90-1&fmt=15" title="ç¨æ³èªªæ"></a></li>
<li class="leftm6"><a href="/cgi-bin/cydic/gsweb.cgi?ccd=xxxxx&o=e0&sec=sec3&op=v&view=90-1&fmt=17" title="辨è"></a></li>
<li class="leftm5"><a href="#XX" title="æ¤æ¢ç®ç¡åè說æ"onclick="alert('æ¤æ¢ç®ç¡åè說æ');" onKeypress="alert('æ¤æ¢ç®ç¡åè說æ');" ></a></li>
</ul></div></div> <!-- layoutclass_second --></div> <!-- layoutclass -->
</td></tr>
</table>
<table class="referencetable1">
<tr><td>
æ¬é ç¶²å︰<input type="text" value="http://dict.idioms.moe.edu.tw/cgi-bin/cydic/gsweb.cgi?o=dcydic&schfmt=text&searchid=CW0000000455" size=60 onclick="select()" readonly="">
</td></tr>
</table>
<input type=hidden name=r1 value=1>
<input type=hidden name=op value="v">
<div class="prbtnbar"><table cellspacing=0 cellpadding=2 align=right summary="system htm table"><tr> <td><label for=browse></label><input type=image border=0 align=top hspace=0 style="cursor:hand" alt="æ¨é¡ç覽" onMouseOver="mover(event)" onMouseOut="mout(0,event)" onblur="mout(0,event)" onfocus="mover(event)" name=browse id="browse" src="/cydic/images/browse.gif"></td></tr></table></div>
</div>
<!-- div contents2 -->
<link rel="stylesheet" type="text/css" href="/cydic/yui/yui2.3.0/build/container/assets/skins/sam/container.css?v=1185870262.0" />
<script language=JavaScript src="/cydic/yui/yui2.3.0/build/utilities/utilities.js?v=1185870262.0"></script>
<script language=JavaScript src="/cydic/yui/yui2.3.0/build/button/button-beta.js?v=1185870256.0"></script>
<script language=JavaScript src="/cydic/yui/yui2.3.0/build/container/container.js?v=1185870256.0"></script>
<div id="keybordarea">
</div>
<script type="text/javascript" language="JavaScript">
var inputfield = "qs0"
String.prototype.trim = function() {
return this.replace(/^\s+|\s+$/g,"");
}
function inputkeyb(digit){
var src = document.getElementById(inputfield).value.trim();
var dig = unescape(digit);
//ps("dig", dig);
if (dig =="空ç½"){dig = "ã"}
else if (dig == "ã§"){dig = "ï½"}
///// ³B²z²MÁn³¡¥÷. £»£¹£¬
dotchar = "Ë";
if (dig == "Ë"){
var oldv = document.getElementById(inputfield).value;
oldv = oldv + dotchar;
//ps("oldv", oldv);
pwlst = oldv.split(' ')
newlst = []
for(c=0; c < pwlst.length; c++){
//ps("v", pwlst[c]);
indv = pwlst[c].indexOf('Ë');
if (indv != -1){
var quote = /Ë/g;
val = pwlst[c].replace(quote, "");
newlst.push("Ë"+val);
}
else{
newlst.push(pwlst[c]);
}
}
oldv = newlst.join(' ')
}
///// ¤@¯ë¤è¦¡
else{
var oldv = document.getElementById(inputfield).value;
oldv += dig;
}
document.getElementById(inputfield).focus();
document.getElementById(inputfield).value = oldv;
}
</script>
<div id="line"></div>
<div id="foot">
<span class="logodiv1">
<img src="/cydic/images/stand_unitlogo.png" class="logoimg1" border="0" align="absmiddle">
</span><br>
<a href="http://www.edu.tw/" target="blank">
<img src="/cydic/images/logo.gif" alt="æè²é¨logo" width="46" height="36" align="absmiddle" />
</a>
<span class="ff">ä¸è¯æ°åæè²é¨çæ¬ææ</span><span class="ffeng">©2010 Ministry of Education, R.O.C. All rights reserved.</span>ã<span class="copyright">ç·ä¸ï¼N 仿¥äººæ¬¡ï¼N 總人次ï¼N</span><br><span class="ff"><a href="mailto:april0212@mail.naer.edu.tw"><img src="/cydic/images/mail_f.gif" border=0 alt="mail to our" title="è¯çµ¡æå" ></a>ï½<a href="#">é±ç§æ¬æ¿ç宣å</a>ï½<a href="#">é£çµææ¬è²æ</a>ï½å»ºè°ä½¿ç¨</span><span class="ffeng">IE8.0ãFirefox3.6</span><span class="ff">以ä¸çæ¬ç覽å¨åè§£æåº¦</span><span class="ffeng">1024*768</span>ã<a href="http://www.webguide.nat.gov.tw/enable.jsp?category=20110921092959" title="ç¡éç¤ç¶²ç«" target=_blank><img src="/cydic/images/aplus.jpg" alt="ééA+網路çç´ç¡éç¤ç¶²é 檢è¦" width="88" height="31" align="absmiddle" /></a>
</div>
</div>
<!-- contents -->
<script>(function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){(i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o),m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m)})(window,document,'script','//www.google-analytics.com/analytics.js','ga');ga('create', 'UA-44370428-1', 'moe.edu.tw');ga('send', 'pageview');</script>
</div>
<!-- pageall -->
</form>
</body>
</html>
|
_site/Longer-Work-Hours-vs-Shorter-Work-Hours.html | takehiromouri/takehiromouri.github.io | <!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1">
<meta name="author" content="Takehiro Mouri" />
<meta name="description" content="Ruby on Rails developer. I read, write, and live code.">
<link rel="icon" href="static/img/favicon.ico">
<title>Longer Work Hours vs Shorter Work Hours | Takehiro Mouri</title>
<!-- Bootstrap -->
<link href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.5/css/bootstrap.min.css" rel="stylesheet"
integrity="sha256-MfvZlkHCEqatNoGiOXveE8FIwMzZg4W85qfrfIFBfYc= sha512-dTfge/zgoMYpP7QbHy4gWMEGsbsdZeCXz7irItjcC3sPUFtf0kuFbDz/ixG7ArTxmDjLXDmezHubeNikyKGVyQ=="
crossorigin="anonymous">
<!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries -->
<!-- WARNING: Respond.js doesn't work if you view the page via file:// -->
<!--[if lt IE 9]>
<script src="https://oss.maxcdn.com/libs/html5shiv/3.7.0/html5shiv.js"></script>
<script src="https://oss.maxcdn.com/libs/respond.js/1.4.2/respond.min.js"></script>
<![endif]-->
<!-- Custom styles for this template -->
<link rel="stylesheet" type="text/css" href="static/css/main.css" />
<link rel="stylesheet" type="text/css" href="http://fonts.googleapis.com/css?family=Source+Sans+Pro:200,400,200bold,400old" />
<link rel="stylesheet" type="text/css" href="https://maxcdn.bootstrapcdn.com/font-awesome/4.4.0/css/font-awesome.min.css" />
<link rel="stylesheet" type="text/css" href="static/css/syntax.css" />
<!-- Google Analytics -->
<script>
(function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){
(i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o),
m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m)
})(window,document,'script','//www.google-analytics.com/analytics.js','ga');
ga('create', 'UA-74317216-1', 'auto');
ga('send', 'pageview');
</script>
</head>
<!-- Main Body-->
<body>
<!-- Wrap all page content here -->
<div id="wrap">
<!-- Navbar header -->
<nav class="navbar navbar-default">
<div class="container">
<div class="navbar-header">
<a class="navbar-brand" href=""><i class="fa fa-home"></i></a>
</div>
<div id="navbar">
<ul class="nav navbar-nav navbar-right">
<li><a href="blog.html">BLOG</a></li>
<!-- <li><a href="projects.html">PROJECTS</a></li>
--> <li><a href="about.html">ABOUT</a></li>
<li><a href="now.html">NOW</a></li>
</ul>
</div>
</div>
</nav>
<div class="container">
<div class="blog-post">
<h3>
<strong><a href="/Longer-Work-Hours-vs-Shorter-Work-Hours.html">Longer Work Hours vs Shorter Work Hours</a></strong>
</h3>
</div>
<div class="blog-title">
<h4>
November 12, 2016
</h4>
</div>
<div class="panel panel-default">
<div class="panel-body">
<div class="blogpost">
<p>Lately I’ve been thinking about a few things about time:</p>
<p>It’s really common in Japan to say that you should be working at 100% horsepower with only 3 hours of sleep a day. And as a matter of fact, it seems many successful people do operate and even insist on such sleep schedules.</p>
<p>It seems that a lot of Japanese workers try to maximize the amount of output they produce, as well as the time they put in producing that output. The basic idea is simple: Maximum output per time unit multiplied by maximum time put in work yields maximum results.</p>
<p>On the other hand, I do agree with the thoughts of DHH and Jason Fried on how you should try to maximize your working hours, not necessarily try to enlong it. Jason Fried’s argument in “Rework” was that most people’s working hours are shitty hours and that you only need short bursts of concetrated work time to get things done.</p>
<p>His argument is that maximum output can only be achieved for limited amounts of time throughout the day. Instead of trying to spend more time with diluted quality, his argument is to spend less time working, but with 100% quality. So quality over quantity.</p>
<p>Tim Ferris’s famous Four-Hour Work Week also proposed a similar theme - effectiveness and efficiency are two different things. It doesn’t matter if you are efficient if you are working on the wrong things.</p>
<p>I’ve found that personally as an individual that works in a rather creative field, the latter argument is more convincing and is more practical. I’m sure science can back it up as well.</p>
<ul>
<li><strong>When I’m tired I tend to produce sloppy output</strong>. It might seem great at the time because of the adrenaline, but when I look at it with fresh eyes, it tends to be subpar quality.</li>
<li>If I’m focused on being productive 100% of the time, <strong>I end up not prioritizing</strong>. I feel that because I am determined to be productive 100% of the time, I have more time, thus I don’t feel the need to prioritize.</li>
<li><strong>I find it impossible to maximize productivity when my brain is fried.</strong> (I think that is where the “Maximum output per time unit multiplied by maximum time put in work equals maximum results.” forumla may be flawed)</li>
<li><strong>I make worse decisions when my brain is fried</strong></li>
</ul>
<p>It seems that if one is engaged in simple tasks throughout the day, maximizing work time and trying to stretch the output per time unit might work to some extent.</p>
<p>On the other hand, if you’re a creative guy or girl, that won’t really work - <strong>your creative mind is what will get the job done</strong>. Frying your creative mind definitely won’t do the job.</p>
<p>The problem is that for people like me, I <em>like</em> to work. I love to code and I would do it all day long. I always think that the key to improving is to code more, read more, experiment more - even if it means sacrificing a few hours of sleep.</p>
<p>Lately, I’ve been following these internal guidelines, which seem to be practical for people like me:</p>
<ul>
<li>I allow myself to binge code a few times a month</li>
<li>When I start working on something new, I lock myself up and allow myself to lose a few hours of sleep to get in the state of flow</li>
<li>When I start feeling tired/burnt out, I take it easy for a few days until I feel fresh again</li>
<li>Before starting anything, I try to be super clear about what I’m going to try to accomplish</li>
</ul>
<p>For people like me who want to maximize output, <strong>it seems that the key is realizing that maximizing output can be achieved far better by sleeping more, prioritizing, and trying to work more quality hours.</strong></p>
<div class="subscribe">
<hr>
<h2>If you found this post useful, sign up for my personal mailing list below. Every now and then, I share coding articles that I've found or written that you might find to be useful or interesting.</h2>
<!-- Begin MailChimp Signup Form -->
<link href="//cdn-images.mailchimp.com/embedcode/slim-10_7.css" rel="stylesheet" type="text/css">
<style type="text/css">
#mc_embed_signup{background:#fff; clear:left; font:14px Helvetica,Arial,sans-serif; }
/* Add your own MailChimp form style overrides in your site stylesheet or in this style block.
We recommend moving this block and the preceding CSS link to the HEAD of your HTML file. */
</style>
<div id="mc_embed_signup">
<form action="//takehiromouri.us12.list-manage.com/subscribe/post?u=2da1dc093352ef1e1ebf161ad&id=09f268a271" method="post" id="mc-embedded-subscribe-form" name="mc-embedded-subscribe-form" class="validate" target="_blank" novalidate>
<div id="mc_embed_signup_scroll">
<label for="mce-EMAIL" style="text-align:center">Subscribe to my personal mailing list</label>
<input type="email" value="" name="EMAIL" class="email" id="mce-EMAIL" placeholder="email address" required style="margin: 0 auto 10px;">
<!-- real people should not fill this in and expect good things - do not remove this or risk form bot signups-->
<div style="position: absolute; left: -5000px;" aria-hidden="true"><input type="text" name="b_2da1dc093352ef1e1ebf161ad_09f268a271" tabindex="-1" value=""></div>
<div class="clear"><input type="submit" value="Keep Me in The Loop" name="subscribe" id="mc-embedded-subscribe" class="button" style="margin: 0 auto;background-color:#27A822;"></div>
</div>
</form>
</div>
</div>
<hr>
<div class="related-posts">
<h5>Related Posts</h5>
<div class="row">
<div class="col-sm-4 col-md-4 col-lg-4">
<h6 style="text-align: right">
October 30, 2016
</h6>
</div>
<div class="col-sm-8 col-md-8 col-lg-8">
<h6 style="text-align: left">
<strong><a href="The-Non-Designers-Design-Book.html">The Non Designer's Design Book</a></strong>
</h6>
</div>
</div>
<div class="row">
<div class="col-sm-4 col-md-4 col-lg-4">
<h6 style="text-align: right">
October 23, 2016
</h6>
</div>
<div class="col-sm-8 col-md-8 col-lg-8">
<h6 style="text-align: left">
<strong><a href="Answers-to-some-questions-by-TECHRISE-Students.html">Answers To Some Questions by TECHRISE Students</a></strong>
</h6>
</div>
</div>
<div class="row">
<div class="col-sm-4 col-md-4 col-lg-4">
<h6 style="text-align: right">
October 12, 2016
</h6>
</div>
<div class="col-sm-8 col-md-8 col-lg-8">
<h6 style="text-align: left">
<strong><a href="Should-I-Learn-How-to-Code.html">Should I learn how to code?</a></strong>
</h6>
</div>
</div>
</div>
</div>
</div>
</div>
</div>
</div>
<!-- Footer -->
<footer>
<div id="footer">
<div class="container">
<p class="text-muted">© Takehiro Mouri 2016</p>
</div>
</div>
</footer>
<div class="footer"></div>
<!-- jQuery (necessary for Bootstrap's JavaScript plugins) -->
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.3/jquery.min.js"></script>
<!-- Bootstrap core JavaScript -->
<script src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.5/js/bootstrap.min.js"
integrity="sha256-Sk3nkD6mLTMOF0EOpNtsIry+s1CsaqQC1rVLTAy+0yc= sha512-K1qjQ+NcF2TYO/eI3M6v8EiNYZfA95pQumfvcVrTHtwQVDG+aHRqLi/ETn2uB+1JqwYqVG3LIvdm9lj6imS/pQ=="
crossorigin="anonymous"></script>
<!-- Include all compiled plugins (below), or include individual files as needed -->
<script src="static/js/docs.min.js"></script>
<script src="static/js/main.js"></script>
<!-- IE10 viewport hack for Surface/desktop Windows 8 bug -->
<script src="static/js/ie10-viewport-bug-workaround.js"></script>
</body>
</html> |
assets/style/pagination2.css | ahmadsm/ahmadsm-ci3-hmvc-docs | body,td,th {
font-family: Georgia, "Times New Roman", Times, serif;
color: #333;
}
.contents{
margin: 20px;
padding: 20px;
list-style: none;
background: #F9F9F9;
border: 1px solid #ddd;
border-radius: 5px;
}
.contents li{
margin-bottom: 10px;
}
.loading-div{
position: absolute;
top: 0;
left: 0;
width: 100%;
height: 100%;
background: rgba(0, 0, 0, 0.56);
z-index: 999;
display:none;
}
.loading-div img {
margin-top: 20%;
margin-left: 50%;
}
/* Pagination style */
.pagination{margin:0;padding:0;}
.pagination li{
display: inline;
padding: 6px 10px 6px 10px;
border: 1px solid #ddd;
margin-right: -1px;
font: 15px/20px Arial, Helvetica, sans-serif;
background: #FFFFFF;
box-shadow: inset 1px 1px 5px #F4F4F4;
}
.pagination li a{
text-decoration:none;
color: rgb(89, 141, 235);
}
.pagination li.first {
border-radius: 5px 0px 0px 5px;
}
.pagination li.last {
border-radius: 0px 5px 5px 0px;
}
.pagination li:hover{
background: #CFF;
}
.pagination li.active{
background: #F0F0F0;
color: #333;
} |
templates/schedule.html | bkovacev/gae-student-portal | {% extends 'base.html' %}
{% block title %} Schedule{% endblock %}
{% block page_css %}
{% endblock %}
{% block page_tittle %} <h1>Class Schedule</h1> {% endblock %}
{% block content %}
<div class="container-fluid">
<div class="row">
<table class="table table-hover" id="sample-table-1">
<thead>
<tr>
<th class="center">Name</th>
<th>Term</th>
<th class="hidden-xs">Date Enrolled</th>
</tr>
</thead>
<tbody>
{% for class in classes %}
<tr>
<td> {{ class.name }}</td>
<td> {{ clss.term }}</td>
<td class="hidden-xs">{{ class.date }}</td>
</tr>
</tbody>
{% endfor %}
</table>
</div>
</div>
{% endblock %} |
_comments/2008-01-12-2109-tillbaka-till-fildelningsdebatten.html | blay/minimal-mistakes | ---
post_id: /tillbaka-till-fildelningsdebatten
date: 2008-01-12 21:09
return_url: '2008-01-11-tillbaka-till-fildelningsdebatten.html'
name: 'Claes leo &gt;Lindwall'
email: 'claesleo@yaoo.se'
comment: '<p>Intressant att se att förespråkarna för illegal fildelning nu anser att upphovsmännen inte ska få yttra sig i debatten.</p>'
---
|
docs/3.2/d7/dc2/structcv_1_1cudev_1_1VecTraits_3_01int1_01_4.html | lucasbrsa/OpenCV-3.2 | <!-- HTML header for doxygen 1.8.6-->
<!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.12"/>
<title>OpenCV: cv::cudev::VecTraits< int1 > Struct Template Reference</title>
<link href="../../opencv.ico" rel="shortcut icon" type="image/x-icon" />
<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/x-mathjax-config">
MathJax.Hub.Config({
extensions: ["tex2jax.js", "TeX/AMSmath.js", "TeX/AMSsymbols.js"],
jax: ["input/TeX","output/HTML-CSS"],
});
//<![CDATA[
MathJax.Hub.Config(
{
TeX: {
Macros: {
matTT: [ "\\[ \\left|\\begin{array}{ccc} #1 & #2 & #3\\\\ #4 & #5 & #6\\\\ #7 & #8 & #9 \\end{array}\\right| \\]", 9],
fork: ["\\left\\{ \\begin{array}{l l} #1 & \\mbox{#2}\\\\ #3 & \\mbox{#4}\\\\ \\end{array} \\right.", 4],
forkthree: ["\\left\\{ \\begin{array}{l l} #1 & \\mbox{#2}\\\\ #3 & \\mbox{#4}\\\\ #5 & \\mbox{#6}\\\\ \\end{array} \\right.", 6],
vecthree: ["\\begin{bmatrix} #1\\\\ #2\\\\ #3 \\end{bmatrix}", 3],
vecthreethree: ["\\begin{bmatrix} #1 & #2 & #3\\\\ #4 & #5 & #6\\\\ #7 & #8 & #9 \\end{bmatrix}", 9],
hdotsfor: ["\\dots", 1],
mathbbm: ["\\mathbb{#1}", 1],
bordermatrix: ["\\matrix{#1}", 1]
}
}
}
);
//]]>
</script><script type="text/javascript" src="http://cdn.mathjax.org/mathjax/latest/MathJax.js"></script>
<link href="../../doxygen.css" rel="stylesheet" type="text/css" />
<link href="../../stylesheet.css" rel="stylesheet" type="text/css"/>
</head>
<body>
<div id="top"><!-- do not remove this div, it is closed by doxygen! -->
<div id="titlearea">
<!--#include virtual="/google-search.html"-->
<table cellspacing="0" cellpadding="0">
<tbody>
<tr style="height: 56px;">
<td id="projectlogo"><img alt="Logo" src="../../opencv-logo-small.png"/></td>
<td style="padding-left: 0.5em;">
<div id="projectname">OpenCV
 <span id="projectnumber">3.2.0</span>
</div>
<div id="projectbrief">Open Source Computer Vision</div>
</td>
</tr>
</tbody>
</table>
</div>
<script type="text/javascript">
//<![CDATA[
function getLabelName(innerHTML) {
var str = innerHTML.toLowerCase();
// Replace all '+' with 'p'
str = str.split('+').join('p');
// Replace all ' ' with '_'
str = str.split(' ').join('_');
// Replace all '#' with 'sharp'
str = str.split('#').join('sharp');
// Replace other special characters with 'ascii' + code
for (var i = 0; i < str.length; i++) {
var charCode = str.charCodeAt(i);
if (!(charCode == 95 || (charCode > 96 && charCode < 123) || (charCode > 47 && charCode < 58)))
str = str.substr(0, i) + 'ascii' + charCode + str.substr(i + 1);
}
return str;
}
function addToggle() {
var $getDiv = $('div.newInnerHTML').last();
var buttonName = $getDiv.html();
var label = getLabelName(buttonName.trim());
$getDiv.attr("title", label);
$getDiv.hide();
$getDiv = $getDiv.next();
$getDiv.attr("class", "toggleable_div label_" + label);
$getDiv.hide();
}
//]]>
</script>
<!-- end header part -->
<!-- Generated by Doxygen 1.8.12 -->
<script type="text/javascript">
var searchBox = new SearchBox("searchBox", "../../search",false,'Search');
</script>
<script type="text/javascript" src="../../menudata.js"></script>
<script type="text/javascript" src="../../menu.js"></script>
<script type="text/javascript">
$(function() {
initMenu('../../',true,false,'search.php','Search');
$(document).ready(function() { init_search(); });
});
</script>
<div id="main-nav"></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="../../d2/d75/namespacecv.html">cv</a></li><li class="navelem"><a class="el" href="../../df/d1d/namespacecv_1_1cudev.html">cudev</a></li><li class="navelem"><a class="el" href="../../d7/dc2/structcv_1_1cudev_1_1VecTraits_3_01int1_01_4.html">VecTraits< int1 ></a></li> </ul>
</div>
</div><!-- top -->
<div class="header">
<div class="summary">
<a href="#pub-types">Public Types</a> |
<a href="#pub-static-methods">Static Public Member Functions</a> |
<a href="../../d7/d01/structcv_1_1cudev_1_1VecTraits_3_01int1_01_4-members.html">List of all members</a> </div>
<div class="headertitle">
<div class="title">cv::cudev::VecTraits< int1 > Struct Template Reference<div class="ingroups"><a class="el" href="../../d0/de1/group__core.html">Core functionality</a> » <a class="el" href="../../d2/d3c/group__core__opengl.html">OpenGL interoperability</a> » <a class="el" href="../../d1/d1e/group__cuda.html">CUDA-accelerated Computer Vision</a> » <a class="el" href="../../df/dfc/group__cudev.html">Device layer</a></div></div> </div>
</div><!--header-->
<div class="contents">
<p><code>#include "vec_traits.hpp"</code></p>
<table class="memberdecls">
<tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pub-types"></a>
Public Types</h2></td></tr>
<tr class="memitem:ad5826b04a5f471533d6d29852325ffb7"><td class="memItemLeft" align="right" valign="top">enum  </td><td class="memItemRight" valign="bottom">{ <a class="el" href="../../d7/dc2/structcv_1_1cudev_1_1VecTraits_3_01int1_01_4.html#ad5826b04a5f471533d6d29852325ffb7aeb6ca6c0b10d300728108ac09f742666">cn</a> =1
}</td></tr>
<tr class="separator:ad5826b04a5f471533d6d29852325ffb7"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:ae2a66e9f29226d2ae1ae3b6c2ca98bdb"><td class="memItemLeft" align="right" valign="top">typedef int </td><td class="memItemRight" valign="bottom"><a class="el" href="../../d7/dc2/structcv_1_1cudev_1_1VecTraits_3_01int1_01_4.html#ae2a66e9f29226d2ae1ae3b6c2ca98bdb">elem_type</a></td></tr>
<tr class="separator:ae2a66e9f29226d2ae1ae3b6c2ca98bdb"><td class="memSeparator" colspan="2"> </td></tr>
</table><table class="memberdecls">
<tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pub-static-methods"></a>
Static Public Member Functions</h2></td></tr>
<tr class="memitem:ae6889183c06b6c14bdc7226e2797eeb9"><td class="memItemLeft" align="right" valign="top">__host__ __device__ static __forceinline__ int1 </td><td class="memItemRight" valign="bottom"><a class="el" href="../../d7/dc2/structcv_1_1cudev_1_1VecTraits_3_01int1_01_4.html#ae6889183c06b6c14bdc7226e2797eeb9">all</a> (int v)</td></tr>
<tr class="separator:ae6889183c06b6c14bdc7226e2797eeb9"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a4c09a4844bc27993aa17f41346a48455"><td class="memItemLeft" align="right" valign="top">__host__ __device__ static __forceinline__ int1 </td><td class="memItemRight" valign="bottom"><a class="el" href="../../d7/dc2/structcv_1_1cudev_1_1VecTraits_3_01int1_01_4.html#a4c09a4844bc27993aa17f41346a48455">make</a> (const int *v)</td></tr>
<tr class="separator:a4c09a4844bc27993aa17f41346a48455"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a725677257f1d6e28ebc4eaa4bb03b09d"><td class="memItemLeft" align="right" valign="top">__host__ __device__ static __forceinline__ int1 </td><td class="memItemRight" valign="bottom"><a class="el" href="../../d7/dc2/structcv_1_1cudev_1_1VecTraits_3_01int1_01_4.html#a725677257f1d6e28ebc4eaa4bb03b09d">make</a> (int x)</td></tr>
<tr class="separator:a725677257f1d6e28ebc4eaa4bb03b09d"><td class="memSeparator" colspan="2"> </td></tr>
</table>
<h2 class="groupheader">Member Typedef Documentation</h2>
<a id="ae2a66e9f29226d2ae1ae3b6c2ca98bdb"></a>
<h2 class="memtitle"><span class="permalink"><a href="#ae2a66e9f29226d2ae1ae3b6c2ca98bdb">§ </a></span>elem_type</h2>
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">typedef int <a class="el" href="../../d6/d77/structcv_1_1cudev_1_1VecTraits.html">cv::cudev::VecTraits</a>< int1 >::<a class="el" href="../../d7/dc2/structcv_1_1cudev_1_1VecTraits_3_01int1_01_4.html#ae2a66e9f29226d2ae1ae3b6c2ca98bdb">elem_type</a></td>
</tr>
</table>
</div><div class="memdoc">
</div>
</div>
<h2 class="groupheader">Member Enumeration Documentation</h2>
<a id="ad5826b04a5f471533d6d29852325ffb7"></a>
<h2 class="memtitle"><span class="permalink"><a href="#ad5826b04a5f471533d6d29852325ffb7">§ </a></span>anonymous enum</h2>
<div class="memitem">
<div class="memproto">
<table class="memname">
<tr>
<td class="memname">anonymous enum</td>
</tr>
</table>
</div><div class="memdoc">
<table class="fieldtable">
<tr><th colspan="2">Enumerator</th></tr><tr><td class="fieldname"><a id="ad5826b04a5f471533d6d29852325ffb7aeb6ca6c0b10d300728108ac09f742666"></a>cn </td><td class="fielddoc"></td></tr>
</table>
</div>
</div>
<h2 class="groupheader">Member Function Documentation</h2>
<a id="ae6889183c06b6c14bdc7226e2797eeb9"></a>
<h2 class="memtitle"><span class="permalink"><a href="#ae6889183c06b6c14bdc7226e2797eeb9">§ </a></span>all()</h2>
<div class="memitem">
<div class="memproto">
<table class="mlabels">
<tr>
<td class="mlabels-left">
<table class="memname">
<tr>
<td class="memname">__host__ __device__ static __forceinline__ int1 <a class="el" href="../../d6/d77/structcv_1_1cudev_1_1VecTraits.html">cv::cudev::VecTraits</a>< int1 >::all </td>
<td>(</td>
<td class="paramtype">int </td>
<td class="paramname"><em>v</em></td><td>)</td>
<td></td>
</tr>
</table>
</td>
<td class="mlabels-right">
<span class="mlabels"><span class="mlabel">static</span></span> </td>
</tr>
</table>
</div><div class="memdoc">
</div>
</div>
<a id="a4c09a4844bc27993aa17f41346a48455"></a>
<h2 class="memtitle"><span class="permalink"><a href="#a4c09a4844bc27993aa17f41346a48455">§ </a></span>make() <span class="overload">[1/2]</span></h2>
<div class="memitem">
<div class="memproto">
<table class="mlabels">
<tr>
<td class="mlabels-left">
<table class="memname">
<tr>
<td class="memname">__host__ __device__ static __forceinline__ int1 <a class="el" href="../../d6/d77/structcv_1_1cudev_1_1VecTraits.html">cv::cudev::VecTraits</a>< int1 >::make </td>
<td>(</td>
<td class="paramtype">const int * </td>
<td class="paramname"><em>v</em></td><td>)</td>
<td></td>
</tr>
</table>
</td>
<td class="mlabels-right">
<span class="mlabels"><span class="mlabel">static</span></span> </td>
</tr>
</table>
</div><div class="memdoc">
</div>
</div>
<a id="a725677257f1d6e28ebc4eaa4bb03b09d"></a>
<h2 class="memtitle"><span class="permalink"><a href="#a725677257f1d6e28ebc4eaa4bb03b09d">§ </a></span>make() <span class="overload">[2/2]</span></h2>
<div class="memitem">
<div class="memproto">
<table class="mlabels">
<tr>
<td class="mlabels-left">
<table class="memname">
<tr>
<td class="memname">__host__ __device__ static __forceinline__ int1 <a class="el" href="../../d6/d77/structcv_1_1cudev_1_1VecTraits.html">cv::cudev::VecTraits</a>< int1 >::make </td>
<td>(</td>
<td class="paramtype">int </td>
<td class="paramname"><em>x</em></td><td>)</td>
<td></td>
</tr>
</table>
</td>
<td class="mlabels-right">
<span class="mlabels"><span class="mlabel">static</span></span> </td>
</tr>
</table>
</div><div class="memdoc">
</div>
</div>
<hr/>The documentation for this struct was generated from the following file:<ul>
<li>cudev/include/opencv2/cudev/util/<a class="el" href="../../df/d68/cudev_2include_2opencv2_2cudev_2util_2vec__traits_8hpp.html">vec_traits.hpp</a></li>
</ul>
</div><!-- contents -->
<!-- HTML footer for doxygen 1.8.6-->
<!-- start footer part -->
<hr class="footer"/><address class="footer"><small>
Generated on Fri Dec 23 2016 13:00:28 for OpenCV by  <a href="http://www.doxygen.org/index.html">
<img class="footer" src="../../doxygen.png" alt="doxygen"/>
</a> 1.8.12
</small></address>
<script type="text/javascript">
//<![CDATA[
function addButton(label, buttonName) {
var b = document.createElement("BUTTON");
b.innerHTML = buttonName;
b.setAttribute('class', 'toggleable_button label_' + label);
b.onclick = function() {
$('.toggleable_button').css({
border: '2px outset',
'border-radius': '4px'
});
$('.toggleable_button.label_' + label).css({
border: '2px inset',
'border-radius': '4px'
});
$('.toggleable_div').css('display', 'none');
$('.toggleable_div.label_' + label).css('display', 'block');
};
b.style.border = '2px outset';
b.style.borderRadius = '4px';
b.style.margin = '2px';
return b;
}
function buttonsToAdd($elements, $heading, $type) {
if ($elements.length === 0) {
$elements = $("" + $type + ":contains(" + $heading.html() + ")").parent().prev("div.newInnerHTML");
}
var arr = jQuery.makeArray($elements);
var seen = {};
arr.forEach(function(e) {
var txt = e.innerHTML;
if (!seen[txt]) {
$button = addButton(e.title, txt);
if (Object.keys(seen).length == 0) {
var linebreak1 = document.createElement("br");
var linebreak2 = document.createElement("br");
($heading).append(linebreak1);
($heading).append(linebreak2);
}
($heading).append($button);
seen[txt] = true;
}
});
return;
}
$("h2").each(function() {
$heading = $(this);
$smallerHeadings = $(this).nextUntil("h2").filter("h3").add($(this).nextUntil("h2").find("h3"));
if ($smallerHeadings.length) {
$smallerHeadings.each(function() {
var $elements = $(this).nextUntil("h3").filter("div.newInnerHTML");
buttonsToAdd($elements, $(this), "h3");
});
} else {
var $elements = $(this).nextUntil("h2").filter("div.newInnerHTML");
buttonsToAdd($elements, $heading, "h2");
}
});
$(".toggleable_button").first().click();
var $clickDefault = $('.toggleable_button.label_python').first();
if ($clickDefault.length) {
$clickDefault.click();
}
$clickDefault = $('.toggleable_button.label_cpp').first();
if ($clickDefault.length) {
$clickDefault.click();
}
//]]>
</script>
</body>
</html>
|
_layouts/default.html | Gearov/Gearov.github.io | <!DOCTYPE html>
<html lang="en">
{% include head.html %}
<body>
<div class="container content">
<header class="masthead">
<h3 class="masthead-title">
<a href="{{ site.baseurl }}" title="Home">{{ site.title }}</a>
<small>{{ site.tagline }}</small>
</h3>
<h3 class="masthead-links">
{% for page in site.pages_list %}
<a href="{{ page[1] }}">>{{ page[0] }}_</a>
{% endfor %}
</h3>
</header>
<main>
{{ content }}
</main>
<footer class="footer">
<small>
© <time datetime="{{ site.time | date_to_xmlschema }}">{{ site.time | date: '%Y' }}</time>. All rights reserved.
</small>
</footer>
</div>
</body>
</html>
|
docs/dist/css/bootstrap.min.css | aravindaw/multi-view | /*!
* Bootstrap v3.3.0 (http://getbootstrap.com)
* Copyright 2011-2014 Twitter, Inc.
* Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)
*//*! normalize.css v3.0.2 | MIT License | git.io/normalize */
html {
font-family: sans-serif;
-webkit-text-size-adjust: 100%;
-ms-text-size-adjust: 100%
}
body {
margin: 0
}
article, aside, details, figcaption, figure, footer, header, hgroup, main, menu, nav, section, summary {
display: block
}
audio, canvas, progress, video {
display: inline-block;
vertical-align: baseline
}
audio:not([controls]) {
display: none;
height: 0
}
[hidden], template {
display: none
}
a {
background-color: transparent
}
a:active, a:hover {
outline: 0
}
abbr[title] {
border-bottom: 1px dotted
}
b, strong {
font-weight: 700
}
dfn {
font-style: italic
}
h1 {
margin: .67em 0;
font-size: 2em
}
mark {
color: #000;
background: #ff0
}
small {
font-size: 80%
}
sub, sup {
position: relative;
font-size: 75%;
line-height: 0;
vertical-align: baseline
}
sup {
top: -.5em
}
sub {
bottom: -.25em
}
img {
border: 0
}
svg:not(:root) {
overflow: hidden
}
figure {
margin: 1em 40px
}
hr {
height: 0;
-webkit-box-sizing: content-box;
-moz-box-sizing: content-box;
box-sizing: content-box
}
pre {
overflow: auto
}
code, kbd, pre, samp {
font-family: monospace, monospace;
font-size: 1em
}
button, input, optgroup, select, textarea {
margin: 0;
font: inherit;
color: inherit
}
button {
overflow: visible
}
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
}
button::-moz-focus-inner, input::-moz-focus-inner {
padding: 0;
border: 0
}
input {
line-height: normal
}
input[type=checkbox], input[type=radio] {
-webkit-box-sizing: border-box;
-moz-box-sizing: border-box;
box-sizing: border-box;
padding: 0
}
input[type=number]::-webkit-inner-spin-button, input[type=number]::-webkit-outer-spin-button {
height: auto
}
input[type=search] {
-webkit-box-sizing: content-box;
-moz-box-sizing: content-box;
box-sizing: content-box;
-webkit-appearance: textfield
}
input[type=search]::-webkit-search-cancel-button, input[type=search]::-webkit-search-decoration {
-webkit-appearance: none
}
fieldset {
padding: .35em .625em .75em;
margin: 0 2px;
border: 1px solid silver
}
legend {
padding: 0;
border: 0
}
textarea {
overflow: auto
}
optgroup {
font-weight: 700
}
table {
border-spacing: 0;
border-collapse: collapse
}
td, th {
padding: 0
}
/*! Source: https://github.com/h5bp/html5-boilerplate/blob/master/src/css/main.css */
@media print {
*, :before, :after {
color: #000 !important;
text-shadow: none !important;
background: transparent !important;
-webkit-box-shadow: none !important;
box-shadow: none !important
}
a, a:visited {
text-decoration: underline
}
a[href]:after {
content: " (" attr(href) ")"
}
abbr[title]:after {
content: " (" attr(title) ")"
}
a[href^="#"]:after, a[href^="javascript:"]: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
}
p, h2, h3 {
orphans: 3;
widows: 3
}
h2, h3 {
page-break-after: avoid
}
select {
background: #fff !important
}
.navbar {
display: none
}
.btn>.caret, .dropup>.btn>.caret {
border-top-color: #000 !important
}
.label {
border: 1px solid #000
}
.table {
border-collapse: collapse !important
}
.table td, .table th {
background-color: #fff !important
}
.table-bordered th, .table-bordered td {
border: 1px solid #ddd !important
}
}
@font-face {
font-family: 'Glyphicons Halflings';
src: url(../fonts/glyphicons-halflings-regular.eot);
src: url(../fonts/glyphicons-halflings-regular.eot?#iefix) format('embedded-opentype'), url(../fonts/glyphicons-halflings-regular.woff) format('woff'), url(../fonts/glyphicons-halflings-regular.ttf) format('truetype'), url(../fonts/glyphicons-halflings-regular.svg#glyphicons_halflingsregular) format('svg')
}
.glyphicon {
position: relative;
top: 1px;
display: inline-block;
font-family: 'Glyphicons Halflings';
font-style: normal;
font-weight: 400;
line-height: 1;
-webkit-font-smoothing: antialiased;
-moz-osx-font-smoothing: grayscale
}
.glyphicon-asterisk:before {
content: "\2a"
}
.glyphicon-plus:before {
content: "\2b"
}
.glyphicon-euro:before, .glyphicon-eur:before {
content: "\20ac"
}
.glyphicon-minus:before {
content: "\2212"
}
.glyphicon-cloud:before {
content: "\2601"
}
.glyphicon-envelope:before {
content: "\2709"
}
.glyphicon-pencil:before {
content: "\270f"
}
.glyphicon-glass:before {
content: "\e001"
}
.glyphicon-music:before {
content: "\e002"
}
.glyphicon-search:before {
content: "\e003"
}
.glyphicon-heart:before {
content: "\e005"
}
.glyphicon-star:before {
content: "\e006"
}
.glyphicon-star-empty:before {
content: "\e007"
}
.glyphicon-user:before {
content: "\e008"
}
.glyphicon-film:before {
content: "\e009"
}
.glyphicon-th-large:before {
content: "\e010"
}
.glyphicon-th:before {
content: "\e011"
}
.glyphicon-th-list:before {
content: "\e012"
}
.glyphicon-ok:before {
content: "\e013"
}
.glyphicon-remove:before {
content: "\e014"
}
.glyphicon-zoom-in:before {
content: "\e015"
}
.glyphicon-zoom-out:before {
content: "\e016"
}
.glyphicon-off:before {
content: "\e017"
}
.glyphicon-signal:before {
content: "\e018"
}
.glyphicon-cog:before {
content: "\e019"
}
.glyphicon-trash:before {
content: "\e020"
}
.glyphicon-home:before {
content: "\e021"
}
.glyphicon-file:before {
content: "\e022"
}
.glyphicon-time:before {
content: "\e023"
}
.glyphicon-road:before {
content: "\e024"
}
.glyphicon-download-alt:before {
content: "\e025"
}
.glyphicon-download:before {
content: "\e026"
}
.glyphicon-upload:before {
content: "\e027"
}
.glyphicon-inbox:before {
content: "\e028"
}
.glyphicon-play-circle:before {
content: "\e029"
}
.glyphicon-repeat:before {
content: "\e030"
}
.glyphicon-refresh:before {
content: "\e031"
}
.glyphicon-list-alt:before {
content: "\e032"
}
.glyphicon-lock:before {
content: "\e033"
}
.glyphicon-flag:before {
content: "\e034"
}
.glyphicon-headphones:before {
content: "\e035"
}
.glyphicon-volume-off:before {
content: "\e036"
}
.glyphicon-volume-down:before {
content: "\e037"
}
.glyphicon-volume-up:before {
content: "\e038"
}
.glyphicon-qrcode:before {
content: "\e039"
}
.glyphicon-barcode:before {
content: "\e040"
}
.glyphicon-tag:before {
content: "\e041"
}
.glyphicon-tags:before {
content: "\e042"
}
.glyphicon-book:before {
content: "\e043"
}
.glyphicon-bookmark:before {
content: "\e044"
}
.glyphicon-print:before {
content: "\e045"
}
.glyphicon-camera:before {
content: "\e046"
}
.glyphicon-font:before {
content: "\e047"
}
.glyphicon-bold:before {
content: "\e048"
}
.glyphicon-italic:before {
content: "\e049"
}
.glyphicon-text-height:before {
content: "\e050"
}
.glyphicon-text-width:before {
content: "\e051"
}
.glyphicon-align-left:before {
content: "\e052"
}
.glyphicon-align-center:before {
content: "\e053"
}
.glyphicon-align-right:before {
content: "\e054"
}
.glyphicon-align-justify:before {
content: "\e055"
}
.glyphicon-list:before {
content: "\e056"
}
.glyphicon-indent-left:before {
content: "\e057"
}
.glyphicon-indent-right:before {
content: "\e058"
}
.glyphicon-facetime-video:before {
content: "\e059"
}
.glyphicon-picture:before {
content: "\e060"
}
.glyphicon-map-marker:before {
content: "\e062"
}
.glyphicon-adjust:before {
content: "\e063"
}
.glyphicon-tint:before {
content: "\e064"
}
.glyphicon-edit:before {
content: "\e065"
}
.glyphicon-share:before {
content: "\e066"
}
.glyphicon-check:before {
content: "\e067"
}
.glyphicon-move:before {
content: "\e068"
}
.glyphicon-step-backward:before {
content: "\e069"
}
.glyphicon-fast-backward:before {
content: "\e070"
}
.glyphicon-backward:before {
content: "\e071"
}
.glyphicon-play:before {
content: "\e072"
}
.glyphicon-pause:before {
content: "\e073"
}
.glyphicon-stop:before {
content: "\e074"
}
.glyphicon-forward:before {
content: "\e075"
}
.glyphicon-fast-forward:before {
content: "\e076"
}
.glyphicon-step-forward:before {
content: "\e077"
}
.glyphicon-eject:before {
content: "\e078"
}
.glyphicon-chevron-left:before {
content: "\e079"
}
.glyphicon-chevron-right:before {
content: "\e080"
}
.glyphicon-plus-sign:before {
content: "\e081"
}
.glyphicon-minus-sign:before {
content: "\e082"
}
.glyphicon-remove-sign:before {
content: "\e083"
}
.glyphicon-ok-sign:before {
content: "\e084"
}
.glyphicon-question-sign:before {
content: "\e085"
}
.glyphicon-info-sign:before {
content: "\e086"
}
.glyphicon-screenshot:before {
content: "\e087"
}
.glyphicon-remove-circle:before {
content: "\e088"
}
.glyphicon-ok-circle:before {
content: "\e089"
}
.glyphicon-ban-circle:before {
content: "\e090"
}
.glyphicon-arrow-left:before {
content: "\e091"
}
.glyphicon-arrow-right:before {
content: "\e092"
}
.glyphicon-arrow-up:before {
content: "\e093"
}
.glyphicon-arrow-down:before {
content: "\e094"
}
.glyphicon-share-alt:before {
content: "\e095"
}
.glyphicon-resize-full:before {
content: "\e096"
}
.glyphicon-resize-small:before {
content: "\e097"
}
.glyphicon-exclamation-sign:before {
content: "\e101"
}
.glyphicon-gift:before {
content: "\e102"
}
.glyphicon-leaf:before {
content: "\e103"
}
.glyphicon-fire:before {
content: "\e104"
}
.glyphicon-eye-open:before {
content: "\e105"
}
.glyphicon-eye-close:before {
content: "\e106"
}
.glyphicon-warning-sign:before {
content: "\e107"
}
.glyphicon-plane:before {
content: "\e108"
}
.glyphicon-calendar:before {
content: "\e109"
}
.glyphicon-random:before {
content: "\e110"
}
.glyphicon-comment:before {
content: "\e111"
}
.glyphicon-magnet:before {
content: "\e112"
}
.glyphicon-chevron-up:before {
content: "\e113"
}
.glyphicon-chevron-down:before {
content: "\e114"
}
.glyphicon-retweet:before {
content: "\e115"
}
.glyphicon-shopping-cart:before {
content: "\e116"
}
.glyphicon-folder-close:before {
content: "\e117"
}
.glyphicon-folder-open:before {
content: "\e118"
}
.glyphicon-resize-vertical:before {
content: "\e119"
}
.glyphicon-resize-horizontal:before {
content: "\e120"
}
.glyphicon-hdd:before {
content: "\e121"
}
.glyphicon-bullhorn:before {
content: "\e122"
}
.glyphicon-bell:before {
content: "\e123"
}
.glyphicon-certificate:before {
content: "\e124"
}
.glyphicon-thumbs-up:before {
content: "\e125"
}
.glyphicon-thumbs-down:before {
content: "\e126"
}
.glyphicon-hand-right:before {
content: "\e127"
}
.glyphicon-hand-left:before {
content: "\e128"
}
.glyphicon-hand-up:before {
content: "\e129"
}
.glyphicon-hand-down:before {
content: "\e130"
}
.glyphicon-circle-arrow-right:before {
content: "\e131"
}
.glyphicon-circle-arrow-left:before {
content: "\e132"
}
.glyphicon-circle-arrow-up:before {
content: "\e133"
}
.glyphicon-circle-arrow-down:before {
content: "\e134"
}
.glyphicon-globe:before {
content: "\e135"
}
.glyphicon-wrench:before {
content: "\e136"
}
.glyphicon-tasks:before {
content: "\e137"
}
.glyphicon-filter:before {
content: "\e138"
}
.glyphicon-briefcase:before {
content: "\e139"
}
.glyphicon-fullscreen:before {
content: "\e140"
}
.glyphicon-dashboard:before {
content: "\e141"
}
.glyphicon-paperclip:before {
content: "\e142"
}
.glyphicon-heart-empty:before {
content: "\e143"
}
.glyphicon-link:before {
content: "\e144"
}
.glyphicon-phone:before {
content: "\e145"
}
.glyphicon-pushpin:before {
content: "\e146"
}
.glyphicon-usd:before {
content: "\e148"
}
.glyphicon-gbp:before {
content: "\e149"
}
.glyphicon-sort:before {
content: "\e150"
}
.glyphicon-sort-by-alphabet:before {
content: "\e151"
}
.glyphicon-sort-by-alphabet-alt:before {
content: "\e152"
}
.glyphicon-sort-by-order:before {
content: "\e153"
}
.glyphicon-sort-by-order-alt:before {
content: "\e154"
}
.glyphicon-sort-by-attributes:before {
content: "\e155"
}
.glyphicon-sort-by-attributes-alt:before {
content: "\e156"
}
.glyphicon-unchecked:before {
content: "\e157"
}
.glyphicon-expand:before {
content: "\e158"
}
.glyphicon-collapse-down:before {
content: "\e159"
}
.glyphicon-collapse-up:before {
content: "\e160"
}
.glyphicon-log-in:before {
content: "\e161"
}
.glyphicon-flash:before {
content: "\e162"
}
.glyphicon-log-out:before {
content: "\e163"
}
.glyphicon-new-window:before {
content: "\e164"
}
.glyphicon-record:before {
content: "\e165"
}
.glyphicon-save:before {
content: "\e166"
}
.glyphicon-open:before {
content: "\e167"
}
.glyphicon-saved:before {
content: "\e168"
}
.glyphicon-import:before {
content: "\e169"
}
.glyphicon-export:before {
content: "\e170"
}
.glyphicon-send:before {
content: "\e171"
}
.glyphicon-floppy-disk:before {
content: "\e172"
}
.glyphicon-floppy-saved:before {
content: "\e173"
}
.glyphicon-floppy-remove:before {
content: "\e174"
}
.glyphicon-floppy-save:before {
content: "\e175"
}
.glyphicon-floppy-open:before {
content: "\e176"
}
.glyphicon-credit-card:before {
content: "\e177"
}
.glyphicon-transfer:before {
content: "\e178"
}
.glyphicon-cutlery:before {
content: "\e179"
}
.glyphicon-header:before {
content: "\e180"
}
.glyphicon-compressed:before {
content: "\e181"
}
.glyphicon-earphone:before {
content: "\e182"
}
.glyphicon-phone-alt:before {
content: "\e183"
}
.glyphicon-tower:before {
content: "\e184"
}
.glyphicon-stats:before {
content: "\e185"
}
.glyphicon-sd-video:before {
content: "\e186"
}
.glyphicon-hd-video:before {
content: "\e187"
}
.glyphicon-subtitles:before {
content: "\e188"
}
.glyphicon-sound-stereo:before {
content: "\e189"
}
.glyphicon-sound-dolby:before {
content: "\e190"
}
.glyphicon-sound-5-1:before {
content: "\e191"
}
.glyphicon-sound-6-1:before {
content: "\e192"
}
.glyphicon-sound-7-1:before {
content: "\e193"
}
.glyphicon-copyright-mark:before {
content: "\e194"
}
.glyphicon-registration-mark:before {
content: "\e195"
}
.glyphicon-cloud-download:before {
content: "\e197"
}
.glyphicon-cloud-upload:before {
content: "\e198"
}
.glyphicon-tree-conifer:before {
content: "\e199"
}
.glyphicon-tree-deciduous:before {
content: "\e200"
}
* {
-webkit-box-sizing: border-box;
-moz-box-sizing: border-box;
box-sizing: border-box
}
:before, :after {
-webkit-box-sizing: border-box;
-moz-box-sizing: border-box;
box-sizing: border-box
}
html {
font-size: 10px;
-webkit-tap-highlight-color: rgba(0, 0, 0, 0)
}
body {
font-family: "Helvetica Neue", Helvetica, Arial, sans-serif;
font-size: 14px;
line-height: 1.42857143;
color: #333;
background-color: #fff
}
input, button, select, textarea {
font-family: inherit;
font-size: inherit;
line-height: inherit
}
a {
color: #428bca;
text-decoration: none
}
a:hover, a:focus {
color: #2a6496;
text-decoration: underline
}
a:focus {
outline: thin dotted;
outline: 5px auto -webkit-focus-ring-color;
outline-offset: -2px
}
figure {
margin: 0
}
img {
vertical-align: middle
}
.img-responsive, .thumbnail>img, .thumbnail a>img, .carousel-inner>.item>img, .carousel-inner>.item>a>img {
display: block;
max-width: 100%;
height: auto
}
.img-rounded {
border-radius: 6px
}
.img-thumbnail {
display: inline-block;
max-width: 100%;
height: auto;
padding: 4px;
line-height: 1.42857143;
background-color: #fff;
border: 1px solid #ddd;
border-radius: 4px;
-webkit-transition: all .2s ease-in-out;
-o-transition: all .2s ease-in-out;
transition: all .2s ease-in-out
}
.img-circle {
border-radius: 50%
}
hr {
margin-top: 20px;
margin-bottom: 20px;
border: 0;
border-top: 1px solid #eee
}
.sr-only {
position: absolute;
width: 1px;
height: 1px;
padding: 0;
margin: -1px;
overflow: hidden;
clip: rect(0, 0, 0, 0);
border: 0
}
.sr-only-focusable:active, .sr-only-focusable:focus {
position: static;
width: auto;
height: auto;
margin: 0;
overflow: visible;
clip: auto
}
h1, h2, h3, h4, h5, h6, .h1, .h2, .h3, .h4, .h5, .h6 {
font-family: inherit;
font-weight: 500;
line-height: 1.1;
color: inherit
}
h1 small, h2 small, h3 small, h4 small, h5 small, h6 small, .h1 small, .h2 small, .h3 small, .h4 small, .h5 small, .h6 small, h1 .small, h2 .small, h3 .small, h4 .small, h5 .small, h6 .small, .h1 .small, .h2 .small, .h3 .small, .h4 .small, .h5 .small, .h6 .small {
font-weight: 400;
line-height: 1;
color: #777
}
h1, .h1, h2, .h2, h3, .h3 {
margin-top:9px;
margin-bottom: 9px
}
h1 small, .h1 small, h2 small, .h2 small, h3 small, .h3 small, h1 .small, .h1 .small, h2 .small, .h2 .small, h3 .small, .h3 .small {
font-size: 65%
}
h4, .h4, h5, .h5, h6, .h6 {
margin-top: 1px;
margin-bottom: 1px
}
h4 small, .h4 small, h5 small, .h5 small, h6 small, .h6 small, h4 .small, .h4 .small, h5 .small, .h5 .small, h6 .small, .h6 .small {
font-size: 75%
}
h1, .h1 {
font-size: 36px
}
h2, .h2 {
font-size: 19px
}
h3, .h3 {
font-size: 24px
}
h4, .h4 {
font-size: 18px
}
h5, .h5 {
font-size: 14px
}
h6, .h6 {
font-size: 12px
}
p {
margin: 0 0 10px
}
.lead {
margin-bottom: 20px;
font-size: 16px;
font-weight: 300;
line-height: 1.4
}
@media (min-width:768px) {
.lead {
font-size: 21px
}
}
small, .small {
font-size: 85%
}
mark, .mark {
padding: .2em;
background-color: #fcf8e3
}
.text-left {
text-align: left
}
.text-right {
text-align: right
}
.text-center {
text-align: center
}
.text-justify {
text-align: justify
}
.text-nowrap {
white-space: nowrap
}
.text-lowercase {
text-transform: lowercase
}
.text-uppercase {
text-transform: uppercase
}
.text-capitalize {
text-transform: capitalize
}
.text-muted {
color: #777
}
.text-primary {
color: #428bca
}
a.text-primary:hover {
color: #3071a9
}
.text-success {
color: #3c763d
}
a.text-success:hover {
color: #2b542c
}
.text-info {
color: #31708f
}
a.text-info:hover {
color: #245269
}
.text-warning {
color: #8a6d3b
}
a.text-warning:hover {
color: #66512c
}
.text-danger {
color: #a94442
}
a.text-danger:hover {
color: #843534
}
.bg-primary {
color: #fff;
background-color: #428bca
}
a.bg-primary:hover {
background-color: #3071a9
}
.bg-success {
background-color: #dff0d8
}
a.bg-success:hover {
background-color: #c1e2b3
}
.bg-info {
background-color: #d9edf7
}
a.bg-info:hover {
background-color: #afd9ee
}
.bg-warning {
background-color: #fcf8e3
}
a.bg-warning:hover {
background-color: #f7ecb5
}
.bg-danger {
background-color: #f2dede
}
a.bg-danger:hover {
background-color: #e4b9b9
}
.page-header {
padding-bottom: 9px;
margin: 0px 0 0px;
border-bottom: 1px solid #eee
}
ul, ol {
margin-top: 0;
margin-bottom: 10px
}
ul ul, ol ul, ul ol, ol ol {
margin-bottom: 0
}
.list-unstyled {
padding-left: 0;
list-style: none
}
.list-inline {
padding-left: 0;
margin-left: -5px;
list-style: none
}
.list-inline>li {
display: inline-block;
padding-right: 5px;
padding-left: 5px
}
dl {
margin-top: 0;
margin-bottom: 20px
}
dt, dd {
line-height: 1.42857143
}
dt {
font-weight: 700
}
dd {
margin-left: 0
}
@media (min-width:768px) {
.dl-horizontal dt {
float: left;
width: 160px;
overflow: hidden;
clear: left;
text-align: right;
text-overflow: ellipsis;
white-space: nowrap
}
.dl-horizontal dd {
margin-left: 180px
}
}
abbr[title], abbr[data-original-title] {
cursor: help;
border-bottom: 1px dotted #777
}
.initialism {
font-size: 90%;
text-transform: uppercase
}
blockquote {
padding: 10px 20px;
margin: 0 0 20px;
font-size: 17.5px;
border-left: 5px solid #eee
}
blockquote p:last-child, blockquote ul:last-child, blockquote ol:last-child {
margin-bottom: 0
}
blockquote footer, blockquote small, blockquote .small {
display: block;
font-size: 80%;
line-height: 1.42857143;
color: #777
}
blockquote footer:before, blockquote small:before, blockquote .small:before {
content: '\2014 \00A0'
}
.blockquote-reverse, blockquote.pull-right {
padding-right: 15px;
padding-left: 0;
text-align: right;
border-right: 5px solid #eee;
border-left: 0
}
.blockquote-reverse footer:before, blockquote.pull-right footer:before, .blockquote-reverse small:before, blockquote.pull-right small:before, .blockquote-reverse .small:before, blockquote.pull-right .small:before {
content: ''
}
.blockquote-reverse footer:after, blockquote.pull-right footer:after, .blockquote-reverse small:after, blockquote.pull-right small:after, .blockquote-reverse .small:after, blockquote.pull-right .small:after {
content: '\00A0 \2014'
}
address {
margin-bottom: 20px;
font-style: normal;
line-height: 1.42857143
}
code, kbd, pre, samp {
font-family: Menlo, Monaco, Consolas, "Courier New", monospace
}
code {
padding: 2px 4px;
font-size: 90%;
color: #c7254e;
background-color: #f9f2f4;
border-radius: 4px
}
kbd {
padding: 2px 4px;
font-size: 90%;
color: #fff;
background-color: #333;
border-radius: 3px;
-webkit-box-shadow: inset 0 -1px 0 rgba(0, 0, 0, .25);
box-shadow: inset 0 -1px 0 rgba(0, 0, 0, .25)
}
kbd kbd {
padding: 0;
font-size: 100%;
font-weight: 700;
-webkit-box-shadow: none;
box-shadow: none
}
pre {
display: block;
padding: 9.5px;
margin: 0 0 10px;
font-size: 13px;
line-height: 1.42857143;
color: #333;
word-break: break-all;
word-wrap: break-word;
background-color: #f5f5f5;
border: 1px solid #ccc;
border-radius: 4px
}
pre code {
padding: 0;
font-size: inherit;
color: inherit;
white-space: pre-wrap;
background-color: transparent;
border-radius: 0
}
.pre-scrollable {
max-height: 340px;
overflow-y: scroll
}
.container {
padding-right: 15px;
padding-left: 15px;
margin-right: auto;
margin-left: auto
}
@media (min-width:768px) {
.container {
width: 750px
}
}
@media (min-width:992px) {
.container {
width: 970px
}
}
@media (min-width:1200px) {
.container {
width: 1170px
}
}
.container-fluid {
padding-right: 15px;
padding-left: 15px;
margin-right: auto;
margin-left: auto
}
.row {
margin-right: -15px;
margin-left: -15px
}
.col-xs-1, .col-sm-1, .col-md-1, .col-lg-1, .col-xs-2, .col-sm-2, .col-md-2, .col-lg-2, .col-xs-3, .col-sm-3, .col-md-3, .col-lg-3, .col-xs-4, .col-sm-4, .col-md-4, .col-lg-4, .col-xs-5, .col-sm-5, .col-md-5, .col-lg-5, .col-xs-6, .col-sm-6, .col-md-6, .col-lg-6, .col-xs-7, .col-sm-7, .col-md-7, .col-lg-7, .col-xs-8, .col-sm-8, .col-md-8, .col-lg-8, .col-xs-9, .col-sm-9, .col-md-9, .col-lg-9, .col-xs-10, .col-sm-10, .col-md-10, .col-lg-10, .col-xs-11, .col-sm-11, .col-md-11, .col-lg-11, .col-xs-12, .col-sm-12, .col-md-12, .col-lg-12 {
position: relative;
min-height: 1px;
padding-right: 15px;
padding-left: 15px
}
.col-xs-1, .col-xs-2, .col-xs-3, .col-xs-4, .col-xs-5, .col-xs-6, .col-xs-7, .col-xs-8, .col-xs-9, .col-xs-10, .col-xs-11, .col-xs-12 {
float: left
}
.col-xs-12 {
width: 100%
}
.col-xs-11 {
width: 91.66666667%
}
.col-xs-10 {
width: 83.33333333%
}
.col-xs-9 {
width: 75%
}
.col-xs-8 {
width: 66.66666667%
}
.col-xs-7 {
width: 58.33333333%
}
.col-xs-6 {
width: 50%
}
.col-xs-5 {
width: 41.66666667%
}
.col-xs-4 {
width: 33.33333333%
}
.col-xs-3 {
width: 25%
}
.col-xs-2 {
width: 16.66666667%
}
.col-xs-1 {
width: 8.33333333%
}
.col-xs-pull-12 {
right: 100%
}
.col-xs-pull-11 {
right: 91.66666667%
}
.col-xs-pull-10 {
right: 83.33333333%
}
.col-xs-pull-9 {
right: 75%
}
.col-xs-pull-8 {
right: 66.66666667%
}
.col-xs-pull-7 {
right: 58.33333333%
}
.col-xs-pull-6 {
right: 50%
}
.col-xs-pull-5 {
right: 41.66666667%
}
.col-xs-pull-4 {
right: 33.33333333%
}
.col-xs-pull-3 {
right: 25%
}
.col-xs-pull-2 {
right: 16.66666667%
}
.col-xs-pull-1 {
right: 8.33333333%
}
.col-xs-pull-0 {
right: auto
}
.col-xs-push-12 {
left: 100%
}
.col-xs-push-11 {
left: 91.66666667%
}
.col-xs-push-10 {
left: 83.33333333%
}
.col-xs-push-9 {
left: 75%
}
.col-xs-push-8 {
left: 66.66666667%
}
.col-xs-push-7 {
left: 58.33333333%
}
.col-xs-push-6 {
left: 50%
}
.col-xs-push-5 {
left: 41.66666667%
}
.col-xs-push-4 {
left: 33.33333333%
}
.col-xs-push-3 {
left: 25%
}
.col-xs-push-2 {
left: 16.66666667%
}
.col-xs-push-1 {
left: 8.33333333%
}
.col-xs-push-0 {
left: auto
}
.col-xs-offset-12 {
margin-left: 100%
}
.col-xs-offset-11 {
margin-left: 91.66666667%
}
.col-xs-offset-10 {
margin-left: 83.33333333%
}
.col-xs-offset-9 {
margin-left: 75%
}
.col-xs-offset-8 {
margin-left: 66.66666667%
}
.col-xs-offset-7 {
margin-left: 58.33333333%
}
.col-xs-offset-6 {
margin-left: 50%
}
.col-xs-offset-5 {
margin-left: 41.66666667%
}
.col-xs-offset-4 {
margin-left: 33.33333333%
}
.col-xs-offset-3 {
margin-left: 25%
}
.col-xs-offset-2 {
margin-left: 16.66666667%
}
.col-xs-offset-1 {
margin-left: 8.33333333%
}
.col-xs-offset-0 {
margin-left: 0
}
@media (min-width:768px) {
.col-sm-1, .col-sm-2, .col-sm-3, .col-sm-4, .col-sm-5, .col-sm-6, .col-sm-7, .col-sm-8, .col-sm-9, .col-sm-10, .col-sm-11, .col-sm-12 {
float: left
}
.col-sm-12 {
width: 100%
}
.col-sm-11 {
width: 91.66666667%
}
.col-sm-10 {
width: 83.33333333%
}
.col-sm-9 {
width: 75%
}
.col-sm-8 {
width: 66.66666667%
}
.col-sm-7 {
width: 58.33333333%
}
.col-sm-6 {
width: 50%
}
.col-sm-5 {
width: 41.66666667%
}
.col-sm-4 {
width: 33.33333333%
}
.col-sm-3 {
width: 25%
}
.col-sm-2 {
width: 16.66666667%
}
.col-sm-1 {
width: 8.33333333%
}
.col-sm-pull-12 {
right: 100%
}
.col-sm-pull-11 {
right: 91.66666667%
}
.col-sm-pull-10 {
right: 83.33333333%
}
.col-sm-pull-9 {
right: 75%
}
.col-sm-pull-8 {
right: 66.66666667%
}
.col-sm-pull-7 {
right: 58.33333333%
}
.col-sm-pull-6 {
right: 50%
}
.col-sm-pull-5 {
right: 41.66666667%
}
.col-sm-pull-4 {
right: 33.33333333%
}
.col-sm-pull-3 {
right: 25%
}
.col-sm-pull-2 {
right: 16.66666667%
}
.col-sm-pull-1 {
right: 8.33333333%
}
.col-sm-pull-0 {
right: auto
}
.col-sm-push-12 {
left: 100%
}
.col-sm-push-11 {
left: 91.66666667%
}
.col-sm-push-10 {
left: 83.33333333%
}
.col-sm-push-9 {
left: 75%
}
.col-sm-push-8 {
left: 66.66666667%
}
.col-sm-push-7 {
left: 58.33333333%
}
.col-sm-push-6 {
left: 50%
}
.col-sm-push-5 {
left: 41.66666667%
}
.col-sm-push-4 {
left: 33.33333333%
}
.col-sm-push-3 {
left: 25%
}
.col-sm-push-2 {
left: 16.66666667%
}
.col-sm-push-1 {
left: 8.33333333%
}
.col-sm-push-0 {
left: auto
}
.col-sm-offset-12 {
margin-left: 100%
}
.col-sm-offset-11 {
margin-left: 91.66666667%
}
.col-sm-offset-10 {
margin-left: 83.33333333%
}
.col-sm-offset-9 {
margin-left: 75%
}
.col-sm-offset-8 {
margin-left: 66.66666667%
}
.col-sm-offset-7 {
margin-left: 58.33333333%
}
.col-sm-offset-6 {
margin-left: 50%
}
.col-sm-offset-5 {
margin-left: 41.66666667%
}
.col-sm-offset-4 {
margin-left: 33.33333333%
}
.col-sm-offset-3 {
margin-left: 25%
}
.col-sm-offset-2 {
margin-left: 16.66666667%
}
.col-sm-offset-1 {
margin-left: 8.33333333%
}
.col-sm-offset-0 {
margin-left: 0
}
}
@media (min-width:992px) {
.col-md-1, .col-md-2, .col-md-3, .col-md-4, .col-md-5, .col-md-6, .col-md-7, .col-md-8, .col-md-9, .col-md-10, .col-md-11, .col-md-12 {
float: left
}
.col-md-12 {
width: 100%
}
.col-md-11 {
width: 91.66666667%
}
.col-md-10 {
width: 83.33333333%
}
.col-md-9 {
width: 75%
}
.col-md-8 {
width: 66.66666667%
}
.col-md-7 {
width: 58.33333333%
}
.col-md-6 {
width: 50%
}
.col-md-5 {
width: 41.66666667%
}
.col-md-4 {
width: 33.33333333%
}
.col-md-3 {
width: 25%
}
.col-md-2 {
width: 16.66666667%
}
.col-md-1 {
width: 8.33333333%
}
.col-md-pull-12 {
right: 100%
}
.col-md-pull-11 {
right: 91.66666667%
}
.col-md-pull-10 {
right: 83.33333333%
}
.col-md-pull-9 {
right: 75%
}
.col-md-pull-8 {
right: 66.66666667%
}
.col-md-pull-7 {
right: 58.33333333%
}
.col-md-pull-6 {
right: 50%
}
.col-md-pull-5 {
right: 41.66666667%
}
.col-md-pull-4 {
right: 33.33333333%
}
.col-md-pull-3 {
right: 25%
}
.col-md-pull-2 {
right: 16.66666667%
}
.col-md-pull-1 {
right: 8.33333333%
}
.col-md-pull-0 {
right: auto
}
.col-md-push-12 {
left: 100%
}
.col-md-push-11 {
left: 91.66666667%
}
.col-md-push-10 {
left: 83.33333333%
}
.col-md-push-9 {
left: 75%
}
.col-md-push-8 {
left: 66.66666667%
}
.col-md-push-7 {
left: 58.33333333%
}
.col-md-push-6 {
left: 50%
}
.col-md-push-5 {
left: 41.66666667%
}
.col-md-push-4 {
left: 33.33333333%
}
.col-md-push-3 {
left: 25%
}
.col-md-push-2 {
left: 16.66666667%
}
.col-md-push-1 {
left: 8.33333333%
}
.col-md-push-0 {
left: auto
}
.col-md-offset-12 {
margin-left: 100%
}
.col-md-offset-11 {
margin-left: 91.66666667%
}
.col-md-offset-10 {
margin-left: 83.33333333%
}
.col-md-offset-9 {
margin-left: 75%
}
.col-md-offset-8 {
margin-left: 66.66666667%
}
.col-md-offset-7 {
margin-left: 58.33333333%
}
.col-md-offset-6 {
margin-left: 50%
}
.col-md-offset-5 {
margin-left: 41.66666667%
}
.col-md-offset-4 {
margin-left: 33.33333333%
}
.col-md-offset-3 {
margin-left: 25%
}
.col-md-offset-2 {
margin-left: 16.66666667%
}
.col-md-offset-1 {
margin-left: 8.33333333%
}
.col-md-offset-0 {
margin-left: 0
}
}
@media (min-width:1200px) {
.col-lg-1, .col-lg-2, .col-lg-3, .col-lg-4, .col-lg-5, .col-lg-6, .col-lg-7, .col-lg-8, .col-lg-9, .col-lg-10, .col-lg-11, .col-lg-12 {
float: left
}
.col-lg-12 {
width: 100%
}
.col-lg-11 {
width: 91.66666667%
}
.col-lg-10 {
width: 83.33333333%
}
.col-lg-9 {
width: 75%
}
.col-lg-8 {
width: 66.66666667%
}
.col-lg-7 {
width: 58.33333333%
}
.col-lg-6 {
width: 50%
}
.col-lg-5 {
width: 41.66666667%
}
.col-lg-4 {
width: 33.33333333%
}
.col-lg-3 {
width: 25%
}
.col-lg-2 {
width: 16.66666667%
}
.col-lg-1 {
width: 8.33333333%
}
.col-lg-pull-12 {
right: 100%
}
.col-lg-pull-11 {
right: 91.66666667%
}
.col-lg-pull-10 {
right: 83.33333333%
}
.col-lg-pull-9 {
right: 75%
}
.col-lg-pull-8 {
right: 66.66666667%
}
.col-lg-pull-7 {
right: 58.33333333%
}
.col-lg-pull-6 {
right: 50%
}
.col-lg-pull-5 {
right: 41.66666667%
}
.col-lg-pull-4 {
right: 33.33333333%
}
.col-lg-pull-3 {
right: 25%
}
.col-lg-pull-2 {
right: 16.66666667%
}
.col-lg-pull-1 {
right: 8.33333333%
}
.col-lg-pull-0 {
right: auto
}
.col-lg-push-12 {
left: 100%
}
.col-lg-push-11 {
left: 91.66666667%
}
.col-lg-push-10 {
left: 83.33333333%
}
.col-lg-push-9 {
left: 75%
}
.col-lg-push-8 {
left: 66.66666667%
}
.col-lg-push-7 {
left: 58.33333333%
}
.col-lg-push-6 {
left: 50%
}
.col-lg-push-5 {
left: 41.66666667%
}
.col-lg-push-4 {
left: 33.33333333%
}
.col-lg-push-3 {
left: 25%
}
.col-lg-push-2 {
left: 16.66666667%
}
.col-lg-push-1 {
left: 8.33333333%
}
.col-lg-push-0 {
left: auto
}
.col-lg-offset-12 {
margin-left: 100%
}
.col-lg-offset-11 {
margin-left: 91.66666667%
}
.col-lg-offset-10 {
margin-left: 83.33333333%
}
.col-lg-offset-9 {
margin-left: 75%
}
.col-lg-offset-8 {
margin-left: 66.66666667%
}
.col-lg-offset-7 {
margin-left: 58.33333333%
}
.col-lg-offset-6 {
margin-left: 50%
}
.col-lg-offset-5 {
margin-left: 41.66666667%
}
.col-lg-offset-4 {
margin-left: 33.33333333%
}
.col-lg-offset-3 {
margin-left: 25%
}
.col-lg-offset-2 {
margin-left: 16.66666667%
}
.col-lg-offset-1 {
margin-left: 8.33333333%
}
.col-lg-offset-0 {
margin-left: 0
}
}
table {
background-color: transparent
}
caption {
padding-top: 8px;
padding-bottom: 8px;
color: #777;
text-align: left
}
th {
text-align: left
}
.table {
width: 100%;
max-width: 100%;
margin-bottom: 20px
}
.table>thead>tr>th, .table>tbody>tr>th, .table>tfoot>tr>th, .table>thead>tr>td, .table>tbody>tr>td, .table>tfoot>tr>td {
padding: 8px;
line-height: 1.42857143;
vertical-align: top;
border-top: 1px solid #ddd
}
.table>thead>tr>th {
vertical-align: bottom;
border-bottom: 2px solid #ddd
}
.table>caption+thead>tr:first-child>th, .table>colgroup+thead>tr:first-child>th, .table>thead:first-child>tr:first-child>th, .table>caption+thead>tr:first-child>td, .table>colgroup+thead>tr:first-child>td, .table>thead:first-child>tr:first-child>td {
border-top: 0
}
.table>tbody+tbody {
border-top: 2px solid #ddd
}
.table .table {
background-color: #fff
}
.table-condensed>thead>tr>th, .table-condensed>tbody>tr>th, .table-condensed>tfoot>tr>th, .table-condensed>thead>tr>td, .table-condensed>tbody>tr>td, .table-condensed>tfoot>tr>td {
padding: 5px
}
.table-bordered {
border: 1px solid #ddd
}
.table-bordered>thead>tr>th, .table-bordered>tbody>tr>th, .table-bordered>tfoot>tr>th, .table-bordered>thead>tr>td, .table-bordered>tbody>tr>td, .table-bordered>tfoot>tr>td {
border: 1px solid #ddd
}
.table-bordered>thead>tr>th, .table-bordered>thead>tr>td {
border-bottom-width: 2px
}
.table-striped>tbody>tr:nth-child(odd) {
background-color: #f9f9f9
}
.table-hover>tbody>tr:hover {
background-color: #f5f5f5
}
table col[class*=col-] {
position: static;
display: table-column;
float: none
}
table td[class*=col-], table th[class*=col-] {
position: static;
display: table-cell;
float: none
}
.table>thead>tr>td.active, .table>tbody>tr>td.active, .table>tfoot>tr>td.active, .table>thead>tr>th.active, .table>tbody>tr>th.active, .table>tfoot>tr>th.active, .table>thead>tr.active>td, .table>tbody>tr.active>td, .table>tfoot>tr.active>td, .table>thead>tr.active>th, .table>tbody>tr.active>th, .table>tfoot>tr.active>th {
background-color: #f5f5f5
}
.table-hover>tbody>tr>td.active:hover, .table-hover>tbody>tr>th.active:hover, .table-hover>tbody>tr.active:hover>td, .table-hover>tbody>tr:hover>.active, .table-hover>tbody>tr.active:hover>th {
background-color: #e8e8e8
}
.table>thead>tr>td.success, .table>tbody>tr>td.success, .table>tfoot>tr>td.success, .table>thead>tr>th.success, .table>tbody>tr>th.success, .table>tfoot>tr>th.success, .table>thead>tr.success>td, .table>tbody>tr.success>td, .table>tfoot>tr.success>td, .table>thead>tr.success>th, .table>tbody>tr.success>th, .table>tfoot>tr.success>th {
background-color: #dff0d8
}
.table-hover>tbody>tr>td.success:hover, .table-hover>tbody>tr>th.success:hover, .table-hover>tbody>tr.success:hover>td, .table-hover>tbody>tr:hover>.success, .table-hover>tbody>tr.success:hover>th {
background-color: #d0e9c6
}
.table>thead>tr>td.info, .table>tbody>tr>td.info, .table>tfoot>tr>td.info, .table>thead>tr>th.info, .table>tbody>tr>th.info, .table>tfoot>tr>th.info, .table>thead>tr.info>td, .table>tbody>tr.info>td, .table>tfoot>tr.info>td, .table>thead>tr.info>th, .table>tbody>tr.info>th, .table>tfoot>tr.info>th {
background-color: #d9edf7
}
.table-hover>tbody>tr>td.info:hover, .table-hover>tbody>tr>th.info:hover, .table-hover>tbody>tr.info:hover>td, .table-hover>tbody>tr:hover>.info, .table-hover>tbody>tr.info:hover>th {
background-color: #c4e3f3
}
.table>thead>tr>td.warning, .table>tbody>tr>td.warning, .table>tfoot>tr>td.warning, .table>thead>tr>th.warning, .table>tbody>tr>th.warning, .table>tfoot>tr>th.warning, .table>thead>tr.warning>td, .table>tbody>tr.warning>td, .table>tfoot>tr.warning>td, .table>thead>tr.warning>th, .table>tbody>tr.warning>th, .table>tfoot>tr.warning>th {
background-color: #fcf8e3
}
.table-hover>tbody>tr>td.warning:hover, .table-hover>tbody>tr>th.warning:hover, .table-hover>tbody>tr.warning:hover>td, .table-hover>tbody>tr:hover>.warning, .table-hover>tbody>tr.warning:hover>th {
background-color: #faf2cc
}
.table>thead>tr>td.danger, .table>tbody>tr>td.danger, .table>tfoot>tr>td.danger, .table>thead>tr>th.danger, .table>tbody>tr>th.danger, .table>tfoot>tr>th.danger, .table>thead>tr.danger>td, .table>tbody>tr.danger>td, .table>tfoot>tr.danger>td, .table>thead>tr.danger>th, .table>tbody>tr.danger>th, .table>tfoot>tr.danger>th {
background-color: #f2dede
}
.table-hover>tbody>tr>td.danger:hover, .table-hover>tbody>tr>th.danger:hover, .table-hover>tbody>tr.danger:hover>td, .table-hover>tbody>tr:hover>.danger, .table-hover>tbody>tr.danger:hover>th {
background-color: #ebcccc
}
.table-responsive {
min-height: .01%;
overflow-x: auto
}
@media screen and (max-width:767px) {
.table-responsive {
width: 100%;
margin-bottom: 15px;
overflow-y: hidden;
-ms-overflow-style: -ms-autohiding-scrollbar;
border: 1px solid #ddd
}
.table-responsive>.table {
margin-bottom: 0
}
.table-responsive>.table>thead>tr>th, .table-responsive>.table>tbody>tr>th, .table-responsive>.table>tfoot>tr>th, .table-responsive>.table>thead>tr>td, .table-responsive>.table>tbody>tr>td, .table-responsive>.table>tfoot>tr>td {
white-space: nowrap
}
.table-responsive>.table-bordered {
border: 0
}
.table-responsive>.table-bordered>thead>tr>th:first-child, .table-responsive>.table-bordered>tbody>tr>th:first-child, .table-responsive>.table-bordered>tfoot>tr>th:first-child, .table-responsive>.table-bordered>thead>tr>td:first-child, .table-responsive>.table-bordered>tbody>tr>td:first-child, .table-responsive>.table-bordered>tfoot>tr>td:first-child {
border-left: 0
}
.table-responsive>.table-bordered>thead>tr>th:last-child, .table-responsive>.table-bordered>tbody>tr>th:last-child, .table-responsive>.table-bordered>tfoot>tr>th:last-child, .table-responsive>.table-bordered>thead>tr>td:last-child, .table-responsive>.table-bordered>tbody>tr>td:last-child, .table-responsive>.table-bordered>tfoot>tr>td:last-child {
border-right: 0
}
.table-responsive>.table-bordered>tbody>tr:last-child>th, .table-responsive>.table-bordered>tfoot>tr:last-child>th, .table-responsive>.table-bordered>tbody>tr:last-child>td, .table-responsive>.table-bordered>tfoot>tr:last-child>td {
border-bottom: 0
}
}
fieldset {
min-width: 0;
padding: 0;
margin: 0;
border: 0
}
legend {
display: block;
width: 100%;
padding: 0;
margin-bottom: 20px;
font-size: 21px;
line-height: inherit;
color: #333;
border: 0;
border-bottom: 1px solid #e5e5e5
}
label {
display: inline-block;
max-width: 100%;
margin-bottom: 5px;
font-weight: 700
}
input[type=search] {
-webkit-box-sizing: border-box;
-moz-box-sizing: border-box;
box-sizing: border-box
}
input[type=radio], input[type=checkbox] {
margin: 4px 0 0;
margin-top: 1px \9;
line-height: normal
}
input[type=file] {
display: block
}
input[type=range] {
display: block;
width: 100%
}
select[multiple], select[size] {
height: auto
}
input[type=file]:focus, input[type=radio]:focus, input[type=checkbox]:focus {
outline: thin dotted;
outline: 5px auto -webkit-focus-ring-color;
outline-offset: -2px
}
output {
display: block;
padding-top: 7px;
font-size: 14px;
line-height: 1.42857143;
color: #555
}
.form-control {
display: block;
width: 100%;
height: 34px;
padding: 6px 12px;
font-size: 14px;
line-height: 1.42857143;
color: #555;
background-color: #fff;
background-image: none;
border: 1px solid #ccc;
border-radius: 4px;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075);
box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075);
-webkit-transition: border-color ease-in-out .15s, -webkit-box-shadow ease-in-out .15s;
-o-transition: border-color ease-in-out .15s, box-shadow ease-in-out .15s;
transition: border-color ease-in-out .15s, box-shadow ease-in-out .15s
}
.form-control:focus {
border-color: #66afe9;
outline: 0;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 8px rgba(102, 175, 233, .6);
box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 8px rgba(102, 175, 233, .6)
}
.form-control::-moz-placeholder {
color: #999;
opacity: 1
}
.form-control:-ms-input-placeholder {
color: #999
}
.form-control::-webkit-input-placeholder {
color: #999
}
.form-control[disabled], .form-control[readonly], fieldset[disabled] .form-control {
cursor: not-allowed;
background-color: #eee;
opacity: 1
}
textarea.form-control {
height: auto
}
input[type=search] {
-webkit-appearance: none
}
input[type=date], input[type=time], input[type=datetime-local], input[type=month] {
line-height: 34px;
line-height: 1.42857143 \0
}
input[type=date].input-sm, input[type=time].input-sm, input[type=datetime-local].input-sm, input[type=month].input-sm {
line-height: 30px;
line-height: 1.5 \0
}
input[type=date].input-lg, input[type=time].input-lg, input[type=datetime-local].input-lg, input[type=month].input-lg {
line-height: 46px;
line-height: 1.33 \0
}
_:-ms-fullscreen, :root input[type=date], _:-ms-fullscreen, :root input[type=time], _:-ms-fullscreen, :root input[type=datetime-local], _:-ms-fullscreen, :root input[type=month] {
line-height: 1.42857143
}
_:-ms-fullscreen.input-sm, :root input[type=date].input-sm, _:-ms-fullscreen.input-sm, :root input[type=time].input-sm, _:-ms-fullscreen.input-sm, :root input[type=datetime-local].input-sm, _:-ms-fullscreen.input-sm, :root input[type=month].input-sm {
line-height: 1.5
}
_:-ms-fullscreen.input-lg, :root input[type=date].input-lg, _:-ms-fullscreen.input-lg, :root input[type=time].input-lg, _:-ms-fullscreen.input-lg, :root input[type=datetime-local].input-lg, _:-ms-fullscreen.input-lg, :root input[type=month].input-lg {
line-height: 1.33
}
.form-group {
margin-bottom: 15px
}
.radio, .checkbox {
position: relative;
display: block;
margin-top: 10px;
margin-bottom: 10px
}
.radio label, .checkbox label {
min-height: 20px;
padding-left: 20px;
margin-bottom: 0;
font-weight: 400;
cursor: pointer
}
.radio input[type=radio], .radio-inline input[type=radio], .checkbox input[type=checkbox], .checkbox-inline input[type=checkbox] {
position: absolute;
margin-top: 4px \9;
margin-left: -20px
}
.radio+.radio, .checkbox+.checkbox {
margin-top: -5px
}
.radio-inline, .checkbox-inline {
display: inline-block;
padding-left: 20px;
margin-bottom: 0;
font-weight: 400;
vertical-align: middle;
cursor: pointer
}
.radio-inline+.radio-inline, .checkbox-inline+.checkbox-inline {
margin-top: 0;
margin-left: 10px
}
input[type=radio][disabled], input[type=checkbox][disabled], input[type=radio].disabled, input[type=checkbox].disabled, fieldset[disabled] input[type=radio], fieldset[disabled] input[type=checkbox] {
cursor: not-allowed
}
.radio-inline.disabled, .checkbox-inline.disabled, fieldset[disabled] .radio-inline, fieldset[disabled] .checkbox-inline {
cursor: not-allowed
}
.radio.disabled label, .checkbox.disabled label, fieldset[disabled] .radio label, fieldset[disabled] .checkbox label {
cursor: not-allowed
}
.form-control-static {
padding-top: 7px;
padding-bottom: 7px;
margin-bottom: 0
}
.form-control-static.input-lg, .form-control-static.input-sm {
padding-right: 0;
padding-left: 0
}
.input-sm, .form-group-sm .form-control {
height: 30px;
padding: 5px 10px;
font-size: 12px;
line-height: 1.5;
border-radius: 3px
}
select.input-sm, select.form-group-sm .form-control {
height: 30px;
line-height: 30px
}
textarea.input-sm, textarea.form-group-sm .form-control, select[multiple].input-sm, select[multiple].form-group-sm .form-control {
height: auto
}
.input-lg, .form-group-lg .form-control {
height: 46px;
padding: 10px 16px;
font-size: 18px;
line-height: 1.33;
border-radius: 6px
}
select.input-lg, select.form-group-lg .form-control {
height: 46px;
line-height: 46px
}
textarea.input-lg, textarea.form-group-lg .form-control, select[multiple].input-lg, select[multiple].form-group-lg .form-control {
height: auto
}
.has-feedback {
position: relative
}
.has-feedback .form-control {
padding-right: 42.5px
}
.form-control-feedback {
position: absolute;
top: 0;
right: 0;
z-index: 2;
display: block;
width: 34px;
height: 34px;
line-height: 34px;
text-align: center;
pointer-events: none
}
.input-lg+.form-control-feedback {
width: 46px;
height: 46px;
line-height: 46px
}
.input-sm+.form-control-feedback {
width: 30px;
height: 30px;
line-height: 30px
}
.has-success .help-block, .has-success .control-label, .has-success .radio, .has-success .checkbox, .has-success .radio-inline, .has-success .checkbox-inline, .has-success.radio label, .has-success.checkbox label, .has-success.radio-inline label, .has-success.checkbox-inline label {
color: #3c763d
}
.has-success .form-control {
border-color: #3c763d;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075);
box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075)
}
.has-success .form-control:focus {
border-color: #2b542c;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #67b168;
box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #67b168
}
.has-success .input-group-addon {
color: #3c763d;
background-color: #dff0d8;
border-color: #3c763d
}
.has-success .form-control-feedback {
color: #3c763d
}
.has-warning .help-block, .has-warning .control-label, .has-warning .radio, .has-warning .checkbox, .has-warning .radio-inline, .has-warning .checkbox-inline, .has-warning.radio label, .has-warning.checkbox label, .has-warning.radio-inline label, .has-warning.checkbox-inline label {
color: #8a6d3b
}
.has-warning .form-control {
border-color: #8a6d3b;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075);
box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075)
}
.has-warning .form-control:focus {
border-color: #66512c;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #c0a16b;
box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #c0a16b
}
.has-warning .input-group-addon {
color: #8a6d3b;
background-color: #fcf8e3;
border-color: #8a6d3b
}
.has-warning .form-control-feedback {
color: #8a6d3b
}
.has-error .help-block, .has-error .control-label, .has-error .radio, .has-error .checkbox, .has-error .radio-inline, .has-error .checkbox-inline, .has-error.radio label, .has-error.checkbox label, .has-error.radio-inline label, .has-error.checkbox-inline label {
color: #a94442
}
.has-error .form-control {
border-color: #a94442;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075);
box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075)
}
.has-error .form-control:focus {
border-color: #843534;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #ce8483;
box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #ce8483
}
.has-error .input-group-addon {
color: #a94442;
background-color: #f2dede;
border-color: #a94442
}
.has-error .form-control-feedback {
color: #a94442
}
.has-feedback label~.form-control-feedback {
top: 25px
}
.has-feedback label.sr-only~.form-control-feedback {
top: 0
}
.help-block {
display: block;
margin-top: 5px;
margin-bottom: 10px;
color: #737373
}
@media (min-width:768px) {
.form-inline .form-group {
display: inline-block;
margin-bottom: 0;
vertical-align: middle
}
.form-inline .form-control {
display: inline-block;
width: auto;
vertical-align: middle
}
.form-inline .form-control-static {
display: inline-block
}
.form-inline .input-group {
display: inline-table;
vertical-align: middle
}
.form-inline .input-group .input-group-addon, .form-inline .input-group .input-group-btn, .form-inline .input-group .form-control {
width: auto
}
.form-inline .input-group>.form-control {
width: 100%
}
.form-inline .control-label {
margin-bottom: 0;
vertical-align: middle
}
.form-inline .radio, .form-inline .checkbox {
display: inline-block;
margin-top: 0;
margin-bottom: 0;
vertical-align: middle
}
.form-inline .radio label, .form-inline .checkbox label {
padding-left: 0
}
.form-inline .radio input[type=radio], .form-inline .checkbox input[type=checkbox] {
position: relative;
margin-left: 0
}
.form-inline .has-feedback .form-control-feedback {
top: 0
}
}
.form-horizontal .radio, .form-horizontal .checkbox, .form-horizontal .radio-inline, .form-horizontal .checkbox-inline {
padding-top: 7px;
margin-top: 0;
margin-bottom: 0
}
.form-horizontal .radio, .form-horizontal .checkbox {
min-height: 27px
}
.form-horizontal .form-group {
margin-right: -15px;
margin-left: -15px
}
@media (min-width:768px) {
.form-horizontal .control-label {
padding-top: 7px;
margin-bottom: 0;
text-align: right
}
}
.form-horizontal .has-feedback .form-control-feedback {
right: 15px
}
@media (min-width:768px) {
.form-horizontal .form-group-lg .control-label {
padding-top: 14.3px
}
}
@media (min-width:768px) {
.form-horizontal .form-group-sm .control-label {
padding-top: 6px
}
}
.btn {
display: inline-block;
padding: 6px 12px;
margin-bottom: 0;
font-size: 14px;
font-weight: 400;
line-height: 1.42857143;
text-align: center;
white-space: nowrap;
vertical-align: middle;
-ms-touch-action: manipulation;
touch-action: manipulation;
cursor: pointer;
-webkit-user-select: none;
-moz-user-select: none;
-ms-user-select: none;
user-select: none;
background-image: none;
border: 1px solid transparent;
border-radius: 4px
}
.btn:focus, .btn:active:focus, .btn.active:focus, .btn.focus, .btn:active.focus, .btn.active.focus {
outline: thin dotted;
outline: 5px auto -webkit-focus-ring-color;
outline-offset: -2px
}
.btn:hover, .btn:focus, .btn.focus {
color: #333;
text-decoration: none
}
.btn:active, .btn.active {
background-image: none;
outline: 0;
-webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125);
box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125)
}
.btn.disabled, .btn[disabled], fieldset[disabled] .btn {
pointer-events: none;
cursor: not-allowed;
filter: alpha(opacity=65);
-webkit-box-shadow: none;
box-shadow: none;
opacity: .65
}
.btn-default {
color: #333;
background-color: #fff;
border-color: #ccc
}
.btn-default:hover, .btn-default:focus, .btn-default.focus, .btn-default:active, .btn-default.active, .open>.dropdown-toggle.btn-default {
color: #333;
background-color: #e6e6e6;
border-color: #adadad
}
.btn-default:active, .btn-default.active, .open>.dropdown-toggle.btn-default {
background-image: none
}
.btn-default.disabled, .btn-default[disabled], fieldset[disabled] .btn-default, .btn-default.disabled:hover, .btn-default[disabled]:hover, fieldset[disabled] .btn-default:hover, .btn-default.disabled:focus, .btn-default[disabled]:focus, fieldset[disabled] .btn-default:focus, .btn-default.disabled.focus, .btn-default[disabled].focus, fieldset[disabled] .btn-default.focus, .btn-default.disabled:active, .btn-default[disabled]:active, fieldset[disabled] .btn-default:active, .btn-default.disabled.active, .btn-default[disabled].active, fieldset[disabled] .btn-default.active {
background-color: #fff;
border-color: #ccc
}
.btn-default .badge {
color: #fff;
background-color: #333
}
.btn-primary {
color: #fff;
background-color: #428bca;
border-color: #357ebd
}
.btn-primary:hover, .btn-primary:focus, .btn-primary.focus, .btn-primary:active, .btn-primary.active, .open>.dropdown-toggle.btn-primary {
color: #fff;
background-color: #3071a9;
border-color: #285e8e
}
.btn-primary:active, .btn-primary.active, .open>.dropdown-toggle.btn-primary {
background-image: none
}
.btn-primary.disabled, .btn-primary[disabled], fieldset[disabled] .btn-primary, .btn-primary.disabled:hover, .btn-primary[disabled]:hover, fieldset[disabled] .btn-primary:hover, .btn-primary.disabled:focus, .btn-primary[disabled]:focus, fieldset[disabled] .btn-primary:focus, .btn-primary.disabled.focus, .btn-primary[disabled].focus, fieldset[disabled] .btn-primary.focus, .btn-primary.disabled:active, .btn-primary[disabled]:active, fieldset[disabled] .btn-primary:active, .btn-primary.disabled.active, .btn-primary[disabled].active, fieldset[disabled] .btn-primary.active {
background-color: #428bca;
border-color: #357ebd
}
.btn-primary .badge {
color: #428bca;
background-color: #fff
}
.btn-success {
color: #fff;
background-color: #5cb85c;
border-color: #4cae4c
}
.btn-success:hover, .btn-success:focus, .btn-success.focus, .btn-success:active, .btn-success.active, .open>.dropdown-toggle.btn-success {
color: #fff;
background-color: #449d44;
border-color: #398439
}
.btn-success:active, .btn-success.active, .open>.dropdown-toggle.btn-success {
background-image: none
}
.btn-success.disabled, .btn-success[disabled], fieldset[disabled] .btn-success, .btn-success.disabled:hover, .btn-success[disabled]:hover, fieldset[disabled] .btn-success:hover, .btn-success.disabled:focus, .btn-success[disabled]:focus, fieldset[disabled] .btn-success:focus, .btn-success.disabled.focus, .btn-success[disabled].focus, fieldset[disabled] .btn-success.focus, .btn-success.disabled:active, .btn-success[disabled]:active, fieldset[disabled] .btn-success:active, .btn-success.disabled.active, .btn-success[disabled].active, fieldset[disabled] .btn-success.active {
background-color: #5cb85c;
border-color: #4cae4c
}
.btn-success .badge {
color: #5cb85c;
background-color: #fff
}
.btn-info {
color: #fff;
background-color: #5bc0de;
border-color: #46b8da
}
.btn-info:hover, .btn-info:focus, .btn-info.focus, .btn-info:active, .btn-info.active, .open>.dropdown-toggle.btn-info {
color: #fff;
background-color: #31b0d5;
border-color: #269abc
}
.btn-info:active, .btn-info.active, .open>.dropdown-toggle.btn-info {
background-image: none
}
.btn-info.disabled, .btn-info[disabled], fieldset[disabled] .btn-info, .btn-info.disabled:hover, .btn-info[disabled]:hover, fieldset[disabled] .btn-info:hover, .btn-info.disabled:focus, .btn-info[disabled]:focus, fieldset[disabled] .btn-info:focus, .btn-info.disabled.focus, .btn-info[disabled].focus, fieldset[disabled] .btn-info.focus, .btn-info.disabled:active, .btn-info[disabled]:active, fieldset[disabled] .btn-info:active, .btn-info.disabled.active, .btn-info[disabled].active, fieldset[disabled] .btn-info.active {
background-color: #5bc0de;
border-color: #46b8da
}
.btn-info .badge {
color: #5bc0de;
background-color: #fff
}
.btn-warning {
color: #fff;
background-color: #f0ad4e;
border-color: #eea236
}
.btn-warning:hover, .btn-warning:focus, .btn-warning.focus, .btn-warning:active, .btn-warning.active, .open>.dropdown-toggle.btn-warning {
color: #fff;
background-color: #ec971f;
border-color: #d58512
}
.btn-warning:active, .btn-warning.active, .open>.dropdown-toggle.btn-warning {
background-image: none
}
.btn-warning.disabled, .btn-warning[disabled], fieldset[disabled] .btn-warning, .btn-warning.disabled:hover, .btn-warning[disabled]:hover, fieldset[disabled] .btn-warning:hover, .btn-warning.disabled:focus, .btn-warning[disabled]:focus, fieldset[disabled] .btn-warning:focus, .btn-warning.disabled.focus, .btn-warning[disabled].focus, fieldset[disabled] .btn-warning.focus, .btn-warning.disabled:active, .btn-warning[disabled]:active, fieldset[disabled] .btn-warning:active, .btn-warning.disabled.active, .btn-warning[disabled].active, fieldset[disabled] .btn-warning.active {
background-color: #f0ad4e;
border-color: #eea236
}
.btn-warning .badge {
color: #f0ad4e;
background-color: #fff
}
.btn-danger {
color: #fff;
background-color: #d9534f;
border-color: #d43f3a
}
.btn-danger:hover, .btn-danger:focus, .btn-danger.focus, .btn-danger:active, .btn-danger.active, .open>.dropdown-toggle.btn-danger {
color: #fff;
background-color: #c9302c;
border-color: #ac2925
}
.btn-danger:active, .btn-danger.active, .open>.dropdown-toggle.btn-danger {
background-image: none
}
.btn-danger.disabled, .btn-danger[disabled], fieldset[disabled] .btn-danger, .btn-danger.disabled:hover, .btn-danger[disabled]:hover, fieldset[disabled] .btn-danger:hover, .btn-danger.disabled:focus, .btn-danger[disabled]:focus, fieldset[disabled] .btn-danger:focus, .btn-danger.disabled.focus, .btn-danger[disabled].focus, fieldset[disabled] .btn-danger.focus, .btn-danger.disabled:active, .btn-danger[disabled]:active, fieldset[disabled] .btn-danger:active, .btn-danger.disabled.active, .btn-danger[disabled].active, fieldset[disabled] .btn-danger.active {
background-color: #d9534f;
border-color: #d43f3a
}
.btn-danger .badge {
color: #d9534f;
background-color: #fff
}
.btn-link {
font-weight: 400;
color: #428bca;
border-radius: 0
}
.btn-link, .btn-link:active, .btn-link.active, .btn-link[disabled], fieldset[disabled] .btn-link {
background-color: transparent;
-webkit-box-shadow: none;
box-shadow: none
}
.btn-link, .btn-link:hover, .btn-link:focus, .btn-link:active {
border-color: transparent
}
.btn-link:hover, .btn-link:focus {
color: #2a6496;
text-decoration: underline;
background-color: transparent
}
.btn-link[disabled]:hover, fieldset[disabled] .btn-link:hover, .btn-link[disabled]:focus, fieldset[disabled] .btn-link:focus {
color: #777;
text-decoration: none
}
.btn-lg, .btn-group-lg>.btn {
padding: 10px 16px;
font-size: 18px;
line-height: 1.33;
border-radius: 6px
}
.btn-sm, .btn-group-sm>.btn {
padding: 5px 10px;
font-size: 12px;
line-height: 1.5;
border-radius: 3px
}
.btn-xs, .btn-group-xs>.btn {
padding: 1px 5px;
font-size: 12px;
line-height: 1.5;
border-radius: 3px
}
.btn-block {
display: block;
width: 100%
}
.btn-block+.btn-block {
margin-top: 5px
}
input[type=submit].btn-block, input[type=reset].btn-block, input[type=button].btn-block {
width: 100%
}
.fade {
opacity: 0;
-webkit-transition: opacity .15s linear;
-o-transition: opacity .15s linear;
transition: opacity .15s linear
}
.fade.in {
opacity: 1
}
.collapse {
display: none;
visibility: hidden
}
.collapse.in {
display: block;
visibility: visible
}
tr.collapse.in {
display: table-row
}
tbody.collapse.in {
display: table-row-group
}
.collapsing {
position: relative;
height: 0;
overflow: hidden;
-webkit-transition-timing-function: ease;
-o-transition-timing-function: ease;
transition-timing-function: ease;
-webkit-transition-duration: .35s;
-o-transition-duration: .35s;
transition-duration: .35s;
-webkit-transition-property: height, visibility;
-o-transition-property: height, visibility;
transition-property: height, visibility
}
.caret {
display: inline-block;
width: 0;
height: 0;
margin-left: 2px;
vertical-align: middle;
border-top: 4px solid;
border-right: 4px solid transparent;
border-left: 4px solid transparent
}
.dropdown {
position: relative
}
.dropdown-toggle:focus {
outline: 0
}
.dropdown-menu {
position: absolute;
top: 100%;
left: 0;
z-index: 1000;
display: none;
float: left;
min-width: 160px;
padding: 5px 0;
margin: 2px 0 0;
font-size: 14px;
text-align: left;
list-style: none;
background-color: #fff;
-webkit-background-clip: padding-box;
background-clip: padding-box;
border: 1px solid #ccc;
border: 1px solid rgba(0, 0, 0, .15);
border-radius: 4px;
-webkit-box-shadow: 0 6px 12px rgba(0, 0, 0, .175);
box-shadow: 0 6px 12px rgba(0, 0, 0, .175)
}
.dropdown-menu.pull-right {
right: 0;
left: auto
}
.dropdown-menu .divider {
height: 1px;
margin: 9px 0;
overflow: hidden;
background-color: #e5e5e5
}
.dropdown-menu>li>a {
display: block;
padding: 3px 20px;
clear: both;
font-weight: 400;
line-height: 1.42857143;
color: #333;
white-space: nowrap
}
.dropdown-menu>li>a:hover, .dropdown-menu>li>a:focus {
color: #262626;
text-decoration: none;
background-color: #f5f5f5
}
.dropdown-menu>.active>a, .dropdown-menu>.active>a:hover, .dropdown-menu>.active>a:focus {
color: #fff;
text-decoration: none;
background-color: #428bca;
outline: 0
}
.dropdown-menu>.disabled>a, .dropdown-menu>.disabled>a:hover, .dropdown-menu>.disabled>a:focus {
color: #777
}
.dropdown-menu>.disabled>a:hover, .dropdown-menu>.disabled>a:focus {
text-decoration: none;
cursor: not-allowed;
background-color: transparent;
background-image: none;
filter: progid:DXImageTransform.Microsoft.gradient(enabled=false)
}
.open>.dropdown-menu {
display: block
}
.open>a {
outline: 0
}
.dropdown-menu-right {
right: 0;
left: auto
}
.dropdown-menu-left {
right: auto;
left: 0
}
.dropdown-header {
display: block;
padding: 3px 20px;
font-size: 12px;
line-height: 1.42857143;
color: #777;
white-space: nowrap
}
.dropdown-backdrop {
position: fixed;
top: 0;
right: 0;
bottom: 0;
left: 0;
z-index: 990
}
.pull-right>.dropdown-menu {
right: 0;
left: auto
}
.dropup .caret, .navbar-fixed-bottom .dropdown .caret {
content: "";
border-top: 0;
border-bottom: 4px solid
}
.dropup .dropdown-menu, .navbar-fixed-bottom .dropdown .dropdown-menu {
top: auto;
bottom: 100%;
margin-bottom: 1px
}
@media (min-width:768px) {
.navbar-right .dropdown-menu {
right: 0;
left: auto
}
.navbar-right .dropdown-menu-left {
right: auto;
left: 0
}
}
.btn-group, .btn-group-vertical {
position: relative;
display: inline-block;
vertical-align: middle
}
.btn-group>.btn, .btn-group-vertical>.btn {
position: relative;
float: left
}
.btn-group>.btn:hover, .btn-group-vertical>.btn:hover, .btn-group>.btn:focus, .btn-group-vertical>.btn:focus, .btn-group>.btn:active, .btn-group-vertical>.btn:active, .btn-group>.btn.active, .btn-group-vertical>.btn.active {
z-index: 2
}
.btn-group>.btn:focus, .btn-group-vertical>.btn:focus {
outline: 0
}
.btn-group .btn+.btn, .btn-group .btn+.btn-group, .btn-group .btn-group+.btn, .btn-group .btn-group+.btn-group {
margin-left: -1px
}
.btn-toolbar {
margin-left: -5px
}
.btn-toolbar .btn-group, .btn-toolbar .input-group {
float: left
}
.btn-toolbar>.btn, .btn-toolbar>.btn-group, .btn-toolbar>.input-group {
margin-left: 5px
}
.btn-group>.btn:not(:first-child):not(:last-child):not(.dropdown-toggle) {
border-radius: 0
}
.btn-group>.btn:first-child {
margin-left: 0
}
.btn-group>.btn:first-child:not(:last-child):not(.dropdown-toggle) {
border-top-right-radius: 0;
border-bottom-right-radius: 0
}
.btn-group>.btn:last-child:not(:first-child), .btn-group>.dropdown-toggle:not(:first-child) {
border-top-left-radius: 0;
border-bottom-left-radius: 0
}
.btn-group>.btn-group {
float: left
}
.btn-group>.btn-group:not(:first-child):not(:last-child)>.btn {
border-radius: 0
}
.btn-group>.btn-group:first-child>.btn:last-child, .btn-group>.btn-group:first-child>.dropdown-toggle {
border-top-right-radius: 0;
border-bottom-right-radius: 0
}
.btn-group>.btn-group:last-child>.btn:first-child {
border-top-left-radius: 0;
border-bottom-left-radius: 0
}
.btn-group .dropdown-toggle:active, .btn-group.open .dropdown-toggle {
outline: 0
}
.btn-group>.btn+.dropdown-toggle {
padding-right: 8px;
padding-left: 8px
}
.btn-group>.btn-lg+.dropdown-toggle {
padding-right: 12px;
padding-left: 12px
}
.btn-group.open .dropdown-toggle {
-webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125);
box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125)
}
.btn-group.open .dropdown-toggle.btn-link {
-webkit-box-shadow: none;
box-shadow: none
}
.btn .caret {
margin-left: 0
}
.btn-lg .caret {
border-width: 5px 5px 0;
border-bottom-width: 0
}
.dropup .btn-lg .caret {
border-width: 0 5px 5px
}
.btn-group-vertical>.btn, .btn-group-vertical>.btn-group, .btn-group-vertical>.btn-group>.btn {
display: block;
float: none;
width: 100%;
max-width: 100%
}
.btn-group-vertical>.btn-group>.btn {
float: none
}
.btn-group-vertical>.btn+.btn, .btn-group-vertical>.btn+.btn-group, .btn-group-vertical>.btn-group+.btn, .btn-group-vertical>.btn-group+.btn-group {
margin-top: -1px;
margin-left: 0
}
.btn-group-vertical>.btn:not(:first-child):not(:last-child) {
border-radius: 0
}
.btn-group-vertical>.btn:first-child:not(:last-child) {
border-top-right-radius: 4px;
border-bottom-right-radius: 0;
border-bottom-left-radius: 0
}
.btn-group-vertical>.btn:last-child:not(:first-child) {
border-top-left-radius: 0;
border-top-right-radius: 0;
border-bottom-left-radius: 4px
}
.btn-group-vertical>.btn-group:not(:first-child):not(:last-child)>.btn {
border-radius: 0
}
.btn-group-vertical>.btn-group:first-child:not(:last-child)>.btn:last-child, .btn-group-vertical>.btn-group:first-child:not(:last-child)>.dropdown-toggle {
border-bottom-right-radius: 0;
border-bottom-left-radius: 0
}
.btn-group-vertical>.btn-group:last-child:not(:first-child)>.btn:first-child {
border-top-left-radius: 0;
border-top-right-radius: 0
}
.btn-group-justified {
display: table;
width: 100%;
table-layout: fixed;
border-collapse: separate
}
.btn-group-justified>.btn, .btn-group-justified>.btn-group {
display: table-cell;
float: none;
width: 1%
}
.btn-group-justified>.btn-group .btn {
width: 100%
}
.btn-group-justified>.btn-group .dropdown-menu {
left: auto
}
[data-toggle=buttons]>.btn input[type=radio], [data-toggle=buttons]>.btn-group>.btn input[type=radio], [data-toggle=buttons]>.btn input[type=checkbox], [data-toggle=buttons]>.btn-group>.btn input[type=checkbox] {
position: absolute;
clip: rect(0, 0, 0, 0);
pointer-events: none
}
.input-group {
position: relative;
display: table;
border-collapse: separate
}
.input-group[class*=col-] {
float: none;
padding-right: 0;
padding-left: 0
}
.input-group .form-control {
position: relative;
z-index: 2;
float: left;
width: 100%;
margin-bottom: 0
}
.input-group-lg>.form-control, .input-group-lg>.input-group-addon, .input-group-lg>.input-group-btn>.btn {
height: 46px;
padding: 10px 16px;
font-size: 18px;
line-height: 1.33;
border-radius: 6px
}
select.input-group-lg>.form-control, select.input-group-lg>.input-group-addon, select.input-group-lg>.input-group-btn>.btn {
height: 46px;
line-height: 46px
}
textarea.input-group-lg>.form-control, textarea.input-group-lg>.input-group-addon, textarea.input-group-lg>.input-group-btn>.btn, select[multiple].input-group-lg>.form-control, select[multiple].input-group-lg>.input-group-addon, select[multiple].input-group-lg>.input-group-btn>.btn {
height: auto
}
.input-group-sm>.form-control, .input-group-sm>.input-group-addon, .input-group-sm>.input-group-btn>.btn {
height: 30px;
padding: 5px 10px;
font-size: 12px;
line-height: 1.5;
border-radius: 3px
}
select.input-group-sm>.form-control, select.input-group-sm>.input-group-addon, select.input-group-sm>.input-group-btn>.btn {
height: 30px;
line-height: 30px
}
textarea.input-group-sm>.form-control, textarea.input-group-sm>.input-group-addon, textarea.input-group-sm>.input-group-btn>.btn, select[multiple].input-group-sm>.form-control, select[multiple].input-group-sm>.input-group-addon, select[multiple].input-group-sm>.input-group-btn>.btn {
height: auto
}
.input-group-addon, .input-group-btn, .input-group .form-control {
display: table-cell
}
.input-group-addon:not(:first-child):not(:last-child), .input-group-btn:not(:first-child):not(:last-child), .input-group .form-control:not(:first-child):not(:last-child) {
border-radius: 0
}
.input-group-addon, .input-group-btn {
width: 1%;
white-space: nowrap;
vertical-align: middle
}
.input-group-addon {
padding: 6px 12px;
font-size: 14px;
font-weight: 400;
line-height: 1;
color: #555;
text-align: center;
background-color: #eee;
border: 1px solid #ccc;
border-radius: 4px
}
.input-group-addon.input-sm {
padding: 5px 10px;
font-size: 12px;
border-radius: 3px
}
.input-group-addon.input-lg {
padding: 10px 16px;
font-size: 18px;
border-radius: 6px
}
.input-group-addon input[type=radio], .input-group-addon input[type=checkbox] {
margin-top: 0
}
.input-group .form-control:first-child, .input-group-addon:first-child, .input-group-btn:first-child>.btn, .input-group-btn:first-child>.btn-group>.btn, .input-group-btn:first-child>.dropdown-toggle, .input-group-btn:last-child>.btn:not(:last-child):not(.dropdown-toggle), .input-group-btn:last-child>.btn-group:not(:last-child)>.btn {
border-top-right-radius: 0;
border-bottom-right-radius: 0
}
.input-group-addon:first-child {
border-right: 0
}
.input-group .form-control:last-child, .input-group-addon:last-child, .input-group-btn:last-child>.btn, .input-group-btn:last-child>.btn-group>.btn, .input-group-btn:last-child>.dropdown-toggle, .input-group-btn:first-child>.btn:not(:first-child), .input-group-btn:first-child>.btn-group:not(:first-child)>.btn {
border-top-left-radius: 0;
border-bottom-left-radius: 0
}
.input-group-addon:last-child {
border-left: 0
}
.input-group-btn {
position: relative;
font-size: 0;
white-space: nowrap
}
.input-group-btn>.btn {
position: relative
}
.input-group-btn>.btn+.btn {
margin-left: -1px
}
.input-group-btn>.btn:hover, .input-group-btn>.btn:focus, .input-group-btn>.btn:active {
z-index: 2
}
.input-group-btn:first-child>.btn, .input-group-btn:first-child>.btn-group {
margin-right: -1px
}
.input-group-btn:last-child>.btn, .input-group-btn:last-child>.btn-group {
margin-left: -1px
}
.nav {
padding-left: 0;
margin-bottom: 0;
list-style: none
}
.nav>li {
position: relative;
display: block
}
.nav>li>a {
position: relative;
display: block;
padding: 10px 15px
}
.nav>li>a:hover, .nav>li>a:focus {
text-decoration: none;
background-color: #eee
}
.nav>li.disabled>a {
color: #777
}
.nav>li.disabled>a:hover, .nav>li.disabled>a:focus {
color: #777;
text-decoration: none;
cursor: not-allowed;
background-color: transparent
}
.nav .open>a, .nav .open>a:hover, .nav .open>a:focus {
background-color: #eee;
border-color: #428bca
}
.nav .nav-divider {
height: 1px;
margin: 9px 0;
overflow: hidden;
background-color: #e5e5e5
}
.nav>li>a>img {
max-width: none
}
.nav-tabs {
border-bottom: 1px solid #ddd
}
.nav-tabs>li {
float: left;
margin-bottom: -1px
}
.nav-tabs>li>a {
margin-right: 2px;
line-height: 1.42857143;
border: 1px solid transparent;
border-radius: 4px 4px 0 0
}
.nav-tabs>li>a:hover {
border-color: #eee #eee #ddd
}
.nav-tabs>li.active>a, .nav-tabs>li.active>a:hover, .nav-tabs>li.active>a:focus {
color: #555;
cursor: default;
background-color: #fff;
border: 1px solid #ddd;
border-bottom-color: transparent
}
.nav-tabs.nav-justified {
width: 100%;
border-bottom: 0
}
.nav-tabs.nav-justified>li {
float: none
}
.nav-tabs.nav-justified>li>a {
margin-bottom: 5px;
text-align: center
}
.nav-tabs.nav-justified>.dropdown .dropdown-menu {
top: auto;
left: auto
}
@media (min-width:768px) {
.nav-tabs.nav-justified>li {
display: table-cell;
width: 1%
}
.nav-tabs.nav-justified>li>a {
margin-bottom: 0
}
}
.nav-tabs.nav-justified>li>a {
margin-right: 0;
border-radius: 4px
}
.nav-tabs.nav-justified>.active>a, .nav-tabs.nav-justified>.active>a:hover, .nav-tabs.nav-justified>.active>a:focus {
border: 1px solid #ddd
}
@media (min-width:768px) {
.nav-tabs.nav-justified>li>a {
border-bottom: 1px solid #ddd;
border-radius: 4px 4px 0 0
}
.nav-tabs.nav-justified>.active>a, .nav-tabs.nav-justified>.active>a:hover, .nav-tabs.nav-justified>.active>a:focus {
border-bottom-color: #fff
}
}
.nav-pills>li {
float: left
}
.nav-pills>li>a {
border-radius: 4px
}
.nav-pills>li+li {
margin-left: 2px
}
.nav-pills>li.active>a, .nav-pills>li.active>a:hover, .nav-pills>li.active>a:focus {
color: #fff;
background-color: #428bca
}
.nav-stacked>li {
float: none
}
.nav-stacked>li+li {
margin-top: 2px;
margin-left: 0
}
.nav-justified {
width: 100%
}
.nav-justified>li {
float: none
}
.nav-justified>li>a {
margin-bottom: 5px;
text-align: center
}
.nav-justified>.dropdown .dropdown-menu {
top: auto;
left: auto
}
@media (min-width:768px) {
.nav-justified>li {
display: table-cell;
width: 1%
}
.nav-justified>li>a {
margin-bottom: 0
}
}
.nav-tabs-justified {
border-bottom: 0
}
.nav-tabs-justified>li>a {
margin-right: 0;
border-radius: 4px
}
.nav-tabs-justified>.active>a, .nav-tabs-justified>.active>a:hover, .nav-tabs-justified>.active>a:focus {
border: 1px solid #ddd
}
@media (min-width:768px) {
.nav-tabs-justified>li>a {
border-bottom: 1px solid #ddd;
border-radius: 4px 4px 0 0
}
.nav-tabs-justified>.active>a, .nav-tabs-justified>.active>a:hover, .nav-tabs-justified>.active>a:focus {
border-bottom-color: #fff
}
}
.tab-content>.tab-pane {
display: none;
visibility: hidden
}
.tab-content>.active {
display: block;
visibility: visible
}
.nav-tabs .dropdown-menu {
margin-top: -1px;
border-top-left-radius: 0;
border-top-right-radius: 0
}
.navbar {
position: relative;
min-height: 50px;
margin-bottom: 20px;
border: 1px solid transparent
}
@media (min-width:768px) {
.navbar {
border-radius: 4px
}
}
@media (min-width:768px) {
.navbar-header {
float: left
}
}
.navbar-collapse {
padding-right: 15px;
padding-left: 15px;
overflow-x: visible;
-webkit-overflow-scrolling: touch;
border-top: 1px solid transparent;
-webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, .1);
box-shadow: inset 0 1px 0 rgba(255, 255, 255, .1)
}
.navbar-collapse.in {
overflow-y: auto
}
@media (min-width:768px) {
.navbar-collapse {
width: auto;
border-top: 0;
-webkit-box-shadow: none;
box-shadow: none
}
.navbar-collapse.collapse {
display: block !important;
height: auto !important;
padding-bottom: 0;
overflow: visible !important;
visibility: visible !important
}
.navbar-collapse.in {
overflow-y: visible
}
.navbar-fixed-top .navbar-collapse, .navbar-static-top .navbar-collapse, .navbar-fixed-bottom .navbar-collapse {
padding-right: 0;
padding-left: 0
}
}
.navbar-fixed-top .navbar-collapse, .navbar-fixed-bottom .navbar-collapse {
max-height: 340px
}
@media (max-device-width:480px) and (orientation:landscape) {
.navbar-fixed-top .navbar-collapse, .navbar-fixed-bottom .navbar-collapse {
max-height: 200px
}
}
.container>.navbar-header, .container-fluid>.navbar-header, .container>.navbar-collapse, .container-fluid>.navbar-collapse {
margin-right: -15px;
margin-left: -15px
}
@media (min-width:768px) {
.container>.navbar-header, .container-fluid>.navbar-header, .container>.navbar-collapse, .container-fluid>.navbar-collapse {
margin-right: 0;
margin-left: 0
}
}
.navbar-static-top {
z-index: 1000;
border-width: 0 0 1px
}
@media (min-width:768px) {
.navbar-static-top {
border-radius: 0
}
}
.navbar-fixed-top, .navbar-fixed-bottom {
position: fixed;
right: 0;
left: 0;
z-index: 1030
}
@media (min-width:768px) {
.navbar-fixed-top, .navbar-fixed-bottom {
border-radius: 0
}
}
.navbar-fixed-top {
top: 0;
border-width: 0 0 1px
}
.navbar-fixed-bottom {
bottom: 0;
margin-bottom: 0;
border-width: 1px 0 0
}
.navbar-brand {
float: left;
height: 50px;
padding: 15px 15px;
font-size: 18px;
line-height: 20px
}
.navbar-brand:hover, .navbar-brand:focus {
text-decoration: none
}
.navbar-brand>img {
display: block
}
@media (min-width:768px) {
.navbar>.container .navbar-brand, .navbar>.container-fluid .navbar-brand {
margin-left: -15px
}
}
.navbar-toggle {
position: relative;
float: right;
padding: 9px 10px;
margin-top: 8px;
margin-right: 15px;
margin-bottom: 8px;
background-color: transparent;
background-image: none;
border: 1px solid transparent;
border-radius: 4px
}
.navbar-toggle:focus {
outline: 0
}
.navbar-toggle .icon-bar {
display: block;
width: 22px;
height: 2px;
border-radius: 1px
}
.navbar-toggle .icon-bar+.icon-bar {
margin-top: 4px
}
@media (min-width:768px) {
.navbar-toggle {
display: none
}
}
.navbar-nav {
margin: 7.5px -15px
}
.navbar-nav>li>a {
padding-top: 10px;
padding-bottom: 10px;
line-height: 20px
}
@media (max-width:767px) {
.navbar-nav .open .dropdown-menu {
position: static;
float: none;
width: auto;
margin-top: 0;
background-color: transparent;
border: 0;
-webkit-box-shadow: none;
box-shadow: none
}
.navbar-nav .open .dropdown-menu>li>a, .navbar-nav .open .dropdown-menu .dropdown-header {
padding: 5px 15px 5px 25px
}
.navbar-nav .open .dropdown-menu>li>a {
line-height: 20px
}
.navbar-nav .open .dropdown-menu>li>a:hover, .navbar-nav .open .dropdown-menu>li>a:focus {
background-image: none
}
}
@media (min-width:768px) {
.navbar-nav {
float: left;
margin: 0
}
.navbar-nav>li {
float: left
}
.navbar-nav>li>a {
padding-top: 15px;
padding-bottom: 15px
}
}
.navbar-form {
padding: 10px 15px;
margin-top: 8px;
margin-right: -15px;
margin-bottom: 8px;
margin-left: -15px;
border-top: 1px solid transparent;
border-bottom: 1px solid transparent;
-webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, .1), 0 1px 0 rgba(255, 255, 255, .1);
box-shadow: inset 0 1px 0 rgba(255, 255, 255, .1), 0 1px 0 rgba(255, 255, 255, .1)
}
@media (min-width:768px) {
.navbar-form .form-group {
display: inline-block;
margin-bottom: 0;
vertical-align: middle
}
.navbar-form .form-control {
display: inline-block;
width: auto;
vertical-align: middle
}
.navbar-form .form-control-static {
display: inline-block
}
.navbar-form .input-group {
display: inline-table;
vertical-align: middle
}
.navbar-form .input-group .input-group-addon, .navbar-form .input-group .input-group-btn, .navbar-form .input-group .form-control {
width: auto
}
.navbar-form .input-group>.form-control {
width: 100%
}
.navbar-form .control-label {
margin-bottom: 0;
vertical-align: middle
}
.navbar-form .radio, .navbar-form .checkbox {
display: inline-block;
margin-top: 0;
margin-bottom: 0;
vertical-align: middle
}
.navbar-form .radio label, .navbar-form .checkbox label {
padding-left: 0
}
.navbar-form .radio input[type=radio], .navbar-form .checkbox input[type=checkbox] {
position: relative;
margin-left: 0
}
.navbar-form .has-feedback .form-control-feedback {
top: 0
}
}
@media (max-width:767px) {
.navbar-form .form-group {
margin-bottom: 5px
}
.navbar-form .form-group:last-child {
margin-bottom: 0
}
}
@media (min-width:768px) {
.navbar-form {
width: auto;
padding-top: 0;
padding-bottom: 0;
margin-right: 0;
margin-left: 0;
border: 0;
-webkit-box-shadow: none;
box-shadow: none
}
}
.navbar-nav>li>.dropdown-menu {
margin-top: 0;
border-top-left-radius: 0;
border-top-right-radius: 0
}
.navbar-fixed-bottom .navbar-nav>li>.dropdown-menu {
border-bottom-right-radius: 0;
border-bottom-left-radius: 0
}
.navbar-btn {
margin-top: 8px;
margin-bottom: 8px
}
.navbar-btn.btn-sm {
margin-top: 10px;
margin-bottom: 10px
}
.navbar-btn.btn-xs {
margin-top: 14px;
margin-bottom: 14px
}
.navbar-text {
margin-top: 15px;
margin-bottom: 15px
}
@media (min-width:768px) {
.navbar-text {
float: left;
margin-right: 15px;
margin-left: 15px
}
}
@media (min-width:768px) {
.navbar-left {
float: left !important
}
.navbar-right {
float: right !important;
margin-right: -15px
}
.navbar-right~.navbar-right {
margin-right: 0
}
}
.navbar-default {
background-color: #f8f8f8;
border-color: #e7e7e7
}
.navbar-default .navbar-brand {
color: #777
}
.navbar-default .navbar-brand:hover, .navbar-default .navbar-brand:focus {
color: #5e5e5e;
background-color: transparent
}
.navbar-default .navbar-text {
color: #777
}
.navbar-default .navbar-nav>li>a {
color: #777
}
.navbar-default .navbar-nav>li>a:hover, .navbar-default .navbar-nav>li>a:focus {
color: #333;
background-color: transparent
}
.navbar-default .navbar-nav>.active>a, .navbar-default .navbar-nav>.active>a:hover, .navbar-default .navbar-nav>.active>a:focus {
color: #555;
background-color: #e7e7e7
}
.navbar-default .navbar-nav>.disabled>a, .navbar-default .navbar-nav>.disabled>a:hover, .navbar-default .navbar-nav>.disabled>a:focus {
color: #ccc;
background-color: transparent
}
.navbar-default .navbar-toggle {
border-color: #ddd
}
.navbar-default .navbar-toggle:hover, .navbar-default .navbar-toggle:focus {
background-color: #ddd
}
.navbar-default .navbar-toggle .icon-bar {
background-color: #888
}
.navbar-default .navbar-collapse, .navbar-default .navbar-form {
border-color: #e7e7e7
}
.navbar-default .navbar-nav>.open>a, .navbar-default .navbar-nav>.open>a:hover, .navbar-default .navbar-nav>.open>a:focus {
color: #555;
background-color: #e7e7e7
}
@media (max-width:767px) {
.navbar-default .navbar-nav .open .dropdown-menu>li>a {
color: #777
}
.navbar-default .navbar-nav .open .dropdown-menu>li>a:hover, .navbar-default .navbar-nav .open .dropdown-menu>li>a:focus {
color: #333;
background-color: transparent
}
.navbar-default .navbar-nav .open .dropdown-menu>.active>a, .navbar-default .navbar-nav .open .dropdown-menu>.active>a:hover, .navbar-default .navbar-nav .open .dropdown-menu>.active>a:focus {
color: #555;
background-color: #e7e7e7
}
.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a, .navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:hover, .navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:focus {
color: #ccc;
background-color: transparent
}
}
.navbar-default .navbar-link {
color: #777
}
.navbar-default .navbar-link:hover {
color: #333
}
.navbar-default .btn-link {
color: #777
}
.navbar-default .btn-link:hover, .navbar-default .btn-link:focus {
color: #333
}
.navbar-default .btn-link[disabled]:hover, fieldset[disabled] .navbar-default .btn-link:hover, .navbar-default .btn-link[disabled]:focus, fieldset[disabled] .navbar-default .btn-link:focus {
color: #ccc
}
.navbar-inverse {
background-color: #222;
border-color: #080808
}
.navbar-inverse .navbar-brand {
color: #9d9d9d
}
.navbar-inverse .navbar-brand:hover, .navbar-inverse .navbar-brand:focus {
color: #fff;
background-color: transparent
}
.navbar-inverse .navbar-text {
color: #9d9d9d
}
.navbar-inverse .navbar-nav>li>a {
color: #9d9d9d
}
.navbar-inverse .navbar-nav>li>a:hover, .navbar-inverse .navbar-nav>li>a:focus {
color: #fff;
background-color: transparent
}
.navbar-inverse .navbar-nav>.active>a, .navbar-inverse .navbar-nav>.active>a:hover, .navbar-inverse .navbar-nav>.active>a:focus {
color: #fff;
background-color: #080808
}
.navbar-inverse .navbar-nav>.disabled>a, .navbar-inverse .navbar-nav>.disabled>a:hover, .navbar-inverse .navbar-nav>.disabled>a:focus {
color: #444;
background-color: transparent
}
.navbar-inverse .navbar-toggle {
border-color: #333
}
.navbar-inverse .navbar-toggle:hover, .navbar-inverse .navbar-toggle:focus {
background-color: #333
}
.navbar-inverse .navbar-toggle .icon-bar {
background-color: #fff
}
.navbar-inverse .navbar-collapse, .navbar-inverse .navbar-form {
border-color: #101010
}
.navbar-inverse .navbar-nav>.open>a, .navbar-inverse .navbar-nav>.open>a:hover, .navbar-inverse .navbar-nav>.open>a:focus {
color: #fff;
background-color: #080808
}
@media (max-width:767px) {
.navbar-inverse .navbar-nav .open .dropdown-menu>.dropdown-header {
border-color: #080808
}
.navbar-inverse .navbar-nav .open .dropdown-menu .divider {
background-color: #080808
}
.navbar-inverse .navbar-nav .open .dropdown-menu>li>a {
color: #9d9d9d
}
.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:hover, .navbar-inverse .navbar-nav .open .dropdown-menu>li>a:focus {
color: #fff;
background-color: transparent
}
.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a, .navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:hover, .navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:focus {
color: #fff;
background-color: #080808
}
.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a, .navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:hover, .navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:focus {
color: #444;
background-color: transparent
}
}
.navbar-inverse .navbar-link {
color: #9d9d9d
}
.navbar-inverse .navbar-link:hover {
color: #fff
}
.navbar-inverse .btn-link {
color: #9d9d9d
}
.navbar-inverse .btn-link:hover, .navbar-inverse .btn-link:focus {
color: #fff
}
.navbar-inverse .btn-link[disabled]:hover, fieldset[disabled] .navbar-inverse .btn-link:hover, .navbar-inverse .btn-link[disabled]:focus, fieldset[disabled] .navbar-inverse .btn-link:focus {
color: #444
}
.breadcrumb {
padding: 8px 15px;
margin-bottom: 20px;
list-style: none;
background-color: #f5f5f5;
border-radius: 4px
}
.breadcrumb>li {
display: inline-block
}
.breadcrumb>li+li:before {
padding: 0 5px;
color: #ccc;
content: "/\00a0"
}
.breadcrumb>.active {
color: #777
}
.pagination {
display: inline-block;
padding-left: 0;
margin: 20px 0;
border-radius: 4px
}
.pagination>li {
display: inline
}
.pagination>li>a, .pagination>li>span {
position: relative;
float: left;
/*padding: 6px 12px;*/
margin-left: -1px;
line-height: 1.42857143;
color: #428bca;
text-decoration: none;
background-color: #fff;
border: 1px solid #ddd
}
.pagination>li:first-child>a, .pagination>li:first-child>span {
margin-left: 0;
border-top-left-radius: 4px;
border-bottom-left-radius: 4px
}
.pagination>li:last-child>a, .pagination>li:last-child>span {
border-top-right-radius: 4px;
border-bottom-right-radius: 4px
}
.pagination>li>a:hover, .pagination>li>span:hover, .pagination>li>a:focus, .pagination>li>span:focus {
color: #2a6496;
background-color: #eee;
border-color: #ddd
}
.pagination>.active>a, .pagination>.active>span, .pagination>.active>a:hover, .pagination>.active>span:hover, .pagination>.active>a:focus, .pagination>.active>span:focus {
z-index: 2;
color: #fff;
cursor: default;
background-color: #428bca;
border-color: #428bca
}
.pagination>.disabled>span, .pagination>.disabled>span:hover, .pagination>.disabled>span:focus, .pagination>.disabled>a, .pagination>.disabled>a:hover, .pagination>.disabled>a:focus {
color: #777;
cursor: not-allowed;
background-color: #fff;
border-color: #ddd
}
.pagination-lg>li>a, .pagination-lg>li>span {
padding: 10px 16px;
font-size: 18px
}
.pagination-lg>li:first-child>a, .pagination-lg>li:first-child>span {
border-top-left-radius: 6px;
border-bottom-left-radius: 6px
}
.pagination-lg>li:last-child>a, .pagination-lg>li:last-child>span {
border-top-right-radius: 6px;
border-bottom-right-radius: 6px
}
.pagination-sm>li>a, .pagination-sm>li>span {
padding: 5px 10px;
font-size: 12px
}
.pagination-sm>li:first-child>a, .pagination-sm>li:first-child>span {
border-top-left-radius: 3px;
border-bottom-left-radius: 3px
}
.pagination-sm>li:last-child>a, .pagination-sm>li:last-child>span {
border-top-right-radius: 3px;
border-bottom-right-radius: 3px
}
.pager {
padding-left: 0;
margin: 20px 0;
text-align: center;
list-style: none
}
.pager li {
display: inline
}
.pager li>a, .pager li>span {
display: inline-block;
padding: 5px 14px;
background-color: #fff;
border: 1px solid #ddd;
border-radius: 15px
}
.pager li>a:hover, .pager li>a:focus {
text-decoration: none;
background-color: #eee
}
.pager .next>a, .pager .next>span {
float: right
}
.pager .previous>a, .pager .previous>span {
float: left
}
.pager .disabled>a, .pager .disabled>a:hover, .pager .disabled>a:focus, .pager .disabled>span {
color: #777;
cursor: not-allowed;
background-color: #fff
}
.label {
display: inline;
padding: .1em .1em .1em;
font-size: 75%;
font-weight: 700;
line-height: 1;
color: #fff;
text-align: center;
white-space: nowrap;
vertical-align: baseline;
border-radius: .25em
}
a.label:hover, a.label:focus {
color: #fff;
text-decoration: none;
cursor: pointer
}
.label:empty {
display: none
}
.btn .label {
position: relative;
top: -1px
}
.label-default {
background-color: #777
}
.label-default[href]:hover, .label-default[href]:focus {
background-color: #5e5e5e
}
.label-primary {
background-color: #428bca
}
.label-primary[href]:hover, .label-primary[href]:focus {
background-color: #3071a9
}
.label-success {
background-color: #5cb85c
}
.label-success[href]:hover, .label-success[href]:focus {
background-color: #449d44
}
.label-info {
background-color: #5bc0de
}
.label-info[href]:hover, .label-info[href]:focus {
background-color: #31b0d5
}
.label-warning {
background-color: #f0ad4e
}
.label-warning[href]:hover, .label-warning[href]:focus {
background-color: #ec971f
}
.label-danger {
background-color: #d9534f
}
.label-danger[href]:hover, .label-danger[href]:focus {
background-color: #c9302c
}
.badge {
display: inline-block;
min-width: 10px;
padding: 3px 7px;
font-size: 12px;
font-weight: 700;
line-height: 1;
color: #fff;
text-align: center;
white-space: nowrap;
vertical-align: baseline;
background-color: #777;
border-radius: 10px
}
.badge:empty {
display: none
}
.btn .badge {
position: relative;
top: -1px
}
.btn-xs .badge {
top: 0;
padding: 1px 5px
}
a.badge:hover, a.badge:focus {
color: #fff;
text-decoration: none;
cursor: pointer
}
a.list-group-item.active>.badge, .nav-pills>.active>a>.badge {
color: #428bca;
background-color: #fff
}
.nav-pills>li>a>.badge {
margin-left: 3px
}
.jumbotron {
padding: 30px 15px;
margin-bottom: 30px;
color: inherit;
background-color: #eee
}
.jumbotron h1, .jumbotron .h1 {
color: inherit
}
.jumbotron p {
margin-bottom: 15px;
font-size: 21px;
font-weight: 200
}
.jumbotron>hr {
border-top-color: #d5d5d5
}
.container .jumbotron, .container-fluid .jumbotron {
border-radius: 6px
}
.jumbotron .container {
max-width: 100%
}
@media screen and (min-width:768px) {
.jumbotron {
padding: 48px 0
}
.container .jumbotron {
padding-right: 60px;
padding-left: 60px
}
.jumbotron h1, .jumbotron .h1 {
font-size: 63px
}
}
.thumbnail {
display: block;
padding: 4px;
margin-bottom: 20px;
line-height: 1.42857143;
background-color: #fff;
border: 1px solid #ddd;
border-radius: 4px;
-webkit-transition: border .2s ease-in-out;
-o-transition: border .2s ease-in-out;
transition: border .2s ease-in-out
}
.thumbnail>img, .thumbnail a>img {
margin-right: auto;
margin-left: auto
}
a.thumbnail:hover, a.thumbnail:focus, a.thumbnail.active {
border-color: #428bca
}
.thumbnail .caption {
padding: 9px;
color: #333
}
.alert {
padding: 15px;
margin-bottom: 20px;
border: 1px solid transparent;
border-radius: 4px
}
.alert h4 {
margin-top: 0;
color: inherit
}
.alert .alert-link {
font-weight: 700
}
.alert>p, .alert>ul {
margin-bottom: 0
}
.alert>p+p {
margin-top: 5px
}
.alert-dismissable, .alert-dismissible {
padding-right: 35px
}
.alert-dismissable .close, .alert-dismissible .close {
position: relative;
top: -2px;
right: -21px;
color: inherit
}
.alert-success {
color: #3c763d;
background-color: #dff0d8;
border-color: #d6e9c6
}
.alert-success hr {
border-top-color: #c9e2b3
}
.alert-success .alert-link {
color: #2b542c
}
.alert-info {
color: #31708f;
background-color: #d9edf7;
border-color: #bce8f1
}
.alert-info hr {
border-top-color: #a6e1ec
}
.alert-info .alert-link {
color: #245269
}
.alert-warning {
color: #8a6d3b;
background-color: #fcf8e3;
border-color: #faebcc
}
.alert-warning hr {
border-top-color: #f7e1b5
}
.alert-warning .alert-link {
color: #66512c
}
.alert-danger {
color: #a94442;
background-color: #f2dede;
border-color: #ebccd1
}
.alert-danger hr {
border-top-color: #e4b9c0
}
.alert-danger .alert-link {
color: #843534
}
@-webkit-keyframes progress-bar-stripes {
from {
background-position: 40px 0
}
to {
background-position: 0 0
}
}
@-o-keyframes progress-bar-stripes {
from {
background-position: 40px 0
}
to {
background-position: 0 0
}
}
@keyframes progress-bar-stripes {
from {
background-position: 40px 0
}
to {
background-position: 0 0
}
}
.progress {
height: 20px;
margin-bottom: 20px;
overflow: hidden;
background-color: #f5f5f5;
border-radius: 4px;
-webkit-box-shadow: inset 0 1px 2px rgba(0, 0, 0, .1);
box-shadow: inset 0 1px 2px rgba(0, 0, 0, .1)
}
.progress-bar {
float: left;
width: 0;
height: 100%;
font-size: 12px;
line-height: 20px;
color: #fff;
text-align: center;
background-color: #428bca;
-webkit-box-shadow: inset 0 -1px 0 rgba(0, 0, 0, .15);
box-shadow: inset 0 -1px 0 rgba(0, 0, 0, .15);
-webkit-transition: width .6s ease;
-o-transition: width .6s ease;
transition: width .6s ease
}
.progress-striped .progress-bar, .progress-bar-striped {
background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);
background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);
background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);
-webkit-background-size: 40px 40px;
background-size: 40px 40px
}
.progress.active .progress-bar, .progress-bar.active {
-webkit-animation: progress-bar-stripes 2s linear infinite;
-o-animation: progress-bar-stripes 2s linear infinite;
animation: progress-bar-stripes 2s linear infinite
}
.progress-bar-success {
background-color: #5cb85c
}
.progress-striped .progress-bar-success {
background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);
background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);
background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent)
}
.progress-bar-info {
background-color: #5bc0de
}
.progress-striped .progress-bar-info {
background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);
background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);
background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent)
}
.progress-bar-warning {
background-color: #f0ad4e
}
.progress-striped .progress-bar-warning {
background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);
background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);
background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent)
}
.progress-bar-danger {
background-color: #d9534f
}
.progress-striped .progress-bar-danger {
background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);
background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);
background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent)
}
.media {
margin-top: 15px
}
.media:first-child {
margin-top: 0
}
.media-right, .media>.pull-right {
padding-left: 10px
}
.media-left, .media>.pull-left {
padding-right: 10px
}
.media-left, .media-right, .media-body {
display: table-cell;
vertical-align: top
}
.media-middle {
vertical-align: middle
}
.media-bottom {
vertical-align: bottom
}
.media-heading {
margin-top: 0;
margin-bottom: 5px
}
.media-list {
padding-left: 0;
list-style: none
}
.list-group {
padding-left: 0;
margin-bottom: 20px
}
.list-group-item {
position: relative;
display: block;
padding: 10px 15px;
margin-bottom: -1px;
background-color: #fff;
border: 1px solid #ddd
}
.list-group-item:first-child {
border-top-left-radius: 4px;
border-top-right-radius: 4px
}
.list-group-item:last-child {
margin-bottom: 0;
border-bottom-right-radius: 4px;
border-bottom-left-radius: 4px
}
.list-group-item>.badge {
float: right
}
.list-group-item>.badge+.badge {
margin-right: 5px
}
a.list-group-item {
color: #555
}
a.list-group-item .list-group-item-heading {
color: #333
}
a.list-group-item:hover, a.list-group-item:focus {
color: #555;
text-decoration: none;
background-color: #f5f5f5
}
.list-group-item.disabled, .list-group-item.disabled:hover, .list-group-item.disabled:focus {
color: #777;
cursor: not-allowed;
background-color: #eee
}
.list-group-item.disabled .list-group-item-heading, .list-group-item.disabled:hover .list-group-item-heading, .list-group-item.disabled:focus .list-group-item-heading {
color: inherit
}
.list-group-item.disabled .list-group-item-text, .list-group-item.disabled:hover .list-group-item-text, .list-group-item.disabled:focus .list-group-item-text {
color: #777
}
.list-group-item.active, .list-group-item.active:hover, .list-group-item.active:focus {
z-index: 2;
color: #fff;
background-color: #428bca;
border-color: #428bca
}
.list-group-item.active .list-group-item-heading, .list-group-item.active:hover .list-group-item-heading, .list-group-item.active:focus .list-group-item-heading, .list-group-item.active .list-group-item-heading>small, .list-group-item.active:hover .list-group-item-heading>small, .list-group-item.active:focus .list-group-item-heading>small, .list-group-item.active .list-group-item-heading>.small, .list-group-item.active:hover .list-group-item-heading>.small, .list-group-item.active:focus .list-group-item-heading>.small {
color: inherit
}
.list-group-item.active .list-group-item-text, .list-group-item.active:hover .list-group-item-text, .list-group-item.active:focus .list-group-item-text {
color: #e1edf7
}
.list-group-item-success {
color: #3c763d;
background-color: #dff0d8
}
a.list-group-item-success {
color: #3c763d
}
a.list-group-item-success .list-group-item-heading {
color: inherit
}
a.list-group-item-success:hover, a.list-group-item-success:focus {
color: #3c763d;
background-color: #d0e9c6
}
a.list-group-item-success.active, a.list-group-item-success.active:hover, a.list-group-item-success.active:focus {
color: #fff;
background-color: #3c763d;
border-color: #3c763d
}
.list-group-item-info {
color: #31708f;
background-color: #d9edf7
}
a.list-group-item-info {
color: #31708f
}
a.list-group-item-info .list-group-item-heading {
color: inherit
}
a.list-group-item-info:hover, a.list-group-item-info:focus {
color: #31708f;
background-color: #c4e3f3
}
a.list-group-item-info.active, a.list-group-item-info.active:hover, a.list-group-item-info.active:focus {
color: #fff;
background-color: #31708f;
border-color: #31708f
}
.list-group-item-warning {
color: #8a6d3b;
background-color: #fcf8e3
}
a.list-group-item-warning {
color: #8a6d3b
}
a.list-group-item-warning .list-group-item-heading {
color: inherit
}
a.list-group-item-warning:hover, a.list-group-item-warning:focus {
color: #8a6d3b;
background-color: #faf2cc
}
a.list-group-item-warning.active, a.list-group-item-warning.active:hover, a.list-group-item-warning.active:focus {
color: #fff;
background-color: #8a6d3b;
border-color: #8a6d3b
}
.list-group-item-danger {
color: #a94442;
background-color: #f2dede
}
a.list-group-item-danger {
color: #a94442
}
a.list-group-item-danger .list-group-item-heading {
color: inherit
}
a.list-group-item-danger:hover, a.list-group-item-danger:focus {
color: #a94442;
background-color: #ebcccc
}
a.list-group-item-danger.active, a.list-group-item-danger.active:hover, a.list-group-item-danger.active:focus {
color: #fff;
background-color: #a94442;
border-color: #a94442
}
.list-group-item-heading {
margin-top: 0;
margin-bottom: 5px
}
.list-group-item-text {
margin-bottom: 0;
line-height: 1.3
}
.panel {
margin-bottom: 20px;
background-color: #fff;
border: 1px solid transparent;
border-radius: 4px;
-webkit-box-shadow: 0 1px 1px rgba(0, 0, 0, .05);
box-shadow: 0 1px 1px rgba(0, 0, 0, .05)
}
.panel-body {
padding: 15px
}
.panel-heading {
padding: 10px 15px;
border-bottom: 1px solid transparent;
border-top-left-radius: 3px;
border-top-right-radius: 3px
}
.panel-heading>.dropdown .dropdown-toggle {
color: inherit
}
.panel-title {
margin-top: 0;
margin-bottom: 0;
font-size: 16px;
color: inherit
}
.panel-title>a {
color: inherit
}
.panel-footer {
padding: 10px 15px;
background-color: #f5f5f5;
border-top: 1px solid #ddd;
border-bottom-right-radius: 3px;
border-bottom-left-radius: 3px
}
.panel>.list-group, .panel>.panel-collapse>.list-group {
margin-bottom: 0
}
.panel>.list-group .list-group-item, .panel>.panel-collapse>.list-group .list-group-item {
border-width: 1px 0;
border-radius: 0
}
.panel>.list-group:first-child .list-group-item:first-child, .panel>.panel-collapse>.list-group:first-child .list-group-item:first-child {
border-top: 0;
border-top-left-radius: 3px;
border-top-right-radius: 3px
}
.panel>.list-group:last-child .list-group-item:last-child, .panel>.panel-collapse>.list-group:last-child .list-group-item:last-child {
border-bottom: 0;
border-bottom-right-radius: 3px;
border-bottom-left-radius: 3px
}
.panel-heading+.list-group .list-group-item:first-child {
border-top-width: 0
}
.list-group+.panel-footer {
border-top-width: 0
}
.panel>.table, .panel>.table-responsive>.table, .panel>.panel-collapse>.table {
margin-bottom: 0
}
.panel>.table caption, .panel>.table-responsive>.table caption, .panel>.panel-collapse>.table caption {
padding-right: 15px;
padding-left: 15px
}
.panel>.table:first-child, .panel>.table-responsive:first-child>.table:first-child {
border-top-left-radius: 3px;
border-top-right-radius: 3px
}
.panel>.table:first-child>thead:first-child>tr:first-child, .panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child, .panel>.table:first-child>tbody:first-child>tr:first-child, .panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child {
border-top-left-radius: 3px;
border-top-right-radius: 3px
}
.panel>.table:first-child>thead:first-child>tr:first-child td:first-child, .panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:first-child, .panel>.table:first-child>tbody:first-child>tr:first-child td:first-child, .panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:first-child, .panel>.table:first-child>thead:first-child>tr:first-child th:first-child, .panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:first-child, .panel>.table:first-child>tbody:first-child>tr:first-child th:first-child, .panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:first-child {
border-top-left-radius: 3px
}
.panel>.table:first-child>thead:first-child>tr:first-child td:last-child, .panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:last-child, .panel>.table:first-child>tbody:first-child>tr:first-child td:last-child, .panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:last-child, .panel>.table:first-child>thead:first-child>tr:first-child th:last-child, .panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:last-child, .panel>.table:first-child>tbody:first-child>tr:first-child th:last-child, .panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:last-child {
border-top-right-radius: 3px
}
.panel>.table:last-child, .panel>.table-responsive:last-child>.table:last-child {
border-bottom-right-radius: 3px;
border-bottom-left-radius: 3px
}
.panel>.table:last-child>tbody:last-child>tr:last-child, .panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child, .panel>.table:last-child>tfoot:last-child>tr:last-child, .panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child {
border-bottom-right-radius: 3px;
border-bottom-left-radius: 3px
}
.panel>.table:last-child>tbody:last-child>tr:last-child td:first-child, .panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:first-child, .panel>.table:last-child>tfoot:last-child>tr:last-child td:first-child, .panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:first-child, .panel>.table:last-child>tbody:last-child>tr:last-child th:first-child, .panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:first-child, .panel>.table:last-child>tfoot:last-child>tr:last-child th:first-child, .panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:first-child {
border-bottom-left-radius: 3px
}
.panel>.table:last-child>tbody:last-child>tr:last-child td:last-child, .panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:last-child, .panel>.table:last-child>tfoot:last-child>tr:last-child td:last-child, .panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:last-child, .panel>.table:last-child>tbody:last-child>tr:last-child th:last-child, .panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:last-child, .panel>.table:last-child>tfoot:last-child>tr:last-child th:last-child, .panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:last-child {
border-bottom-right-radius: 3px
}
.panel>.panel-body+.table, .panel>.panel-body+.table-responsive, .panel>.table+.panel-body, .panel>.table-responsive+.panel-body {
border-top: 1px solid #ddd
}
.panel>.table>tbody:first-child>tr:first-child th, .panel>.table>tbody:first-child>tr:first-child td {
border-top: 0
}
.panel>.table-bordered, .panel>.table-responsive>.table-bordered {
border: 0
}
.panel>.table-bordered>thead>tr>th:first-child, .panel>.table-responsive>.table-bordered>thead>tr>th:first-child, .panel>.table-bordered>tbody>tr>th:first-child, .panel>.table-responsive>.table-bordered>tbody>tr>th:first-child, .panel>.table-bordered>tfoot>tr>th:first-child, .panel>.table-responsive>.table-bordered>tfoot>tr>th:first-child, .panel>.table-bordered>thead>tr>td:first-child, .panel>.table-responsive>.table-bordered>thead>tr>td:first-child, .panel>.table-bordered>tbody>tr>td:first-child, .panel>.table-responsive>.table-bordered>tbody>tr>td:first-child, .panel>.table-bordered>tfoot>tr>td:first-child, .panel>.table-responsive>.table-bordered>tfoot>tr>td:first-child {
border-left: 0
}
.panel>.table-bordered>thead>tr>th:last-child, .panel>.table-responsive>.table-bordered>thead>tr>th:last-child, .panel>.table-bordered>tbody>tr>th:last-child, .panel>.table-responsive>.table-bordered>tbody>tr>th:last-child, .panel>.table-bordered>tfoot>tr>th:last-child, .panel>.table-responsive>.table-bordered>tfoot>tr>th:last-child, .panel>.table-bordered>thead>tr>td:last-child, .panel>.table-responsive>.table-bordered>thead>tr>td:last-child, .panel>.table-bordered>tbody>tr>td:last-child, .panel>.table-responsive>.table-bordered>tbody>tr>td:last-child, .panel>.table-bordered>tfoot>tr>td:last-child, .panel>.table-responsive>.table-bordered>tfoot>tr>td:last-child {
border-right: 0
}
.panel>.table-bordered>thead>tr:first-child>td, .panel>.table-responsive>.table-bordered>thead>tr:first-child>td, .panel>.table-bordered>tbody>tr:first-child>td, .panel>.table-responsive>.table-bordered>tbody>tr:first-child>td, .panel>.table-bordered>thead>tr:first-child>th, .panel>.table-responsive>.table-bordered>thead>tr:first-child>th, .panel>.table-bordered>tbody>tr:first-child>th, .panel>.table-responsive>.table-bordered>tbody>tr:first-child>th {
border-bottom: 0
}
.panel>.table-bordered>tbody>tr:last-child>td, .panel>.table-responsive>.table-bordered>tbody>tr:last-child>td, .panel>.table-bordered>tfoot>tr:last-child>td, .panel>.table-responsive>.table-bordered>tfoot>tr:last-child>td, .panel>.table-bordered>tbody>tr:last-child>th, .panel>.table-responsive>.table-bordered>tbody>tr:last-child>th, .panel>.table-bordered>tfoot>tr:last-child>th, .panel>.table-responsive>.table-bordered>tfoot>tr:last-child>th {
border-bottom: 0
}
.panel>.table-responsive {
margin-bottom: 0;
border: 0
}
.panel-group {
margin-bottom: 20px
}
.panel-group .panel {
margin-bottom: 0;
border-radius: 4px
}
.panel-group .panel+.panel {
margin-top: 5px
}
.panel-group .panel-heading {
border-bottom: 0
}
.panel-group .panel-heading+.panel-collapse>.panel-body, .panel-group .panel-heading+.panel-collapse>.list-group {
border-top: 1px solid #ddd
}
.panel-group .panel-footer {
border-top: 0
}
.panel-group .panel-footer+.panel-collapse .panel-body {
border-bottom: 1px solid #ddd
}
.panel-default {
border-color: #ddd
}
.panel-default>.panel-heading {
color: #333;
background-color: #f5f5f5;
border-color: #ddd
}
.panel-default>.panel-heading+.panel-collapse>.panel-body {
border-top-color: #ddd
}
.panel-default>.panel-heading .badge {
color: #f5f5f5;
background-color: #333
}
.panel-default>.panel-footer+.panel-collapse>.panel-body {
border-bottom-color: #ddd
}
.panel-primary {
border-color: #428bca
}
.panel-primary>.panel-heading {
color: #fff;
background-color: #428bca;
border-color: #428bca
}
.panel-primary>.panel-heading+.panel-collapse>.panel-body {
border-top-color: #428bca
}
.panel-primary>.panel-heading .badge {
color: #428bca;
background-color: #fff
}
.panel-primary>.panel-footer+.panel-collapse>.panel-body {
border-bottom-color: #428bca
}
.panel-success {
border-color: #d6e9c6
}
.panel-success>.panel-heading {
color: #3c763d;
background-color: #dff0d8;
border-color: #d6e9c6
}
.panel-success>.panel-heading+.panel-collapse>.panel-body {
border-top-color: #d6e9c6
}
.panel-success>.panel-heading .badge {
color: #dff0d8;
background-color: #3c763d
}
.panel-success>.panel-footer+.panel-collapse>.panel-body {
border-bottom-color: #d6e9c6
}
.panel-info {
border-color: #bce8f1
}
.panel-info>.panel-heading {
color: #31708f;
background-color: #d9edf7;
border-color: #bce8f1
}
.panel-info>.panel-heading+.panel-collapse>.panel-body {
border-top-color: #bce8f1
}
.panel-info>.panel-heading .badge {
color: #d9edf7;
background-color: #31708f
}
.panel-info>.panel-footer+.panel-collapse>.panel-body {
border-bottom-color: #bce8f1
}
.panel-warning {
border-color: #faebcc
}
.panel-warning>.panel-heading {
color: #8a6d3b;
background-color: #fcf8e3;
border-color: #faebcc
}
.panel-warning>.panel-heading+.panel-collapse>.panel-body {
border-top-color: #faebcc
}
.panel-warning>.panel-heading .badge {
color: #fcf8e3;
background-color: #8a6d3b
}
.panel-warning>.panel-footer+.panel-collapse>.panel-body {
border-bottom-color: #faebcc
}
.panel-danger {
border-color: #ebccd1
}
.panel-danger>.panel-heading {
color: #a94442;
background-color: #f2dede;
border-color: #ebccd1
}
.panel-danger>.panel-heading+.panel-collapse>.panel-body {
border-top-color: #ebccd1
}
.panel-danger>.panel-heading .badge {
color: #f2dede;
background-color: #a94442
}
.panel-danger>.panel-footer+.panel-collapse>.panel-body {
border-bottom-color: #ebccd1
}
.embed-responsive {
position: relative;
display: block;
height: 0;
padding: 0;
overflow: hidden
}
.embed-responsive .embed-responsive-item, .embed-responsive iframe, .embed-responsive embed, .embed-responsive object, .embed-responsive video {
position: absolute;
top: 0;
bottom: 0;
left: 0;
width: 100%;
height: 100%;
border: 0
}
.embed-responsive.embed-responsive-16by9 {
padding-bottom: 56.25%
}
.embed-responsive.embed-responsive-4by3 {
padding-bottom: 75%
}
.well {
min-height: 20px;
padding: 19px;
margin-bottom: 20px;
background-color: #f5f5f5;
border: 1px solid #e3e3e3;
border-radius: 4px;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .05);
box-shadow: inset 0 1px 1px rgba(0, 0, 0, .05)
}
.well blockquote {
border-color: #ddd;
border-color: rgba(0, 0, 0, .15)
}
.well-lg {
padding: 24px;
border-radius: 6px
}
.well-sm {
padding: 9px;
border-radius: 3px
}
.close {
float: right;
font-size: 21px;
font-weight: 700;
line-height: 1;
color: #000;
text-shadow: 0 1px 0 #fff;
filter: alpha(opacity=20);
opacity: .2
}
.close:hover, .close:focus {
color: #000;
text-decoration: none;
cursor: pointer;
filter: alpha(opacity=50);
opacity: .5
}
button.close {
-webkit-appearance: none;
padding: 0;
cursor: pointer;
background: 0 0;
border: 0
}
.modal-open {
overflow: hidden
}
.modal {
position: fixed;
top: 0;
right: 0;
bottom: 0;
left: 0;
z-index: 1040;
display: none;
overflow: hidden;
-webkit-overflow-scrolling: touch;
outline: 0
}
.modal.fade .modal-dialog {
-webkit-transition: -webkit-transform .3s ease-out;
-o-transition: -o-transform .3s ease-out;
transition: transform .3s ease-out;
-webkit-transform: translate(0, -25%);
-ms-transform: translate(0, -25%);
-o-transform: translate(0, -25%);
transform: translate(0, -25%)
}
.modal.in .modal-dialog {
-webkit-transform: translate(0, 0);
-ms-transform: translate(0, 0);
-o-transform: translate(0, 0);
transform: translate(0, 0)
}
.modal-open .modal {
overflow-x: hidden;
overflow-y: auto
}
.modal-dialog {
position: relative;
width: auto;
margin: 10px
}
.modal-content {
position: relative;
background-color: #fff;
-webkit-background-clip: padding-box;
background-clip: padding-box;
border: 1px solid #999;
border: 1px solid rgba(0, 0, 0, .2);
border-radius: 6px;
outline: 0;
-webkit-box-shadow: 0 3px 9px rgba(0, 0, 0, .5);
box-shadow: 0 3px 9px rgba(0, 0, 0, .5)
}
.modal-backdrop {
position: fixed;
top: 0;
right: 0;
bottom: 0;
left: 0;
background-color: #000
}
.modal-backdrop.fade {
filter: alpha(opacity=0);
opacity: 0
}
.modal-backdrop.in {
filter: alpha(opacity=50);
opacity: .5
}
.modal-header {
min-height: 16.43px;
padding: 15px;
border-bottom: 1px solid #e5e5e5
}
.modal-header .close {
margin-top: -2px
}
.modal-title {
margin: 0;
line-height: 1.42857143
}
.modal-body {
position: relative;
padding: 15px
}
.modal-footer {
padding: 15px;
text-align: right;
border-top: 1px solid #e5e5e5
}
.modal-footer .btn+.btn {
margin-bottom: 0;
margin-left: 5px
}
.modal-footer .btn-group .btn+.btn {
margin-left: -1px
}
.modal-footer .btn-block+.btn-block {
margin-left: 0
}
.modal-scrollbar-measure {
position: absolute;
top: -9999px;
width: 50px;
height: 50px;
overflow: scroll
}
@media (min-width:768px) {
.modal-dialog {
width: 600px;
margin: 30px auto
}
.modal-content {
-webkit-box-shadow: 0 5px 15px rgba(0, 0, 0, .5);
box-shadow: 0 5px 15px rgba(0, 0, 0, .5)
}
.modal-sm {
width: 300px
}
}
@media (min-width:992px) {
.modal-lg {
width: 900px
}
}
.tooltip {
position: absolute;
z-index: 1070;
display: block;
font-size: 12px;
line-height: 1.4;
visibility: visible;
filter: alpha(opacity=0);
opacity: 0
}
.tooltip.in {
filter: alpha(opacity=90);
opacity: .9
}
.tooltip.top {
padding: 5px 0;
margin-top: -3px
}
.tooltip.right {
padding: 0 5px;
margin-left: 3px
}
.tooltip.bottom {
padding: 5px 0;
margin-top: 3px
}
.tooltip.left {
padding: 0 5px;
margin-left: -3px
}
.tooltip-inner {
max-width: 200px;
padding: 3px 8px;
color: #fff;
text-align: center;
text-decoration: none;
background-color: #000;
border-radius: 4px
}
.tooltip-arrow {
position: absolute;
width: 0;
height: 0;
border-color: transparent;
border-style: solid
}
.tooltip.top .tooltip-arrow {
bottom: 0;
left: 50%;
margin-left: -5px;
border-width: 5px 5px 0;
border-top-color: #000
}
.tooltip.top-left .tooltip-arrow {
bottom: 0;
left: 5px;
border-width: 5px 5px 0;
border-top-color: #000
}
.tooltip.top-right .tooltip-arrow {
right: 5px;
bottom: 0;
border-width: 5px 5px 0;
border-top-color: #000
}
.tooltip.right .tooltip-arrow {
top: 50%;
left: 0;
margin-top: -5px;
border-width: 5px 5px 5px 0;
border-right-color: #000
}
.tooltip.left .tooltip-arrow {
top: 50%;
right: 0;
margin-top: -5px;
border-width: 5px 0 5px 5px;
border-left-color: #000
}
.tooltip.bottom .tooltip-arrow {
top: 0;
left: 50%;
margin-left: -5px;
border-width: 0 5px 5px;
border-bottom-color: #000
}
.tooltip.bottom-left .tooltip-arrow {
top: 0;
left: 5px;
border-width: 0 5px 5px;
border-bottom-color: #000
}
.tooltip.bottom-right .tooltip-arrow {
top: 0;
right: 5px;
border-width: 0 5px 5px;
border-bottom-color: #000
}
.popover {
position: absolute;
top: 0;
left: 0;
z-index: 1060;
display: none;
max-width: 276px;
padding: 1px;
font-size: 14px;
font-weight: 400;
line-height: 1.42857143;
text-align: left;
white-space: normal;
background-color: #fff;
-webkit-background-clip: padding-box;
background-clip: padding-box;
border: 1px solid #ccc;
border: 1px solid rgba(0, 0, 0, .2);
border-radius: 6px;
-webkit-box-shadow: 0 5px 10px rgba(0, 0, 0, .2);
box-shadow: 0 5px 10px rgba(0, 0, 0, .2)
}
.popover.top {
margin-top: -10px
}
.popover.right {
margin-left: 10px
}
.popover.bottom {
margin-top: 10px
}
.popover.left {
margin-left: -10px
}
.popover-title {
padding: 8px 14px;
margin: 0;
font-size: 14px;
background-color: #f7f7f7;
border-bottom: 1px solid #ebebeb;
border-radius: 5px 5px 0 0
}
.popover-content {
padding: 9px 14px
}
.popover>.arrow, .popover>.arrow:after {
position: absolute;
display: block;
width: 0;
height: 0;
border-color: transparent;
border-style: solid
}
.popover>.arrow {
border-width: 11px
}
.popover>.arrow:after {
content: "";
border-width: 10px
}
.popover.top>.arrow {
bottom: -11px;
left: 50%;
margin-left: -11px;
border-top-color: #999;
border-top-color: rgba(0, 0, 0, .25);
border-bottom-width: 0
}
.popover.top>.arrow:after {
bottom: 1px;
margin-left: -10px;
content: " ";
border-top-color: #fff;
border-bottom-width: 0
}
.popover.right>.arrow {
top: 50%;
left: -11px;
margin-top: -11px;
border-right-color: #999;
border-right-color: rgba(0, 0, 0, .25);
border-left-width: 0
}
.popover.right>.arrow:after {
bottom: -10px;
left: 1px;
content: " ";
border-right-color: #fff;
border-left-width: 0
}
.popover.bottom>.arrow {
top: -11px;
left: 50%;
margin-left: -11px;
border-top-width: 0;
border-bottom-color: #999;
border-bottom-color: rgba(0, 0, 0, .25)
}
.popover.bottom>.arrow:after {
top: 1px;
margin-left: -10px;
content: " ";
border-top-width: 0;
border-bottom-color: #fff
}
.popover.left>.arrow {
top: 50%;
right: -11px;
margin-top: -11px;
border-right-width: 0;
border-left-color: #999;
border-left-color: rgba(0, 0, 0, .25)
}
.popover.left>.arrow:after {
right: 1px;
bottom: -10px;
content: " ";
border-right-width: 0;
border-left-color: #fff
}
.carousel {
position: relative
}
.carousel-inner {
position: relative;
width: 100%;
overflow: hidden
}
.carousel-inner>.item {
position: relative;
display: none;
-webkit-transition: .6s ease-in-out left;
-o-transition: .6s ease-in-out left;
transition: .6s ease-in-out left
}
.carousel-inner>.item>img, .carousel-inner>.item>a>img {
line-height: 1
}
@media all and (transform-3d),(-webkit-transform-3d) {
.carousel-inner>.item {
-webkit-transition: -webkit-transform .6s ease-in-out;
-o-transition: -o-transform .6s ease-in-out;
transition: transform .6s ease-in-out;
-webkit-backface-visibility: hidden;
backface-visibility: hidden;
-webkit-perspective: 1000;
perspective: 1000
}
.carousel-inner>.item.next, .carousel-inner>.item.active.right {
left: 0;
-webkit-transform: translate3d(100%, 0, 0);
transform: translate3d(100%, 0, 0)
}
.carousel-inner>.item.prev, .carousel-inner>.item.active.left {
left: 0;
-webkit-transform: translate3d(-100%, 0, 0);
transform: translate3d(-100%, 0, 0)
}
.carousel-inner>.item.next.left, .carousel-inner>.item.prev.right, .carousel-inner>.item.active {
left: 0;
-webkit-transform: translate3d(0, 0, 0);
transform: translate3d(0, 0, 0)
}
}
.carousel-inner>.active, .carousel-inner>.next, .carousel-inner>.prev {
display: block
}
.carousel-inner>.active {
left: 0
}
.carousel-inner>.next, .carousel-inner>.prev {
position: absolute;
top: 0;
width: 100%
}
.carousel-inner>.next {
left: 100%
}
.carousel-inner>.prev {
left: -100%
}
.carousel-inner>.next.left, .carousel-inner>.prev.right {
left: 0
}
.carousel-inner>.active.left {
left: -100%
}
.carousel-inner>.active.right {
left: 100%
}
.carousel-control {
position: absolute;
top: 0;
bottom: 0;
left: 0;
width: 15%;
font-size: 20px;
color: #fff;
text-align: center;
text-shadow: 0 1px 2px rgba(0, 0, 0, .6);
filter: alpha(opacity=50);
opacity: .5
}
.carousel-control.left {
background-image: -webkit-linear-gradient(left, rgba(0, 0, 0, .5) 0, rgba(0, 0, 0, .0001) 100%);
background-image: -o-linear-gradient(left, rgba(0, 0, 0, .5) 0, rgba(0, 0, 0, .0001) 100%);
background-image: -webkit-gradient(linear, left top, right top, from(rgba(0, 0, 0, .5)), to(rgba(0, 0, 0, .0001)));
background-image: linear-gradient(to right, rgba(0, 0, 0, .5) 0, rgba(0, 0, 0, .0001) 100%);
filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#80000000', endColorstr='#00000000', GradientType=1);
background-repeat: repeat-x
}
.carousel-control.right {
right: 0;
left: auto;
background-image: -webkit-linear-gradient(left, rgba(0, 0, 0, .0001) 0, rgba(0, 0, 0, .5) 100%);
background-image: -o-linear-gradient(left, rgba(0, 0, 0, .0001) 0, rgba(0, 0, 0, .5) 100%);
background-image: -webkit-gradient(linear, left top, right top, from(rgba(0, 0, 0, .0001)), to(rgba(0, 0, 0, .5)));
background-image: linear-gradient(to right, rgba(0, 0, 0, .0001) 0, rgba(0, 0, 0, .5) 100%);
filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#00000000', endColorstr='#80000000', GradientType=1);
background-repeat: repeat-x
}
.carousel-control:hover, .carousel-control:focus {
color: #fff;
text-decoration: none;
filter: alpha(opacity=90);
outline: 0;
opacity: .9
}
.carousel-control .icon-prev, .carousel-control .icon-next, .carousel-control .glyphicon-chevron-left, .carousel-control .glyphicon-chevron-right {
position: absolute;
top: 50%;
z-index: 5;
display: inline-block
}
.carousel-control .icon-prev, .carousel-control .glyphicon-chevron-left {
left: 50%;
margin-left: -10px
}
.carousel-control .icon-next, .carousel-control .glyphicon-chevron-right {
right: 50%;
margin-right: -10px
}
.carousel-control .icon-prev, .carousel-control .icon-next {
width: 20px;
height: 20px;
margin-top: -10px;
font-family: serif
}
.carousel-control .icon-prev:before {
content: '\2039'
}
.carousel-control .icon-next:before {
content: '\203a'
}
.carousel-indicators {
position: absolute;
bottom: 10px;
left: 50%;
z-index: 15;
width: 60%;
padding-left: 0;
margin-left: -30%;
text-align: center;
list-style: none
}
.carousel-indicators li {
display: inline-block;
width: 10px;
height: 10px;
margin: 1px;
text-indent: -999px;
cursor: pointer;
background-color: #000 \9;
background-color: rgba(0, 0, 0, 0);
border: 1px solid #fff;
border-radius: 10px
}
.carousel-indicators .active {
width: 12px;
height: 12px;
margin: 0;
background-color: #fff
}
.carousel-caption {
position: absolute;
right: 15%;
bottom: 20px;
left: 15%;
z-index: 10;
padding-top: 20px;
padding-bottom: 20px;
color: #fff;
text-align: center;
text-shadow: 0 1px 2px rgba(0, 0, 0, .6)
}
.carousel-caption .btn {
text-shadow: none
}
@media screen and (min-width:768px) {
.carousel-control .glyphicon-chevron-left, .carousel-control .glyphicon-chevron-right, .carousel-control .icon-prev, .carousel-control .icon-next {
width: 30px;
height: 30px;
margin-top: -15px;
font-size: 30px
}
.carousel-control .glyphicon-chevron-left, .carousel-control .icon-prev {
margin-left: -15px
}
.carousel-control .glyphicon-chevron-right, .carousel-control .icon-next {
margin-right: -15px
}
.carousel-caption {
right: 20%;
left: 20%;
padding-bottom: 30px
}
.carousel-indicators {
bottom: 20px
}
}
.clearfix:before, .clearfix:after, .dl-horizontal dd:before, .dl-horizontal dd:after, .container:before, .container:after, .container-fluid:before, .container-fluid:after, .row:before, .row:after, .form-horizontal .form-group:before, .form-horizontal .form-group:after, .btn-toolbar:before, .btn-toolbar:after, .btn-group-vertical>.btn-group:before, .btn-group-vertical>.btn-group:after, .nav:before, .nav:after, .navbar:before, .navbar:after, .navbar-header:before, .navbar-header:after, .navbar-collapse:before, .navbar-collapse:after, .pager:before, .pager:after, .panel-body:before, .panel-body:after, .modal-footer:before, .modal-footer:after {
display: table;
content: " "
}
.clearfix:after, .dl-horizontal dd:after, .container:after, .container-fluid:after, .row:after, .form-horizontal .form-group:after, .btn-toolbar:after, .btn-group-vertical>.btn-group:after, .nav:after, .navbar:after, .navbar-header:after, .navbar-collapse:after, .pager:after, .panel-body:after, .modal-footer:after {
clear: both
}
.center-block {
display: block;
margin-right: auto;
margin-left: auto
}
.pull-right {
float: right !important
}
.pull-left {
float: left !important
}
.hide {
display: none !important
}
.show {
display: block !important
}
.invisible {
visibility: hidden
}
.text-hide {
font: 0/0 a;
color: transparent;
text-shadow: none;
background-color: transparent;
border: 0
}
.hidden {
display: none !important;
visibility: hidden !important
}
.affix {
position: fixed
}
@-ms-viewport{width:device-width} .visible-xs, .visible-sm, .visible-md, .visible-lg {
display: none !important
}
.visible-xs-block, .visible-xs-inline, .visible-xs-inline-block, .visible-sm-block, .visible-sm-inline, .visible-sm-inline-block, .visible-md-block, .visible-md-inline, .visible-md-inline-block, .visible-lg-block, .visible-lg-inline, .visible-lg-inline-block {
display: none !important
}
@media (max-width:767px) {
.visible-xs {
display: block !important
}
table.visible-xs {
display: table
}
tr.visible-xs {
display: table-row !important
}
th.visible-xs, td.visible-xs {
display: table-cell !important
}
}
@media (max-width:767px) {
.visible-xs-block {
display: block !important
}
}
@media (max-width:767px) {
.visible-xs-inline {
display: inline !important
}
}
@media (max-width:767px) {
.visible-xs-inline-block {
display: inline-block !important
}
}
@media (min-width:768px) and (max-width:991px) {
.visible-sm {
display: block !important
}
table.visible-sm {
display: table
}
tr.visible-sm {
display: table-row !important
}
th.visible-sm, td.visible-sm {
display: table-cell !important
}
}
@media (min-width:768px) and (max-width:991px) {
.visible-sm-block {
display: block !important
}
}
@media (min-width:768px) and (max-width:991px) {
.visible-sm-inline {
display: inline !important
}
}
@media (min-width:768px) and (max-width:991px) {
.visible-sm-inline-block {
display: inline-block !important
}
}
@media (min-width:992px) and (max-width:1199px) {
.visible-md {
display: block !important
}
table.visible-md {
display: table
}
tr.visible-md {
display: table-row !important
}
th.visible-md, td.visible-md {
display: table-cell !important
}
}
@media (min-width:992px) and (max-width:1199px) {
.visible-md-block {
display: block !important
}
}
@media (min-width:992px) and (max-width:1199px) {
.visible-md-inline {
display: inline !important
}
}
@media (min-width:992px) and (max-width:1199px) {
.visible-md-inline-block {
display: inline-block !important
}
}
@media (min-width:1200px) {
.visible-lg {
display: block !important
}
table.visible-lg {
display: table
}
tr.visible-lg {
display: table-row !important
}
th.visible-lg, td.visible-lg {
display: table-cell !important
}
}
@media (min-width:1200px) {
.visible-lg-block {
display: block !important
}
}
@media (min-width:1200px) {
.visible-lg-inline {
display: inline !important
}
}
@media (min-width:1200px) {
.visible-lg-inline-block {
display: inline-block !important
}
}
@media (max-width:767px) {
.hidden-xs {
display: none !important
}
}
@media (min-width:768px) and (max-width:991px) {
.hidden-sm {
display: none !important
}
}
@media (min-width:992px) and (max-width:1199px) {
.hidden-md {
display: none !important
}
}
@media (min-width:1200px) {
.hidden-lg {
display: none !important
}
}
.visible-print {
display: none !important
}
@media print {
.visible-print {
display: block !important
}
table.visible-print {
display: table
}
tr.visible-print {
display: table-row !important
}
th.visible-print, td.visible-print {
display: table-cell !important
}
}
.visible-print-block {
display: none !important
}
@media print {
.visible-print-block {
display: block !important
}
}
.visible-print-inline {
display: none !important
}
@media print {
.visible-print-inline {
display: inline !important
}
}
.visible-print-inline-block {
display: none !important
}
@media print {
.visible-print-inline-block {
display: inline-block !important
}
}
@media print {
.hidden-print {
display: none !important
}
} |
tag/qualite/index.html | jcsirot/hubpress.io | <!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta http-equiv="Content-Type" content="text/html; charset=utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1">
<title>qualite - Coding Stories</title>
<meta name="HandheldFriendly" content="True">
<meta name="MobileOptimized" content="320">
<meta name="apple-mobile-web-app-capable" content="yes">
<meta name="apple-mobile-web-app-status-bar-style" content="black-translucent">
<meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=1">
<meta name="description" content="">
<meta name="twitter:card" content="summary">
<meta name="twitter:title" content="qualite - Coding Stories">
<meta name="twitter:description" content="">
<meta property="og:type" content="article">
<meta property="og:title" content="qualite - Coding Stories">
<meta property="og:description" content="">
<!-- <meta name="twitter:site" content="">
<meta name="twitter:creator" content="">
<meta name="google-site-verification" content="">
<meta property="fb:admins" content="">
-->
<link href="/favicon.ico" rel="shortcut icon" type="image/x-icon">
<link href="/apple-touch-icon-precomposed.png" rel="apple-touch-icon">
<link href="//fonts.googleapis.com/" rel="dns-prefetch">
<link href="//fonts.googleapis.com/css?family=Droid+Serif:400,700,400italic|Open+Sans:700,400&subset=latin,latin-ext" rel="stylesheet">
<link rel="stylesheet" href="//jcsirot.github.io/hubpress.io/themes/ghostium/assets/css/main.min.css?v=1468920995464"/>
<link rel="stylesheet" href="//jcsirot.github.io/hubpress.io/themes/ghostium/assets/css/custom.css?v=1468920995464"/>
<link rel="stylesheet" href="//jcsirot.github.io/hubpress.io/themes/ghostium/assets/css/asciidoctor-foundation.css?v=1468920995464"/>
<script type="text/javascript">
var ga_ua = 'UA-XXXXX-X';
var disqus_shortname = 'example';
var enable_pjax = true;
// Pace Options
// ==============
window.paceOptions = {
catchupTime: 100,
minTime: 100,
elements: false,
restartOnRequestAfter: 500,
startOnPageLoad: false
}
// Ghostium Globals
// ==============
window.GHOSTIUM = {};
GHOSTIUM.haveGA = typeof ga_ua !== 'undefined' && ga_ua !== 'UA-XXXXX-X';
GHOSTIUM.haveDisqus = typeof disqus_shortname !== 'undefined' && disqus_shortname !== 'example';
GHOSTIUM.enablePjax = typeof enable_pjax !== 'undefined' ? enable_pjax : true;
</script>
<script src="//jcsirot.github.io/hubpress.io/themes/ghostium/assets/js/head-scripts.min.js?v=1468920995464"></script>
<link rel="canonical" href="https://jcsirot.github.io/hubpress.io/https://jcsirot.github.io/hubpress.io/tag/qualite/" />
<meta name="referrer" content="origin" />
<meta property="og:site_name" content="Coding Stories" />
<meta property="og:type" content="website" />
<meta property="og:title" content="qualite - Coding Stories" />
<meta property="og:url" content="https://jcsirot.github.io/hubpress.io/https://jcsirot.github.io/hubpress.io/tag/qualite/" />
<meta name="twitter:card" content="summary" />
<meta name="twitter:title" content="qualite - Coding Stories" />
<meta name="twitter:url" content="https://jcsirot.github.io/hubpress.io/https://jcsirot.github.io/hubpress.io/tag/qualite/" />
<script type="application/ld+json">
null
</script>
<meta name="generator" content="HubPress" />
<link rel="alternate" type="application/rss+xml" title="Coding Stories" href="https://jcsirot.github.io/hubpress.io/rss/" />
</head>
<body class="tag-template tag-qualite">
<button data-action="open-drawer" id="drawer-button" class="drawer-button"><i class="fa fa-bars"></i></button>
<nav tabindex="-1" class="drawer">
<div class="drawer-container">
<!--.drawer-search(role="search")-->
<ul role="navigation" class="drawer-list">
<li class="drawer-list-item">
<a href="https://jcsirot.github.io/hubpress.io" data-pjax>
<i class="fa fa-home"></i>Home
</a>
</li>
<!-- <li class="drawer-list-item">
<a href="https://jcsirot.github.io/hubpress.io" title="Coding Stories" data-pjax>
<i class="fa fa-list-alt"></i>All posts
</a>
</li> -->
<li class="drawer-list-item">
<a href="https://jcsirot.github.io/hubpress.io/rss/">
<i class="fa fa-rss"></i>Subscribe to Feed
</a>
</li>
<li class="drawer-list-divider"></li>
<li class="drawer-list-item drawer-list-title">
Follow me
</li>
<li class="drawer-list-item">
<a href="https://twitter.com/jcsirot" title="Twitter" target="_blank">
<i class="fa fa-twitter"></i>Twitter
</a>
</li>
<li class="drawer-list-item">
<a href="https://github.com/jcsirot" title="Github" target="_blank">
<i class="fa fa-github"></i>Github
</a>
</li>
<li class="drawer-list-item">
<a href="https://fr.linkedin.com/in/jcsirot" title="LinkedIn" target="_blank">
<i class="fa fa-linkedin"></i>LinkedIn
</a>
</li>
</ul>
</div>
</nav>
<div class="drawer-overlay"></div>
<main id="container" role="main" class="container">
<div class="surface">
<div class="surface-container">
<div data-pjax-container class="content">
<aside role="banner" class="cover">
<div data-load-image="images/cover/cover.jpg" class="cover-image"></div>
<div class="cover-container">
<h1 class="cover-title"><a href="https://jcsirot.github.io/hubpress.io" title="Coding Stories">Coding Stories</a></h1>
<p class="cover-description">Singe savant en ingénierie logicielle</p>
</div>
</aside>
<section class="wrapper" tabindex="0">
<div class="wrapper-container">
<header>
<p><h2>Posts tagged with <i>qualite</i></h2></p>
<hr>
</header>
<section class="post-list">
<article itemscope itemtype="http://schema.org/BlogPosting"
role="article" class="post-item post tag-java tag-junit tag-mock tag-qualite tag-test">
<header class="post-item-header">
<h2 itemprop="name" class="post-item-title">
<a href="https://jcsirot.github.io/hubpress.io/2012/08/05/Mocker-un-serveur-de-mail-avec-Dumbster-et-J-Uit.html" itemprop="url" data-pjax title="Mocker un serveur de mail avec Dumbster et JUnit">
Mocker un serveur de mail avec Dumbster et JUnit
</a>
</h2>
</header>
<section itemprop="description" class="post-item-excerpt">
<p>Récemment, en écrivant des tests d’intégration j’ai rencontré un cas d’utilisation qui arrive fréquemment : un utilisateur s’inscrit à un service Web, un courriel lui est envoyé, il contient une URL permettant…</p>
</section>
<footer class="post-item-footer">
<ul class="post-item-meta-list">
<li class="post-item-meta-item">
<time datetime="2012-08-05" itemprop="datePublished">
4 years ago
</time>
</li>
<li class="post-item-meta-item">
<span class="tags"><i class="fa fa-tags"></i>
<span>
<a href="https://jcsirot.github.io/hubpress.io/tag/java/">java</a>, <a href="https://jcsirot.github.io/hubpress.io/tag/junit/"> junit</a>, <a href="https://jcsirot.github.io/hubpress.io/tag/mock/"> mock</a>, <a href="https://jcsirot.github.io/hubpress.io/tag/qualite/"> qualite</a>, <a href="https://jcsirot.github.io/hubpress.io/tag/test/"> test</a></span>
</span>
</li>
<li class="post-item-meta-item">
<a href="https://jcsirot.github.io/hubpress.io/2012/08/05/Mocker-un-serveur-de-mail-avec-Dumbster-et-J-Uit.html#disqus_thread" data-pjax data-disqus-identifier="">Comments</a>
</li>
</ul>
</footer>
</article>
</section>
<nav role="pagination" class="post-list-pagination">
<span class="post-list-pagination-item post-list-pagination-item-current">Page 1 of 1</span>
</nav>
<footer role="contentinfo" class="footer">
<p><small>Copyright © <span itemprop="copyrightHolder">Coding Stories</span>. 2016. All Rights Reserved.</small></p>
<p><small><a href="http://ghostium.oswaldoacauan.com/" target="_blank">Ghostium Theme</a> by <a href="http://twitter.com/oswaldoacauan" target="_blank">@oswaldoacauan</a></small></p>
<p><small>Adapted by <a href="https://twitter.com/mgreau">Maxime Gréau</a></small></p>
<p><small>Published with <a href="http://hubpress.io">HubPress</a></small></p>
</footer>
</div>
</section>
</div>
</div>
</div>
</main>
<script src="//cdnjs.cloudflare.com/ajax/libs/jquery/2.1.3/jquery.min.js?v="></script> <script src="//cdnjs.cloudflare.com/ajax/libs/moment.js/2.9.0/moment-with-locales.min.js?v="></script> <script src="//cdnjs.cloudflare.com/ajax/libs/highlight.js/8.4/highlight.min.js?v="></script>
<script type="text/javascript">
jQuery( document ).ready(function() {
// change date with ago
jQuery('ago.ago').each(function(){
var element = jQuery(this).parent();
element.html( moment(element.text()).fromNow());
});
});
hljs.initHighlightingOnLoad();
</script>
<script src="//jcsirot.github.io/hubpress.io/themes/ghostium/assets/js/foot-scripts.min.js?v=1468920995464"></script>
</body>
</html>
|
docs/class_shopify_1_1_u_i_toolkit_1_1_themes_1_1_error_popup-members.html | Shopify/unity-buy-sdk | <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "https://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.9.1"/>
<meta name="viewport" content="width=device-width, initial-scale=1"/>
<title>Shopify SDK for Unity: Member List</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>
<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="projectalign" style="padding-left: 0.5em;">
<div id="projectname">Shopify SDK for Unity
</div>
</td>
</tr>
</tbody>
</table>
</div>
<!-- end header part -->
<!-- Generated by Doxygen 1.9.1 -->
<script type="text/javascript">
/* @license magnet:?xt=urn:btih:cf05388f2679ee054f2beb29a391d25f4e673ac3&dn=gpl-2.0.txt GPL-v2 */
var searchBox = new SearchBox("searchBox", "search",false,'Search','.html');
/* @license-end */
</script>
<script type="text/javascript" src="menudata.js"></script>
<script type="text/javascript" src="menu.js"></script>
<script type="text/javascript">
/* @license magnet:?xt=urn:btih:cf05388f2679ee054f2beb29a391d25f4e673ac3&dn=gpl-2.0.txt GPL-v2 */
$(function() {
initMenu('',true,false,'search.php','Search');
$(document).ready(function() { init_search(); });
});
/* @license-end */</script>
<div id="main-nav"></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="namespace_shopify.html">Shopify</a></li><li class="navelem"><a class="el" href="namespace_shopify_1_1_u_i_toolkit.html">UIToolkit</a></li><li class="navelem"><a class="el" href="namespace_shopify_1_1_u_i_toolkit_1_1_themes.html">Themes</a></li><li class="navelem"><a class="el" href="class_shopify_1_1_u_i_toolkit_1_1_themes_1_1_error_popup.html">ErrorPopup</a></li> </ul>
</div>
</div><!-- top -->
<div class="header">
<div class="headertitle">
<div class="title">Shopify.UIToolkit.Themes.ErrorPopup Member List</div> </div>
</div><!--header-->
<div class="contents">
<p>This is the complete list of members for <a class="el" href="class_shopify_1_1_u_i_toolkit_1_1_themes_1_1_error_popup.html">Shopify.UIToolkit.Themes.ErrorPopup</a>, including all inherited members.</p>
<table class="directory">
<tr class="even"><td class="entry"><a class="el" href="class_shopify_1_1_u_i_toolkit_1_1_themes_1_1_error_popup.html#a7eb0815c4765d003368dc046155f3f1f">AddError</a>(string error)</td><td class="entry"><a class="el" href="class_shopify_1_1_u_i_toolkit_1_1_themes_1_1_error_popup.html">Shopify.UIToolkit.Themes.ErrorPopup</a></td><td class="entry"><span class="mlabel">inline</span></td></tr>
<tr bgcolor="#f0f0f0"><td class="entry"><b>Animator</b> (defined in <a class="el" href="class_shopify_1_1_u_i_toolkit_1_1_themes_1_1_error_popup.html">Shopify.UIToolkit.Themes.ErrorPopup</a>)</td><td class="entry"><a class="el" href="class_shopify_1_1_u_i_toolkit_1_1_themes_1_1_error_popup.html">Shopify.UIToolkit.Themes.ErrorPopup</a></td><td class="entry"></td></tr>
<tr bgcolor="#f0f0f0" class="even"><td class="entry"><b>ShowNextError</b>() (defined in <a class="el" href="class_shopify_1_1_u_i_toolkit_1_1_themes_1_1_error_popup.html">Shopify.UIToolkit.Themes.ErrorPopup</a>)</td><td class="entry"><a class="el" href="class_shopify_1_1_u_i_toolkit_1_1_themes_1_1_error_popup.html">Shopify.UIToolkit.Themes.ErrorPopup</a></td><td class="entry"><span class="mlabel">inline</span></td></tr>
<tr bgcolor="#f0f0f0"><td class="entry"><b>Text</b> (defined in <a class="el" href="class_shopify_1_1_u_i_toolkit_1_1_themes_1_1_error_popup.html">Shopify.UIToolkit.Themes.ErrorPopup</a>)</td><td class="entry"><a class="el" href="class_shopify_1_1_u_i_toolkit_1_1_themes_1_1_error_popup.html">Shopify.UIToolkit.Themes.ErrorPopup</a></td><td class="entry"></td></tr>
</table></div><!-- contents -->
<address class="footer"><small>
<a href="https://www.shopify.ca/">
<img class="footer" height="50" src="https://camo.githubusercontent.com/10d580ddb06e6e6ff66ae43959842201195c6269/68747470733a2f2f63646e2e73686f706966792e636f6d2f73686f706966792d6d61726b6574696e675f6173736574732f6275696c64732f31392e302e302f73686f706966792d66756c6c2d636f6c6f722d626c61636b2e737667" alt="Shopify">
</a>
</small></address> |
2016/04/28/Word-Press-1.html | innovation-jp/innovation-jp.github.io | <!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<meta http-equiv="X-UA-Compatible" content="IE=edge" />
<title>WordPressでプラグインを作ってみた その1 - イノベーション エンジニアブログ</title>
<meta name="HandheldFriendly" content="True">
<meta name="MobileOptimized" content="320">
<meta name="apple-mobile-web-app-capable" content="yes">
<meta name="apple-mobile-web-app-status-bar-style" content="black-translucent">
<meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=1">
<meta name="description" content="">
<meta name="twitter:card" content="summary">
<meta name="twitter:title" content="WordPressでプラグインを作ってみた その1">
<meta name="twitter:description" content="">
<meta property="og:type" content="article">
<meta property="og:title" content="WordPressでプラグインを作ってみた その1">
<meta property="og:description" content="">
<link href="/favicon.ico" rel="shortcut icon" type="image/x-icon">
<link href="/apple-touch-icon-precomposed.png" rel="apple-touch-icon">
<script type="text/javascript">
var _trackingid = 'LFT-10003-1';
(function() {
var lft = document.createElement('script'); lft.type = 'text/javascript'; lft.async = true;
lft.src = document.location.protocol + '//test.list-finder.jp/js/ja/track_test.js';
var snode = document.getElementsByTagName('script')[0]; snode.parentNode.insertBefore(lft, snode);
})();
</script>
<script type="text/javascript">
var _trackingid = 'LFT-10003-1';
(function() {
var lft = document.createElement('script'); lft.type = 'text/javascript'; lft.async = true;
lft.src = document.location.protocol + '//track.list-finder.jp/js/ja/track_prod_wao.js';
var snode = document.getElementsByTagName('script')[0]; snode.parentNode.insertBefore(lft, snode);
})();
</script>
<link rel="stylesheet" type="text/css" href="//tech.innovation.co.jp/themes/uno/assets/css/uno.css?v=1.0.0" />
<link rel="canonical" href="http://tech.innovation.co.jp/2016/04/28/Word-Press-1.html" />
<meta property="og:site_name" content="イノベーション エンジニアブログ" />
<meta property="og:type" content="article" />
<meta property="og:title" content="WordPressでプラグインを作ってみた その1" />
<meta property="og:description" content="おはこんばんわ、中村と申します。 普段は自社サービスの開発に携わっております。 皆さんGW目前となり浮き足立っている方も多いのではないでしょうか? 仙台に行ってきます(笑) 今回は先日WordPressで会員機能プラグインを作ってみたお話をしてみようと思います。 その2書きました。 要件 WordPressに会員機能を追加する 会員は投稿記事をお気に入りに追加でき、一覧で見れるようにする 会員データは自社サービスのDBへ保存させる こんな感じ。 (最終的には全ページSSL化とか色々増えちゃいましたが) 自社サービスとの連携が必要なので、単純にプラグイン..." />
<meta property="og:url" content="http://tech.innovation.co.jp/2016/04/28/Word-Press-1.html" />
<meta property="article:published_time" content="2016-04-27T15:00:00.000Z" />
<meta property="article:modified_time" content="2017-09-05T04:22:23.774Z" />
<meta property="article:tag" content="FirstPost" />
<meta property="article:tag" content="WordPress" />
<meta property="article:tag" content="Plugin" />
<meta property="article:tag" content="Nakamura" />
<meta name="twitter:card" content="summary" />
<meta name="twitter:title" content="WordPressでプラグインを作ってみた その1" />
<meta name="twitter:description" content="おはこんばんわ、中村と申します。 普段は自社サービスの開発に携わっております。 皆さんGW目前となり浮き足立っている方も多いのではないでしょうか? 仙台に行ってきます(笑) 今回は先日WordPressで会員機能プラグインを作ってみたお話をしてみようと思います。 その2書きました。 要件 WordPressに会員機能を追加する 会員は投稿記事をお気に入りに追加でき、一覧で見れるようにする 会員データは自社サービスのDBへ保存させる こんな感じ。 (最終的には全ページSSL化とか色々増えちゃいましたが) 自社サービスとの連携が必要なので、単純にプラグイン..." />
<meta name="twitter:url" content="http://tech.innovation.co.jp/2016/04/28/Word-Press-1.html" />
<script type="application/ld+json">
{
"@context": "http://schema.org",
"@type": "Article",
"publisher": "イノベーション エンジニアブログ",
"author": {
"@type": "Person",
"name": "Akihiro YAGASAKI",
"image": "https://avatars1.githubusercontent.com/u/13131599?v=4",
"url": "undefined/author/undefined",
"sameAs": ""
},
"headline": "WordPressでプラグインを作ってみた その1",
"url": "http://tech.innovation.co.jp/2016/04/28/Word-Press-1.html",
"datePublished": "2016-04-27T15:00:00.000Z",
"dateModified": "2017-09-05T04:22:23.774Z",
"keywords": "FirstPost, WordPress, Plugin, Nakamura",
"description": "おはこんばんわ、中村と申します。 普段は自社サービスの開発に携わっております。 皆さんGW目前となり浮き足立っている方も多いのではないでしょうか? 仙台に行ってきます(笑) 今回は先日WordPressで会員機能プラグインを作ってみたお話をしてみようと思います。 その2書きました。 要件 WordPressに会員機能を追加する 会員は投稿記事をお気に入りに追加でき、一覧で見れるようにする 会員データは自社サービスのDBへ保存させる こんな感じ。 (最終的には全ページSSL化とか色々増えちゃいましたが) 自社サービスとの連携が必要なので、単純にプラグイン..."
}
</script>
<meta name="generator" content="Ghost ?" />
<link rel="alternate" type="application/rss+xml" title="イノベーション エンジニアブログ" href="http://tech.innovation.co.jp/rss" />
<link rel="stylesheet" href="//cdnjs.cloudflare.com/ajax/libs/highlight.js/8.4/styles/default.min.css">
</head>
<body class="post-template tag-First-Post tag-Word-Press tag-Plugin tag-Nakamura no-js">
<span class="mobile btn-mobile-menu">
<i class="icon icon-list btn-mobile-menu__icon"></i>
<i class="icon icon-x-circle btn-mobile-close__icon hidden"></i>
</span>
<header class="panel-cover panel-cover--collapsed " >
<div class="panel-main">
<div class="panel-main__inner panel-inverted">
<div class="panel-main__content">
<h1 class="panel-cover__title panel-title"><a href="http://tech.innovation.co.jp" title="link to homepage for イノベーション エンジニアブログ">イノベーション エンジニアブログ</a></h1>
<hr class="panel-cover__divider" />
<p class="panel-cover__description">株式会社イノベーションのエンジニアたちの技術系ブログです。ITトレンド・List Finderの開発をベースに、業務外での技術研究などもブログとして発信していってます!</p>
<hr class="panel-cover__divider panel-cover__divider--secondary" />
<div class="navigation-wrapper">
<nav class="cover-navigation cover-navigation--primary">
<ul class="navigation">
<li class="navigation__item"><a href="http://tech.innovation.co.jp/#blog" title="link to イノベーション エンジニアブログ blog" class="blog-button">Blog</a></li>
</ul>
</nav>
<nav class="cover-navigation navigation--social">
<ul class="navigation">
</ul>
</nav>
</div>
</div>
</div>
<div class="panel-cover--overlay"></div>
</div>
</header>
<div class="content-wrapper">
<!-- ソーシャルボタンここから -->
<div id="boxArea" style="display: table; padding: 0 0 0 2px;">
<div style="width: 74px; height: 22px; float: left;">
<a href="https://twitter.com/share" class="twitter-share-button"
{count} data-lang="ja" data-dnt="true">ツイート</a>
<script>
!function(d, s, id) {
var js, fjs = d.getElementsByTagName(s)[0], p = /^http:/
.test(d.location) ? 'http' : 'https';
if (!d.getElementById(id)) {
js = d.createElement(s);
js.id = id;
js.src = p + '://platform.twitter.com/widgets.js';
fjs.parentNode.insertBefore(js, fjs);
}
}(document, 'script', 'twitter-wjs');
</script>
</div>
<div style="width: 76px; height: 22px; float: left;">
<div class="g-plusone" data-size="medium"></div>
<script type="text/javascript">
window.___gcfg = {
lang : 'ja'
};
(function() {
var po = document.createElement('script');
po.type = 'text/javascript';
po.async = true;
po.src = 'https://apis.google.com/js/platform.js';
var s = document.getElementsByTagName('script')[0];
s.parentNode.insertBefore(po, s);
})();
</script>
</div>
<div style="width: 126px; height: 22px; float: left;">
<a href="http://b.hatena.ne.jp/entry/" class="hatena-bookmark-button"
data-hatena-bookmark-layout="standard-balloon"
data-hatena-bookmark-lang="ja" title="このエントリーをはてなブックマークに追加"><img
src="http://b.st-hatena.com/images/entry-button/button-only@2x.png"
alt="このエントリーをはてなブックマークに追加" width="20" height="20"
style="border: none;" /></a>
<script type="text/javascript"
src="http://b.st-hatena.com/js/bookmark_button.js" charset="utf-8"
async="async"></script>
</div>
<div style="width: 117px; height: 22px; float: left;">
<a data-pocket-label="pocket" data-pocket-count="horizontal"
class="pocket-btn" data-lang="en"></a>
</div>
<div style="width: 86px; height: 22px; float: left;">
<span><script type="text/javascript"
src="//media.line.me/js/line-button.js?v=20140411"></script>
<script type="text/javascript">
new media_line_me.LineButton({
"pc" : true,
"lang" : "ja",
"type" : "a"
});
</script></span>
</div>
<div style="width: 114px; height: 22px; float: left;">
<script src="//platform.linkedin.com/in.js" type="text/javascript">
lang: ja_JP
</script>
<script type="IN/Share" data-counter="right"></script>
</div>
<div style="width: 112px; height: 22px; float: left;">
<iframe
scrolling="no" frameborder="0" id="fbframe"
width="164" height="46" style="border:none;overflow:hidden"
allowTransparency="true"></iframe>
</div>
<script type="text/javascript">
(function() {
var url = encodeURIComponent(location.href);
document.getElementById('fbframe').src="//www.facebook.com/plugins/like.php?href=" + url +
"&width=164&layout=button_count&action=like&show_faces=true&share=true&height=46&appId=1613776965579453"
})();
</script>
</div>
<script type="text/javascript">
!function(d, i) {
if (!d.getElementById(i)) {
var j = d.createElement("script");
j.id = i;
j.src = "https://widgets.getpocket.com/v1/j/btn.js?v=1";
var w = d.getElementById(i);
d.body.appendChild(j);
}
}(document, "pocket-btn-js");
</script>
<!-- ソーシャルボタンここまで -->
<div class="content-wrapper__inner">
<article class="post-container post-container--single">
<header class="post-header">
<div class="post-meta">
<time datetime="28 Apr 2016" class="post-meta__date date">28 Apr 2016</time> • <span class="post-meta__tags tags">on <a href="http://tech.innovation.co.jp/tag/First-Post">FirstPost</a>, <a href="http://tech.innovation.co.jp/tag/Word-Press">WordPress</a>, <a href="http://tech.innovation.co.jp/tag/Plugin">Plugin</a>, <a href="http://tech.innovation.co.jp/tag/Nakamura">Nakamura</a></span>
<span class="post-meta__author author"><img src="https://avatars1.githubusercontent.com/u/13131599?v=4" alt="profile image for Akihiro YAGASAKI" class="avatar post-meta__avatar" /> by Akihiro YAGASAKI</span>
</div>
<h1 class="post-title">WordPressでプラグインを作ってみた その1</h1>
</header>
<section class="post tag-First-Post tag-Word-Press tag-Plugin tag-Nakamura">
<div id="preamble">
<div class="sectionbody">
<div class="paragraph">
<p>おはこんばんわ、中村と申します。<br>
普段は自社サービスの開発に携わっております。<br></p>
</div>
<div class="paragraph">
<p>皆さんGW目前となり浮き足立っている方も多いのではないでしょうか?<br>
<br>
<br>
<br>
仙台に行ってきます(笑)<br>
<br>
<br>
<br></p>
</div>
<div class="paragraph">
<p>今回は先日WordPressで会員機能プラグインを作ってみたお話をしてみようと思います。</p>
</div>
<div class="paragraph">
<p><a href="http://tech.innovation.co.jp/2016/06/02/Word-Press-2.html">その2</a>書きました。</p>
</div>
</div>
</div>
<div class="sect1">
<h2 id="__">要件</h2>
<div class="sectionbody">
<div class="ulist">
<ul>
<li>
<p>WordPressに会員機能を追加する</p>
</li>
<li>
<p>会員は投稿記事をお気に入りに追加でき、一覧で見れるようにする</p>
</li>
<li>
<p>会員データは<strong>自社サービスのDB</strong>へ保存させる</p>
</li>
</ul>
</div>
<div class="paragraph">
<p>こんな感じ。<br>
(最終的には全ページSSL化とか色々増えちゃいましたが)</p>
</div>
<div class="paragraph">
<p>自社サービスとの連携が必要なので、単純にプラグインを探してきてなんとかするのは難しく、エンジニアに依頼が来たという訳です。<br></p>
</div>
<div class="paragraph">
<p>今回はプラグイン作成〜ルーティング設定までを紹介していきます。</p>
</div>
</div>
</div>
<div class="sect1">
<h2 id="___2">プラグインの構成</h2>
<div class="sectionbody">
<div class="listingblock">
<div class="content">
<pre class="highlight"><code>├── wp-admin/
├── wp-content/
│ ├── languages/
│ ├── plugins/
│ │ └── inno_membership/ ← ここにDIR作成
│ ├── themes/
│ └── uploads/
└── wp-includes/</code></pre>
</div>
</div>
<div class="paragraph">
<p>wordpressでは上記のようなDIR構成になっていると思いますので、wp-content配下のplugins内に好きなDIRを作成しましょう。</p>
</div>
<div class="paragraph">
<p>今回は「inno_membership」にしてみました。
こんな感じのDIR構成にしてみます。</p>
</div>
<div class="listingblock">
<div class="content">
<pre class="highlight"><code>./inno_membership/
├── css/
├── js/
├── inno_membership.php ← ここはDIRと同じ名称にしておく
└── templates/
├── favorite.php
├── login.php
├── logout.php
├── setting.php
├── ...</code></pre>
</div>
</div>
<div class="paragraph">
<p>今回はプラグインを有効にするとページ(固定ページと呼ぶもの)が追加されるようにしたいので、そちらに使うファイルをtemplates内に設置するようにしました。</p>
</div>
<div class="paragraph">
<p>またプラグインで使うCSSやJSなどもプラグインDIR内に設置することで、既存のテーマに影響しないように一応配慮してあります。</p>
</div>
<div class="paragraph">
<p><strong>あくまでもプラグインで使うものはプラグインDIRに納めましょう。</strong></p>
</div>
<div class="paragraph">
<p>inno_membership.phpには以下のような書式でコメントを書いておきましょう。</p>
</div>
<div class="listingblock">
<div class="content">
<pre class="highlight"><code class="language-php" data-lang="php"><?php
/*
Plugin Name: 会員機能
Description: ブログ用に会員機能のプラグインを作ってみる
Version: 0.0.1
Author: Nakamura
*/</code></pre>
</div>
</div>
<div class="paragraph">
<p>この状態で管理画面へログインすると、プラグインとして認識してくれます。<br>
なんだかいい感じ!</p>
</div>
<div class="imageblock">
<div class="content">
<img src="/images/wp_plugin_image.png" alt="wp plugin image.png">
</div>
</div>
<div class="paragraph">
<p>んで、ここからが本題。</p>
</div>
</div>
</div>
<div class="sect1">
<h2 id="___3">ルーティング設定</h2>
<div class="sectionbody">
<div class="paragraph">
<p>通常は固定ページを作る場合にはWordPressの管理画面から登録を行っていきますが、今回はプラグイン側で制御させます。</p>
</div>
<div class="paragraph">
<p>以下の2つのURLルールを追加していきます。</p>
</div>
<div class="ulist">
<ul>
<li>
<p>/member/favorite/ ⇒ ./templates/favorite.php</p>
</li>
<li>
<p>/member/login/ ⇒ ./templates/login.php</p>
</li>
</ul>
</div>
<div class="paragraph">
<p>まずはルーティングを追加する関数を作成しましょう。<br>
関数名はバッティングしないように「inno_」から始まるようにしてみます。</p>
</div>
<div class="listingblock">
<div class="content">
<pre class="highlight"><code class="language-php" data-lang="php">/*
* rewrite_ruleの追加
*/
function inno_add_rule() {
add_rewrite_rule( '^member/([^/]+)/?', 'index.php?action=$matches[1]', 'top' );
flush_rewrite_rules();
}</code></pre>
</div>
</div>
<div class="paragraph">
<p><strong>add_rewrite_rule()</strong> でルーティングの追加を行い、<strong>flush_rewrite_rules()</strong> で初期化を行います。</p>
</div>
<div class="paragraph">
<p><strong>$action</strong> 変数で受け取りテンプレートを切り替えたいのですが、ここで</p>
</div>
<div class="listingblock">
<div class="content">
<pre class="highlight"><code class="language-php" data-lang="php">$action = $_GET['action'];</code></pre>
</div>
</div>
<div class="paragraph">
<p>と記述しても受け取れないので注意!</p>
</div>
<div class="paragraph">
<p>まずはquery_varsに受け渡しを行う変数名を追加し…</p>
</div>
<div class="listingblock">
<div class="content">
<pre class="highlight"><code class="language-php" data-lang="php">/*
* $actionパラメータを受け取る準備
*/
function inno_add_query_vars( $vars ) {
$vars[] = 'action';
return $vars;
}</code></pre>
</div>
</div>
<div class="paragraph">
<p>次にget_query_var()で値を取得する必要があります。(ちなみにハマりました)</p>
</div>
<div class="listingblock">
<div class="content">
<pre class="highlight"><code class="language-php" data-lang="php">/*
* パラメータによりファイルを切り替える
*/
function inno_front_controller() {
$rule = get_query_var( 'action' );
switch ( $rule ) {
case 'favorite':
include dirname(__FILE__) . '/templates/favorite.php';
exit;
break;
case 'login':
include dirname(__FILE__) . '/templates/login.php';
exit;
break;
}
}</code></pre>
</div>
</div>
<div class="paragraph">
<p>後はURLを判定し、条件に合えばファイルをincludeして終了させます。</p>
</div>
</div>
</div>
<div class="sect1">
<h2 id="___4">実行タイミング</h2>
<div class="sectionbody">
<div class="paragraph">
<p>これらの関数を必要なタイミングで実行するようにします。</p>
</div>
<div class="paragraph">
<p>とくに<strong>flush_rewrite_rules()</strong> はルーティングの初期化を行うために処理に時間がかかるそうなので、プラグインが有効になったタイミングで1度だけ実行されるようにしておきます。</p>
</div>
<div class="listingblock">
<div class="content">
<pre class="highlight"><code>//必要な情報の受け渡しが出来るようquery_varsを追加
add_action( 'query_vars', 'inno_add_query_vars' );
//プラグイン側から特定のURLでアクセスできるように設定を追加
add_action( 'template_redirect', 'inno_front_controller' );
//プラグインを有効化した場合にURLルールを追加
register_activation_hook( __FILE__, 'inno_add_rule' );</code></pre>
</div>
</div>
</div>
</div>
<div class="sect1">
<h2 id="___5">まとめ</h2>
<div class="sectionbody">
<div class="paragraph">
<p>とりあえずここまでのコードをまとめておきます。</p>
</div>
<div class="listingblock">
<div class="content">
<pre class="highlight"><code class="language-php" data-lang="php"><?php
/*
Plugin Name: 会員機能
Description: ブログ用に会員機能のプラグインを作ってみる
Version: 0.0.1
Author: Nakamura
*/
//必要な情報の受け渡しが出来るようquery_varsを追加
add_action( 'query_vars', 'inno_add_query_vars' );
//プラグイン側から固定ページを作成したので、特定のURLでアクセスできるように設定を追加
add_action( 'template_redirect', 'inno_front_controller' );
//プラグインを有効化した場合にURLルールを追加
register_activation_hook( __FILE__, 'inno_add_rule' );
/*
* rewrite_ruleの追加
*/
function inno_add_rule() {
add_rewrite_rule( '^member/([^/]+)/?', 'index.php?action=$matches[1]', 'top' );
flush_rewrite_rules();
}
/*
* $actionパラメータを受け取る準備
*/
function inno_add_query_vars( $vars ) {
$vars[] = 'action';
return $vars;
}
/*
* パラメータによりファイルを切り替える
*/
function inno_front_controller() {
$rule = get_query_var( 'action' );
switch ( $rule ) {
case 'favorite':
include dirname(__FILE__) . '/templates/favorite.php';
exit;
break;
case 'login':
include dirname(__FILE__) . '/templates/login.php';
exit;
break;
}
}</code></pre>
</div>
</div>
<div class="paragraph">
<p>templates配下のファイルには通常のテーマファイルなどと同じように記述すれば、固定ページを作成できます。</p>
</div>
<div class="paragraph">
<p>今回はここまで!</p>
</div>
<div class="sect2">
<h3 id="___6">次回は</h3>
<div class="paragraph">
<p>今回はあえてclassなど作らず、デザイナーの方々でも分かりやすいようにしてみました。<br>
そのため他の関数名と被らないように「inno_」を接頭語としてつけましたが、次回はこちらをclass化させていこうと思います。</p>
</div>
<div class="paragraph">
<p>普段はPHPをあまり触らないデザイナーなどにも是非挑戦していただきたいなと。</p>
</div>
<div class="paragraph">
<p>こちらからは以上です!</p>
</div>
</div>
</div>
</div>
</section>
</article>
<footer class="footer">
<span class="footer__copyright">© 2017. All rights reserved.</span>
<span class="footer__copyright"><a href="http://uno.daleanthony.com" title="link to page for Uno Ghost theme">Uno theme</a> by <a href="http://daleanthony.com" title="link to website for Dale-Anthony">Dale-Anthony</a></span>
<span class="footer__copyright">Proudly published with <a href="http://hubpress.io" title="link to Hubpress website">Hubpress</a></span>
</footer>
</div>
</div>
<script src="//cdnjs.cloudflare.com/ajax/libs/jquery/2.1.3/jquery.min.js?v="></script> <script src="//cdnjs.cloudflare.com/ajax/libs/moment.js/2.9.0/moment-with-locales.min.js?v="></script> <script src="//cdnjs.cloudflare.com/ajax/libs/highlight.js/8.4/highlight.min.js?v="></script>
<script type="text/javascript">
jQuery( document ).ready(function() {
// change date with ago
jQuery('ago.ago').each(function(){
var element = jQuery(this).parent();
element.html( moment(element.text()).fromNow());
});
});
hljs.initHighlightingOnLoad();
</script>
<script type="text/javascript" src="//tech.innovation.co.jp/themes/uno/assets/js/main.js?v=1.0.0"></script>
<script>
(function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){
(i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o),
m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m)
})(window,document,'script','//www.google-analytics.com/analytics.js','ga');
ga('create', 'UA-105881090-1', 'auto');
ga('send', 'pageview');
</script>
</body>
</html>
|
tests/index.html | ro0gr/ember-routable-tabs | <!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<title>ember-routable-tabs:tests</title>
<meta name="description" content="">
<meta name="viewport" content="width=device-width, initial-scale=1">
{{content-for "head"}}
{{content-for "test-head"}}
<link rel="stylesheet" href="{{rootURL}}assets/vendor.css">
<link rel="stylesheet" href="{{rootURL}}assets/dummy.css">
<link rel="stylesheet" href="{{rootURL}}assets/test-support.css">
{{content-for "head-footer"}}
{{content-for "test-head-footer"}}
</head>
<body>
{{content-for "body"}}
{{content-for "test-body"}}
<script src="/testem.js" integrity=""></script>
<script src="{{rootURL}}assets/vendor.js"></script>
<script src="{{rootURL}}assets/test-support.js"></script>
<script src="{{rootURL}}assets/dummy.js"></script>
<script src="{{rootURL}}assets/tests.js"></script>
{{content-for "body-footer"}}
{{content-for "test-body-footer"}}
</body>
</html>
|
public/modules/instructors/views/instructor_signin.client.view.html | andela-ogaruba/AndelaAPI | <section data-ng-controller="InstructorsController">
<div class="container">
<div class="admin-view">
<div class="col-xs-offset-2 col-xs-8 col-md-offset-5 col-md-2">
<form data-ng-submit="instructor_signin()" class="signin" autocomplete="off">
<fieldset>
<div class="form-group">
<label for="username">Username</label>
<input type="text" id="username" name="username" class="form-control" data-ng-model="credentials.username" placeholder="Username">
</div>
<div class="form-group">
<label for="password">Password</label>
<input type="password" id="password" name="password" class="form-control" data-ng-model="credentials.password" placeholder="Password">
</div>
<div class="text-center form-group">
<button type="submit" class="btn btn-primary">Sign in</button> or
<a href="/#!/signup">Sign up</a>
</div>
<div data-ng-show="error" class="text-center text-danger">
<strong data-ng-bind="error"></strong>
</div>
</fieldset>
</form>
</div>
</div>
</div>
</section>
|
index.html | academicjargon/Berkeley | <html>
<head>
<title>CS 61B: Homework and projects</title>
</head>
<body bgcolor='ffffff'>
<font size=6 color='009000'>
<a href="https://people.eecs.berkeley.edu/~jrs/61b/index.html">
CS 61B: Data Structures</a></font>
<font color='009000'>(Spring 2014)</font><br>
<font size=6 color='009000'>
Homework and Projects</font><br>
<p>
Each link below leads to a directory with a readme file containing the
homework or project,
a readme.ps PostScript file which neatly and compactly formats
the readme file, an identical PDF file called readme.pdf,
and whatever additional files you need to do the assignment.
These files are also available through the directory <tt>~cs61b/hw</tt>.
<p>
All homeworks and projects are due at noon (right before class) on Wednesdays.
Late homeworks will <b>not</b> be accepted, no matter what.
We drop your lowest homework grade to help you negotiate one crisis week
during the semester, so please don't ask for extensions.
Late projects will be penalized by 1% of your earned score for
every two hours (rounded up) they are late.
<p>
<ul>
<li><a href="hw1">Homework 1</a>, due Wednesday, January 29, noon.
<li><a href="hw2">Homework 2</a>, due Wednesday, February 5, noon.
<li><a href="hw3">Homework 3</a>, due Wednesday, February 12, noon.
<li><a href="pj1">Project 1</a>, due Saturday, February 22, midnight.
<li><a href="hw4">Homework 4</a>, due Wednesday, February 26, noon.
<li><a href="hw5">Homework 5</a>, due Wednesday, March 5, noon.
<li><a href="hw6">Homework 6</a>, due Wednesday, March 19, noon.
<li><a href="pj2">Project 2</a>, due Wednesday, April 2, noon.
<li><a href="hw7">Homework 7</a>, due Wednesday, April 9, noon.
<li><a href="hw8">Homework 8</a>, due Wednesday, April 16, noon.
<li><a href="hw9">Homework 9</a>, due Wednesday, April 23, noon.
<li><a href="pj3">Project 3</a>, due Wednesday, April 30, noon.
<li><a href="hw10">Homework 10</a>, due Wednesday, May 7, noon.
</ul>
<hr>
<address>
<a href="mailto:cs61b@cory.eecs">cs61b@cory.eecs</a>
</address>
</body>
</html>
|
data science/machine_learning_for_the_web/chapter_4/movie/6246.html | xianjunzhengbackup/code | <HTML><HEAD>
<TITLE>Review for Faithful (1996)</TITLE>
<LINK REL="STYLESHEET" TYPE="text/css" HREF="/ramr.css">
</HEAD>
<BODY BGCOLOR="#FFFFFF" TEXT="#000000">
<H1 ALIGN="CENTER" CLASS="title"><A HREF="/Title?0116269">Faithful (1996)</A></H1><H3 ALIGN=CENTER>reviewed by<BR><A HREF="/ReviewsBy?Clarissa+Oon">Clarissa Oon</A></H3><HR WIDTH="40%" SIZE="4">
<PRE> FAITHFUL
A film review by Clarissa Oon
Copyright 1996 The Flying Inkpot</PRE>
<PRE>Directed by: Paul Mazursky
Written by: Chazz Palminteri
Cast: Cher (Margaret), Chazz Palminteri (Tony), Ryan O'Neal (Jack)<br>
Produced by: Miramax International
Length: 100 mins
Rating: *** out of *****
Theatres: Shaw</PRE>
<P>'TILL DEATH DO US PART' COMEDY MISSES ITS MARK</P>
<P>There's something extremely unsatisfying about a movie that keeps its
fingers on your pulse, but fails to push the right buttons. And FAITHFUL is
a one of those movies that has its moments, but never quite takes off as a
whole.</P>
<P>Actor Chazz Palminteri's comic thriller is an inspired tale of a wife who
discovers that her husband has hired a hitman to dispose of her on their
twentieth wedding anniversary. From its tantaliser of an opening, FAITHFUL
throws up witty one-liners, sexual tension between repressed housewife
Margaret and broodingly neurotic gunman Tony, as well as a potentially
compelling debate on whether it's possible to remain faithful to the same
person all your life.</P>
<P>For example, Margaret asks Tony, in the desperate curiosity of one about to
die, whether he's ever slept with a whore. He replies, haughtily, "I only
sleep with whores."</P>
<P>The key to Palminteri's script is the dialogue between Margaret and Tony,
which deftly juggles that fine line between irreverent and seriousness. And
director Paul Mazursky (ENEMIES, A LOVE STORY) gives the dialogue
considerable attention, producing some classy moments. Cher turns in an
excellent performance as Margaret, bringing to it inimitable comic timing
and an unexpected poignance. Palminteri reprises his familiar hitman role,
though with less panache than as the memorable Cheech in BULLETS OVER
BROADWAY. And both play up the sexual tension to the hilt.</P>
<P>But the movie tries to be a bit too clever. The numerous flashbacks and
cuts to Margaret's husband Jack are distracting and often ineffectual; Ryan
O'Neal does nothing for the role of Jack with his wooden, humourless mug,
and the flashbacks only serve to draw us away from the immediacy of the
Margaret-Tony interplay. Worse of the lot are the cheesy slow-mo shots of
Jack's mistress sashaying about.</P>
<P>The biggest culprit of the 'trying-too-hard' syndrome is the movie's
attempt to moralize, it's insistence on Making A Point. Like the
wide-angled shots of Jack and Margaret's opulent mansion; read: money can't
buy happiness. Or the constant rehashing of the 'faithfulness' theme--why
can't men be faithful, why women shouldn't bother to be faithful--which
gets to be about as annoying as a fly buzzing about your head.</P>
<P>Like the intense, tough-talking Tony who can't bring himself to pull a
trigger on any woman, FAITHFUL has a lot behind it, but manages to shoot
itself in the foot. Which is why, despite its potential, despite actors the
calibre of Cher and Palminteri, FAITHFUL won't win any critical acclaim. A
pity.</P>
<P>Clarissa Oon has no qualms about being faithful--to her dog.</P>
<P>The Flying Inkpot Rating System:
* Wait for the TV2 broadcast.
** A little creaky, but still better than staying at home with Gotcha!
*** Pretty good, bring a friend.
**** Amazing, potent stuff.
***** Perfection. See it twice.</P>
<P>____________________________________________________________
This movie review was written for THE FLYING INKPOT, the
Singaporean zine that dares to say "Bok." For a spanking
good time, visit THE FLYING INKPOT at <<A HREF="http://webvisions.com.sg/inkpot/><HR>">http://webvisions.com.sg/inkpot/><HR></A></P>
<HR><P CLASS=flush><SMALL>The review above was posted to the
<A HREF="news:rec.arts.movies.reviews">rec.arts.movies.reviews</A> newsgroup (<A HREF="news:de.rec.film.kritiken">de.rec.film.kritiken</A> for German reviews).<BR>
The Internet Movie Database accepts no responsibility for the contents of the
review and has no editorial control. Unless stated otherwise, the copyright
belongs to the author.<BR>
Please direct comments/criticisms of the review to relevant newsgroups.<BR>
Broken URLs inthe reviews are the responsibility of the author.<BR>
The formatting of the review is likely to differ from the original due
to ASCII to HTML conversion.
</SMALL></P>
<P ALIGN=CENTER>Related links: <A HREF="/Reviews/">index of all rec.arts.movies.reviews reviews</A></P>
</P></BODY></HTML>
|
doc/test/TestEasyKillBotVsCorners.html | justinslee/robocode-jsl-EasyKillBot | <!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_11) on Wed Mar 13 05:09:11 HST 2013 -->
<title>TestEasyKillBotVsCorners</title>
<meta name="date" content="2013-03-13">
<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="TestEasyKillBotVsCorners";
}
//-->
</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 class="navBarCell1Rev">Class</li>
<li><a href="class-use/TestEasyKillBotVsCorners.html">Use</a></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><a href="../test/TestEasyKillBotFiring.html" title="class in test"><span class="strong">Prev Class</span></a></li>
<li><a href="../test/TestEasyKillBotVsCrazy.html" title="class in test"><span class="strong">Next Class</span></a></li>
</ul>
<ul class="navList">
<li><a href="../index.html?test/TestEasyKillBotVsCorners.html" target="_top">Frames</a></li>
<li><a href="TestEasyKillBotVsCorners.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>
<div>
<ul class="subNavList">
<li>Summary: </li>
<li>Nested | </li>
<li>Field | </li>
<li><a href="#constructor_summary">Constr</a> | </li>
<li><a href="#method_summary">Method</a></li>
</ul>
<ul class="subNavList">
<li>Detail: </li>
<li>Field | </li>
<li><a href="#constructor_detail">Constr</a> | </li>
<li><a href="#method_detail">Method</a></li>
</ul>
</div>
<a name="skip-navbar_top">
<!-- -->
</a></div>
<!-- ========= END OF TOP NAVBAR ========= -->
<!-- ======== START OF CLASS DATA ======== -->
<div class="header">
<div class="subTitle">test</div>
<h2 title="Class TestEasyKillBotVsCorners" class="title">Class TestEasyKillBotVsCorners</h2>
</div>
<div class="contentContainer">
<ul class="inheritance">
<li>java.lang.Object</li>
<li>
<ul class="inheritance">
<li>robocode.control.events.BattleAdaptor</li>
<li>
<ul class="inheritance">
<li>robocode.control.testing.RobotTestBed</li>
<li>
<ul class="inheritance">
<li>test.TestEasyKillBotVsCorners</li>
</ul>
</li>
</ul>
</li>
</ul>
</li>
</ul>
<div class="description">
<ul class="blockList">
<li class="blockList">
<dl>
<dt>All Implemented Interfaces:</dt>
<dd>robocode.control.events.IBattleListener</dd>
</dl>
<hr>
<br>
<pre>public class <span class="strong">TestEasyKillBotVsCorners</span>
extends robocode.control.testing.RobotTestBed</pre>
<div class="block">Illustrates JUnit testing of Robocode robots.
This test simply verifies that EasyKillBot always
beats Corners. Also illustrates the overriding of
a set of methods from RobotTestBed to show how the
testing behavior can be customized and controlled.</div>
<dl><dt><span class="strong">Author:</span></dt>
<dd>Philip Johnson</dd></dl>
</li>
</ul>
</div>
<div class="summary">
<ul class="blockList">
<li class="blockList">
<!-- ======== CONSTRUCTOR SUMMARY ======== -->
<ul class="blockList">
<li class="blockList"><a name="constructor_summary">
<!-- -->
</a>
<h3>Constructor Summary</h3>
<table class="overviewSummary" border="0" cellpadding="3" cellspacing="0" summary="Constructor Summary table, listing constructors, and an explanation">
<caption><span>Constructors</span><span class="tabEnd"> </span></caption>
<tr>
<th class="colOne" scope="col">Constructor and Description</th>
</tr>
<tr class="altColor">
<td class="colOne"><code><strong><a href="../test/TestEasyKillBotVsCorners.html#TestEasyKillBotVsCorners()">TestEasyKillBotVsCorners</a></strong>()</code> </td>
</tr>
</table>
</li>
</ul>
<!-- ========== METHOD SUMMARY =========== -->
<ul class="blockList">
<li class="blockList"><a name="method_summary">
<!-- -->
</a>
<h3>Method Summary</h3>
<table class="overviewSummary" border="0" cellpadding="3" cellspacing="0" summary="Method Summary table, listing methods, and an explanation">
<caption><span>Methods</span><span class="tabEnd"> </span></caption>
<tr>
<th class="colFirst" scope="col">Modifier and Type</th>
<th class="colLast" scope="col">Method and Description</th>
</tr>
<tr class="altColor">
<td class="colFirst"><code>java.lang.String</code></td>
<td class="colLast"><code><strong><a href="../test/TestEasyKillBotVsCorners.html#getInitialPositions()">getInitialPositions</a></strong>()</code>
<div class="block">Returns a comma or space separated list like:
x1,y1,heading1, x2,y2,heading2, which are the
coordinates and heading of robot #1 and #2.</div>
</td>
</tr>
<tr class="rowColor">
<td class="colFirst"><code>int</code></td>
<td class="colLast"><code><strong><a href="../test/TestEasyKillBotVsCorners.html#getNumRounds()">getNumRounds</a></strong>()</code>
<div class="block">This test runs for 20 rounds.</div>
</td>
</tr>
<tr class="altColor">
<td class="colFirst"><code>java.lang.String</code></td>
<td class="colLast"><code><strong><a href="../test/TestEasyKillBotVsCorners.html#getRobotNames()">getRobotNames</a></strong>()</code>
<div class="block">Specifies that Corners and EasyKillBot are to be matched
up in this test case.</div>
</td>
</tr>
<tr class="rowColor">
<td class="colFirst"><code>boolean</code></td>
<td class="colLast"><code><strong><a href="../test/TestEasyKillBotVsCorners.html#isDeterministic()">isDeterministic</a></strong>()</code>
<div class="block">Returns true if the battle should be deterministic
and thus robots will always start
in the same position each time.</div>
</td>
</tr>
<tr class="altColor">
<td class="colFirst"><code>void</code></td>
<td class="colLast"><code><strong><a href="../test/TestEasyKillBotVsCorners.html#onBattleCompleted(robocode.control.events.BattleCompletedEvent)">onBattleCompleted</a></strong>(robocode.control.events.BattleCompletedEvent event)</code>
<div class="block">The actual test, which asserts that EasyKillBot
has won every round against Corners.</div>
</td>
</tr>
<tr class="rowColor">
<td class="colFirst"><code>void</code></td>
<td class="colLast"><code><strong><a href="../test/TestEasyKillBotVsCorners.html#onTurnEnded(robocode.control.events.TurnEndedEvent)">onTurnEnded</a></strong>(robocode.control.events.TurnEndedEvent event)</code>
<div class="block">Called after each turn.</div>
</td>
</tr>
</table>
<ul class="blockList">
<li class="blockList"><a name="methods_inherited_from_class_robocode.control.testing.RobotTestBed">
<!-- -->
</a>
<h3>Methods inherited from class robocode.control.testing.RobotTestBed</h3>
<code>onBattleError, onBattleMessage, run, setup, tearDown</code></li>
</ul>
<ul class="blockList">
<li class="blockList"><a name="methods_inherited_from_class_robocode.control.events.BattleAdaptor">
<!-- -->
</a>
<h3>Methods inherited from class robocode.control.events.BattleAdaptor</h3>
<code>onBattleFinished, onBattlePaused, onBattleResumed, onBattleStarted, onRoundEnded, onRoundStarted, onTurnStarted</code></li>
</ul>
<ul class="blockList">
<li class="blockList"><a name="methods_inherited_from_class_java.lang.Object">
<!-- -->
</a>
<h3>Methods inherited from class java.lang.Object</h3>
<code>equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait</code></li>
</ul>
</li>
</ul>
</li>
</ul>
</div>
<div class="details">
<ul class="blockList">
<li class="blockList">
<!-- ========= CONSTRUCTOR DETAIL ======== -->
<ul class="blockList">
<li class="blockList"><a name="constructor_detail">
<!-- -->
</a>
<h3>Constructor Detail</h3>
<a name="TestEasyKillBotVsCorners()">
<!-- -->
</a>
<ul class="blockListLast">
<li class="blockList">
<h4>TestEasyKillBotVsCorners</h4>
<pre>public TestEasyKillBotVsCorners()</pre>
</li>
</ul>
</li>
</ul>
<!-- ============ METHOD DETAIL ========== -->
<ul class="blockList">
<li class="blockList"><a name="method_detail">
<!-- -->
</a>
<h3>Method Detail</h3>
<a name="getRobotNames()">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>getRobotNames</h4>
<pre>public final java.lang.String getRobotNames()</pre>
<div class="block">Specifies that Corners and EasyKillBot are to be matched
up in this test case.</div>
<dl>
<dt><strong>Specified by:</strong></dt>
<dd><code>getRobotNames</code> in class <code>robocode.control.testing.RobotTestBed</code></dd>
<dt><span class="strong">Returns:</span></dt><dd>The comma-delimited list of robots in this match.</dd></dl>
</li>
</ul>
<a name="getNumRounds()">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>getNumRounds</h4>
<pre>public final int getNumRounds()</pre>
<div class="block">This test runs for 20 rounds.</div>
<dl>
<dt><strong>Overrides:</strong></dt>
<dd><code>getNumRounds</code> in class <code>robocode.control.testing.RobotTestBed</code></dd>
<dt><span class="strong">Returns:</span></dt><dd>The number of rounds.</dd></dl>
</li>
</ul>
<a name="onBattleCompleted(robocode.control.events.BattleCompletedEvent)">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>onBattleCompleted</h4>
<pre>public final void onBattleCompleted(robocode.control.events.BattleCompletedEvent event)</pre>
<div class="block">The actual test, which asserts that EasyKillBot
has won every round against Corners.</div>
<dl>
<dt><strong>Specified by:</strong></dt>
<dd><code>onBattleCompleted</code> in interface <code>robocode.control.events.IBattleListener</code></dd>
<dt><strong>Overrides:</strong></dt>
<dd><code>onBattleCompleted</code> in class <code>robocode.control.events.BattleAdaptor</code></dd>
<dt><span class="strong">Parameters:</span></dt><dd><code>event</code> - Details about the completed battle.</dd></dl>
</li>
</ul>
<a name="onTurnEnded(robocode.control.events.TurnEndedEvent)">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>onTurnEnded</h4>
<pre>public final void onTurnEnded(robocode.control.events.TurnEndedEvent event)</pre>
<div class="block">Called after each turn.
Provided here to show that you could
use this method as part of your testing.</div>
<dl>
<dt><strong>Specified by:</strong></dt>
<dd><code>onTurnEnded</code> in interface <code>robocode.control.events.IBattleListener</code></dd>
<dt><strong>Overrides:</strong></dt>
<dd><code>onTurnEnded</code> in class <code>robocode.control.testing.RobotTestBed</code></dd>
<dt><span class="strong">Parameters:</span></dt><dd><code>event</code> - The TurnEndedEvent.</dd></dl>
</li>
</ul>
<a name="getInitialPositions()">
<!-- -->
</a>
<ul class="blockList">
<li class="blockList">
<h4>getInitialPositions</h4>
<pre>public final java.lang.String getInitialPositions()</pre>
<div class="block">Returns a comma or space separated list like:
x1,y1,heading1, x2,y2,heading2, which are the
coordinates and heading of robot #1 and #2.
So "0,0,180, 50,80,270" means that robot #1
has position (0,0) and heading 180, and robot
#2 has position (50,80) and heading 270.
Override this method to explicitly specify the
initial positions for your test cases.
Defaults to null, which means that the initial positions
are determined randomly. Since battles are deterministic
by default, the initial positions are randomly chosen but will
always be the same each time you run the test case.</div>
<dl>
<dt><strong>Overrides:</strong></dt>
<dd><code>getInitialPositions</code> in class <code>robocode.control.testing.RobotTestBed</code></dd>
<dt><span class="strong">Returns:</span></dt><dd>The list of initial positions.</dd></dl>
</li>
</ul>
<a name="isDeterministic()">
<!-- -->
</a>
<ul class="blockListLast">
<li class="blockList">
<h4>isDeterministic</h4>
<pre>public final boolean isDeterministic()</pre>
<div class="block">Returns true if the battle should be deterministic
and thus robots will always start
in the same position each time.
Override to return false to support random initialization.</div>
<dl>
<dt><strong>Overrides:</strong></dt>
<dd><code>isDeterministic</code> in class <code>robocode.control.testing.RobotTestBed</code></dd>
<dt><span class="strong">Returns:</span></dt><dd>True if the battle will be deterministic.</dd></dl>
</li>
</ul>
</li>
</ul>
</li>
</ul>
</div>
</div>
<!-- ========= END OF CLASS DATA ========= -->
<!-- ======= 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 class="navBarCell1Rev">Class</li>
<li><a href="class-use/TestEasyKillBotVsCorners.html">Use</a></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><a href="../test/TestEasyKillBotFiring.html" title="class in test"><span class="strong">Prev Class</span></a></li>
<li><a href="../test/TestEasyKillBotVsCrazy.html" title="class in test"><span class="strong">Next Class</span></a></li>
</ul>
<ul class="navList">
<li><a href="../index.html?test/TestEasyKillBotVsCorners.html" target="_top">Frames</a></li>
<li><a href="TestEasyKillBotVsCorners.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>
<div>
<ul class="subNavList">
<li>Summary: </li>
<li>Nested | </li>
<li>Field | </li>
<li><a href="#constructor_summary">Constr</a> | </li>
<li><a href="#method_summary">Method</a></li>
</ul>
<ul class="subNavList">
<li>Detail: </li>
<li>Field | </li>
<li><a href="#constructor_detail">Constr</a> | </li>
<li><a href="#method_detail">Method</a></li>
</ul>
</div>
<a name="skip-navbar_bottom">
<!-- -->
</a></div>
<!-- ======== END OF BOTTOM NAVBAR ======= -->
</body>
</html>
|
templates/post.html | eknuth/slush-jekyll | ---
layout: post
title: "<%= title %>"
description: "<%= description %>"
category:
tags:
---
|
view/index.html | Painti/cs485 | <!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no">
<title>Math Battle</title>
<link rel="stylesheet" href="/css/main.css">
</head>
<body>
<div id="top"></div>
<div id="koopa-fly"></div>
<form class="start" action="createPlayer" method="post">
<input id="input-text" type="text" name="name" value="" placeholder="input your name">
<input id="btn" type="button" onclick="create()" name="" value="">
</form>
<div id="bot">
<div id="koopa"></div>
</div>
<script src="/js/jquery-3.1.1.js" charset="utf-8"></script>
<script type="text/javascript">
function create() {
if ($("#input-text").val() == '') {
window.alert("Please input your name");
} else {
$(".start").submit();
}
}
</script>
</body>
</html>
|
js-setTimeout-and-setInterval/index.html | lipelip/DWM | <!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="HandheldFriendly" content="True">
<title>setTimeout et setInterval</title>
<style type="text/css">
html, body {
height: 100%;
}
* { -moz-box-sizing: border-box; -webkit-box-sizing: border-box; box-sizing: border-box; }
a {
text-decoration: none;
}
</style>
</head>
<body>
<pre>
<p>
<a href="javascript:vazy()">setTimeout( disCaca, 500 );</a> -- une fois, dans 500 millisecondes
</p>
<p>
<a href="javascript:vazyAfond()">setInterval( disCaca, 10 );</a> - pour toujours, toutes les 10 millisecondes
</p>
</pre>
<script type="text/javascript">
function disCaca() {
alert("Caca !")
}
function vazy() {
setTimeout( disCaca, 500 );
}
function vazyAfond() {
setInterval( disCaca, 10 );
}
</script>
</body>
</html> |
clean/Linux-x86_64-4.03.0-2.0.5/released/8.6/mathcomp-character/1.6.html | coq-bench/coq-bench.github.io | <!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>mathcomp-character: Not compatible 👼</title>
<link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" />
<link href="../../../../../bootstrap.min.css" rel="stylesheet">
<link href="../../../../../bootstrap-custom.css" rel="stylesheet">
<link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet">
<script src="../../../../../moment.min.js"></script>
<!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries -->
<!-- WARNING: Respond.js doesn't work if you view the page via file:// -->
<!--[if lt IE 9]>
<script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script>
<script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script>
<![endif]-->
</head>
<body>
<div class="container">
<div class="navbar navbar-default" role="navigation">
<div class="container-fluid">
<div class="navbar-header">
<a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a>
</div>
<div id="navbar" class="collapse navbar-collapse">
<ul class="nav navbar-nav">
<li><a href="../..">clean / released</a></li>
<li class="active"><a href="">8.6 / mathcomp-character - 1.6</a></li>
</ul>
</div>
</div>
</div>
<div class="article">
<div class="row">
<div class="col-md-12">
<a href="../..">« Up</a>
<h1>
mathcomp-character
<small>
1.6
<span class="label label-info">Not compatible 👼</span>
</small>
</h1>
<p>📅 <em><script>document.write(moment("2022-01-01 06:30:20 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-01-01 06:30:20 UTC)</em><p>
<h2>Context</h2>
<pre># Packages matching: installed
# Name # Installed # Synopsis
base-bigarray base
base-num base Num library distributed with the OCaml compiler
base-threads base
base-unix base
camlp5 7.14 Preprocessor-pretty-printer of OCaml
conf-findutils 1 Virtual package relying on findutils
conf-perl 1 Virtual package relying on perl
coq 8.6 Formal proof management system
num 0 The Num library for arbitrary-precision integer and rational arithmetic
ocaml 4.03.0 The OCaml compiler (virtual package)
ocaml-base-compiler 4.03.0 Official 4.03.0 release
ocaml-config 1 OCaml Switch Configuration
ocamlfind 1.9.1 A library manager for OCaml
# opam file:
opam-version: "2.0"
name: "coq-mathcomp-character"
version: "1.6"
maintainer: "Mathematical Components <mathcomp-dev@sympa.inria.fr>"
homepage: "http://ssr.msr-inria.inria.fr/"
bug-reports: "Mathematical Components <mathcomp-dev@sympa.inria.fr>"
license: "CeCILL-B"
build: [ make "-C" "mathcomp/character" "-j" "%{jobs}%" ]
install: [ make "-C" "mathcomp/character" "install" ]
remove: [ "sh" "-c" "rm -rf '%{lib}%/coq/user-contrib/mathcomp/character'" ]
depends: [
"ocaml"
"coq-mathcomp-field" {= "1.6"}
]
tags: [ "keyword:algebra" "keyword:character" "keyword:small scale reflection" "keyword:mathematical components" "keyword:odd order theorem" ]
authors: [ "Jeremy Avigad <>" "Andrea Asperti <>" "Stephane Le Roux <>" "Yves Bertot <>" "Laurence Rideau <>" "Enrico Tassi <>" "Ioana Pasca <>" "Georges Gonthier <>" "Sidi Ould Biha <>" "Cyril Cohen <>" "Francois Garillot <>" "Alexey Solovyev <>" "Russell O'Connor <>" "Laurent Théry <>" "Assia Mahboubi <>" ]
synopsis: "Mathematical Components Library on character theory"
description: """
This library contains definitions and theorems about group
representations, characters and class functions."""
url {
src: "http://github.com/math-comp/math-comp/archive/mathcomp-1.6.tar.gz"
checksum: "md5=038ba80c0d6b430428726ae4d00affcf"
}
</pre>
<h2>Lint</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Dry install 🏜️</h2>
<p>Dry install with the current Coq version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam install -y --show-action coq-mathcomp-character.1.6 coq.8.6</code></dd>
<dt>Return code</dt>
<dd>5120</dd>
<dt>Output</dt>
<dd><pre>[NOTE] Package coq is already installed (current version is 8.6).
The following dependencies couldn't be met:
- coq-mathcomp-character -> coq-mathcomp-field < 1.6.1 -> coq-mathcomp-solvable < 1.6.1 -> coq-mathcomp-algebra < 1.6.1 -> coq-mathcomp-fingroup < 1.6.1 -> coq-mathcomp-ssreflect < 1.6.1 -> coq < 8.6~ -> ocaml < 4.03.0
base of this switch (use `--unlock-base' to force)
Your request can't be satisfied:
- No available version of coq satisfies the constraints
No solution found, exiting
</pre></dd>
</dl>
<p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam remove -y coq; opam install -y --show-action --unlock-base coq-mathcomp-character.1.6</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Install dependencies</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>0 s</dd>
</dl>
<h2>Install 🚀</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>0 s</dd>
</dl>
<h2>Installation size</h2>
<p>No files were installed.</p>
<h2>Uninstall 🧹</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Missing removes</dt>
<dd>
none
</dd>
<dt>Wrong removes</dt>
<dd>
none
</dd>
</dl>
</div>
</div>
</div>
<hr/>
<div class="footer">
<p class="text-center">
Sources are on <a href="https://github.com/coq-bench">GitHub</a> © Guillaume Claret 🐣
</p>
</div>
</div>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script src="../../../../../bootstrap.min.js"></script>
</body>
</html>
|
public/Windows 10 x64 (19041.388)/_PEP_ACPI_RESOURCE_TYPE.html | epikcraw/ggool | <html><body>
<h4>Windows 10 x64 (19041.388)</h4><br>
<h2>_PEP_ACPI_RESOURCE_TYPE</h2>
<font face="arial"> PepAcpiMemory = 0n0<br>
PepAcpiIoPort = 0n1<br>
PepAcpiInterrupt = 0n2<br>
PepAcpiGpioIo = 0n3<br>
PepAcpiGpioInt = 0n4<br>
PepAcpiSpbI2c = 0n5<br>
PepAcpiSpbSpi = 0n6<br>
PepAcpiSpbUart = 0n7<br>
PepAcpiExtendedMemory = 0n8<br>
PepAcpiExtendedIo = 0n9<br>
</font></body></html> |
functions_func_g.html | utilForever/CubbyFlow | <!-- HTML header for doxygen 1.8.8-->
<!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="X-UA-Compatible" content="IE=edge">
<!-- For Mobile Devices -->
<meta name="viewport" content="width=device-width, initial-scale=1">
<meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/>
<meta name="generator" content="Doxygen 1.8.13"/>
<script type="text/javascript" src="https://code.jquery.com/jquery-2.1.1.min.js"></script>
<title>CubbyFlow: Class Members - Functions</title>
<!--<link href="tabs.css" rel="stylesheet" type="text/css"/>-->
<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>
<link href="doxygen.css" rel="stylesheet" type="text/css" />
<link href="customdoxygen.css" rel="stylesheet" type="text/css"/>
<link href='https://fonts.googleapis.com/css?family=Roboto+Slab' rel='stylesheet' type='text/css'>
<link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.6/css/bootstrap.min.css">
<script src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.6/js/bootstrap.min.js"></script>
<link href="jquery.smartmenus.bootstrap.css" rel="stylesheet">
<script type="text/javascript" src="jquery.smartmenus.js"></script>
<!-- SmartMenus jQuery Bootstrap Addon -->
<script type="text/javascript" src="jquery.smartmenus.bootstrap.js"></script>
<!-- SmartMenus jQuery plugin -->
</head>
<body>
<nav class="navbar navbar-default" role="navigation">
<div class="container">
<div class="navbar-header">
<a class="navbar-brand">CubbyFlow v0.71</a>
</div>
</div>
</nav>
<div id="top"><!-- do not remove this div, it is closed by doxygen! -->
<div class="content" id="content">
<div class="container">
<div class="row">
<div class="col-sm-12 panel " style="padding-bottom: 15px;">
<div style="margin-bottom: 15px;">
<!-- end header part --><!-- Generated by Doxygen 1.8.13 -->
<script type="text/javascript">
var searchBox = new SearchBox("searchBox", "search",false,'Search');
</script>
<script type="text/javascript" src="menudata.js"></script>
<script type="text/javascript" src="menu.js"></script>
<script type="text/javascript">
$(function() {
initMenu('',true,false,'search.php','Search');
$(document).ready(function() { init_search(); });
});
</script>
<div id="main-nav"></div>
</div><!-- top -->
<!-- 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 class="contents">
 
<h3><a id="index_g"></a>- g -</h3><ul>
<li>Generate()
: <a class="el" href="class_cubby_flow_1_1_point_generator2.html#ae86556ff31eaafa26978bd4d9d84b3ea">CubbyFlow::PointGenerator2</a>
, <a class="el" href="class_cubby_flow_1_1_point_generator3.html#a2ffe3018d3e7d3306eb5b23db1f2fb6a">CubbyFlow::PointGenerator3</a>
</li>
<li>GetAdvectionSolver()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#a43b92f590e144053c15df5fdca4a486f">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#a2f005387448c03263827945376c353a2">CubbyFlow::GridFluidSolver3</a>
</li>
<li>GetAllowOverlapping()
: <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter2.html#aa0005245debdb8623b6992f01490d1e1">CubbyFlow::VolumeParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter3.html#aec1f4fd8515c447775280ed8a1b2624f">CubbyFlow::VolumeParticleEmitter3</a>
</li>
<li>GetAngularVelocity()
: <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter2.html#af2117b4ae91598f2148739b8c8e0e0ea">CubbyFlow::VolumeParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter3.html#a6f307bdfcf34630a0e8be30edb16dfe3">CubbyFlow::VolumeParticleEmitter3</a>
</li>
<li>GetAxisAngle()
: <a class="el" href="class_cubby_flow_1_1_quaternion.html#a2629cf8f788801f03189953f9a5e930c">CubbyFlow::Quaternion< T ></a>
</li>
<li>GetBarycentricCoords()
: <a class="el" href="class_cubby_flow_1_1_triangle3.html#a4b637183658798a9ef44edfa86b0f649">CubbyFlow::Triangle3</a>
</li>
<li>GetBoundingBox()
: <a class="el" href="class_cubby_flow_1_1_b_v_h.html#a0c22bb7bd9ca3e1d766792a0bc5eb7c2">CubbyFlow::BVH< T, N ></a>
, <a class="el" href="class_cubby_flow_1_1_grid.html#a4ddeaebd16bad24c4904a9cb8818e78b">CubbyFlow::Grid< N ></a>
, <a class="el" href="class_cubby_flow_1_1_grid_system_data.html#adfae9f0b67a1de065dfa0dbcea5e6e21">CubbyFlow::GridSystemData< N ></a>
, <a class="el" href="class_cubby_flow_1_1_octree.html#ab08013447757d5d0d987fd89e6955433">CubbyFlow::Octree< T ></a>
, <a class="el" href="class_cubby_flow_1_1_quadtree.html#aca0490e9d1ff8aefa2f25cde79ce570a">CubbyFlow::Quadtree< T ></a>
, <a class="el" href="class_cubby_flow_1_1_surface.html#a36ca651aa93014833b1d91ab7d9be022">CubbyFlow::Surface< N ></a>
</li>
<li>GetBucketIndex()
: <a class="el" href="class_cubby_flow_1_1_point_hash_grid_utils.html#ab69d0a4ed8d62e78267f952d31a10dcf">CubbyFlow::PointHashGridUtils< N ></a>
</li>
<li>GetBuilder()
: <a class="el" href="class_cubby_flow_1_1_a_p_i_c_solver2.html#a73e4e4169c772736c97a1a994f5502e0">CubbyFlow::APICSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_a_p_i_c_solver3.html#a59a921a7c7af30c6ddca308a6905ef76">CubbyFlow::APICSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_box.html#a270c9c88c90278fe61b4eff1500d1d43">CubbyFlow::Box< N ></a>
, <a class="el" href="class_cubby_flow_1_1_cell_centered_scalar_grid.html#ac6dc2ce98e9378d6f83bc1b5d33dd8b3">CubbyFlow::CellCenteredScalarGrid< N ></a>
, <a class="el" href="class_cubby_flow_1_1_cell_centered_vector_grid.html#ade91c245e2a368285803f3330f2cbcd8">CubbyFlow::CellCenteredVectorGrid< N ></a>
, <a class="el" href="class_cubby_flow_1_1_collider_set.html#a7bda74b08d6056bb10d06e7487f12d8c">CubbyFlow::ColliderSet< N ></a>
, <a class="el" href="class_cubby_flow_1_1_constant_scalar_field.html#ac41ea5d67f86a65b1b0820d72d447cdd">CubbyFlow::ConstantScalarField< N ></a>
, <a class="el" href="class_cubby_flow_1_1_constant_vector_field.html#a9ddfec0c8fd3573548e6fdc1d3c929a6">CubbyFlow::ConstantVectorField< N ></a>
, <a class="el" href="class_cubby_flow_1_1_custom_implicit_surface.html#a115888d9914668261a297fdb218930f2">CubbyFlow::CustomImplicitSurface< N ></a>
, <a class="el" href="class_cubby_flow_1_1_custom_scalar_field.html#ab60775adc6a8eff416fb7f2e1862c1cb">CubbyFlow::CustomScalarField< N ></a>
, <a class="el" href="class_cubby_flow_1_1_custom_vector_field.html#a6e68a7cdeebec0818aa24f63a1528c9e">CubbyFlow::CustomVectorField< N ></a>
, <a class="el" href="class_cubby_flow_1_1_cylinder3.html#ae3021d6f3830ea17e72acb60c1c8fb50">CubbyFlow::Cylinder3</a>
, <a class="el" href="class_cubby_flow_1_1_face_centered_grid.html#ade8b67512a0d9c13d189940231b93ba3">CubbyFlow::FaceCenteredGrid< N ></a>
, <a class="el" href="class_cubby_flow_1_1_f_l_i_p_solver2.html#a2ba905570793676a1cefc67304bdf5cb">CubbyFlow::FLIPSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_l_i_p_solver3.html#a8eda30a86831aeb9d80abc21a313c600">CubbyFlow::FLIPSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_emitter_set2.html#a4f6da10f4a93961f41d5d332fb52da9d">CubbyFlow::GridEmitterSet2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_emitter_set3.html#a20ff177e027a66aa2812bf2d5442cd78">CubbyFlow::GridEmitterSet3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#aa6b2b1e45e1626e86fc5cf365b7bf18e">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#a8a6d8d109440588b42225fa6c4c58f81">CubbyFlow::GridFluidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver2.html#a77188bb9203a20bbb9828e6a2fabe00d">CubbyFlow::GridSmokeSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver3.html#a3e46f69be5e64cf8e7ad07fbef385f01">CubbyFlow::GridSmokeSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_implicit_surface_set.html#a15ee9196cf4b116eb7a5bf6607b2ac10">CubbyFlow::ImplicitSurfaceSet< N ></a>
, <a class="el" href="class_cubby_flow_1_1_implicit_triangle_mesh3.html#ac8a7c1718232d5638e9cef1ef2e8d3ac">CubbyFlow::ImplicitTriangleMesh3</a>
, <a class="el" href="class_cubby_flow_1_1_level_set_liquid_solver2.html#a3ee26870f814e716db4478dfff14ed08">CubbyFlow::LevelSetLiquidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_level_set_liquid_solver3.html#ae5f8725550cb87b798cbe21bb0fdee2c">CubbyFlow::LevelSetLiquidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_particle_emitter_set2.html#a3418d912a2cf3854ee6134a5279b27f9">CubbyFlow::ParticleEmitterSet2</a>
, <a class="el" href="class_cubby_flow_1_1_particle_emitter_set3.html#a731b5a24220c77480955fd726ab2df37">CubbyFlow::ParticleEmitterSet3</a>
, <a class="el" href="class_cubby_flow_1_1_particle_system_solver2.html#a02987b1af89f40d90237998245f2e7a5">CubbyFlow::ParticleSystemSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_particle_system_solver3.html#a0a34fb7c576ebc4ca43f5ecf225d5bee">CubbyFlow::ParticleSystemSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_p_c_i_s_p_h_solver2.html#a198d847feacd060033e968078a83a472">CubbyFlow::PCISPHSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_p_c_i_s_p_h_solver3.html#a438856083971acba22492940aa9ad824">CubbyFlow::PCISPHSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_p_i_c_solver2.html#a0d5706822e9294291ed4c16babcafc6c">CubbyFlow::PICSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_p_i_c_solver3.html#ad313890c54b7dbd2d842b361879e58d3">CubbyFlow::PICSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_plane.html#a7350d77feee7824ff8003ea387247b56">CubbyFlow::Plane< N ></a>
, <a class="el" href="class_cubby_flow_1_1_point_hash_grid_searcher.html#ac452efe2b2bdad646a143f09c247b777">CubbyFlow::PointHashGridSearcher< N ></a>
, <a class="el" href="class_cubby_flow_1_1_point_kd_tree_searcher.html#a6a9e52c90d95f6eb712706c751bc3cc9">CubbyFlow::PointKdTreeSearcher< N ></a>
, <a class="el" href="class_cubby_flow_1_1_point_parallel_hash_grid_searcher.html#a356a2e1ffd2ca8127bd27993e1c7b366">CubbyFlow::PointParallelHashGridSearcher< N ></a>
, <a class="el" href="class_cubby_flow_1_1_point_particle_emitter2.html#a317de2f8627903e449fb9c706d06d709">CubbyFlow::PointParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_point_particle_emitter3.html#a980d6c916a69a1473c3ab493f86a8449">CubbyFlow::PointParticleEmitter3</a>
, <a class="el" href="class_cubby_flow_1_1_point_simple_list_searcher.html#ad57172dbd29ecacf02af90105cfc5896">CubbyFlow::PointSimpleListSearcher< N ></a>
, <a class="el" href="class_cubby_flow_1_1_rigid_body_collider.html#a3b765ec2d9b39955dc0a8106ab47c6bc">CubbyFlow::RigidBodyCollider< N ></a>
, <a class="el" href="class_cubby_flow_1_1_sphere.html#a6d94d9ae7bcb5869c8d8dcf3e89c3d84">CubbyFlow::Sphere< N ></a>
, <a class="el" href="class_cubby_flow_1_1_s_p_h_solver2.html#a88f2b4a6d4a5b0e2a2874a66a0e0fca4">CubbyFlow::SPHSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_s_p_h_solver3.html#aa0050b701295a839152ddbdd5d0e7125">CubbyFlow::SPHSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_surface_set.html#a61ac5d99b197b5eaaba9f79c81a85cc2">CubbyFlow::SurfaceSet< N ></a>
, <a class="el" href="class_cubby_flow_1_1_surface_to_implicit.html#a1db7cae3f8eaba3e9906179815491e87">CubbyFlow::SurfaceToImplicit< N ></a>
, <a class="el" href="class_cubby_flow_1_1_triangle3.html#a8042c9a7cd5749f391ae610ff3a4dfd7">CubbyFlow::Triangle3</a>
, <a class="el" href="class_cubby_flow_1_1_triangle_mesh3.html#ae61025d0c77331415e9d690cca7dabf8">CubbyFlow::TriangleMesh3</a>
, <a class="el" href="class_cubby_flow_1_1_vertex_centered_scalar_grid.html#a1ba8e8ef470c21f100516fd8ee1e098a">CubbyFlow::VertexCenteredScalarGrid< N ></a>
, <a class="el" href="class_cubby_flow_1_1_vertex_centered_vector_grid.html#ac6b045b64363620b3d814fd7858bf4a2">CubbyFlow::VertexCenteredVectorGrid< N ></a>
, <a class="el" href="class_cubby_flow_1_1_volume_grid_emitter2.html#aab6052d3498dffa18e5b9477cc6b2fc5">CubbyFlow::VolumeGridEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_grid_emitter3.html#a982d8355b4aee0bba26c846a838073dd">CubbyFlow::VolumeGridEmitter3</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter2.html#a4e66c97e235725efeccc19730630d058">CubbyFlow::VolumeParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter3.html#a1b92bdbf1b8e676345edfbe10ff5a126">CubbyFlow::VolumeParticleEmitter3</a>
</li>
<li>GetBuoyancySmokeDensityFactor()
: <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver2.html#ab742743b5542e699d94a9b85e53a8939">CubbyFlow::GridSmokeSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver3.html#aab963b21d0530457133fd06c90aba04d">CubbyFlow::GridSmokeSolver3</a>
</li>
<li>GetBuoyancyTemperatureFactor()
: <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver2.html#a2d0a3e5172bbbf06c2433acad22f2e27">CubbyFlow::GridSmokeSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver3.html#a3423db3f2af76c3e5c11eef9c715aa98">CubbyFlow::GridSmokeSolver3</a>
</li>
<li>GetCFL()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#ac01dead389ddcf1a229561bca018ad25">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#a8d0ade88eae0f410751a7b22e18cf56d">CubbyFlow::GridFluidSolver3</a>
</li>
<li>GetChildIndex()
: <a class="el" href="class_cubby_flow_1_1_octree.html#a90d6cc40e3ff1d3254208bc33155c4a1">CubbyFlow::Octree< T ></a>
, <a class="el" href="class_cubby_flow_1_1_quadtree.html#abd54a692ffe2b62e4221c2a4b639ac3b">CubbyFlow::Quadtree< T ></a>
</li>
<li>GetClosedDomainBoundaryFlag()
: <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver2.html#ad7844df660dd5ca10fa0637e807f0040">CubbyFlow::GridBoundaryConditionSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver3.html#a8dcc0662c1b67f0fc30911b62b1d2a94">CubbyFlow::GridBoundaryConditionSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#a10bce7823b4739a7000b7915b91c4ce9">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#aa813577e42545a5fb085e0abefc83391">CubbyFlow::GridFluidSolver3</a>
</li>
<li>GetClosestPoint()
: <a class="el" href="class_cubby_flow_1_1_collider.html#a46f79df72ed47a9f9e297a09709d15e8">CubbyFlow::Collider< N ></a>
</li>
<li>GetCollider()
: <a class="el" href="class_cubby_flow_1_1_collider_set.html#a080f0a979336352d8e550ed142aabcf2">CubbyFlow::ColliderSet< N ></a>
, <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver2.html#a9266c4c370f3eea89adde84dc3a2c3e3">CubbyFlow::GridBoundaryConditionSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver3.html#af33b6c8715b56f0cb69f6e77caf8162d">CubbyFlow::GridBoundaryConditionSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#a929041fbfd32dc1199c2257507121404">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#a8a8ddac0f4d5989cd4acc76214043acd">CubbyFlow::GridFluidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_particle_system_solver2.html#ae3fba7ab1e6f42903215f116c1a42942">CubbyFlow::ParticleSystemSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_particle_system_solver3.html#adc61eba07322e73b42672e1fcccdbb28">CubbyFlow::ParticleSystemSolver3</a>
</li>
<li>GetColliderSDF()
: <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver2.html#af425ae42167a6f229cd7bde18b1caf77">CubbyFlow::GridBoundaryConditionSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver3.html#acdd4b53dbda2631f61fc3b33c8775cc0">CubbyFlow::GridBoundaryConditionSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#aa56b6ca436f83530b2ef141893b08eeb">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#a9f091e5014ca2a601a688a3b5c2a44ef">CubbyFlow::GridFluidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fractional_boundary_condition_solver2.html#a546de9e7ed5451a2b62768d59df7298b">CubbyFlow::GridFractionalBoundaryConditionSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fractional_boundary_condition_solver3.html#af33c992ce0257be5064f11095cb1fe99">CubbyFlow::GridFractionalBoundaryConditionSolver3</a>
</li>
<li>GetColliderVelocityField()
: <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver2.html#a09ba51170faa02eb53a5a7e8e643e67f">CubbyFlow::GridBoundaryConditionSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver3.html#ad7f66b4848e202e0cbc0f95923a43bae">CubbyFlow::GridBoundaryConditionSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#a29719d9d6f0ef21969c32618ed89776b">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#ac45f58b1cf8430828e5e1b3305125b8b">CubbyFlow::GridFluidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fractional_boundary_condition_solver2.html#a33d1f304d6ec3367c0d48f3b0fc18c85">CubbyFlow::GridFractionalBoundaryConditionSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fractional_boundary_condition_solver3.html#a757d2cfcf95290467bcda1ed825f0b69">CubbyFlow::GridFractionalBoundaryConditionSolver3</a>
</li>
<li>GetCols()
: <a class="el" href="class_cubby_flow_1_1_matrix.html#a50b64c171064d326867307f2ac322d3e">CubbyFlow::Matrix< T, Rows, Cols ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_3_01_t_00_011_00_011_01_4.html#ab7f81cd80f2502a8112917a774b9930e">CubbyFlow::Matrix< T, 1, 1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_3_01_t_00_012_00_011_01_4.html#a265006ae98c774b14431260b3e90ea35">CubbyFlow::Matrix< T, 2, 1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_3_01_t_00_013_00_011_01_4.html#a6286e38555fdf443aba46c9fdef39c09">CubbyFlow::Matrix< T, 3, 1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_3_01_t_00_014_00_011_01_4.html#a0d0109cdf057b4c0fe9714f2399830b6">CubbyFlow::Matrix< T, 4, 1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_3_01_t_00_01_m_a_t_r_i_x___s_i_z_e___d_y_n_a_m_i_c_00_011_01_4.html#a02f101b9fd97e1b0cb1a4aaa0228679d">CubbyFlow::Matrix< T, MATRIX_SIZE_DYNAMIC, 1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_3_01_t_00_01_m_a_t_r_i_x___s_i_z_e___d_y_n_a_m_i_c_00_01_m_a_t_r_i_x___s_i_z_e___d_y_n_a_m_i_c_01_4.html#a834d9ed19ef7821159bf97ff86c16952">CubbyFlow::Matrix< T, MATRIX_SIZE_DYNAMIC, MATRIX_SIZE_DYNAMIC ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_constant.html#a0efd3c3d0e5c99ac201c48cbdc60c002">CubbyFlow::MatrixConstant< T, Rows, Cols ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_c_s_r.html#ac14ffca4495a342285e64e6f10e172fc">CubbyFlow::MatrixCSR< T ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_c_s_r_matrix_mul.html#a47bbfe09cd45af778130d940d3e96260">CubbyFlow::MatrixCSRMatrixMul< T, ME ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_diagonal.html#ae6ed5b852a5a388ff8a739156aea99d9">CubbyFlow::MatrixDiagonal< T, Rows, Cols, M1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_elem_wise_binary_op.html#a891815ced15328d0b6543315496f2d92">CubbyFlow::MatrixElemWiseBinaryOp< T, Rows, Cols, E1, E2, BinaryOperation ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_expression.html#a77643241354bab15b17334013ebc53e1">CubbyFlow::MatrixExpression< T, Rows, Cols, Derived ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_mul.html#ae48fb890c8629e52905f10c1cc63890f">CubbyFlow::MatrixMul< T, Rows, Cols, M1, M2 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_off_diagonal.html#aca82bd7ceed629820fd79c763702ad4a">CubbyFlow::MatrixOffDiagonal< T, Rows, Cols, M1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_scalar_elem_wise_binary_op.html#a05d62cef16e808e4d70b2a6fd0a78316">CubbyFlow::MatrixScalarElemWiseBinaryOp< T, Rows, Cols, M1, BinaryOperation ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_ternary_op.html#aaaf40182b7836093bef36dd19d0581cb">CubbyFlow::MatrixTernaryOp< T, Rows, Cols, M1, M2, M3, TernaryOperation ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_transpose.html#a6ac1a45354f24dab2b8f689a67e1ee58">CubbyFlow::MatrixTranspose< T, Rows, Cols, M1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_tri.html#a14ee8ed47ca0abcfd6000c5e77a99046">CubbyFlow::MatrixTri< T, Rows, Cols, M1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_unary_op.html#a2cddddd6407693dda475cc64744deae7">CubbyFlow::MatrixUnaryOp< T, Rows, Cols, M1, UnaryOperation ></a>
, <a class="el" href="class_cubby_flow_1_1_scalar_matrix_elem_wise_binary_op.html#a80bea7e32d4154f09659035b1270bf9c">CubbyFlow::ScalarMatrixElemWiseBinaryOp< T, Rows, Cols, M2, BinaryOperation ></a>
</li>
<li>GetCoordinate()
: <a class="el" href="class_cubby_flow_1_1_nearest_array_sampler.html#a48834b3d1d897d89c9c5522aee940c1b">CubbyFlow::NearestArraySampler< T, N ></a>
</li>
<li>GetCoordinatesAndGradientWeights()
: <a class="el" href="class_cubby_flow_1_1_linear_array_sampler.html#a8c4216a96b34735ac2bdab43c7d88e99">CubbyFlow::LinearArraySampler< T, N ></a>
</li>
<li>GetCoordinatesAndWeights()
: <a class="el" href="class_cubby_flow_1_1_linear_array_sampler.html#a7a0a5ffbc5fdf99ec43bed98b0c5d068">CubbyFlow::LinearArraySampler< T, N ></a>
</li>
<li>GetCurrentFrame()
: <a class="el" href="class_cubby_flow_1_1_physics_animation.html#a542032a2ba14906b1041cc51fa0ca63c">CubbyFlow::PhysicsAnimation</a>
</li>
<li>GetCurrentTimeInSeconds()
: <a class="el" href="class_cubby_flow_1_1_physics_animation.html#a7be58d76c8df799f6c8fe4b229c99cee">CubbyFlow::PhysicsAnimation</a>
</li>
<li>GetData()
: <a class="el" href="class_cubby_flow_1_1_collocated_vector_grid.html#a9f609ddb5a45dbc5b98a9d39d9df39aa">CubbyFlow::CollocatedVectorGrid< N ></a>
, <a class="el" href="class_cubby_flow_1_1_face_centered_grid.html#a10f258df5236b416e4ae2339a921561c">CubbyFlow::FaceCenteredGrid< N ></a>
, <a class="el" href="class_cubby_flow_1_1_grid.html#abd2759ec31df04ac82a163085d195e2a">CubbyFlow::Grid< N ></a>
, <a class="el" href="class_cubby_flow_1_1_scalar_grid.html#a89753b622847063bd63a675e400f316f">CubbyFlow::ScalarGrid< N ></a>
</li>
<li>GetDerivatives()
: <a class="el" href="class_cubby_flow_1_1_e_n_o_level_set_solver2.html#afcb5518e14295b587eb356f8b1d72742">CubbyFlow::ENOLevelSetSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_e_n_o_level_set_solver3.html#ae6017f7fc14b32b882b41cb0c48b67e9">CubbyFlow::ENOLevelSetSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_iterative_level_set_solver2.html#ae1658bcd83bbd9af2cdd3305ad4a005e">CubbyFlow::IterativeLevelSetSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_iterative_level_set_solver3.html#a48e5d40fabbf83f7541e17f68488a0b9">CubbyFlow::IterativeLevelSetSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_upwind_level_set_solver2.html#aa94327971a53fab415684cc9f2be9fb4">CubbyFlow::UpwindLevelSetSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_upwind_level_set_solver3.html#a9c433a321d421ad6f869b95f75d4bd5b">CubbyFlow::UpwindLevelSetSolver3</a>
</li>
<li>GetDerived()
: <a class="el" href="class_cubby_flow_1_1_matrix_expression.html#ae19616ef2e0c1d019b96144be8dbfea9">CubbyFlow::MatrixExpression< T, Rows, Cols, Derived ></a>
</li>
<li>GetDiffusionSolver()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#a54b4074fd33c831b39ccb215e586961c">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#a13001ff524299df08e0f778aa526b962">CubbyFlow::GridFluidSolver3</a>
</li>
<li>GetDragCoefficient()
: <a class="el" href="class_cubby_flow_1_1_particle_system_solver2.html#a71c74eef583f64b6acab2719dc387559">CubbyFlow::ParticleSystemSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_particle_system_solver3.html#a2e568ec2f102c2cad7e59bf20663121a">CubbyFlow::ParticleSystemSolver3</a>
</li>
<li>GetEmitter()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#a11e5a36b71335fd19877f5d806057d53">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#ae5e440f056d551abee4d0114e6f55ec9">CubbyFlow::GridFluidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_particle_system_solver2.html#a9c69861ad4278693ba7dfc43fa0142c5">CubbyFlow::ParticleSystemSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_particle_system_solver3.html#a7410ad1ed26203e7b907211ef08349a4">CubbyFlow::ParticleSystemSolver3</a>
</li>
<li>GetEosExponent()
: <a class="el" href="class_cubby_flow_1_1_s_p_h_solver2.html#a3e7bbbdc6287c0b5acf9da0904a36062">CubbyFlow::SPHSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_s_p_h_solver3.html#a0fdb1f52c88379e8a708729460db92ec">CubbyFlow::SPHSolver3</a>
</li>
<li>GetFluidSDF()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#a6013edf7ff9828d1633968d82f6a8f08">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#a55cc0708929b8a603d93d1f6df123b63">CubbyFlow::GridFluidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_level_set_liquid_solver2.html#aaad78be0ca3d5f484163c16e698d28f7">CubbyFlow::LevelSetLiquidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_level_set_liquid_solver3.html#a4e430939f2c3f159fd3511b3efba8941">CubbyFlow::LevelSetLiquidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_p_i_c_solver2.html#a37b8790630f7d8407f11c3270e2d7785">CubbyFlow::PICSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_p_i_c_solver3.html#aff23cf90d1549d6953bf85a75544eb0f">CubbyFlow::PICSolver3</a>
</li>
<li>GetFrictionCoefficient()
: <a class="el" href="class_cubby_flow_1_1_collider.html#a171d113aadc2de4827b439fe784ce563">CubbyFlow::Collider< N ></a>
</li>
<li>GetGravity()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#accd343d90646681a38ec380251eef58d">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#adc389c4be9dc7f5364d648e623c71edc">CubbyFlow::GridFluidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_particle_system_solver2.html#a7f9c5f2e954b03f274c66d55501c39d4">CubbyFlow::ParticleSystemSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_particle_system_solver3.html#a75e56259b4c1c878d2924aec7467fead">CubbyFlow::ParticleSystemSolver3</a>
</li>
<li>GetGrid()
: <a class="el" href="class_cubby_flow_1_1_implicit_triangle_mesh3.html#af40e48549eb0f25d06a78bbc13edf221">CubbyFlow::ImplicitTriangleMesh3</a>
</li>
<li>GetGridOrigin()
: <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver2.html#af5d0faec4418934c0ca894927c822494">CubbyFlow::GridBoundaryConditionSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver3.html#a9562db6ba978583e0d750349de86077e">CubbyFlow::GridBoundaryConditionSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#a6f7352c91ed32b620d373ee64cdd6c92">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#aa7c2c4ee4c51af4d5373eb6e037ccd3c">CubbyFlow::GridFluidSolver3</a>
</li>
<li>GetGridSize()
: <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver2.html#a7f6b24605af08dc98da02b2e20394159">CubbyFlow::GridBoundaryConditionSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver3.html#a05af4965d2a02fabf6e2ff9aefeeab59">CubbyFlow::GridBoundaryConditionSolver3</a>
</li>
<li>GetGridSpacing()
: <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver2.html#ad8d0fe9fd7a358bb60169716f7b83d9f">CubbyFlow::GridBoundaryConditionSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver3.html#a9521f2581eb262e059ac6f567f15d3a8">CubbyFlow::GridBoundaryConditionSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#a17027f3f4db7c98a2f38d5a2e9340a0d">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#a3b7eb16368ca64b0fcdd8011f71d6a44">CubbyFlow::GridFluidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver_builder_base2.html#ae4cc5bb4d349f7cd3672be7d1ff22c9e">CubbyFlow::GridFluidSolverBuilderBase2< DerivedBuilder ></a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver_builder_base3.html#a8e57c5111554b2a59265f720d83d229b">CubbyFlow::GridFluidSolverBuilderBase3< DerivedBuilder ></a>
</li>
<li>GetGridSystemData()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#ae14a87d0a72bafd9c1e59d2731d1e336">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#ab8ef6d1af07cfa2b83a3dafe68fee64c">CubbyFlow::GridFluidSolver3</a>
</li>
<li>GetHashKeyFromBucketIndex()
: <a class="el" href="class_cubby_flow_1_1_point_hash_grid_utils.html#ad107ed6722ada0838cb7183f91f2dbd7">CubbyFlow::PointHashGridUtils< N ></a>
</li>
<li>GetHashKeyFromPosition()
: <a class="el" href="class_cubby_flow_1_1_point_hash_grid_utils.html#a7214f76fba5431a0f6f1db0ba0012d48">CubbyFlow::PointHashGridUtils< N ></a>
</li>
<li>GetHeader()
: <a class="el" href="class_cubby_flow_1_1_logging.html#aaf6a55bae79da151b6eedf5fe3605294">CubbyFlow::Logging</a>
</li>
<li>GetInitialVelocity()
: <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter2.html#a502c18923e3f912e3e13f23cb2bfe5d7">CubbyFlow::VolumeParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter3.html#a27d6dafe39728eca0bd9a4053f048f48">CubbyFlow::VolumeParticleEmitter3</a>
</li>
<li>GetIsEnabled()
: <a class="el" href="class_cubby_flow_1_1_grid_emitter2.html#abc0db160de76621f6ee1daea39c16117">CubbyFlow::GridEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_emitter3.html#ae06aa429c0b2a58980579990905e6dad">CubbyFlow::GridEmitter3</a>
, <a class="el" href="class_cubby_flow_1_1_particle_emitter2.html#a200d9de6337944b4962635d7df192188">CubbyFlow::ParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_particle_emitter3.html#a78a023c9877a756c9732f3c2b1aaa993">CubbyFlow::ParticleEmitter3</a>
</li>
<li>GetIsOneShot()
: <a class="el" href="class_cubby_flow_1_1_volume_grid_emitter2.html#aefc8258e4a3c0f3199665c3dd9bbe4ef">CubbyFlow::VolumeGridEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_grid_emitter3.html#a9d16aa15c2208a7b5dc899cd89f86d7b">CubbyFlow::VolumeGridEmitter3</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter2.html#ac20704b5ea7b15a48fb0ac37ab06098b">CubbyFlow::VolumeParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter3.html#ae7bc6eedfcb64da7dafb65d1b7893898">CubbyFlow::VolumeParticleEmitter3</a>
</li>
<li>GetIsUsingFixedSubTimeSteps()
: <a class="el" href="class_cubby_flow_1_1_physics_animation.html#a03265ca7a19f572a27b3993c7c1c7bf6">CubbyFlow::PhysicsAnimation</a>
</li>
<li>GetItem()
: <a class="el" href="class_cubby_flow_1_1_octree.html#a3a6ac0a4398836b99a7f51696192465a">CubbyFlow::Octree< T ></a>
, <a class="el" href="class_cubby_flow_1_1_quadtree.html#af2dc82ee2b3d57f10283bee5f2228043">CubbyFlow::Quadtree< T ></a>
</li>
<li>GetItemsAtNode()
: <a class="el" href="class_cubby_flow_1_1_octree.html#ad9af374f455859afdc5645219810a3b0">CubbyFlow::Octree< T ></a>
, <a class="el" href="class_cubby_flow_1_1_quadtree.html#ac5b0f3c3a183d3239db47fad50781024">CubbyFlow::Quadtree< T ></a>
</li>
<li>GetJitter()
: <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter2.html#a3dc639b1a5c29ffeccb2bb9b1a47b5f3">CubbyFlow::VolumeParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter3.html#a6d576d985e0787a9bcabff977a9ba495">CubbyFlow::VolumeParticleEmitter3</a>
</li>
<li>GetLastNumberOfIterations()
: <a class="el" href="class_cubby_flow_1_1_f_d_m_c_g_solver2.html#add929136eef526642351490edc80d62f">CubbyFlow::FDMCGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_c_g_solver3.html#a144f5ecfcd26f4c7061a3a68ac4d2fc7">CubbyFlow::FDMCGSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_gauss_seidel_solver2.html#ae8f54fd1563d52cf3e89d37d527cec0c">CubbyFlow::FDMGaussSeidelSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_gauss_seidel_solver3.html#a444dcc0418908e4d959f2d3d189a3afe">CubbyFlow::FDMGaussSeidelSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_i_c_c_g_solver2.html#a7ee6d19ee4d3ab2b66e0b99830c95290">CubbyFlow::FDMICCGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_i_c_c_g_solver3.html#a0d6ea86f66943418a6bd3ccbcb4ee175">CubbyFlow::FDMICCGSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_jacobi_solver2.html#a2635695a8c066d9ad1ab5afbbbdc0013">CubbyFlow::FDMJacobiSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_jacobi_solver3.html#aff26d36b7b9186c44718de598a7fcae8">CubbyFlow::FDMJacobiSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_p_c_g_solver2.html#a80ff24abaf820290ce330426c58c0bd9">CubbyFlow::FDMMGPCGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_p_c_g_solver3.html#a6ce112c41ae50267593a04b90b0b91e7">CubbyFlow::FDMMGPCGSolver3</a>
</li>
<li>GetLastResidual()
: <a class="el" href="class_cubby_flow_1_1_f_d_m_c_g_solver2.html#a8a8b285ef2007e9c488880720e8c9429">CubbyFlow::FDMCGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_c_g_solver3.html#ac2c0f9757afd5f09efb4e9cdfcef845f">CubbyFlow::FDMCGSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_gauss_seidel_solver2.html#a3aefff2b6e496987d2575e87ff6d3a97">CubbyFlow::FDMGaussSeidelSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_gauss_seidel_solver3.html#a3b21e05b948560501c1720b9620d38d1">CubbyFlow::FDMGaussSeidelSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_i_c_c_g_solver2.html#a10aad2e699ce933d7364cbebe031628e">CubbyFlow::FDMICCGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_i_c_c_g_solver3.html#ab078a1924cc16c4a69b2dbee99af84c7">CubbyFlow::FDMICCGSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_jacobi_solver2.html#a5d3dbfdcc3416ca92e64692ae7ee7c5b">CubbyFlow::FDMJacobiSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_jacobi_solver3.html#a491198d0b181fe1c95e6ab061cd2d31e">CubbyFlow::FDMJacobiSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_p_c_g_solver2.html#a4028521848436be5c3c32a159a3a43fc">CubbyFlow::FDMMGPCGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_p_c_g_solver3.html#ab7779a0a65a3bbbdd408845394fd1005">CubbyFlow::FDMMGPCGSolver3</a>
</li>
<li>GetLevelSetSolver()
: <a class="el" href="class_cubby_flow_1_1_level_set_liquid_solver2.html#a2d63c57b968d46f115ba81c7b0046408">CubbyFlow::LevelSetLiquidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_level_set_liquid_solver3.html#aeb8753fce0a006b5eb7588b7aa12951a">CubbyFlow::LevelSetLiquidSolver3</a>
</li>
<li>GetLinearSystemSolver()
: <a class="el" href="class_cubby_flow_1_1_grid_fractional_single_phase_pressure_solver2.html#afa7684abcb9f3f10aa9bcb06edec639b">CubbyFlow::GridFractionalSinglePhasePressureSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fractional_single_phase_pressure_solver3.html#a7ddb2475d34e9fd5ba582ba53fffae6a">CubbyFlow::GridFractionalSinglePhasePressureSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_single_phase_pressure_solver2.html#ae185991fdcd648c113a114895ec31fae">CubbyFlow::GridSinglePhasePressureSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_single_phase_pressure_solver3.html#aa559d9e4e5ff318879f5ee97ae8f69a0">CubbyFlow::GridSinglePhasePressureSolver3</a>
</li>
<li>GetLinearVelocity()
: <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter2.html#ad5748350b20b5633f38f4591960e5c00">CubbyFlow::VolumeParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter3.html#a098efd7a1f33706fd6d8492a911acd3d">CubbyFlow::VolumeParticleEmitter3</a>
</li>
<li>GetMarker()
: <a class="el" href="class_cubby_flow_1_1_grid_blocked_boundary_condition_solver2.html#a04987201bfb20cef8c829df2f4229c28">CubbyFlow::GridBlockedBoundaryConditionSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_blocked_boundary_condition_solver3.html#ade0066cd3b4636dff6360fa19e9b1028">CubbyFlow::GridBlockedBoundaryConditionSolver3</a>
</li>
<li>GetMaxCFL()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#aa43aff31f69b7fe2243c1e45ac5da63c">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#a61fc727fcd81406dc20cd1a9cf0126d1">CubbyFlow::GridFluidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_iterative_level_set_solver2.html#a4aee497b9ed91f17632e7f2519640f8d">CubbyFlow::IterativeLevelSetSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_iterative_level_set_solver3.html#a1198251fa477e771fa972201a603fd39">CubbyFlow::IterativeLevelSetSolver3</a>
</li>
<li>GetMaxDensityErrorRatio()
: <a class="el" href="class_cubby_flow_1_1_p_c_i_s_p_h_solver2.html#ad582681909488739ac1fce4f34c5b378">CubbyFlow::PCISPHSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_p_c_i_s_p_h_solver3.html#a9e532ecb5f372d8d4c2ec0c20c7b42a7">CubbyFlow::PCISPHSolver3</a>
</li>
<li>GetMaxDepth()
: <a class="el" href="class_cubby_flow_1_1_octree.html#a7ebbfcea7b666f21e9a202344d7374f6">CubbyFlow::Octree< T ></a>
, <a class="el" href="class_cubby_flow_1_1_quadtree.html#a0336656ac7dc94cade728a6658781368">CubbyFlow::Quadtree< T ></a>
</li>
<li>GetMaxNumberOfIterations()
: <a class="el" href="class_cubby_flow_1_1_f_d_m_c_g_solver2.html#a6cfa0e89cf465ba7b267098b041254a2">CubbyFlow::FDMCGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_c_g_solver3.html#a0f8c1b4ab51ede14c8f19f244bb6e4bd">CubbyFlow::FDMCGSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_gauss_seidel_solver2.html#a85b43d4c0ac74a14aa167051da987a5a">CubbyFlow::FDMGaussSeidelSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_gauss_seidel_solver3.html#ae0850561fbc98c79241d2b7f45cbef78">CubbyFlow::FDMGaussSeidelSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_i_c_c_g_solver2.html#aefb352272e8641e6b57a6de20eb64c8b">CubbyFlow::FDMICCGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_i_c_c_g_solver3.html#abe5448195ad5967654488699f9a0b1fe">CubbyFlow::FDMICCGSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_jacobi_solver2.html#ac6300a5469912ee8987f5eb59333fa16">CubbyFlow::FDMJacobiSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_jacobi_solver3.html#ae450f83aeb5aefd1e1664be44d6d6771">CubbyFlow::FDMJacobiSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_p_c_g_solver2.html#a2b0a2949d9368acfb4f71f93f105dc9e">CubbyFlow::FDMMGPCGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_p_c_g_solver3.html#afc4b6a243f62236c3e49d572f408a195">CubbyFlow::FDMMGPCGSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_p_c_i_s_p_h_solver2.html#ac7d4011db53bb205a50bd1ea7b67cd4b">CubbyFlow::PCISPHSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_p_c_i_s_p_h_solver3.html#a803b32d0876e491d6baf8af432911de5">CubbyFlow::PCISPHSolver3</a>
</li>
<li>GetMaxNumberOfNewParticlesPerSecond()
: <a class="el" href="class_cubby_flow_1_1_point_particle_emitter2.html#ad176eb1a4c6526438492c7171d105542">CubbyFlow::PointParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_point_particle_emitter3.html#ac8cdb6e75c32b5858e8b1f941ad6f4a1">CubbyFlow::PointParticleEmitter3</a>
</li>
<li>GetMaxNumberOfParticles()
: <a class="el" href="class_cubby_flow_1_1_point_particle_emitter2.html#a58f4c78613ff097fecd271ee5271f8fe">CubbyFlow::PointParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_point_particle_emitter3.html#af8a6eb4b4687c84bfdd03a101d5c5e6c">CubbyFlow::PointParticleEmitter3</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter2.html#a35d23c64ac6768558b6f976055b29ec5">CubbyFlow::VolumeParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter3.html#a6e14cfbca0097afaed9268a8cb535fc2">CubbyFlow::VolumeParticleEmitter3</a>
</li>
<li>GetMaxRegion()
: <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter2.html#a4b1b91e1c52abcbe442c2af01bcf2521">CubbyFlow::VolumeParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter3.html#a34e39081ceb177a25b4602bacd3c0f4a">CubbyFlow::VolumeParticleEmitter3</a>
</li>
<li>GetNearbyKeys()
: <a class="el" href="class_cubby_flow_1_1_point_hash_grid_utils.html#ab2ce6ce470e566d553224f2ad26535c4">CubbyFlow::PointHashGridUtils< N ></a>
</li>
<li>GetNearestPoint()
: <a class="el" href="class_cubby_flow_1_1_kd_tree.html#a39b0979c13e4144ea93f853a56b238cd">CubbyFlow::KdTree< T, K ></a>
</li>
<li>GetNegativePressureScale()
: <a class="el" href="class_cubby_flow_1_1_s_p_h_solver2.html#af80ddc62544c852828517c3b7037e95f">CubbyFlow::SPHSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_s_p_h_solver3.html#afbc6e901f60ced5ce01a747219e09051">CubbyFlow::SPHSolver3</a>
</li>
<li>GetNumberOfFixedSubTimeSteps()
: <a class="el" href="class_cubby_flow_1_1_physics_animation.html#a04592f23c620f6fd226b4bec929dcc96">CubbyFlow::PhysicsAnimation</a>
</li>
<li>GetNumberOfItems()
: <a class="el" href="class_cubby_flow_1_1_octree.html#ac457fe23244551c3d4420beee21282bd">CubbyFlow::Octree< T ></a>
, <a class="el" href="class_cubby_flow_1_1_quadtree.html#a31a33985b8b9b3763ddf2e8c40470b61">CubbyFlow::Quadtree< T ></a>
</li>
<li>GetNumberOfLevels()
: <a class="el" href="struct_cubby_flow_1_1_f_d_m_m_g_linear_system2.html#a9b16c1568114b60424d586271d5b8731">CubbyFlow::FDMMGLinearSystem2</a>
, <a class="el" href="struct_cubby_flow_1_1_f_d_m_m_g_linear_system3.html#aeb94de176bb1daf20dae999e69fb29ba">CubbyFlow::FDMMGLinearSystem3</a>
</li>
<li>GetNumberOfNodes()
: <a class="el" href="class_cubby_flow_1_1_octree.html#ac260705e06ce34ed30208d24fffb1f0d">CubbyFlow::Octree< T ></a>
, <a class="el" href="class_cubby_flow_1_1_quadtree.html#ab0bb8bcfe46788436d26bef87855f3d1">CubbyFlow::Quadtree< T ></a>
</li>
<li>GetNumberOfSubTimeSteps()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#a1aa64010bc62bbf83d8c84e9d83646a4">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#aa2fae0568c27ae78bbdef1ea7137f274">CubbyFlow::GridFluidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_physics_animation.html#abcdb75071e1af8539b23f9efe29e039e">CubbyFlow::PhysicsAnimation</a>
, <a class="el" href="class_cubby_flow_1_1_s_p_h_solver2.html#a0f25d1b003094ec15bef36383c5154a9">CubbyFlow::SPHSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_s_p_h_solver3.html#a7a2445c63d6547d84b1b8ecf0f60ba37">CubbyFlow::SPHSolver3</a>
</li>
<li>GetOrientation()
: <a class="el" href="class_cubby_flow_1_1_transform.html#af70f4ca274e845cbcd290f7a2f1a5aae">CubbyFlow::Transform< N ></a>
</li>
<li>GetParams()
: <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_solver2.html#ae39785dc9d63447a40d5c2836c31b505">CubbyFlow::FDMMGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_solver3.html#a3b757ee42d6b0035d1fb5b5bf9f4b3ab">CubbyFlow::FDMMGSolver3</a>
</li>
<li>GetParticleEmitter()
: <a class="el" href="class_cubby_flow_1_1_p_i_c_solver2.html#ab9882749410ae0c96e52bfb7f63321a2">CubbyFlow::PICSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_p_i_c_solver3.html#ad259728765e90c97a5eea0cc51c8c16a">CubbyFlow::PICSolver3</a>
</li>
<li>GetParticleSystemData()
: <a class="el" href="class_cubby_flow_1_1_particle_system_solver2.html#a52214f77f45b43db7cb9ef6f43121cd1">CubbyFlow::ParticleSystemSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_particle_system_solver3.html#a3d7584a48d76717b6d50ef2eee5d4233">CubbyFlow::ParticleSystemSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_p_i_c_solver2.html#a84eafd1d2f47dc5c4ec10bb6e1d263a7">CubbyFlow::PICSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_p_i_c_solver3.html#a09c42e36d4d5c978610f3a47cb851153">CubbyFlow::PICSolver3</a>
</li>
<li>GetPICBlendingFactor()
: <a class="el" href="class_cubby_flow_1_1_f_l_i_p_solver2.html#aadabd45e2eed905b31085988a63ef23e">CubbyFlow::FLIPSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_l_i_p_solver3.html#a915ca64638f7009cea2ad8e1bb680f22">CubbyFlow::FLIPSolver3</a>
</li>
<li>GetPressure()
: <a class="el" href="class_cubby_flow_1_1_grid_fractional_single_phase_pressure_solver2.html#ae168e46e68c6c972412a69a1ed0cc064">CubbyFlow::GridFractionalSinglePhasePressureSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fractional_single_phase_pressure_solver3.html#a571a9ea9c20809b2f94c65a2e428d9c1">CubbyFlow::GridFractionalSinglePhasePressureSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_grid_single_phase_pressure_solver2.html#ae0531912e97e45b275ef96c3b8781889">CubbyFlow::GridSinglePhasePressureSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_single_phase_pressure_solver3.html#a2c3411a238c1bd81b072516e563ae90e">CubbyFlow::GridSinglePhasePressureSolver3</a>
</li>
<li>GetPressureSolver()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#a9383582933d74bc31bcf4a39d83f6b24">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#a0eb29ea18732f1bbe836b3565979ff64">CubbyFlow::GridFluidSolver3</a>
</li>
<li>GetPseudoViscosityCoefficient()
: <a class="el" href="class_cubby_flow_1_1_s_p_h_solver2.html#a4d25a3f375a41d16bd551b67f8981fb9">CubbyFlow::SPHSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_s_p_h_solver3.html#a5d56727b5772b87fade49750a3ea1a52">CubbyFlow::SPHSolver3</a>
</li>
<li>GetResolution()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#ac52e73bf4c39e16bb7a5b7d198a53e54">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#aa3f01b92ce8422050af93e1d439257c8">CubbyFlow::GridFluidSolver3</a>
</li>
<li>GetRestitutionCoefficient()
: <a class="el" href="class_cubby_flow_1_1_particle_system_solver2.html#aa6e1644f90bca72789262cd8406abedc">CubbyFlow::ParticleSystemSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_particle_system_solver3.html#a9717f376df47408b3b5ddd6f4173099c">CubbyFlow::ParticleSystemSolver3</a>
</li>
<li>GetRotation()
: <a class="el" href="class_cubby_flow_1_1_orientation_3_012_01_4.html#ac19609bf6f6cb00b27526f22c11cdbd2">CubbyFlow::Orientation< 2 ></a>
, <a class="el" href="class_cubby_flow_1_1_orientation_3_013_01_4.html#ae698e2eecb07e3cb0b7b75f1138051ee">CubbyFlow::Orientation< 3 ></a>
</li>
<li>GetRows()
: <a class="el" href="class_cubby_flow_1_1_matrix.html#a64deef3db4820c43be4638da956699d8">CubbyFlow::Matrix< T, Rows, Cols ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_3_01_t_00_011_00_011_01_4.html#ae01646355b9f5798573d1479c1659de2">CubbyFlow::Matrix< T, 1, 1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_3_01_t_00_012_00_011_01_4.html#ad0d20c0a1256a7a0c07ab698feba7f1b">CubbyFlow::Matrix< T, 2, 1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_3_01_t_00_013_00_011_01_4.html#a7abddd8b075aa57ce974eb8f4581d898">CubbyFlow::Matrix< T, 3, 1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_3_01_t_00_014_00_011_01_4.html#addc51016e6a626dbfc31cbe9159bf219">CubbyFlow::Matrix< T, 4, 1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_3_01_t_00_01_m_a_t_r_i_x___s_i_z_e___d_y_n_a_m_i_c_00_011_01_4.html#a393715f5c115af01f173c543771db25c">CubbyFlow::Matrix< T, MATRIX_SIZE_DYNAMIC, 1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_3_01_t_00_01_m_a_t_r_i_x___s_i_z_e___d_y_n_a_m_i_c_00_01_m_a_t_r_i_x___s_i_z_e___d_y_n_a_m_i_c_01_4.html#afda9b5c4274c87a1d91e13cae91faf1c">CubbyFlow::Matrix< T, MATRIX_SIZE_DYNAMIC, MATRIX_SIZE_DYNAMIC ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_constant.html#a070b91ef3e08533d30b16b0993971563">CubbyFlow::MatrixConstant< T, Rows, Cols ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_c_s_r.html#a247932696621af959808d91dbe25cfb5">CubbyFlow::MatrixCSR< T ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_c_s_r_matrix_mul.html#aaa2c5a9fca363a51c893036ed04006dd">CubbyFlow::MatrixCSRMatrixMul< T, ME ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_diagonal.html#a3c93aeec870c08cb5ec7ef2d86075d7c">CubbyFlow::MatrixDiagonal< T, Rows, Cols, M1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_elem_wise_binary_op.html#a92fa4d68a186b1f4c1f13a5771c5adb1">CubbyFlow::MatrixElemWiseBinaryOp< T, Rows, Cols, E1, E2, BinaryOperation ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_expression.html#a218c8decfce9fbe3d490f61450bbb736">CubbyFlow::MatrixExpression< T, Rows, Cols, Derived ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_mul.html#a811312826cb9bb9bb8431db93e0f8b59">CubbyFlow::MatrixMul< T, Rows, Cols, M1, M2 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_off_diagonal.html#ae0a393ace532c736b0d23909f0d7f3d3">CubbyFlow::MatrixOffDiagonal< T, Rows, Cols, M1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_scalar_elem_wise_binary_op.html#ade916b45a63a0ee7aa34456d0cd57949">CubbyFlow::MatrixScalarElemWiseBinaryOp< T, Rows, Cols, M1, BinaryOperation ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_ternary_op.html#a5795575a2cfade95c11ab6b5d2d6833e">CubbyFlow::MatrixTernaryOp< T, Rows, Cols, M1, M2, M3, TernaryOperation ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_transpose.html#a7aa551e827703ad159ddff161b9bc840">CubbyFlow::MatrixTranspose< T, Rows, Cols, M1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_tri.html#a90811bae66d5f5003cc43b5af7c0eaeb">CubbyFlow::MatrixTri< T, Rows, Cols, M1 ></a>
, <a class="el" href="class_cubby_flow_1_1_matrix_unary_op.html#a78ecda271f4f558fbe4a4ec110d41d2b">CubbyFlow::MatrixUnaryOp< T, Rows, Cols, M1, UnaryOperation ></a>
, <a class="el" href="class_cubby_flow_1_1_scalar_matrix_elem_wise_binary_op.html#a620c788cf10c952274050e31766e73ab">CubbyFlow::ScalarMatrixElemWiseBinaryOp< T, Rows, Cols, M2, BinaryOperation ></a>
</li>
<li>GetScalarSamplerFunc()
: <a class="el" href="class_cubby_flow_1_1_cubic_semi_lagrangian2.html#a8d4c97e2d02622c13796c59558745ead">CubbyFlow::CubicSemiLagrangian2</a>
, <a class="el" href="class_cubby_flow_1_1_cubic_semi_lagrangian3.html#ae806481e8d4f80f56f741c49e25ef708">CubbyFlow::CubicSemiLagrangian3</a>
, <a class="el" href="class_cubby_flow_1_1_semi_lagrangian2.html#a4eeab12fbeae0e32eec26a82784f217e">CubbyFlow::SemiLagrangian2</a>
, <a class="el" href="class_cubby_flow_1_1_semi_lagrangian3.html#ab8dddc1cf38213316d883cc2d617c09c">CubbyFlow::SemiLagrangian3</a>
</li>
<li>GetSignedDistanceField()
: <a class="el" href="class_cubby_flow_1_1_level_set_liquid_solver2.html#aee7d39de9a1f78e0e24ffc4d58c4423c">CubbyFlow::LevelSetLiquidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_level_set_liquid_solver3.html#a8943a972861891b7852c354ba5bd0eab">CubbyFlow::LevelSetLiquidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_p_i_c_solver2.html#a1fc54ddeea895601277b0bfbb17646de">CubbyFlow::PICSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_p_i_c_solver3.html#ae98decf4cfdcb3530f97ea7ca51c8651">CubbyFlow::PICSolver3</a>
</li>
<li>GetSmokeDecayFactor()
: <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver2.html#aa973301913399ef9bcac9c76ba1d0e11">CubbyFlow::GridSmokeSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver3.html#a1af8efac917a51472547afedb9ee7803">CubbyFlow::GridSmokeSolver3</a>
</li>
<li>GetSmokeDensity()
: <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver2.html#aa16aa6a8c5c9bd97234d2940a22c2551">CubbyFlow::GridSmokeSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver3.html#ac04a21e348e0cdafd34201e670a9cde5">CubbyFlow::GridSmokeSolver3</a>
</li>
<li>GetSmokeDiffusionCoefficient()
: <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver2.html#a114d8e37006edd66671ab98a209b5c2f">CubbyFlow::GridSmokeSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver3.html#ac69106e77f26a7936e05095cc7301a5f">CubbyFlow::GridSmokeSolver3</a>
</li>
<li>GetSORFactor()
: <a class="el" href="class_cubby_flow_1_1_f_d_m_gauss_seidel_solver2.html#a94572b4c1e60289b4104116ee5abe105">CubbyFlow::FDMGaussSeidelSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_gauss_seidel_solver3.html#a42b24fb0cb1165b798ab9769bfe7c2ad">CubbyFlow::FDMGaussSeidelSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_solver2.html#a7eca9013281d1bd228c847c9b902a805">CubbyFlow::FDMMGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_solver3.html#a1265de5913d687b910d74c84aefdf76c">CubbyFlow::FDMMGSolver3</a>
</li>
<li>GetSourceRegion()
: <a class="el" href="class_cubby_flow_1_1_volume_grid_emitter2.html#a83e840ccaf964fb0f5c774df934bb10a">CubbyFlow::VolumeGridEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_grid_emitter3.html#a70ae927c8ada417d1e94834dc690efcf">CubbyFlow::VolumeGridEmitter3</a>
</li>
<li>GetSpacing()
: <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter2.html#a96e0203b3d9cbbaa2d11b931caa4f61b">CubbyFlow::VolumeParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter3.html#a06a3f744b40177b314605d074700a6b6">CubbyFlow::VolumeParticleEmitter3</a>
</li>
<li>GetSpeedOfSound()
: <a class="el" href="class_cubby_flow_1_1_s_p_h_solver2.html#afc2a45b12dfd1431632b69a54a576510">CubbyFlow::SPHSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_s_p_h_solver3.html#a1198b6671f9e3fe3ca323f82eedf6a95">CubbyFlow::SPHSolver3</a>
</li>
<li>GetSPHSystemData()
: <a class="el" href="class_cubby_flow_1_1_s_p_h_solver2.html#a9f126f90ca170e8dbbe1281aafbe87c2">CubbyFlow::SPHSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_s_p_h_solver3.html#abc295471e999d38d170e6b173df853bc">CubbyFlow::SPHSolver3</a>
</li>
<li>GetSurface()
: <a class="el" href="class_cubby_flow_1_1_collider.html#ab3f4b75a282fb6445f05b6f4e26c31ac">CubbyFlow::Collider< N ></a>
, <a class="el" href="class_cubby_flow_1_1_surface_to_implicit.html#a2a8a2c82358a4d208e3ccc0478e539c9">CubbyFlow::SurfaceToImplicit< N ></a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter2.html#a6e52beeccb7969731f4ea59a42581421">CubbyFlow::VolumeParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_volume_particle_emitter3.html#a53afd0006a176972bb30727de1c1e138">CubbyFlow::VolumeParticleEmitter3</a>
</li>
<li>GetTarget()
: <a class="el" href="class_cubby_flow_1_1_particle_emitter2.html#ac971be52bb547e9798e5cbbb894cb0e3">CubbyFlow::ParticleEmitter2</a>
, <a class="el" href="class_cubby_flow_1_1_particle_emitter3.html#ae2a39cf2cf71b16bf754fcc883bf5f3c">CubbyFlow::ParticleEmitter3</a>
</li>
<li>GetTemperature()
: <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver2.html#ac372cf98149dd41c4c0b885fe6b0e225">CubbyFlow::GridSmokeSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver3.html#a7fcd4bf8e9654961cc3132964c67ae36">CubbyFlow::GridSmokeSolver3</a>
</li>
<li>GetTemperatureDecayFactor()
: <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver2.html#a1e1433a5844a920192181133765d00b4">CubbyFlow::GridSmokeSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver3.html#ae26bb57af5465ef63afd35ff1a387d7a">CubbyFlow::GridSmokeSolver3</a>
</li>
<li>GetTemperatureDiffusionCoefficient()
: <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver2.html#a7c5fbe114bbb74b1989aa739bdd9200f">CubbyFlow::GridSmokeSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver3.html#a19b3eb8994ddeaf63fba1294c4f5650e">CubbyFlow::GridSmokeSolver3</a>
</li>
<li>GetTimeStepLimitScale()
: <a class="el" href="class_cubby_flow_1_1_s_p_h_solver2.html#a7a0eb6d10586f5c3553148e8cebc24a2">CubbyFlow::SPHSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_s_p_h_solver3.html#a63a7d86577853390995bc3acc4584e1f">CubbyFlow::SPHSolver3</a>
</li>
<li>GetTolerance()
: <a class="el" href="class_cubby_flow_1_1_f_d_m_c_g_solver2.html#ab0fc67b5ff3261855e578e90b0bd5c81">CubbyFlow::FDMCGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_c_g_solver3.html#ad3008a6eb05a1422a2e6781eed06856f">CubbyFlow::FDMCGSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_gauss_seidel_solver2.html#a8a1b0a6435aaa4b2dda78693871c5adf">CubbyFlow::FDMGaussSeidelSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_gauss_seidel_solver3.html#a128daba851598c4513a4feeb93e379cd">CubbyFlow::FDMGaussSeidelSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_i_c_c_g_solver2.html#a2cc08c9c630e39e8a195d00b445289d6">CubbyFlow::FDMICCGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_i_c_c_g_solver3.html#aba80567465800f87690e2431a69061eb">CubbyFlow::FDMICCGSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_jacobi_solver2.html#a6988b486b7edd2140b316c27c4f2b700">CubbyFlow::FDMJacobiSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_jacobi_solver3.html#ab683f5cd813178bab6d849576d0e53d2">CubbyFlow::FDMJacobiSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_p_c_g_solver2.html#ad1252824afacc85b8cb8dd5c8475e913">CubbyFlow::FDMMGPCGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_p_c_g_solver3.html#ac2c5a24f47791c10c969546e651d61c0">CubbyFlow::FDMMGPCGSolver3</a>
</li>
<li>GetTranslation()
: <a class="el" href="class_cubby_flow_1_1_transform.html#ae41ec40b1068ff1a91de9d695555c060">CubbyFlow::Transform< N ></a>
</li>
<li>GetUseCompressedLinearSystem()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#a5417e3d16c428f2a108f0125978d4f5e">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#ae93e55c4bf8d2618e99f7949a3dc003a">CubbyFlow::GridFluidSolver3</a>
</li>
<li>GetUseRedBlackOrdering()
: <a class="el" href="class_cubby_flow_1_1_f_d_m_gauss_seidel_solver2.html#a7011751794631135d1bca5949fdc51aa">CubbyFlow::FDMGaussSeidelSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_gauss_seidel_solver3.html#a265980d46684b6eb56020e7ff676f4d8">CubbyFlow::FDMGaussSeidelSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_solver2.html#ac9e3977cfbe94b29807797539e3b7689">CubbyFlow::FDMMGSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_f_d_m_m_g_solver3.html#a360d59109783b5c48ec6865326b71a57">CubbyFlow::FDMMGSolver3</a>
</li>
<li>GetVectorSamplerFunc()
: <a class="el" href="class_cubby_flow_1_1_cubic_semi_lagrangian2.html#ab93d1f66facee2909d06f9a4bb081518">CubbyFlow::CubicSemiLagrangian2</a>
, <a class="el" href="class_cubby_flow_1_1_cubic_semi_lagrangian3.html#a0d8af9d0a7406ceb585cee86042e09c5">CubbyFlow::CubicSemiLagrangian3</a>
, <a class="el" href="class_cubby_flow_1_1_semi_lagrangian2.html#ad3d9833f0e98a26fc98bee1253a3198b">CubbyFlow::SemiLagrangian2</a>
, <a class="el" href="class_cubby_flow_1_1_semi_lagrangian3.html#afdabcfee60e3b7a528fad97d57cc1b08">CubbyFlow::SemiLagrangian3</a>
</li>
<li>GetVelocity()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#aae7aadbf47d2eb846db44a3a1c1e3fd6">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#a4d2b94afaaf9b655db514fe9e6d4693b">CubbyFlow::GridFluidSolver3</a>
</li>
<li>GetViscosityCoefficient()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#aa30f34c0e9e5935ada1e77eb0ebf3a8a">CubbyFlow::GridFluidSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#a5bb557eae9d8923a819036f35cbc605e">CubbyFlow::GridFluidSolver3</a>
, <a class="el" href="class_cubby_flow_1_1_s_p_h_solver2.html#a12d1e983d0e618e2ba9eadce6b010d49">CubbyFlow::SPHSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_s_p_h_solver3.html#a1b55c8a498d2dcb5a3b9cb4d2d710892">CubbyFlow::SPHSolver3</a>
</li>
<li>GetWind()
: <a class="el" href="class_cubby_flow_1_1_particle_system_solver2.html#adaf6d7ec8ac0115f572e3cb801e16948">CubbyFlow::ParticleSystemSolver2</a>
, <a class="el" href="class_cubby_flow_1_1_particle_system_solver3.html#aa5a7b40514e49ec88b68b905707a1c4e">CubbyFlow::ParticleSystemSolver3</a>
</li>
<li>Gradient()
: <a class="el" href="class_cubby_flow_1_1_custom_scalar_field.html#ae053fee95e6cf900904840b35622243f">CubbyFlow::CustomScalarField< N ></a>
, <a class="el" href="struct_cubby_flow_1_1_get_f_d_m_utils_3_012_01_4.html#a197661385fee1f021e2ca09f3785563d">CubbyFlow::GetFDMUtils< 2 ></a>
, <a class="el" href="struct_cubby_flow_1_1_get_f_d_m_utils_3_013_01_4.html#a90456129232c9e5e0403ab525700db79">CubbyFlow::GetFDMUtils< 3 ></a>
, <a class="el" href="class_cubby_flow_1_1_scalar_field.html#aa915b66bd2552ceeb9696f2314752d2d">CubbyFlow::ScalarField< N ></a>
, <a class="el" href="class_cubby_flow_1_1_scalar_grid.html#a65f8a6f9e7747cdb0bf707ae94fe75fc">CubbyFlow::ScalarGrid< N ></a>
, <a class="el" href="struct_cubby_flow_1_1_s_p_h_spiky_kernel_3_012_01_4.html#ab1527c9bafcc5ec83606226d1457098f">CubbyFlow::SPHSpikyKernel< 2 ></a>
, <a class="el" href="struct_cubby_flow_1_1_s_p_h_spiky_kernel_3_013_01_4.html#a89bac70a30b6f0fe939726151d1a74ae">CubbyFlow::SPHSpikyKernel< 3 ></a>
, <a class="el" href="struct_cubby_flow_1_1_s_p_h_std_kernel_3_012_01_4.html#a130dbde9c66df5698fd392a1c5052173">CubbyFlow::SPHStdKernel< 2 ></a>
, <a class="el" href="struct_cubby_flow_1_1_s_p_h_std_kernel_3_013_01_4.html#a131fd565ff9d40115a6500bc9a1223c5">CubbyFlow::SPHStdKernel< 3 ></a>
</li>
<li>GradientAt()
: <a class="el" href="class_cubby_flow_1_1_s_p_h_system_data.html#a41646085bd8d53a1133e130cad6baf50">CubbyFlow::SPHSystemData< N ></a>
</li>
<li>GradientAtDataPoint()
: <a class="el" href="class_cubby_flow_1_1_scalar_grid.html#a2389217fa3e9d1f725289a56ae562baa">CubbyFlow::ScalarGrid< N ></a>
</li>
<li>Grid()
: <a class="el" href="class_cubby_flow_1_1_grid.html#a8c4c6f44c2520021999698c708f70360">CubbyFlow::Grid< N ></a>
</li>
<li>GridBackwardEulerDiffusionSolver2()
: <a class="el" href="class_cubby_flow_1_1_grid_backward_euler_diffusion_solver2.html#a02e0608e13769b0a5442c225d8c2d810">CubbyFlow::GridBackwardEulerDiffusionSolver2</a>
</li>
<li>GridBackwardEulerDiffusionSolver3()
: <a class="el" href="class_cubby_flow_1_1_grid_backward_euler_diffusion_solver3.html#a1766019ea3939ff72cf28a462f168b1c">CubbyFlow::GridBackwardEulerDiffusionSolver3</a>
</li>
<li>GridBlockedBoundaryConditionSolver2()
: <a class="el" href="class_cubby_flow_1_1_grid_blocked_boundary_condition_solver2.html#aa4d5a4c31d3bf261e0d8eef602a6590a">CubbyFlow::GridBlockedBoundaryConditionSolver2</a>
</li>
<li>GridBlockedBoundaryConditionSolver3()
: <a class="el" href="class_cubby_flow_1_1_grid_blocked_boundary_condition_solver3.html#a3853b2ea16308698b3ac31fc07c14728">CubbyFlow::GridBlockedBoundaryConditionSolver3</a>
</li>
<li>GridBoundaryConditionSolver2()
: <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver2.html#a163ab7f3844af71c9c0fa75707a93ac6">CubbyFlow::GridBoundaryConditionSolver2</a>
</li>
<li>GridBoundaryConditionSolver3()
: <a class="el" href="class_cubby_flow_1_1_grid_boundary_condition_solver3.html#aac5a7f3eccf778b08823c6031445f747">CubbyFlow::GridBoundaryConditionSolver3</a>
</li>
<li>GridDataPositionFunc()
: <a class="el" href="class_cubby_flow_1_1_grid_data_position_func.html#a3b84ca18e04727c60a287d7d4606adb4">CubbyFlow::GridDataPositionFunc< N ></a>
</li>
<li>GridDiffusionSolver2()
: <a class="el" href="class_cubby_flow_1_1_grid_diffusion_solver2.html#a48d6951fda12e1ee3c9806f55ff64808">CubbyFlow::GridDiffusionSolver2</a>
</li>
<li>GridDiffusionSolver3()
: <a class="el" href="class_cubby_flow_1_1_grid_diffusion_solver3.html#ac42885fbe5243cae7281847a04c6833c">CubbyFlow::GridDiffusionSolver3</a>
</li>
<li>GridEmitter2()
: <a class="el" href="class_cubby_flow_1_1_grid_emitter2.html#a033645e080f4a0316754f2e0e9a0f619">CubbyFlow::GridEmitter2</a>
</li>
<li>GridEmitter3()
: <a class="el" href="class_cubby_flow_1_1_grid_emitter3.html#a6a651bedc6801d24ed2be5cad4168282">CubbyFlow::GridEmitter3</a>
</li>
<li>GridEmitterSet2()
: <a class="el" href="class_cubby_flow_1_1_grid_emitter_set2.html#a4d87d95bbd13f022466a0cf6fd878923">CubbyFlow::GridEmitterSet2</a>
</li>
<li>GridEmitterSet3()
: <a class="el" href="class_cubby_flow_1_1_grid_emitter_set3.html#aeb2a6753b26babe3272386806a72d225">CubbyFlow::GridEmitterSet3</a>
</li>
<li>GridFluidSolver2()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver2.html#aa0c6a6c99a168f6a4a879ff18a2cf8bf">CubbyFlow::GridFluidSolver2</a>
</li>
<li>GridFluidSolver3()
: <a class="el" href="class_cubby_flow_1_1_grid_fluid_solver3.html#a7fa1925f3aa43acf2fb5d22127064f31">CubbyFlow::GridFluidSolver3</a>
</li>
<li>GridForwardEulerDiffusionSolver2()
: <a class="el" href="class_cubby_flow_1_1_grid_forward_euler_diffusion_solver2.html#ac178f56c14c9f7977ee8ba84c9a3c18e">CubbyFlow::GridForwardEulerDiffusionSolver2</a>
</li>
<li>GridForwardEulerDiffusionSolver3()
: <a class="el" href="class_cubby_flow_1_1_grid_forward_euler_diffusion_solver3.html#a560c31bf76ec9ac3855bed9dd798371c">CubbyFlow::GridForwardEulerDiffusionSolver3</a>
</li>
<li>GridFractionalBoundaryConditionSolver2()
: <a class="el" href="class_cubby_flow_1_1_grid_fractional_boundary_condition_solver2.html#a1362cf25ba599919be431f211a270fe0">CubbyFlow::GridFractionalBoundaryConditionSolver2</a>
</li>
<li>GridFractionalBoundaryConditionSolver3()
: <a class="el" href="class_cubby_flow_1_1_grid_fractional_boundary_condition_solver3.html#a2e4533a4afb93d8639000f477a02cf53">CubbyFlow::GridFractionalBoundaryConditionSolver3</a>
</li>
<li>GridFractionalSinglePhasePressureSolver2()
: <a class="el" href="class_cubby_flow_1_1_grid_fractional_single_phase_pressure_solver2.html#a273ac2a0821fe4d876f71f9e76bc9fc8">CubbyFlow::GridFractionalSinglePhasePressureSolver2</a>
</li>
<li>GridFractionalSinglePhasePressureSolver3()
: <a class="el" href="class_cubby_flow_1_1_grid_fractional_single_phase_pressure_solver3.html#a52d3af6fbb287a19c997ca6a66578939">CubbyFlow::GridFractionalSinglePhasePressureSolver3</a>
</li>
<li>GridPressureSolver2()
: <a class="el" href="class_cubby_flow_1_1_grid_pressure_solver2.html#a9ac57102c0b705e5fa849169c8538158">CubbyFlow::GridPressureSolver2</a>
</li>
<li>GridPressureSolver3()
: <a class="el" href="class_cubby_flow_1_1_grid_pressure_solver3.html#ae473f93fbb7b1ebd16afe3213035beae">CubbyFlow::GridPressureSolver3</a>
</li>
<li>GridSinglePhasePressureSolver2()
: <a class="el" href="class_cubby_flow_1_1_grid_single_phase_pressure_solver2.html#a80f0354a7caa7fab3e67b98bb7409e5f">CubbyFlow::GridSinglePhasePressureSolver2</a>
</li>
<li>GridSinglePhasePressureSolver3()
: <a class="el" href="class_cubby_flow_1_1_grid_single_phase_pressure_solver3.html#ad750777f6bbc9a9bfc38efafdedd9d02">CubbyFlow::GridSinglePhasePressureSolver3</a>
</li>
<li>GridSmokeSolver2()
: <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver2.html#a563cec2fd296f302fd41ecce1f2d7295">CubbyFlow::GridSmokeSolver2</a>
</li>
<li>GridSmokeSolver3()
: <a class="el" href="class_cubby_flow_1_1_grid_smoke_solver3.html#a728243c256c9eb51906759f8cdbb7d0b">CubbyFlow::GridSmokeSolver3</a>
</li>
<li>GridSpacing()
: <a class="el" href="class_cubby_flow_1_1_grid.html#aec142821409fc87cd3c6a6efd0adf0a6">CubbyFlow::Grid< N ></a>
, <a class="el" href="class_cubby_flow_1_1_grid_system_data.html#a89fd5d601019d8669bfc4c361d0a31a0">CubbyFlow::GridSystemData< N ></a>
</li>
<li>GridSystemData()
: <a class="el" href="class_cubby_flow_1_1_grid_system_data.html#a0e457b24ee73ade97cbf5375ea3ccf69">CubbyFlow::GridSystemData< N ></a>
</li>
</ul>
</div><!-- contents -->
<!-- HTML footer for doxygen 1.8.8-->
<!-- start footer part -->
</div>
</div>
</div>
</div>
</div>
<hr class="footer"/><address class="footer"><small>
Generated on Thu Jul 15 2021 02:18:17 for CubbyFlow by  <a href="http://www.doxygen.org/index.html">
<img class="footer" src="doxygen.png" alt="doxygen"/>
</a> 1.8.13
</small></address>
</body>
<script type="text/javascript" src="doxy-boot.js"></script>
</html>
|
public/modules/eventos/views/list-eventos.client.view.html | Armando1vida/gevento | <section data-ng-controller="EventosController" data-ng-init="find()">
<div class="page-header">
<h1>Eventos</h1>
</div>
<div class="list-group">
<a data-ng-repeat="evento in eventos" data-ng-href="#!/eventos/{{evento._id}}" class="list-group-item">
<small class="list-group-item-text">
Posted on
<span data-ng-bind="evento.created | date:'medium'"></span>
by
<span data-ng-bind="evento.user.displayName"></span>
</small>
<h4 class="list-group-item-heading" data-ng-bind="evento.name"></h4>
</a>
</div>
<div class="alert alert-warning text-center" data-ng-hide="!eventos.$resolved || eventos.length">
No Eventos yet, why don't you <a href="/#!/eventos/create">create one</a>?
</div>
</section> |
templates/item.html | pmarki/catalog |
{%extends "base.html" %}
{%block content %}
<h2 class="panel-heading"><span class="glyphicon glyphicon-file" aria-hidden="true"></span> Item details</h2>
<div class="panel-body">
<h3>
<span class="glyphicon glyphicon-menu-down" aria-hidden="true"></span> {{item.name}}
<small><span class="pull-right"><span class="glyphicon glyphicon-star" aria-hidden="true"></span> {{item.rate}}</span></small>
</h3>
<p><small><img class="img-thumbnail img-responsive center-block" src="{{item.url_image}}"></small></p>
<p><small>{{item.description}}
{%if item.url != '' %}
<a href="{{item.url}}" target="_blank"><span class="glyphicon glyphicon-new-window" aria-hidden="true"></span></a>
{% endif %}
</small></p>
</div>
<div class="panel-footer userEditable">
<p><a href="{{ url_for('newItem', category_name=category.name) }}"><span class="glyphicon glyphicon-plus" aria-hidden="true"></span> Add new item</a></p>
<p><a href="{{ url_for('editItem', item_name=item.name, category_name=item.category_name) }}"><span class="glyphicon glyphicon-pencil" aria-hidden="true"></span> Edit item</a></p>
<p><a href="{{ url_for('deleteItem', item_name=item.name, category_name=item.category_name) }}"><span class="glyphicon glyphicon-trash" aria-hidden="true"></span> Delete item</a></p>
</div>
</div><!--items-->
{%endblock%} |
v4/user-agent-detail/79/8e/798e8687-22e2-4e61-aee6-267cbe86b40b.html | ThaDafinser/UserAgentParserComparison |
<html>
<head>
<title>User agent detail - Mozilla/5.0 (Linux; U; Android 4.0.3; fr-fr; LG-P880 Build/IML74K) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30</title>
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/materialize/0.97.3/css/materialize.min.css">
<link href="https://fonts.googleapis.com/icon?family=Material+Icons" rel="stylesheet">
</head>
<body>
<div class="container">
<div class="section">
<h1 class="header center orange-text">User agent detail</h1>
<div class="row center">
<h5 class="header light">
Mozilla/5.0 (Linux; U; Android 4.0.3; fr-fr; LG-P880 Build/IML74K) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30
</h5>
</div>
</div>
<div class="section">
<table class="striped"><tr><th></th><th colspan="3">General</th><th colspan="5">Device</th><th colspan="3">Bot</th><th colspan="2"></th></tr><tr><th>Provider</th><th>Browser</th><th>Engine</th><th>OS</th><th>Brand</th><th>Model</th><th>Type</th><th>Is mobile</th><th>Is touch</th><th>Is bot</th><th>Name</th><th>Type</th><th>Parse time</th><th>Actions</th></tr><tr><th colspan="14" class="green lighten-3">Source result (test suite)</th></tr><tr><td>piwik/device-detector<br /><small>/Tests/fixtures/smartphone-1.yml</small></td><td>Android Browser </td><td>Android 4.0.3</td><td>WebKit </td><td style="border-left: 1px solid #555">LG</td><td>P880</td><td>smartphone</td><td></td><td></td><td style="border-left: 1px solid #555"></td><td></td><td></td><td></td><td>
<!-- Modal Trigger -->
<a class="modal-trigger btn waves-effect waves-light" href="#modal-test">Detail</a>
<!-- Modal Structure -->
<div id="modal-test" class="modal modal-fixed-footer">
<div class="modal-content">
<h4>Testsuite result detail</h4>
<p><pre><code class="php">Array
(
[user_agent] => Mozilla/5.0 (Linux; U; Android 4.0.3; fr-fr; LG-P880 Build/IML74K) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30
[os] => Array
(
[name] => Android
[short_name] => AND
[version] => 4.0.3
[platform] =>
)
[client] => Array
(
[type] => browser
[name] => Android Browser
[short_name] => AN
[version] =>
[engine] => WebKit
)
[device] => Array
(
[type] => smartphone
[brand] => LG
[model] => P880
)
[os_family] => Android
[browser_family] => Android Browser
)
</code></pre></p>
</div>
<div class="modal-footer">
<a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a>
</div>
</div>
</td></tr><tr><th colspan="14" class="green lighten-3">Providers</th></tr><tr><td>BrowscapPhp<br /><small>6012</small></td><td>Android 4.0</td><td>WebKit </td><td>Android 4.0</td><td style="border-left: 1px solid #555">LG</td><td>Optimus 4X HD</td><td>Mobile Phone</td><td>yes</td><td>yes</td><td style="border-left: 1px solid #555"></td><td></td><td></td><td>0.11601</td><td>
<!-- Modal Trigger -->
<a class="modal-trigger btn waves-effect waves-light" href="#modal-215ac98d-ccf8-4615-916e-5a819d6a59c9">Detail</a>
<!-- Modal Structure -->
<div id="modal-215ac98d-ccf8-4615-916e-5a819d6a59c9" class="modal modal-fixed-footer">
<div class="modal-content">
<h4>BrowscapPhp result detail</h4>
<p><pre><code class="php">stdClass Object
(
[browser_name_regex] => /^mozilla\/5\.0 \(.*linux.*android.4\.0.*lg\-p880.* build\/.*\) applewebkit\/.* \(khtml,.*like gecko.*\) version\/4\.0.*safari.*$/
[browser_name_pattern] => mozilla/5.0 (*linux*android?4.0*lg-p880* build/*) applewebkit/* (khtml,*like gecko*) version/4.0*safari*
[parent] => Android Browser 4.0
[comment] => Android Browser 4.0
[browser] => Android
[browser_type] => Browser
[browser_bits] => 32
[browser_maker] => Google Inc
[browser_modus] => unknown
[version] => 4.0
[majorver] => 4
[minorver] => 0
[platform] => Android
[platform_version] => 4.0
[platform_description] => Android OS
[platform_bits] => 32
[platform_maker] => Google Inc
[alpha] =>
[beta] =>
[win16] =>
[win32] =>
[win64] =>
[frames] => 1
[iframes] => 1
[tables] => 1
[cookies] => 1
[backgroundsounds] =>
[javascript] => 1
[vbscript] =>
[javaapplets] => 1
[activexcontrols] =>
[ismobiledevice] => 1
[istablet] =>
[issyndicationreader] =>
[crawler] =>
[cssversion] => 3
[aolversion] => 0
[device_name] => Optimus 4X HD
[device_maker] => LG
[device_type] => Mobile Phone
[device_pointing_method] => touchscreen
[device_code_name] => P880
[device_brand_name] => LG
[renderingengine_name] => WebKit
[renderingengine_version] => unknown
[renderingengine_description] => For Google Chrome, iOS (including both mobile Safari, WebViews within third-party apps, and web clips), Safari, Arora, Midori, OmniWeb, Shiira, iCab since version 4, Web, SRWare Iron, Rekonq, and in Maxthon 3.
[renderingengine_maker] => Apple Inc
)
</code></pre></p>
</div>
<div class="modal-footer">
<a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a>
</div>
</div>
</td></tr><tr><td>DonatjUAParser<br /><small>v0.5.0</small></td><td>Android Browser 4.0</td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>0.001</td><td>
<!-- Modal Trigger -->
<a class="modal-trigger btn waves-effect waves-light" href="#modal-f1436016-fdf1-4aea-b4be-1d7c99ab0661">Detail</a>
<!-- Modal Structure -->
<div id="modal-f1436016-fdf1-4aea-b4be-1d7c99ab0661" class="modal modal-fixed-footer">
<div class="modal-content">
<h4>DonatjUAParser result detail</h4>
<p><pre><code class="php">Array
(
[platform] => Android
[browser] => Android Browser
[version] => 4.0
)
</code></pre></p>
</div>
<div class="modal-footer">
<a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a>
</div>
</div>
</td></tr><tr><td>NeutrinoApiCom<br /><small></small></td><td>Android Webkit 4.0</td><td><i class="material-icons">close</i></td><td>Android 4.0.3</td><td style="border-left: 1px solid #555">LG</td><td>P880</td><td>mobile-browser</td><td>yes</td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td>0.27303</td><td>
<!-- Modal Trigger -->
<a class="modal-trigger btn waves-effect waves-light" href="#modal-9b0fa449-ec1b-40c8-8b1c-9486eb3b9cbc">Detail</a>
<!-- Modal Structure -->
<div id="modal-9b0fa449-ec1b-40c8-8b1c-9486eb3b9cbc" class="modal modal-fixed-footer">
<div class="modal-content">
<h4>NeutrinoApiCom result detail</h4>
<p><pre><code class="php">stdClass Object
(
[mobile_screen_height] => 1280
[is_mobile] => 1
[type] => mobile-browser
[mobile_brand] => LG
[mobile_model] => P880
[version] => 4.0
[is_android] => 1
[browser_name] => Android Webkit
[operating_system_family] => Android
[operating_system_version] => 4.0.3
[is_ios] =>
[producer] => Google Inc.
[operating_system] => Android 4.0.x Ice Cream Sandwich
[mobile_screen_width] => 720
[mobile_browser] => Android Webkit
)
</code></pre></p>
</div>
<div class="modal-footer">
<a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a>
</div>
</div>
</td></tr><tr><td>PiwikDeviceDetector<br /><small>3.5.2</small></td><td>Android Browser </td><td>WebKit </td><td>Android 4.0</td><td style="border-left: 1px solid #555">LG</td><td>P880</td><td>smartphone</td><td>yes</td><td></td><td style="border-left: 1px solid #555"></td><td></td><td></td><td>0.005</td><td>
<!-- Modal Trigger -->
<a class="modal-trigger btn waves-effect waves-light" href="#modal-21638055-738d-46ba-a1b1-f5114bc26475">Detail</a>
<!-- Modal Structure -->
<div id="modal-21638055-738d-46ba-a1b1-f5114bc26475" class="modal modal-fixed-footer">
<div class="modal-content">
<h4>PiwikDeviceDetector result detail</h4>
<p><pre><code class="php">Array
(
[client] => Array
(
[type] => browser
[name] => Android Browser
[short_name] => AN
[version] =>
[engine] => WebKit
)
[operatingSystem] => Array
(
[name] => Android
[short_name] => AND
[version] => 4.0
[platform] =>
)
[device] => Array
(
[brand] => LG
[brandName] => LG
[model] => P880
[device] => 1
[deviceName] => smartphone
)
[bot] =>
[extra] => Array
(
[isBot] =>
[isBrowser] => 1
[isFeedReader] =>
[isMobileApp] =>
[isPIM] =>
[isLibrary] =>
[isMediaPlayer] =>
[isCamera] =>
[isCarBrowser] =>
[isConsole] =>
[isFeaturePhone] =>
[isPhablet] =>
[isPortableMediaPlayer] =>
[isSmartDisplay] =>
[isSmartphone] => 1
[isTablet] =>
[isTV] =>
[isDesktop] =>
[isMobile] => 1
[isTouchEnabled] =>
)
)
</code></pre></p>
</div>
<div class="modal-footer">
<a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a>
</div>
</div>
</td></tr><tr><td>SinergiBrowserDetector<br /><small>6.0.0</small></td><td>Navigator 4.0</td><td><i class="material-icons">close</i></td><td>Android 4.0.3</td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td></td><td><i class="material-icons">close</i></td><td>yes</td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>0</td><td>
<!-- Modal Trigger -->
<a class="modal-trigger btn waves-effect waves-light" href="#modal-5415e7f2-ef7b-434c-abe0-b71ba9f6707c">Detail</a>
<!-- Modal Structure -->
<div id="modal-5415e7f2-ef7b-434c-abe0-b71ba9f6707c" class="modal modal-fixed-footer">
<div class="modal-content">
<h4>SinergiBrowserDetector result detail</h4>
<p><pre><code class="php">Array
(
[browser] => Sinergi\BrowserDetector\Browser Object
(
[userAgent:Sinergi\BrowserDetector\Browser:private] => Sinergi\BrowserDetector\UserAgent Object
(
[userAgentString:Sinergi\BrowserDetector\UserAgent:private] => Mozilla/5.0 (Linux; U; Android 4.0.3; fr-fr; LG-P880 Build/IML74K) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30
)
[name:Sinergi\BrowserDetector\Browser:private] => Navigator
[version:Sinergi\BrowserDetector\Browser:private] => 4.0
[isRobot:Sinergi\BrowserDetector\Browser:private] =>
[isChromeFrame:Sinergi\BrowserDetector\Browser:private] =>
)
[operatingSystem] => Sinergi\BrowserDetector\Os Object
(
[name:Sinergi\BrowserDetector\Os:private] => Android
[version:Sinergi\BrowserDetector\Os:private] => 4.0.3
[isMobile:Sinergi\BrowserDetector\Os:private] => 1
[userAgent:Sinergi\BrowserDetector\Os:private] => Sinergi\BrowserDetector\UserAgent Object
(
[userAgentString:Sinergi\BrowserDetector\UserAgent:private] => Mozilla/5.0 (Linux; U; Android 4.0.3; fr-fr; LG-P880 Build/IML74K) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30
)
)
[device] => Sinergi\BrowserDetector\Device Object
(
[name:Sinergi\BrowserDetector\Device:private] => unknown
[userAgent:Sinergi\BrowserDetector\Device:private] => Sinergi\BrowserDetector\UserAgent Object
(
[userAgentString:Sinergi\BrowserDetector\UserAgent:private] => Mozilla/5.0 (Linux; U; Android 4.0.3; fr-fr; LG-P880 Build/IML74K) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30
)
)
)
</code></pre></p>
</div>
<div class="modal-footer">
<a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a>
</div>
</div>
</td></tr><tr><td>UAParser<br /><small>v3.4.5</small></td><td>Android 4.0.3</td><td><i class="material-icons">close</i></td><td>Android 4.0.3</td><td style="border-left: 1px solid #555">LG</td><td>P880</td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td>0.004</td><td>
<!-- Modal Trigger -->
<a class="modal-trigger btn waves-effect waves-light" href="#modal-346c1a98-5fd3-454f-b6c8-350f2f505d8b">Detail</a>
<!-- Modal Structure -->
<div id="modal-346c1a98-5fd3-454f-b6c8-350f2f505d8b" class="modal modal-fixed-footer">
<div class="modal-content">
<h4>UAParser result detail</h4>
<p><pre><code class="php">UAParser\Result\Client Object
(
[ua] => UAParser\Result\UserAgent Object
(
[major] => 4
[minor] => 0
[patch] => 3
[family] => Android
)
[os] => UAParser\Result\OperatingSystem Object
(
[major] => 4
[minor] => 0
[patch] => 3
[patchMinor] =>
[family] => Android
)
[device] => UAParser\Result\Device Object
(
[brand] => LG
[model] => P880
[family] => LG-P880
)
[originalUserAgent] => Mozilla/5.0 (Linux; U; Android 4.0.3; fr-fr; LG-P880 Build/IML74K) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30
)
</code></pre></p>
</div>
<div class="modal-footer">
<a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a>
</div>
</div>
</td></tr><tr><td>UserAgentStringCom<br /><small></small></td><td>Android Webkit Browser </td><td><i class="material-icons">close</i></td><td>Android 4.0.3</td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td></td><td></td><td>0.09001</td><td>
<!-- Modal Trigger -->
<a class="modal-trigger btn waves-effect waves-light" href="#modal-9cdd8b45-a2eb-406b-bd27-7e48af38ffd4">Detail</a>
<!-- Modal Structure -->
<div id="modal-9cdd8b45-a2eb-406b-bd27-7e48af38ffd4" class="modal modal-fixed-footer">
<div class="modal-content">
<h4>UserAgentStringCom result detail</h4>
<p><pre><code class="php">stdClass Object
(
[agent_type] => Browser
[agent_name] => Android Webkit Browser
[agent_version] => --
[os_type] => Android
[os_name] => Android
[os_versionName] =>
[os_versionNumber] => 4.0.3
[os_producer] =>
[os_producerURL] =>
[linux_distibution] => Null
[agent_language] => French - France
[agent_languageTag] => fr-fr
)
</code></pre></p>
</div>
<div class="modal-footer">
<a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a>
</div>
</div>
</td></tr><tr><td>WhatIsMyBrowserCom<br /><small></small></td><td>Android Browser 4.0</td><td>WebKit 534.30</td><td>Android 4.0.3</td><td style="border-left: 1px solid #555">LG</td><td>LGP880</td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>0.40604</td><td>
<!-- Modal Trigger -->
<a class="modal-trigger btn waves-effect waves-light" href="#modal-9795f66f-7271-430e-973a-a5c0e14dc35a">Detail</a>
<!-- Modal Structure -->
<div id="modal-9795f66f-7271-430e-973a-a5c0e14dc35a" class="modal modal-fixed-footer">
<div class="modal-content">
<h4>WhatIsMyBrowserCom result detail</h4>
<p><pre><code class="php">stdClass Object
(
[operating_system_name] => Android
[simple_sub_description_string] =>
[simple_browser_string] => Android Browser 4 on Android (Ice Cream Sandwich)
[browser_version] => 4
[extra_info] => Array
(
)
[operating_platform] => LGP880
[extra_info_table] => stdClass Object
(
[System Build] => IML74K
)
[layout_engine_name] => WebKit
[detected_addons] => Array
(
)
[operating_system_flavour_code] =>
[hardware_architecture] =>
[operating_system_flavour] =>
[operating_system_frameworks] => Array
(
)
[browser_name_code] => android-browser
[operating_system_version] => Ice Cream Sandwich
[simple_operating_platform_string] => LGP880
[is_abusive] =>
[layout_engine_version] => 534.30
[browser_capabilities] => Array
(
)
[operating_platform_vendor_name] => LG
[operating_system] => Android (Ice Cream Sandwich)
[operating_system_version_full] => 4.0.3
[operating_platform_code] => LGP880
[browser_name] => Android Browser
[operating_system_name_code] => android
[user_agent] => Mozilla/5.0 (Linux; U; Android 4.0.3; fr-fr; LG-P880 Build/IML74K) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30
[browser_version_full] => 4.0
[browser] => Android Browser 4
)
</code></pre></p>
</div>
<div class="modal-footer">
<a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a>
</div>
</div>
</td></tr><tr><td>WhichBrowser<br /><small>2.0.10</small></td><td>Android Browser </td><td>Webkit 534.30</td><td>Android 4.0.3</td><td style="border-left: 1px solid #555">LG</td><td>Optimus 4X HD</td><td>mobile:smart</td><td>yes</td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td>0.021</td><td>
<!-- Modal Trigger -->
<a class="modal-trigger btn waves-effect waves-light" href="#modal-342c8d32-4765-40a8-8a5c-af3a38d19ae4">Detail</a>
<!-- Modal Structure -->
<div id="modal-342c8d32-4765-40a8-8a5c-af3a38d19ae4" class="modal modal-fixed-footer">
<div class="modal-content">
<h4>WhichBrowser result detail</h4>
<p><pre><code class="php">Array
(
[browser] => Array
(
[name] => Android Browser
)
[engine] => Array
(
[name] => Webkit
[version] => 534.30
)
[os] => Array
(
[name] => Android
[version] => 4.0.3
)
[device] => Array
(
[type] => mobile
[subtype] => smart
[manufacturer] => LG
[model] => Optimus 4X HD
)
)
</code></pre></p>
</div>
<div class="modal-footer">
<a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a>
</div>
</div>
</td></tr><tr><td>Woothee<br /><small>v1.2.0</small></td><td>Safari 4.0</td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>smartphone</td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td style="border-left: 1px solid #555"></td><td></td><td><i class="material-icons">close</i></td><td>0.001</td><td>
<!-- Modal Trigger -->
<a class="modal-trigger btn waves-effect waves-light" href="#modal-3f285ff5-314b-4db4-9948-54572e92e7b6">Detail</a>
<!-- Modal Structure -->
<div id="modal-3f285ff5-314b-4db4-9948-54572e92e7b6" class="modal modal-fixed-footer">
<div class="modal-content">
<h4>Woothee result detail</h4>
<p><pre><code class="php">Array
(
[name] => Safari
[vendor] => Apple
[version] => 4.0
[category] => smartphone
[os] => Android
[os_version] => 4.0.3
)
</code></pre></p>
</div>
<div class="modal-footer">
<a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a>
</div>
</div>
</td></tr><tr><td>Wurfl<br /><small>1.6.4</small></td><td>Android Webkit 4.0</td><td><i class="material-icons">close</i></td><td>Android 4.0</td><td style="border-left: 1px solid #555">LG</td><td>P880</td><td>Smartphone</td><td>yes</td><td>yes</td><td style="border-left: 1px solid #555"></td><td><i class="material-icons">close</i></td><td><i class="material-icons">close</i></td><td>0.04</td><td>
<!-- Modal Trigger -->
<a class="modal-trigger btn waves-effect waves-light" href="#modal-1a1aee36-7ce7-4111-a391-8e2c501f1532">Detail</a>
<!-- Modal Structure -->
<div id="modal-1a1aee36-7ce7-4111-a391-8e2c501f1532" class="modal modal-fixed-footer">
<div class="modal-content">
<h4>Wurfl result detail</h4>
<p><pre><code class="php">Array
(
[virtual] => Array
(
[is_android] => true
[is_ios] => false
[is_windows_phone] => false
[is_app] => false
[is_full_desktop] => false
[is_largescreen] => true
[is_mobile] => true
[is_robot] => false
[is_smartphone] => true
[is_touchscreen] => true
[is_wml_preferred] => false
[is_xhtmlmp_preferred] => false
[is_html_preferred] => true
[advertised_device_os] => Android
[advertised_device_os_version] => 4.0
[advertised_browser] => Android Webkit
[advertised_browser_version] => 4.0
[complete_device_name] => LG P880 (Optimus 4X HD)
[form_factor] => Smartphone
[is_phone] => true
[is_app_webview] => false
)
[all] => Array
(
[brand_name] => LG
[model_name] => P880
[unique] => true
[ununiqueness_handler] =>
[is_wireless_device] => true
[device_claims_web_support] => true
[has_qwerty_keyboard] => true
[can_skip_aligned_link_row] => true
[uaprof] => http://gsm.lge.com/html/gsm/P880-M6-D2.xml
[uaprof2] => http://gsm.lge.com/html/gsm/P880-M6-D2.xml
[uaprof3] =>
[nokia_series] => 0
[nokia_edition] => 0
[device_os] => Android
[mobile_browser] => Android Webkit
[mobile_browser_version] =>
[device_os_version] => 4.0
[pointing_method] => touchscreen
[release_date] => 2012_june
[marketing_name] => Optimus 4X HD
[model_extra_info] =>
[nokia_feature_pack] => 0
[can_assign_phone_number] => true
[is_tablet] => false
[manufacturer_name] =>
[is_bot] => false
[is_google_glass] => false
[proportional_font] => false
[built_in_back_button_support] => false
[card_title_support] => true
[softkey_support] => true
[table_support] => true
[numbered_menus] => false
[menu_with_select_element_recommended] => false
[menu_with_list_of_links_recommended] => true
[icons_on_menu_items_support] => false
[break_list_of_links_with_br_element_recommended] => true
[access_key_support] => false
[wrap_mode_support] => false
[times_square_mode_support] => false
[deck_prefetch_support] => false
[elective_forms_recommended] => true
[wizards_recommended] => false
[image_as_link_support] => false
[insert_br_element_after_widget_recommended] => false
[wml_can_display_images_and_text_on_same_line] => false
[wml_displays_image_in_center] => false
[opwv_wml_extensions_support] => false
[wml_make_phone_call_string] => wtai://wp/mc;
[chtml_display_accesskey] => false
[emoji] => false
[chtml_can_display_images_and_text_on_same_line] => false
[chtml_displays_image_in_center] => false
[imode_region] => none
[chtml_make_phone_call_string] => tel:
[chtml_table_support] => false
[xhtml_honors_bgcolor] => true
[xhtml_supports_forms_in_table] => true
[xhtml_support_wml2_namespace] => false
[xhtml_autoexpand_select] => false
[xhtml_select_as_dropdown] => false
[xhtml_select_as_radiobutton] => false
[xhtml_select_as_popup] => false
[xhtml_display_accesskey] => false
[xhtml_supports_invisible_text] => false
[xhtml_supports_inline_input] => false
[xhtml_supports_monospace_font] => false
[xhtml_supports_table_for_layout] => true
[xhtml_supports_css_cell_table_coloring] => true
[xhtml_format_as_css_property] => false
[xhtml_format_as_attribute] => false
[xhtml_nowrap_mode] => false
[xhtml_marquee_as_css_property] => false
[xhtml_readable_background_color1] => #FFFFFF
[xhtml_readable_background_color2] => #FFFFFF
[xhtml_allows_disabled_form_elements] => true
[xhtml_document_title_support] => true
[xhtml_preferred_charset] => iso-8859-1
[opwv_xhtml_extensions_support] => false
[xhtml_make_phone_call_string] => tel:
[xhtmlmp_preferred_mime_type] => text/html
[xhtml_table_support] => true
[xhtml_send_sms_string] => sms:
[xhtml_send_mms_string] => mms:
[xhtml_file_upload] => supported
[cookie_support] => true
[accept_third_party_cookie] => true
[xhtml_supports_iframe] => full
[xhtml_avoid_accesskeys] => true
[xhtml_can_embed_video] => none
[ajax_support_javascript] => true
[ajax_manipulate_css] => true
[ajax_support_getelementbyid] => true
[ajax_support_inner_html] => true
[ajax_xhr_type] => standard
[ajax_manipulate_dom] => true
[ajax_support_events] => true
[ajax_support_event_listener] => true
[ajax_preferred_geoloc_api] => w3c_api
[xhtml_support_level] => 4
[preferred_markup] => html_web_4_0
[wml_1_1] => false
[wml_1_2] => false
[wml_1_3] => false
[html_wi_w3_xhtmlbasic] => true
[html_wi_oma_xhtmlmp_1_0] => true
[html_wi_imode_html_1] => false
[html_wi_imode_html_2] => false
[html_wi_imode_html_3] => false
[html_wi_imode_html_4] => false
[html_wi_imode_html_5] => false
[html_wi_imode_htmlx_1] => false
[html_wi_imode_htmlx_1_1] => false
[html_wi_imode_compact_generic] => false
[html_web_3_2] => true
[html_web_4_0] => true
[voicexml] => false
[multipart_support] => false
[total_cache_disable_support] => false
[time_to_live_support] => false
[resolution_width] => 720
[resolution_height] => 1280
[columns] => 25
[max_image_width] => 424
[max_image_height] => 753
[rows] => 15
[physical_screen_width] => 59
[physical_screen_height] => 105
[dual_orientation] => true
[density_class] => 1.7
[wbmp] => true
[bmp] => true
[epoc_bmp] => false
[gif_animated] => false
[jpg] => true
[png] => true
[tiff] => false
[transparent_png_alpha] => true
[transparent_png_index] => true
[svgt_1_1] => true
[svgt_1_1_plus] => false
[greyscale] => false
[gif] => true
[colors] => 65536
[webp_lossy_support] => true
[webp_lossless_support] => false
[post_method_support] => true
[basic_authentication_support] => true
[empty_option_value_support] => true
[emptyok] => false
[nokia_voice_call] => false
[wta_voice_call] => false
[wta_phonebook] => false
[wta_misc] => false
[wta_pdc] => false
[https_support] => true
[phone_id_provided] => false
[max_data_rate] => 3600
[wifi] => true
[sdio] => false
[vpn] => false
[has_cellular_radio] => true
[max_deck_size] => 2000000
[max_url_length_in_requests] => 256
[max_url_length_homepage] => 0
[max_url_length_bookmark] => 0
[max_url_length_cached_page] => 0
[max_no_of_connection_settings] => 0
[max_no_of_bookmarks] => 0
[max_length_of_username] => 0
[max_length_of_password] => 0
[max_object_size] => 0
[downloadfun_support] => false
[directdownload_support] => true
[inline_support] => false
[oma_support] => true
[ringtone] => false
[ringtone_3gpp] => false
[ringtone_midi_monophonic] => false
[ringtone_midi_polyphonic] => false
[ringtone_imelody] => false
[ringtone_digiplug] => false
[ringtone_compactmidi] => false
[ringtone_mmf] => false
[ringtone_rmf] => false
[ringtone_xmf] => false
[ringtone_amr] => false
[ringtone_awb] => false
[ringtone_aac] => false
[ringtone_wav] => false
[ringtone_mp3] => false
[ringtone_spmidi] => false
[ringtone_qcelp] => false
[ringtone_voices] => 1
[ringtone_df_size_limit] => 0
[ringtone_directdownload_size_limit] => 0
[ringtone_inline_size_limit] => 0
[ringtone_oma_size_limit] => 0
[wallpaper] => false
[wallpaper_max_width] => 0
[wallpaper_max_height] => 0
[wallpaper_preferred_width] => 0
[wallpaper_preferred_height] => 0
[wallpaper_resize] => none
[wallpaper_wbmp] => false
[wallpaper_bmp] => false
[wallpaper_gif] => false
[wallpaper_jpg] => false
[wallpaper_png] => false
[wallpaper_tiff] => false
[wallpaper_greyscale] => false
[wallpaper_colors] => 2
[wallpaper_df_size_limit] => 0
[wallpaper_directdownload_size_limit] => 0
[wallpaper_inline_size_limit] => 0
[wallpaper_oma_size_limit] => 0
[screensaver] => false
[screensaver_max_width] => 0
[screensaver_max_height] => 0
[screensaver_preferred_width] => 0
[screensaver_preferred_height] => 0
[screensaver_resize] => none
[screensaver_wbmp] => false
[screensaver_bmp] => false
[screensaver_gif] => false
[screensaver_jpg] => false
[screensaver_png] => false
[screensaver_greyscale] => false
[screensaver_colors] => 2
[screensaver_df_size_limit] => 0
[screensaver_directdownload_size_limit] => 0
[screensaver_inline_size_limit] => 0
[screensaver_oma_size_limit] => 0
[picture] => false
[picture_max_width] => 0
[picture_max_height] => 0
[picture_preferred_width] => 0
[picture_preferred_height] => 0
[picture_resize] => none
[picture_wbmp] => false
[picture_bmp] => false
[picture_gif] => false
[picture_jpg] => false
[picture_png] => false
[picture_greyscale] => false
[picture_colors] => 2
[picture_df_size_limit] => 0
[picture_directdownload_size_limit] => 0
[picture_inline_size_limit] => 0
[picture_oma_size_limit] => 0
[video] => false
[oma_v_1_0_forwardlock] => false
[oma_v_1_0_combined_delivery] => false
[oma_v_1_0_separate_delivery] => false
[streaming_video] => true
[streaming_3gpp] => true
[streaming_mp4] => true
[streaming_mov] => false
[streaming_video_size_limit] => 0
[streaming_real_media] => none
[streaming_flv] => false
[streaming_3g2] => false
[streaming_vcodec_h263_0] => 10
[streaming_vcodec_h263_3] => -1
[streaming_vcodec_mpeg4_sp] => 2
[streaming_vcodec_mpeg4_asp] => -1
[streaming_vcodec_h264_bp] => 3.0
[streaming_acodec_amr] => nb
[streaming_acodec_aac] => lc
[streaming_wmv] => none
[streaming_preferred_protocol] => rtsp
[streaming_preferred_http_protocol] => apple_live_streaming
[wap_push_support] => true
[connectionless_service_indication] => false
[connectionless_service_load] => false
[connectionless_cache_operation] => false
[connectionoriented_unconfirmed_service_indication] => false
[connectionoriented_unconfirmed_service_load] => false
[connectionoriented_unconfirmed_cache_operation] => false
[connectionoriented_confirmed_service_indication] => false
[connectionoriented_confirmed_service_load] => false
[connectionoriented_confirmed_cache_operation] => false
[utf8_support] => true
[ascii_support] => false
[iso8859_support] => false
[expiration_date] => false
[j2me_cldc_1_0] => false
[j2me_cldc_1_1] => false
[j2me_midp_1_0] => false
[j2me_midp_2_0] => false
[doja_1_0] => false
[doja_1_5] => false
[doja_2_0] => false
[doja_2_1] => false
[doja_2_2] => false
[doja_3_0] => false
[doja_3_5] => false
[doja_4_0] => false
[j2me_jtwi] => false
[j2me_mmapi_1_0] => false
[j2me_mmapi_1_1] => false
[j2me_wmapi_1_0] => false
[j2me_wmapi_1_1] => false
[j2me_wmapi_2_0] => false
[j2me_btapi] => false
[j2me_3dapi] => false
[j2me_locapi] => false
[j2me_nokia_ui] => false
[j2me_motorola_lwt] => false
[j2me_siemens_color_game] => false
[j2me_siemens_extension] => false
[j2me_heap_size] => 0
[j2me_max_jar_size] => 0
[j2me_storage_size] => 0
[j2me_max_record_store_size] => 0
[j2me_screen_width] => 0
[j2me_screen_height] => 0
[j2me_canvas_width] => 0
[j2me_canvas_height] => 0
[j2me_bits_per_pixel] => 0
[j2me_audio_capture_enabled] => false
[j2me_video_capture_enabled] => false
[j2me_photo_capture_enabled] => false
[j2me_capture_image_formats] => none
[j2me_http] => false
[j2me_https] => false
[j2me_socket] => false
[j2me_udp] => false
[j2me_serial] => false
[j2me_gif] => false
[j2me_gif89a] => false
[j2me_jpg] => false
[j2me_png] => false
[j2me_bmp] => false
[j2me_bmp3] => false
[j2me_wbmp] => false
[j2me_midi] => false
[j2me_wav] => false
[j2me_amr] => false
[j2me_mp3] => false
[j2me_mp4] => false
[j2me_imelody] => false
[j2me_rmf] => false
[j2me_au] => false
[j2me_aac] => false
[j2me_realaudio] => false
[j2me_xmf] => false
[j2me_wma] => false
[j2me_3gpp] => false
[j2me_h263] => false
[j2me_svgt] => false
[j2me_mpeg4] => false
[j2me_realvideo] => false
[j2me_real8] => false
[j2me_realmedia] => false
[j2me_left_softkey_code] => 0
[j2me_right_softkey_code] => 0
[j2me_middle_softkey_code] => 0
[j2me_select_key_code] => 0
[j2me_return_key_code] => 0
[j2me_clear_key_code] => 0
[j2me_datefield_no_accepts_null_date] => false
[j2me_datefield_broken] => false
[receiver] => true
[sender] => true
[mms_max_size] => 614400
[mms_max_height] => 1944
[mms_max_width] => 2592
[built_in_recorder] => false
[built_in_camera] => true
[mms_jpeg_baseline] => true
[mms_jpeg_progressive] => false
[mms_gif_static] => true
[mms_gif_animated] => true
[mms_png] => true
[mms_bmp] => true
[mms_wbmp] => true
[mms_amr] => true
[mms_wav] => true
[mms_midi_monophonic] => true
[mms_midi_polyphonic] => true
[mms_midi_polyphonic_voices] => 0
[mms_spmidi] => true
[mms_mmf] => false
[mms_mp3] => true
[mms_evrc] => false
[mms_qcelp] => false
[mms_ota_bitmap] => false
[mms_nokia_wallpaper] => false
[mms_nokia_operatorlogo] => false
[mms_nokia_3dscreensaver] => false
[mms_nokia_ringingtone] => false
[mms_rmf] => false
[mms_xmf] => true
[mms_symbian_install] => false
[mms_jar] => false
[mms_jad] => false
[mms_vcard] => true
[mms_vcalendar] => true
[mms_wml] => false
[mms_wbxml] => false
[mms_wmlc] => false
[mms_video] => true
[mms_mp4] => true
[mms_3gpp] => true
[mms_3gpp2] => true
[mms_max_frame_rate] => 0
[nokiaring] => false
[picturemessage] => false
[operatorlogo] => false
[largeoperatorlogo] => false
[callericon] => false
[nokiavcard] => false
[nokiavcal] => false
[sckl_ringtone] => false
[sckl_operatorlogo] => false
[sckl_groupgraphic] => false
[sckl_vcard] => false
[sckl_vcalendar] => false
[text_imelody] => false
[ems] => false
[ems_variablesizedpictures] => false
[ems_imelody] => false
[ems_odi] => false
[ems_upi] => false
[ems_version] => 0
[siemens_ota] => false
[siemens_logo_width] => 101
[siemens_logo_height] => 29
[siemens_screensaver_width] => 101
[siemens_screensaver_height] => 50
[gprtf] => false
[sagem_v1] => false
[sagem_v2] => false
[panasonic] => false
[sms_enabled] => true
[wav] => true
[mmf] => false
[smf] => false
[mld] => false
[midi_monophonic] => true
[midi_polyphonic] => false
[sp_midi] => false
[rmf] => false
[xmf] => false
[compactmidi] => false
[digiplug] => false
[nokia_ringtone] => false
[imelody] => true
[au] => false
[amr] => true
[awb] => false
[aac] => true
[mp3] => true
[voices] => 1
[qcelp] => false
[evrc] => false
[flash_lite_version] =>
[fl_wallpaper] => false
[fl_screensaver] => false
[fl_standalone] => false
[fl_browser] => false
[fl_sub_lcd] => false
[full_flash_support] => true
[css_supports_width_as_percentage] => true
[css_border_image] => webkit
[css_rounded_corners] => webkit
[css_gradient] => none
[css_spriting] => true
[css_gradient_linear] => none
[is_transcoder] => false
[transcoder_ua_header] => user-agent
[rss_support] => false
[pdf_support] => true
[progressive_download] => true
[playback_vcodec_h263_0] => 10
[playback_vcodec_h263_3] => -1
[playback_vcodec_mpeg4_sp] => 0
[playback_vcodec_mpeg4_asp] => -1
[playback_vcodec_h264_bp] => 3.0
[playback_real_media] => none
[playback_3gpp] => true
[playback_3g2] => false
[playback_mp4] => true
[playback_mov] => false
[playback_acodec_amr] => nb
[playback_acodec_aac] => none
[playback_df_size_limit] => 0
[playback_directdownload_size_limit] => 0
[playback_inline_size_limit] => 0
[playback_oma_size_limit] => 0
[playback_acodec_qcelp] => false
[playback_wmv] => none
[hinted_progressive_download] => true
[html_preferred_dtd] => html4
[viewport_supported] => true
[viewport_width] => device_width_token
[viewport_userscalable] => no
[viewport_initial_scale] =>
[viewport_maximum_scale] =>
[viewport_minimum_scale] =>
[mobileoptimized] => false
[handheldfriendly] => false
[canvas_support] => full
[image_inlining] => true
[is_smarttv] => false
[is_console] => false
[nfc_support] => true
[ux_full_desktop] => false
[jqm_grade] => A
[is_sencha_touch_ok] => false
[controlcap_is_smartphone] => default
[controlcap_is_ios] => default
[controlcap_is_android] => default
[controlcap_is_robot] => default
[controlcap_is_app] => default
[controlcap_advertised_device_os] => default
[controlcap_advertised_device_os_version] => default
[controlcap_advertised_browser] => default
[controlcap_advertised_browser_version] => default
[controlcap_is_windows_phone] => default
[controlcap_is_full_desktop] => default
[controlcap_is_largescreen] => default
[controlcap_is_mobile] => default
[controlcap_is_touchscreen] => default
[controlcap_is_wml_preferred] => default
[controlcap_is_xhtmlmp_preferred] => default
[controlcap_is_html_preferred] => default
[controlcap_form_factor] => default
[controlcap_complete_device_name] => default
)
)
</code></pre></p>
</div>
<div class="modal-footer">
<a href="#!" class="modal-action modal-close waves-effect waves-green btn-flat ">close</a>
</div>
</div>
</td></tr></table>
</div>
<div class="section">
<h1 class="header center orange-text">About this comparison</h1>
<div class="row center">
<h5 class="header light">
The primary goal of this project is simple<br />
I wanted to know which user agent parser is the most accurate in each part - device detection, bot detection and so on...<br />
<br />
The secondary goal is to provide a source for all user agent parsers to improve their detection based on this results.<br />
<br />
You can also improve this further, by suggesting ideas at <a href="https://github.com/ThaDafinser/UserAgentParserComparison">ThaDafinser/UserAgentParserComparison</a><br />
<br />
The comparison is based on the abstraction by <a href="https://github.com/ThaDafinser/UserAgentParser">ThaDafinser/UserAgentParser</a>
</h5>
</div>
</div>
<div class="card">
<div class="card-content">
Comparison created <i>2016-02-13 13:33:45</i> | by
<a href="https://github.com/ThaDafinser">ThaDafinser</a>
</div>
</div>
</div>
<script src="https://code.jquery.com/jquery-2.1.4.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/materialize/0.97.3/js/materialize.min.js"></script>
<script src="http://cdnjs.cloudflare.com/ajax/libs/list.js/1.1.1/list.min.js"></script>
<script>
$(document).ready(function(){
// the "href" attribute of .modal-trigger must specify the modal ID that wants to be triggered
$('.modal-trigger').leanModal();
});
</script>
</body>
</html> |
html/functions_vars.html | Tanglo/CyberHose | <!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.8"/>
<title>CyberHose: Class Members - Variables</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/search.js"></script>
<script type="text/javascript">
$(document).ready(function() { searchBox.OnSelectItem(0); });
</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">CyberHose
 <span id="projectnumber">0.1.0</span>
</div>
<div id="projectbrief">CyberHose is an irrigation controller and weather station</div>
</td>
</tr>
</tbody>
</table>
</div>
<!-- end header part -->
<!-- Generated by Doxygen 1.8.8 -->
<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="pages.html"><span>Related Pages</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>
<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="annotated.html"><span>Class List</span></a></li>
<li><a href="classes.html"><span>Class Index</span></a></li>
<li><a href="inherits.html"><span>Class Hierarchy</span></a></li>
<li class="current"><a href="functions.html"><span>Class Members</span></a></li>
</ul>
</div>
<div id="navrow3" class="tabs2">
<ul class="tablist">
<li><a href="functions.html"><span>All</span></a></li>
<li><a href="functions_func.html"><span>Functions</span></a></li>
<li class="current"><a href="functions_vars.html"><span>Variables</span></a></li>
</ul>
</div>
</div><!-- top -->
<!-- window showing the filter options -->
<div id="MSearchSelectWindow"
onmouseover="return searchBox.OnSearchSelectShow()"
onmouseout="return searchBox.OnSearchSelectHide()"
onkeydown="return searchBox.OnSearchSelectKey(event)">
<a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(0)"><span class="SelectionMark"> </span>All</a><a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(1)"><span class="SelectionMark"> </span>Classes</a><a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(2)"><span class="SelectionMark"> </span>Functions</a><a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(3)"><span class="SelectionMark"> </span>Variables</a><a class="SelectItem" href="javascript:void(0)" onclick="searchBox.OnSelectItem(4)"><span class="SelectionMark"> </span>Pages</a></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 class="contents">
 <ul>
<li>_days
: <a class="el" href="interfaceCHScheduleLine.html#abc62bfb3af674a050cb2797a03515126">CHScheduleLine</a>
</li>
<li>_duration
: <a class="el" href="interfaceCHScheduleLine.html#ae7c59b45877d97e55427b919169f76a0">CHScheduleLine</a>
</li>
<li>_frequency
: <a class="el" href="interfaceCHScheduleLine.html#acbe09c7616cbe6f22d704063138dde45">CHScheduleLine</a>
</li>
<li>_scheduleLines
: <a class="el" href="interfaceCHSchedule.html#a4d3a6165f9c637b747366ca608fdf5c7">CHSchedule</a>
</li>
<li>_times
: <a class="el" href="interfaceCHScheduleLine.html#a493718b70a44730a19715f0744d15322">CHScheduleLine</a>
</li>
<li>_waterSources
: <a class="el" href="interfaceCHScheduleLine.html#a03c8e1bd27b8b9239d7eab910e81e57a">CHScheduleLine</a>
</li>
<li>gpioNumber
: <a class="el" href="interfaceCHGPIO.html#a8908b809db0f1aabe5561d65bf18459f">CHGPIO</a>
</li>
<li>mode
: <a class="el" href="interfaceCHGPIO.html#a938f5489242ed0b9898f1ac2ca9af22d">CHGPIO</a>
</li>
<li>schedulePath
: <a class="el" href="interfaceCHSettings.html#acb6ed07f5db7caf841e7e6c8443b1016">CHSettings</a>
</li>
</ul>
</div><!-- contents -->
<!-- start footer part -->
<hr class="footer"/><address class="footer"><small>
Generated on Mon Oct 3 2016 08:30:42 for CyberHose by  <a href="http://www.doxygen.org/index.html">
<img class="footer" src="doxygen.png" alt="doxygen"/>
</a> 1.8.8
</small></address>
</body>
</html>
|
src/components/Average/style.css | Vizzuality/iadb | .average {
position: relative;
padding: 10px;
color: white;
background: #333;
h2 {
margin: 0 auto;
font-size: 18px;
text-align: left;
text-transform: uppercase;
}
.rank {
font-size: 20px;
font-weight: bold;
}
.value,
.nat-value {
font-size: 20px;
font-weight: bold;
.unit {
font-size: 70%;
}
}
.value {
color: #00a3db;
}
.panels {
display: flex;
margin-top: 10px;
}
.panel {
width: 50%;
box-sizing: content-box;
text-align: left;
h3 {
margin: 0;
font-size: 10px;
font-weight: normal;
text-transform: uppercase;
}
}
}
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.