Automated build for v0.01

This commit is contained in:
Fmstrat
2019-03-22 10:17:29 -04:00
commit 791b998489
2771 changed files with 222096 additions and 0 deletions

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/AdapterRegistry",["./_base/kernel","./_base/lang"],function(_1,_2){var _3=_1.AdapterRegistry=function(_4){this.pairs=[];this.returnWrappers=_4||false;};_2.extend(_3,{register:function(_5,_6,_7,_8,_9){this.pairs[((_9)?"unshift":"push")]([_5,_6,_7,_8]);},match:function(){for(var i=0;i<this.pairs.length;i++){var _a=this.pairs[i];if(_a[1].apply(this,arguments)){if((_a[3])||(this.returnWrappers)){return _a[2];}else{return _a[2].apply(this,arguments);}}}throw new Error("No match found");},unregister:function(_b){for(var i=0;i<this.pairs.length;i++){var _c=this.pairs[i];if(_c[0]==_b){this.pairs.splice(i,1);return true;}}return false;}});return _3;});

226
lib/dojo/CONTRIBUTING.md Normal file
View File

@ -0,0 +1,226 @@
_Do you have a contribution? We welcome contributions, but please ensure that you read the following information
before issuing a pull request. Also refer back to this document as a checklist before issuing your pull request.
This will save time for everyone._
# Before You Start
## Understanding the Basics
If you don't understand what a *pull request* is, or how to submit one, please refer to the [help documentation][]
provided by GitHub.
## Is It Really a Support Issue
If you aren't sure if your contribution is needed or necessary, please visit the [support forum][] before attempting to
submit a pull request or a ticket.
## Search Dojo Toolkit's Bug Database
We require every commit to be tracked via our [bug database][]. It is useful, before you get too far, that you have
checked that your issue isn't already known, otherwise addressed? If you think it is a valid defect or enhancement,
please open a new ticket before submitting your pull request.
## Discuss Non-Trivial Contributions with the Committers
If your desired contribution is more than a non-trivial fix, you should discuss it on the
[contributor's mailing list][dojo-contrib]. If you currently are not a member, you can request to be added.
## Contributor License Agreement
We require all contributions, to be covered under the JS Foundation's [Contributor License Agreement][cla]. This can
be done electronically and essentially ensures that you are making it clear that your contributions are your
contributions, you have the legal right to contribute and you are transferring the copyright of your works to the Dojo
Foundation.
If you are an unfamiliar contributor to the committer assessing your pull request, it is best to make it clear how
you are covered by a CLA in the notes of the pull request. A bot will verify your status.
If your GitHub user id you are submitting your pull request from differs from the e-mail address
which you have signed your CLA under, you should specifically note what you have your CLA filed under.
# Submitting a Pull Request
The following are the general steps you should follow in creating a pull request. Subsequent pull requests only need
to follow step 3 and beyond:
1. Fork the repository on GitHub
2. Clone the forked repository to your machine
3. Create a "feature" branch in your local repository
4. Make your changes and commit them to your local repository
5. Rebase and push your commits to your GitHub remote fork/repository
6. Issue a Pull Request to the official repository
7. Your Pull Request is reviewed by a committer and merged into the repository
*Note*: While there are other ways to accomplish the steps using other tools, the examples here will assume the most
actions will be performed via the `git` command line.
## 1. Fork the Repository
When logged in to your GitHub account, and you are viewing one of the main repositories, you will see the *Fork* button.
Clicking this button will show you which organizations your can fork to. Choose your own account. Once the process
finishes, you will have your own repository that is "forked" from the official one.
Forking is a GitHub term and not a git term. Git is a wholly distributed source control system and simply worries
about local and remote repositories and allows you to manage your code against them. GitHub then adds this additional
layer of structure of how repositories can relate to each other.
## 2. Clone the Forked Repository
Once you have successfully forked your repository, you will need to clone it locally to your machine:
```bash
$ git clone --recursive git@github.com:username/dojo.git
```
This will clone your fork to your current path in a directory named `dojo`.
It is important that you clone recursively for ``dojox``, ``demos`` or ``util``because some of the code is contained in
submodules. You won't be able to submit your changes to the repositories that way though. If you are working on any of
these sub-projects, you should contact those project leads to see if their workflow differs.
You should also set up the `upstream` repository. This will allow you to take changes from the "master" repository
and merge them into your local clone and then push them to your GitHub fork:
```bash
$ cd dojo
$ git remote add upstream git@github.com:dojo/dojo.git
$ git fetch upstream
```
Then you can retrieve upstream changes and rebase on them into your code like this:
```bash
$ git pull --rebase upstream master
```
For more information on maintaining a fork, please see the GitHub Help article [Fork a Repo][] and information on
[rebasing][] from git.
## 3. Create a Branch
The easiest workflow is to keep your master branch in sync with the upstream branch and do not locate any of your own
commits in that branch. When you want to work on a new feature, you then ensure you are on the master branch and create
a new branch from there. While the name of the branch can be anything, it can often be easy to use the ticket number
you might be working on. For example:
```bash
$ git checkout -b t12345 master
Switched to a new branch 't12345'
```
You will then be on the feature branch. You can verify what branch you are on like this:
```bash
$ git status
# On branch t12345
nothing to commit, working directory clean
```
## 4. Make Changes and Commit
Now you just need to make your changes. Once you have finished your changes (and tested them) you need to commit them
to your local repository (assuming you have staged your changes for committing):
```bash
$ git status
# On branch t12345
# Changes to be committed:
# (use "git reset HEAD <file>..." to unstage)
#
# modified: somefile.js
#
$ git commit -m "Corrects some defect, fixes #12345, refs #12346"
[t12345 0000000] Corrects some defect, fixes #12345, refs #12346
1 file changed, 2 insertions(+), 2 deletions(-)
```
## 5. Rebase and Push Changes
If you have been working on your contribution for a while, the upstream repository may have changed. You may want to
ensure your work is on top of the latest changes so your pull request can be applied cleanly:
```bash
$ git pull --rebase upstream master
```
When you are ready to push your commit to your GitHub repository for the first time on this branch you would do the
following:
```bash
$ git push -u origin t12345
```
After the first time, you simply need to do:
```bash
$ git push
```
## 6. Issue a Pull Request
In order to have your commits merged into the main repository, you need to create a pull request. The instructions for
this can be found in the GitHub Help Article [Creating a Pull Request][]. Essentially you do the following:
1. Go to the site for your repository.
2. Click the Pull Request button.
3. Select the feature branch from your repository.
4. Enter a title and description of your pull request mentioning the corresponding [bug database][] ticket in the description.
5. Review the commit and files changed tabs.
6. Click `Send Pull Request`
You will get notified about the status of your pull request based on your GitHub settings.
## 7. Request is Reviewed and Merged
Your request will be reviewed. It may be merged directly, or you may receive feedback or questions on your pull
request.
# What Makes a Successful Pull Request?
Having your contribution accepted is more than just the mechanics of getting your contribution into a pull request,
there are several other things that are expected when contributing to the Dojo Toolkit which are covered below.
## Coding Style and Linting
Dojo has a very specific [coding style][styleguide]. All pull requests should adhere to this.
## Inline Documentation
Dojo has an inline API documentation called [DojoDoc][]. Any pull request should ensure it has updated the inline
documentation appropriately or added the appropriate inline documentation.
## Test Cases
If the pull request changes the functional behaviour or is fixing a defect, the unit test cases should be modified to
reflect this. The committer reviewing your pull request is likely to request the appropriate changes in the test
cases. Dojo utilises [Intern][] for all new tests, and has legacy support for its previous generation test harness called [D.O.H.][] and is available as part of the [dojo/util][] repository. All new tests should be authored using Intern.
It is expected that you will have tested your changes against the existing test cases and appropriate platforms prior to
submitting your pull request.
## Licensing
All of your submissions are licensed under a dual "New" BSD/AFL license.
## Expect Discussion and Rework
Unless you have been working with contributing to Dojo for a while, expect a significant amount of feedback on your
pull requests. We are a very passionate community and even the committers often will provide robust feedback to each
other about their code. Don't be offended by such feedback or feel that your contributions aren't welcome, it is just
that we are quite passionate and Dojo has a long history with many things that are the "Dojo-way" which may be
unfamiliar to those who are just starting to contribute.
[help documentation]: http://help.github.com/send-pull-requests
[bug database]: http://bugs.dojotoolkit.org/
[support forum]: http://dojotoolkit.org/community/
[dojo-contrib]: http://mail.dojotoolkit.org/mailman/listinfo/dojo-contributors
[cla]: https://js.foundation/CLA/
[Creating a Pull Request]: https://help.github.com/articles/creating-a-pull-request
[Fork a Repo]: https://help.github.com/articles/fork-a-repo
[Intern]: http://theintern.io/
[styleguide]: http://dojotoolkit.org/reference-guide/developer/styleguide.html
[DojoDoc]: http://dojotoolkit.org/reference-guide/developer/markup.html
[D.O.H.]: http://dojotoolkit.org/reference-guide/util/doh.html
[dojo/util]: https://github.com/dojo/util
[interactive rebase]: http://git-scm.com/book/en/Git-Tools-Rewriting-History#Changing-Multiple-Commit-Messages
[rebasing]: http://git-scm.com/book/en/Git-Branching-Rebasing

8
lib/dojo/Deferred.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/Deferred",["./has","./_base/lang","./errors/CancelError","./promise/Promise","./promise/instrumentation"],function(_1,_2,_3,_4,_5){"use strict";var _6=0,_7=1,_8=2;var _9="This deferred has already been fulfilled.";var _a=Object.freeze||function(){};var _b=function(_c,_d,_e,_f,_10){if(1){if(_d===_8&&_11.instrumentRejected&&_c.length===0){_11.instrumentRejected(_e,false,_f,_10);}}for(var i=0;i<_c.length;i++){_12(_c[i],_d,_e,_f);}};var _12=function(_13,_14,_15,_16){var _17=_13[_14];var _18=_13.deferred;if(_17){try{var _19=_17(_15);if(_14===_6){if(typeof _19!=="undefined"){_1a(_18,_14,_19);}}else{if(_19&&typeof _19.then==="function"){_13.cancel=_19.cancel;_19.then(_1b(_18,_7),_1b(_18,_8),_1b(_18,_6));return;}_1a(_18,_7,_19);}}catch(error){_1a(_18,_8,error);}}else{_1a(_18,_14,_15);}if(1){if(_14===_8&&_11.instrumentRejected){_11.instrumentRejected(_15,!!_17,_16,_18.promise);}}};var _1b=function(_1c,_1d){return function(_1e){_1a(_1c,_1d,_1e);};};var _1a=function(_1f,_20,_21){if(!_1f.isCanceled()){switch(_20){case _6:_1f.progress(_21);break;case _7:_1f.resolve(_21);break;case _8:_1f.reject(_21);break;}}};var _11=function(_22){var _23=this.promise=new _4();var _24=this;var _25,_26,_27;var _28=false;var _29=[];if(1&&Error.captureStackTrace){Error.captureStackTrace(_24,_11);Error.captureStackTrace(_23,_11);}this.isResolved=_23.isResolved=function(){return _25===_7;};this.isRejected=_23.isRejected=function(){return _25===_8;};this.isFulfilled=_23.isFulfilled=function(){return !!_25;};this.isCanceled=_23.isCanceled=function(){return _28;};this.progress=function(_2a,_2b){if(!_25){_b(_29,_6,_2a,null,_24);return _23;}else{if(_2b===true){throw new Error(_9);}else{return _23;}}};this.resolve=function(_2c,_2d){if(!_25){_b(_29,_25=_7,_26=_2c,null,_24);_29=null;return _23;}else{if(_2d===true){throw new Error(_9);}else{return _23;}}};var _2e=this.reject=function(_2f,_30){if(!_25){if(1&&Error.captureStackTrace){Error.captureStackTrace(_27={},_2e);}_b(_29,_25=_8,_26=_2f,_27,_24);_29=null;return _23;}else{if(_30===true){throw new Error(_9);}else{return _23;}}};this.then=_23.then=function(_31,_32,_33){var _34=[_33,_31,_32];_34.cancel=_23.cancel;_34.deferred=new _11(function(_35){return _34.cancel&&_34.cancel(_35);});if(_25&&!_29){_12(_34,_25,_26,_27);}else{_29.push(_34);}return _34.deferred.promise;};this.cancel=_23.cancel=function(_36,_37){if(!_25){if(_22){var _38=_22(_36);_36=typeof _38==="undefined"?_36:_38;}_28=true;if(!_25){if(typeof _36==="undefined"){_36=new _3();}_2e(_36);return _36;}else{if(_25===_8&&_26===_36){return _36;}}}else{if(_37===true){throw new Error(_9);}}};_a(_23);};_11.prototype.toString=function(){return "[object Deferred]";};if(_5){_5(_11);}return _11;});

8
lib/dojo/DeferredList.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/DeferredList",["./_base/kernel","./_base/Deferred","./_base/array"],function(_1,_2,_3){_1.DeferredList=function(_4,_5,_6,_7,_8){var _9=[];_2.call(this);var _a=this;if(_4.length===0&&!_5){this.resolve([0,[]]);}var _b=0;_3.forEach(_4,function(_c,i){_c.then(function(_d){if(_5){_a.resolve([i,_d]);}else{_e(true,_d);}},function(_f){if(_6){_a.reject(_f);}else{_e(false,_f);}if(_7){return null;}throw _f;});function _e(_10,_11){_9[i]=[_10,_11];_b++;if(_b===_4.length){_a.resolve(_9);}};});};_1.DeferredList.prototype=new _2();_1.DeferredList.prototype.gatherResults=function(_12){var d=new _1.DeferredList(_12,false,true,false);d.addCallback(function(_13){var ret=[];_3.forEach(_13,function(_14){ret.push(_14[1]);});return ret;});return d;};return _1.DeferredList;});

8
lib/dojo/Evented.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/Evented",["./aspect","./on"],function(_1,on){"use strict";var _2=_1.after;function _3(){};_3.prototype={on:function(_4,_5){return on.parse(this,_4,_5,function(_6,_7){return _2(_6,"on"+_7,_5,true);});},emit:function(_8,_9){var _a=[this];_a.push.apply(_a,arguments);return on.emit.apply(on,_a);}};return _3;});

195
lib/dojo/LICENSE Normal file
View File

@ -0,0 +1,195 @@
Dojo is available under *either* the terms of the modified BSD license *or* the
Academic Free License version 2.1. As a recipient of Dojo, you may choose which
license to receive this code under (except as noted in per-module LICENSE
files). Some modules may not be the copyright of the JS Foundation. These
modules contain explicit declarations of copyright in both the LICENSE files in
the directories in which they reside and in the code itself. No external
contributions are allowed under licenses which are fundamentally incompatible
with the AFL or BSD licenses that Dojo is distributed under.
The text of the AFL and BSD licenses is reproduced below.
-------------------------------------------------------------------------------
The "New" BSD License:
**********************
Copyright (c) 2005-2017, The JS Foundation
All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are met:
* Redistributions of source code must retain the above copyright notice, this
list of conditions and the following disclaimer.
* 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.
* Neither the name of the JS Foundation nor the names of its contributors
may be used to endorse or promote products derived from this software
without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS 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 COPYRIGHT OWNER 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.
-------------------------------------------------------------------------------
The Academic Free License, v. 2.1:
**********************************
This Academic Free License (the "License") applies to any original work of
authorship (the "Original Work") whose owner (the "Licensor") has placed the
following notice immediately following the copyright notice for the Original
Work:
Licensed under the Academic Free License version 2.1
1) Grant of Copyright License. Licensor hereby grants You a world-wide,
royalty-free, non-exclusive, perpetual, sublicenseable license to do the
following:
a) to reproduce the Original Work in copies;
b) to prepare derivative works ("Derivative Works") based upon the Original
Work;
c) to distribute copies of the Original Work and Derivative Works to the
public;
d) to perform the Original Work publicly; and
e) to display the Original Work publicly.
2) Grant of Patent License. Licensor hereby grants You a world-wide,
royalty-free, non-exclusive, perpetual, sublicenseable license, under patent
claims owned or controlled by the Licensor that are embodied in the Original
Work as furnished by the Licensor, to make, use, sell and offer for sale the
Original Work and Derivative Works.
3) Grant of Source Code License. The term "Source Code" means the preferred
form of the Original Work for making modifications to it and all available
documentation describing how to modify the Original Work. Licensor hereby
agrees to provide a machine-readable copy of the Source Code of the Original
Work along with each copy of the Original Work that Licensor distributes.
Licensor reserves the right to satisfy this obligation by placing a
machine-readable copy of the Source Code in an information repository
reasonably calculated to permit inexpensive and convenient access by You for as
long as Licensor continues to distribute the Original Work, and by publishing
the address of that information repository in a notice immediately following
the copyright notice that applies to the Original Work.
4) Exclusions From License Grant. Neither the names of Licensor, nor the names
of any contributors to the Original Work, nor any of their trademarks or
service marks, may be used to endorse or promote products derived from this
Original Work without express prior written permission of the Licensor. Nothing
in this License shall be deemed to grant any rights to trademarks, copyrights,
patents, trade secrets or any other intellectual property of Licensor except as
expressly stated herein. No patent license is granted to make, use, sell or
offer to sell embodiments of any patent claims other than the licensed claims
defined in Section 2. No right is granted to the trademarks of Licensor even if
such marks are included in the Original Work. Nothing in this License shall be
interpreted to prohibit Licensor from licensing under different terms from this
License any Original Work that Licensor otherwise would have a right to
license.
5) This section intentionally omitted.
6) Attribution Rights. You must retain, in the Source Code of any Derivative
Works that You create, all copyright, patent or trademark notices from the
Source Code of the Original Work, as well as any notices of licensing and any
descriptive text identified therein as an "Attribution Notice." You must cause
the Source Code for any Derivative Works that You create to carry a prominent
Attribution Notice reasonably calculated to inform recipients that You have
modified the Original Work.
7) Warranty of Provenance and Disclaimer of Warranty. Licensor warrants that
the copyright in and to the Original Work and the patent rights granted herein
by Licensor are owned by the Licensor or are sublicensed to You under the terms
of this License with the permission of the contributor(s) of those copyrights
and patent rights. Except as expressly stated in the immediately proceeding
sentence, the Original Work is provided under this License on an "AS IS" BASIS
and WITHOUT WARRANTY, either express or implied, including, without limitation,
the warranties of NON-INFRINGEMENT, MERCHANTABILITY or FITNESS FOR A PARTICULAR
PURPOSE. THE ENTIRE RISK AS TO THE QUALITY OF THE ORIGINAL WORK IS WITH YOU.
This DISCLAIMER OF WARRANTY constitutes an essential part of this License. No
license to Original Work is granted hereunder except under this disclaimer.
8) Limitation of Liability. Under no circumstances and under no legal theory,
whether in tort (including negligence), contract, or otherwise, shall the
Licensor be liable to any person for any direct, indirect, special, incidental,
or consequential damages of any character arising as a result of this License
or the use of the Original Work including, without limitation, damages for loss
of goodwill, work stoppage, computer failure or malfunction, or any and all
other commercial damages or losses. This limitation of liability shall not
apply to liability for death or personal injury resulting from Licensor's
negligence to the extent applicable law prohibits such limitation. Some
jurisdictions do not allow the exclusion or limitation of incidental or
consequential damages, so this exclusion and limitation may not apply to You.
9) Acceptance and Termination. If You distribute copies of the Original Work or
a Derivative Work, You must make a reasonable effort under the circumstances to
obtain the express assent of recipients to the terms of this License. Nothing
else but this License (or another written agreement between Licensor and You)
grants You permission to create Derivative Works based upon the Original Work
or to exercise any of the rights granted in Section 1 herein, and any attempt
to do so except under the terms of this License (or another written agreement
between Licensor and You) is expressly prohibited by U.S. copyright law, the
equivalent laws of other countries, and by international treaty. Therefore, by
exercising any of the rights granted to You in Section 1 herein, You indicate
Your acceptance of this License and all of its terms and conditions.
10) Termination for Patent Action. This License shall terminate automatically
and You may no longer exercise any of the rights granted to You by this License
as of the date You commence an action, including a cross-claim or counterclaim,
against Licensor or any licensee alleging that the Original Work infringes a
patent. This termination provision shall not apply for an action alleging
patent infringement by combinations of the Original Work with other software or
hardware.
11) Jurisdiction, Venue and Governing Law. Any action or suit relating to this
License may be brought only in the courts of a jurisdiction wherein the
Licensor resides or in which Licensor conducts its primary business, and under
the laws of that jurisdiction excluding its conflict-of-law provisions. The
application of the United Nations Convention on Contracts for the International
Sale of Goods is expressly excluded. Any use of the Original Work outside the
scope of this License or after its termination shall be subject to the
requirements and penalties of the U.S. Copyright Act, 17 U.S.C. § 101 et
seq., the equivalent laws of other countries, and international treaty. This
section shall survive the termination of this License.
12) Attorneys Fees. In any action to enforce the terms of this License or
seeking damages relating thereto, the prevailing party shall be entitled to
recover its costs and expenses, including, without limitation, reasonable
attorneys' fees and costs incurred in connection with such action, including
any appeal of such action. This section shall survive the termination of this
License.
13) Miscellaneous. This License represents the complete agreement concerning
the subject matter hereof. If any provision of this License is held to be
unenforceable, such provision shall be reformed only to the extent necessary to
make it enforceable.
14) Definition of "You" in This License. "You" throughout this License, whether
in upper or lower case, means an individual or a legal entity exercising rights
under, and complying with all of the terms of, this License. For legal
entities, "You" includes any entity that controls, is controlled by, or is
under common control with you. For purposes of this definition, "control" means
(i) the power, direct or indirect, to cause the direction or management of such
entity, whether by contract or otherwise, or (ii) ownership of fifty percent
(50%) or more of the outstanding shares, or (iii) beneficial ownership of such
entity.
15) Right to Use. You may use the Original Work in all ways not otherwise
restricted or conditioned by this License or by law, and Licensor promises not
to interfere with or be responsible for such uses by You.
This license is Copyright (C) 2003-2004 Lawrence E. Rosen. All rights reserved.
Permission is hereby granted to copy and distribute this license without
modification. This license may not be modified without the express written
permission of its copyright owner.

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/NodeList-data",["./_base/kernel","./query","./_base/lang","./_base/array","./dom-attr"],function(_1,_2,_3,_4,_5){var _6=_2.NodeList;var _7={},x=0,_8="data-dojo-dataid",_9=function(_a){var _b=_5.get(_a,_8);if(!_b){_b="pid"+(x++);_5.set(_a,_8,_b);}return _b;};var _c=_1._nodeData=function(_d,_e,_f){var pid=_9(_d),r;if(!_7[pid]){_7[pid]={};}if(arguments.length==1){return _7[pid];}if(typeof _e=="string"){if(arguments.length>2){_7[pid][_e]=_f;}else{r=_7[pid][_e];}}else{r=_3.mixin(_7[pid],_e);}return r;};var _10=_1._removeNodeData=function(_11,key){var pid=_9(_11);if(_7[pid]){if(key){delete _7[pid][key];}else{delete _7[pid];}}};_6._gcNodeData=_1._gcNodeData=function(){var _12=_2("["+_8+"]").map(_9);for(var i in _7){if(_4.indexOf(_12,i)<0){delete _7[i];}}};_3.extend(_6,{data:_6._adaptWithCondition(_c,function(a){return a.length===0||a.length==1&&(typeof a[0]=="string");}),removeData:_6._adaptAsForEach(_10)});return _6;});

8
lib/dojo/NodeList-dom.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/NodeList-dom",["./_base/kernel","./query","./_base/array","./_base/lang","./dom-class","./dom-construct","./dom-geometry","./dom-attr","./dom-style"],function(_1,_2,_3,_4,_5,_6,_7,_8,_9){var _a=function(a){return a.length==1&&(typeof a[0]=="string");};var _b=function(_c){var p=_c.parentNode;if(p){p.removeChild(_c);}};var _d=_2.NodeList,_e=_d._adaptWithCondition,_f=_d._adaptAsForEach,aam=_d._adaptAsMap;function _10(_11){return function(_12,_13,_14){if(arguments.length==2){return _11[typeof _13=="string"?"get":"set"](_12,_13);}return _11.set(_12,_13,_14);};};_4.extend(_d,{_normalize:function(_15,_16){var _17=_15.parse===true;if(typeof _15.template=="string"){var _18=_15.templateFunc||(_1.string&&_1.string.substitute);_15=_18?_18(_15.template,_15):_15;}var _19=(typeof _15);if(_19=="string"||_19=="number"){_15=_6.toDom(_15,(_16&&_16.ownerDocument));if(_15.nodeType==11){_15=_4._toArray(_15.childNodes);}else{_15=[_15];}}else{if(!_4.isArrayLike(_15)){_15=[_15];}else{if(!_4.isArray(_15)){_15=_4._toArray(_15);}}}if(_17){_15._runParse=true;}return _15;},_cloneNode:function(_1a){return _1a.cloneNode(true);},_place:function(ary,_1b,_1c,_1d){if(_1b.nodeType!=1&&_1c=="only"){return;}var _1e=_1b,_1f;var _20=ary.length;for(var i=_20-1;i>=0;i--){var _21=(_1d?this._cloneNode(ary[i]):ary[i]);if(ary._runParse&&_1.parser&&_1.parser.parse){if(!_1f){_1f=_1e.ownerDocument.createElement("div");}_1f.appendChild(_21);_1.parser.parse(_1f);_21=_1f.firstChild;while(_1f.firstChild){_1f.removeChild(_1f.firstChild);}}if(i==_20-1){_6.place(_21,_1e,_1c);}else{_1e.parentNode.insertBefore(_21,_1e);}_1e=_21;}},position:aam(_7.position),attr:_e(_10(_8),_a),style:_e(_10(_9),_a),addClass:_f(_5.add),removeClass:_f(_5.remove),toggleClass:_f(_5.toggle),replaceClass:_f(_5.replace),empty:_f(_6.empty),removeAttr:_f(_8.remove),marginBox:aam(_7.getMarginBox),place:function(_22,_23){var _24=_2(_22)[0];return this.forEach(function(_25){_6.place(_25,_24,_23);});},orphan:function(_26){return (_26?_2._filterResult(this,_26):this).forEach(_b);},adopt:function(_27,_28){return _2(_27).place(this[0],_28)._stash(this);},query:function(_29){if(!_29){return this;}var ret=new _d;this.map(function(_2a){_2(_29,_2a).forEach(function(_2b){if(_2b!==undefined){ret.push(_2b);}});});return ret._stash(this);},filter:function(_2c){var a=arguments,_2d=this,_2e=0;if(typeof _2c=="string"){_2d=_2._filterResult(this,a[0]);if(a.length==1){return _2d._stash(this);}_2e=1;}return this._wrap(_3.filter(_2d,a[_2e],a[_2e+1]),this);},addContent:function(_2f,_30){_2f=this._normalize(_2f,this[0]);for(var i=0,_31;(_31=this[i]);i++){if(_2f.length){this._place(_2f,_31,_30,i>0);}else{_6.empty(_31);}}return this;}});return _d;});

8
lib/dojo/NodeList-fx.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/NodeList-fx",["./query","./_base/lang","./aspect","./_base/fx","./fx"],function(_1,_2,_3,_4,_5){var _6=_1.NodeList;_2.extend(_6,{_anim:function(_7,_8,_9){_9=_9||{};var a=_5.combine(this.map(function(_a){var _b={node:_a};_2.mixin(_b,_9);return _7[_8](_b);}));return _9.auto?a.play()&&this:a;},wipeIn:function(_c){return this._anim(_5,"wipeIn",_c);},wipeOut:function(_d){return this._anim(_5,"wipeOut",_d);},slideTo:function(_e){return this._anim(_5,"slideTo",_e);},fadeIn:function(_f){return this._anim(_4,"fadeIn",_f);},fadeOut:function(_10){return this._anim(_4,"fadeOut",_10);},animateProperty:function(_11){return this._anim(_4,"animateProperty",_11);},anim:function(_12,_13,_14,_15,_16){var _17=_5.combine(this.map(function(_18){return _4.animateProperty({node:_18,properties:_12,duration:_13||350,easing:_14});}));if(_15){_3.after(_17,"onEnd",_15,true);}return _17.play(_16||0);}});return _6;});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/NodeList-html",["./query","./_base/lang","./html"],function(_1,_2,_3){var _4=_1.NodeList;_2.extend(_4,{html:function(_5,_6){var _7=new _3._ContentSetter(_6||{});this.forEach(function(_8){_7.node=_8;_7.set(_5);_7.tearDown();});return this;}});return _4;});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/NodeList-manipulate",["./query","./_base/lang","./_base/array","./dom-construct","./dom-attr","./NodeList-dom"],function(_1,_2,_3,_4,_5){var _6=_1.NodeList;function _7(_8){while(_8.childNodes[0]&&_8.childNodes[0].nodeType==1){_8=_8.childNodes[0];}return _8;};function _9(_a,_b){if(typeof _a=="string"){_a=_4.toDom(_a,(_b&&_b.ownerDocument));if(_a.nodeType==11){_a=_a.childNodes[0];}}else{if(_a.nodeType==1&&_a.parentNode){_a=_a.cloneNode(false);}}return _a;};_2.extend(_6,{_placeMultiple:function(_c,_d){var _e=typeof _c=="string"||_c.nodeType?_1(_c):_c;var _f=[];for(var i=0;i<_e.length;i++){var _10=_e[i];var _11=this.length;for(var j=_11-1,_12;_12=this[j];j--){if(i>0){_12=this._cloneNode(_12);_f.unshift(_12);}if(j==_11-1){_4.place(_12,_10,_d);}else{_10.parentNode.insertBefore(_12,_10);}_10=_12;}}if(_f.length){_f.unshift(0);_f.unshift(this.length-1);Array.prototype.splice.apply(this,_f);}return this;},innerHTML:function(_13){if(arguments.length){return this.addContent(_13,"only");}else{return this[0].innerHTML;}},text:function(_14){if(arguments.length){for(var i=0,_15;_15=this[i];i++){if(_15.nodeType==1){_5.set(_15,"textContent",_14);}}return this;}else{var _16="";for(i=0;_15=this[i];i++){_16+=_5.get(_15,"textContent");}return _16;}},val:function(_17){if(arguments.length){var _18=_2.isArray(_17);for(var _19=0,_1a;_1a=this[_19];_19++){var _1b=_1a.nodeName.toUpperCase();var _1c=_1a.type;var _1d=_18?_17[_19]:_17;if(_1b=="SELECT"){var _1e=_1a.options;for(var i=0;i<_1e.length;i++){var opt=_1e[i];if(_1a.multiple){opt.selected=(_3.indexOf(_17,opt.value)!=-1);}else{opt.selected=(opt.value==_1d);}}}else{if(_1c=="checkbox"||_1c=="radio"){_1a.checked=(_1a.value==_1d);}else{_1a.value=_1d;}}}return this;}else{_1a=this[0];if(!_1a||_1a.nodeType!=1){return undefined;}_17=_1a.value||"";if(_1a.nodeName.toUpperCase()=="SELECT"&&_1a.multiple){_17=[];_1e=_1a.options;for(i=0;i<_1e.length;i++){opt=_1e[i];if(opt.selected){_17.push(opt.value);}}if(!_17.length){_17=null;}}return _17;}},append:function(_1f){return this.addContent(_1f,"last");},appendTo:function(_20){return this._placeMultiple(_20,"last");},prepend:function(_21){return this.addContent(_21,"first");},prependTo:function(_22){return this._placeMultiple(_22,"first");},after:function(_23){return this.addContent(_23,"after");},insertAfter:function(_24){return this._placeMultiple(_24,"after");},before:function(_25){return this.addContent(_25,"before");},insertBefore:function(_26){return this._placeMultiple(_26,"before");},remove:_6.prototype.orphan,wrap:function(_27){if(this[0]){_27=_9(_27,this[0]);for(var i=0,_28;_28=this[i];i++){var _29=this._cloneNode(_27);if(_28.parentNode){_28.parentNode.replaceChild(_29,_28);}var _2a=_7(_29);_2a.appendChild(_28);}}return this;},wrapAll:function(_2b){if(this[0]){_2b=_9(_2b,this[0]);this[0].parentNode.replaceChild(_2b,this[0]);var _2c=_7(_2b);for(var i=0,_2d;_2d=this[i];i++){_2c.appendChild(_2d);}}return this;},wrapInner:function(_2e){if(this[0]){_2e=_9(_2e,this[0]);for(var i=0;i<this.length;i++){var _2f=this._cloneNode(_2e);this._wrap(_2._toArray(this[i].childNodes),null,this._NodeListCtor).wrapAll(_2f);}}return this;},replaceWith:function(_30){_30=this._normalize(_30,this[0]);for(var i=0,_31;_31=this[i];i++){this._place(_30,_31,"before",i>0);_31.parentNode.removeChild(_31);}return this;},replaceAll:function(_32){var nl=_1(_32);var _33=this._normalize(this,this[0]);for(var i=0,_34;_34=nl[i];i++){this._place(_33,_34,"before",i>0);_34.parentNode.removeChild(_34);}return this;},clone:function(){var ary=[];for(var i=0;i<this.length;i++){ary.push(this._cloneNode(this[i]));}return this._wrap(ary,this,this._NodeListCtor);}});if(!_6.prototype.html){_6.prototype.html=_6.prototype.innerHTML;}return _6;});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/NodeList-traverse",["./query","./_base/lang","./_base/array"],function(_1,_2,_3){var _4=_1.NodeList;_2.extend(_4,{_buildArrayFromCallback:function(_5){var _6=[];for(var i=0;i<this.length;i++){var _7=_5.call(this[i],this[i],_6);if(_7){_6=_6.concat(_7);}}return _6;},_getUniqueAsNodeList:function(_8){var _9=[];for(var i=0,_a;_a=_8[i];i++){if(_a.nodeType==1&&_3.indexOf(_9,_a)==-1){_9.push(_a);}}return this._wrap(_9,null,this._NodeListCtor);},_getUniqueNodeListWithParent:function(_b,_c){var _d=this._getUniqueAsNodeList(_b);_d=(_c?_1._filterResult(_d,_c):_d);return _d._stash(this);},_getRelatedUniqueNodes:function(_e,_f){return this._getUniqueNodeListWithParent(this._buildArrayFromCallback(_f),_e);},children:function(_10){return this._getRelatedUniqueNodes(_10,function(_11,ary){return _2._toArray(_11.childNodes);});},closest:function(_12,_13){return this._getRelatedUniqueNodes(null,function(_14,ary){do{if(_1._filterResult([_14],_12,_13).length){return _14;}}while(_14!=_13&&(_14=_14.parentNode)&&_14.nodeType==1);return null;});},parent:function(_15){return this._getRelatedUniqueNodes(_15,function(_16,ary){return _16.parentNode;});},parents:function(_17){return this._getRelatedUniqueNodes(_17,function(_18,ary){var _19=[];while(_18.parentNode){_18=_18.parentNode;_19.push(_18);}return _19;});},siblings:function(_1a){return this._getRelatedUniqueNodes(_1a,function(_1b,ary){var _1c=[];var _1d=(_1b.parentNode&&_1b.parentNode.childNodes);for(var i=0;i<_1d.length;i++){if(_1d[i]!=_1b){_1c.push(_1d[i]);}}return _1c;});},next:function(_1e){return this._getRelatedUniqueNodes(_1e,function(_1f,ary){var _20=_1f.nextSibling;while(_20&&_20.nodeType!=1){_20=_20.nextSibling;}return _20;});},nextAll:function(_21){return this._getRelatedUniqueNodes(_21,function(_22,ary){var _23=[];var _24=_22;while((_24=_24.nextSibling)){if(_24.nodeType==1){_23.push(_24);}}return _23;});},prev:function(_25){return this._getRelatedUniqueNodes(_25,function(_26,ary){var _27=_26.previousSibling;while(_27&&_27.nodeType!=1){_27=_27.previousSibling;}return _27;});},prevAll:function(_28){return this._getRelatedUniqueNodes(_28,function(_29,ary){var _2a=[];var _2b=_29;while((_2b=_2b.previousSibling)){if(_2b.nodeType==1){_2a.push(_2b);}}return _2a;});},andSelf:function(){return this.concat(this._parent);},first:function(){return this._wrap(((this[0]&&[this[0]])||[]),this);},last:function(){return this._wrap((this.length?[this[this.length-1]]:[]),this);},even:function(){return this.filter(function(_2c,i){return i%2!=0;});},odd:function(){return this.filter(function(_2d,i){return i%2==0;});}});return _4;});

8
lib/dojo/NodeList.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/NodeList",["./query"],function(_1){return _1.NodeList;});

192
lib/dojo/OpenAjax.js Normal file
View File

@ -0,0 +1,192 @@
/*******************************************************************************
* OpenAjax.js
*
* Reference implementation of the OpenAjax Hub, as specified by OpenAjax Alliance.
* Specification is under development at:
*
* http://www.openajax.org/member/wiki/OpenAjax_Hub_Specification
*
* Copyright 2006-2007 OpenAjax Alliance
*
* Licensed under the Apache License, Version 2.0 (the "License"); you may not
* use this file except in compliance with the License. You may obtain a copy
* of the License at http://www.apache.org/licenses/LICENSE-2.0 . Unless
* required by applicable law or agreed to in writing, software distributed
* under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR
* CONDITIONS OF ANY KIND, either express or implied. See the License for the
* specific language governing permissions and limitations under the License.
*
******************************************************************************/
// prevent re-definition of the OpenAjax object
if(!window["OpenAjax"]){
OpenAjax = new function(){
// summary:
// the OpenAjax hub
// description:
// see http://www.openajax.org/member/wiki/OpenAjax_Hub_Specification
var libs = {};
var ooh = "org.openajax.hub.";
var h = {};
this.hub = h;
h.implementer = "http://openajax.org";
h.implVersion = "0.6";
h.specVersion = "0.6";
h.implExtraData = {};
h.libraries = libs;
h.registerLibrary = function(prefix, nsURL, version, extra){
libs[prefix] = {
prefix: prefix,
namespaceURI: nsURL,
version: version,
extraData: extra
};
this.publish(ooh+"registerLibrary", libs[prefix]);
};
h.unregisterLibrary = function(prefix){
this.publish(ooh+"unregisterLibrary", libs[prefix]);
delete libs[prefix];
};
h._subscriptions = { c:{}, s:[] };
h._cleanup = [];
h._subIndex = 0;
h._pubDepth = 0;
h.subscribe = function(name, callback, scope, subscriberData, filter){
if(!scope){
scope = window;
}
var handle = name + "." + this._subIndex;
var sub = { scope: scope, cb: callback, fcb: filter, data: subscriberData, sid: this._subIndex++, hdl: handle };
var path = name.split(".");
this._subscribe(this._subscriptions, path, 0, sub);
return handle;
};
h.publish = function(name, message){
var path = name.split(".");
this._pubDepth++;
this._publish(this._subscriptions, path, 0, name, message);
this._pubDepth--;
if((this._cleanup.length > 0) && (this._pubDepth == 0)){
for(var i = 0; i < this._cleanup.length; i++){
this.unsubscribe(this._cleanup[i].hdl);
}
delete(this._cleanup);
this._cleanup = [];
}
};
h.unsubscribe = function(sub){
var path = sub.split(".");
var sid = path.pop();
this._unsubscribe(this._subscriptions, path, 0, sid);
};
h._subscribe = function(tree, path, index, sub){
var token = path[index];
if(index == path.length){
tree.s.push(sub);
}else{
if(typeof tree.c == "undefined"){
tree.c = {};
}
if(typeof tree.c[token] == "undefined"){
tree.c[token] = { c: {}, s: [] };
}
this._subscribe(tree.c[token], path, index + 1, sub);
}
};
h._publish = function(tree, path, index, name, msg){
if(typeof tree != "undefined"){
var node;
if(index == path.length){
node = tree;
}else{
this._publish(tree.c[path[index]], path, index + 1, name, msg);
this._publish(tree.c["*"], path, index + 1, name, msg);
node = tree.c["**"];
}
if(typeof node != "undefined"){
var callbacks = node.s;
var max = callbacks.length;
for(var i = 0; i < max; i++){
if(callbacks[i].cb){
var sc = callbacks[i].scope;
var cb = callbacks[i].cb;
var fcb = callbacks[i].fcb;
var d = callbacks[i].data;
if(typeof cb == "string"){
// get a function object
cb = sc[cb];
}
if(typeof fcb == "string"){
// get a function object
fcb = sc[fcb];
}
if((!fcb) ||
(fcb.call(sc, name, msg, d))){
cb.call(sc, name, msg, d);
}
}
}
}
}
};
h._unsubscribe = function(tree, path, index, sid){
if(typeof tree != "undefined"){
if(index < path.length){
var childNode = tree.c[path[index]];
this._unsubscribe(childNode, path, index + 1, sid);
if(childNode.s.length == 0){
for(var x in childNode.c)
return;
delete tree.c[path[index]];
}
return;
}
else{
var callbacks = tree.s;
var max = callbacks.length;
for(var i = 0; i < max; i++){
if(sid == callbacks[i].sid){
if(this._pubDepth > 0){
callbacks[i].cb = null;
this._cleanup.push(callbacks[i]);
}
else
callbacks.splice(i, 1);
return;
}
}
}
}
};
// The following function is provided for automatic testing purposes.
// It is not expected to be deployed in run-time OpenAjax Hub implementations.
h.reinit = function(){
for (var lib in OpenAjax.hub.libraries){
delete OpenAjax.hub.libraries[lib];
}
OpenAjax.hub.registerLibrary("OpenAjax", "http://openajax.org/hub", "0.6", {});
delete OpenAjax._subscriptions;
OpenAjax._subscriptions = {c:{},s:[]};
delete OpenAjax._cleanup;
OpenAjax._cleanup = [];
OpenAjax._subIndex = 0;
OpenAjax._pubDepth = 0;
};
};
// Register the OpenAjax Hub itself as a library.
OpenAjax.hub.registerLibrary("OpenAjax", "http://openajax.org/hub", "0.6", {});
}

80
lib/dojo/README.md Normal file
View File

@ -0,0 +1,80 @@
dojo
====
This is the foundation package for the Dojo 1 Toolkit. While still being maintained, new development is focused on Dojo 2.
Checkout the [Dojo 2 website](https://dojo.io/) or if you want a more detailed technical status and overview, checkout [`dojo/meta`](https://github.com/dojo/meta).
This package is sometimes
referred to as the “core”, it contains the most generally applicable sub-packages
and modules. The dojo package covers a wide range of functionality like Ajax, DOM
manipulation, class-type programming, events, promises, data stores,
drag-and-drop and internationalization libraries.
Installing
----------
Installation instructions are available at
[dojotoolkit.org/download](<http://dojotoolkit.org/download/>).
Getting Started
---------------
If you are starting out with Dojo, the following resources are available to you:
- [Tutorials](<http://dojotoolkit.org/documentation/>)
- [Reference Guide](<http://dojotoolkit.org/reference-guide/>)
- [API Documentation](<http://dojotoolkit.org/api/>)
- [Community Forum](<http://dojotoolkit.org/community/>)
What to Use Dojo For and When to Use It
---------------------------------------
The following is a brief sampling of some of the areas where Dojo may prove to
be the right tool for your next project:
- For keeping your code fast and maintainable, Dojo offers an asynchronous
module definition (AMD) loader -- encapsulating pieces of code into useful
units, loading small JavaScript files only when they are needed, and loading
files separately even when they are dependent on one another.
- When you want to easily extend existing classes, share functionality among a
number of classes, and maximize code reuse, Dojo provides class-like
inheritance and “mixins.”
- For creating advanced and customizable user interfaces out of refined,
efficient, and modular pieces, Dojos Dijit framework offers several dozen
enterprise-ready widgets -- including buttons, textboxes, form widgets with
built-in validation, layout elements, and much more -- along with themes to
lend them a consistent look. All of this is available for mobile
environments as well.
- For working with advanced vector graphics, Dojos GFX API can render
graphics in a wide variety of formats, with support for seamless
manipulation (skewing, rotating, resizing), gradients, responding to mouse
events, and more.
- The `dojox/charting` library supports powerful data visualization and
dynamic charting, including a variety of 2D plots and animated charting
elements.
- When you need feature-rich, lightweight, and mobile-friendly grids/tables,
Dojo offers the `dgrid` widget, along with customizable default themes and
accompanying features such as in-cell editing, row/cell selection, column
resizing/reordering, keyboard handling, pagination, and more.
- Dojo is the officially supported framework for the ArcGIS API for
JavaScript, one of the most widely used enterprise-grade APIs for web
mapping and spatial analysis -- learning to use Dojo will open doors to
creating richer web mapping applications using that API.
License and Copyright
---------------------
The Dojo Toolkit (including this package) is dual licensed under BSD 3-Clause
and AFL. For more information on the license please see the [License
Information](<http://dojotoolkit.org/license>). The Dojo Toolkit is Copyright
(c) 2005-2017, JS Foundation. All rights reserved.

8
lib/dojo/Stateful.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/Stateful",["./_base/declare","./_base/lang","./_base/array","./when"],function(_1,_2,_3,_4){return _1("dojo.Stateful",null,{_attrPairNames:{},_getAttrNames:function(_5){var _6=this._attrPairNames;if(_6[_5]){return _6[_5];}return (_6[_5]={s:"_"+_5+"Setter",g:"_"+_5+"Getter"});},postscript:function(_7){if(_7){this.set(_7);}},_get:function(_8,_9){return typeof this[_9.g]==="function"?this[_9.g]():this[_8];},get:function(_a){return this._get(_a,this._getAttrNames(_a));},set:function(_b,_c){if(typeof _b==="object"){for(var x in _b){if(_b.hasOwnProperty(x)&&x!="_watchCallbacks"){this.set(x,_b[x]);}}return this;}var _d=this._getAttrNames(_b),_e=this._get(_b,_d),_f=this[_d.s],_10;if(typeof _f==="function"){_10=_f.apply(this,Array.prototype.slice.call(arguments,1));}else{this[_b]=_c;}if(this._watchCallbacks){var _11=this;_4(_10,function(){_11._watchCallbacks(_b,_e,_c);});}return this;},_changeAttrValue:function(_12,_13){var _14=this.get(_12);this[_12]=_13;if(this._watchCallbacks){this._watchCallbacks(_12,_14,_13);}return this;},watch:function(_15,_16){var _17=this._watchCallbacks;if(!_17){var _18=this;_17=this._watchCallbacks=function(_19,_1a,_1b,_1c){var _1d=function(_1e){if(_1e){_1e=_1e.slice();for(var i=0,l=_1e.length;i<l;i++){_1e[i].call(_18,_19,_1a,_1b);}}};_1d(_17["_"+_19]);if(!_1c){_1d(_17["*"]);}};}if(!_16&&typeof _15==="function"){_16=_15;_15="*";}else{_15="_"+_15;}var _1f=_17[_15];if(typeof _1f!=="object"){_1f=_17[_15]=[];}_1f.push(_16);var _20={};_20.unwatch=_20.remove=function(){var _21=_3.indexOf(_1f,_16);if(_21>-1){_1f.splice(_21,1);}};return _20;}});});

8
lib/dojo/_base/Color.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/Color",["./kernel","./lang","./array","./config"],function(_1,_2,_3,_4){var _5=_1.Color=function(_6){if(_6){this.setColor(_6);}};_5.named={"black":[0,0,0],"silver":[192,192,192],"gray":[128,128,128],"white":[255,255,255],"maroon":[128,0,0],"red":[255,0,0],"purple":[128,0,128],"fuchsia":[255,0,255],"green":[0,128,0],"lime":[0,255,0],"olive":[128,128,0],"yellow":[255,255,0],"navy":[0,0,128],"blue":[0,0,255],"teal":[0,128,128],"aqua":[0,255,255],"transparent":_4.transparentColor||[0,0,0,0]};_2.extend(_5,{r:255,g:255,b:255,a:1,_set:function(r,g,b,a){var t=this;t.r=r;t.g=g;t.b=b;t.a=a;},setColor:function(_7){if(_2.isString(_7)){_5.fromString(_7,this);}else{if(_2.isArray(_7)){_5.fromArray(_7,this);}else{this._set(_7.r,_7.g,_7.b,_7.a);if(!(_7 instanceof _5)){this.sanitize();}}}return this;},sanitize:function(){return this;},toRgb:function(){var t=this;return [t.r,t.g,t.b];},toRgba:function(){var t=this;return [t.r,t.g,t.b,t.a];},toHex:function(){var _8=_3.map(["r","g","b"],function(x){var s=this[x].toString(16);return s.length<2?"0"+s:s;},this);return "#"+_8.join("");},toCss:function(_9){var t=this,_a=t.r+", "+t.g+", "+t.b;return (_9?"rgba("+_a+", "+t.a:"rgb("+_a)+")";},toString:function(){return this.toCss(true);}});_5.blendColors=_1.blendColors=function(_b,_c,_d,_e){var t=_e||new _5();t.r=Math.round(_b.r+(_c.r-_b.r)*_d);t.g=Math.round(_b.g+(_c.g-_b.g)*_d);t.b=Math.round(_b.b+(_c.b-_b.b)*_d);t.a=_b.a+(_c.a-_b.a)*_d;return t.sanitize();};_5.fromRgb=_1.colorFromRgb=function(_f,obj){var m=_f.toLowerCase().match(/^rgba?\(([\s\.,0-9]+)\)/);return m&&_5.fromArray(m[1].split(/\s*,\s*/),obj);};_5.fromHex=_1.colorFromHex=function(_10,obj){var t=obj||new _5(),_11=(_10.length==4)?4:8,_12=(1<<_11)-1;_10=Number("0x"+_10.substr(1));if(isNaN(_10)){return null;}_3.forEach(["b","g","r"],function(x){var c=_10&_12;_10>>=_11;t[x]=_11==4?17*c:c;});t.a=1;return t;};_5.fromArray=_1.colorFromArray=function(a,obj){var t=obj||new _5();t._set(Number(a[0]),Number(a[1]),Number(a[2]),Number(a[3]));if(isNaN(t.a)){t.a=1;}return t.sanitize();};_5.fromString=_1.colorFromString=function(str,obj){var a=_5.named[str];return a&&_5.fromArray(a,obj)||_5.fromRgb(str,obj)||_5.fromHex(str,obj);};return _5;});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/Deferred",["./kernel","../Deferred","../promise/Promise","../errors/CancelError","../has","./lang","../when"],function(_1,_2,_3,_4,_5,_6,_7){var _8=function(){};var _9=Object.freeze||function(){};var _a=_1.Deferred=function(_b){var _c,_d,_e,_f,_10,_11,_12;var _13=(this.promise=new _3());function _14(_15){if(_d){throw new Error("This deferred has already been resolved");}_c=_15;_d=true;_16();};function _16(){var _17;while(!_17&&_12){var _18=_12;_12=_12.next;if((_17=(_18.progress==_8))){_d=false;}var _19=(_10?_18.error:_18.resolved);if(_5("config-useDeferredInstrumentation")){if(_10&&_2.instrumentRejected){_2.instrumentRejected(_c,!!_19);}}if(_19){try{var _1a=_19(_c);if(_1a&&typeof _1a.then==="function"){_1a.then(_6.hitch(_18.deferred,"resolve"),_6.hitch(_18.deferred,"reject"),_6.hitch(_18.deferred,"progress"));continue;}var _1b=_17&&_1a===undefined;if(_17&&!_1b){_10=_1a instanceof Error;}_18.deferred[_1b&&_10?"reject":"resolve"](_1b?_c:_1a);}catch(e){_18.deferred.reject(e);}}else{if(_10){_18.deferred.reject(_c);}else{_18.deferred.resolve(_c);}}}};this.isResolved=_13.isResolved=function(){return _f==0;};this.isRejected=_13.isRejected=function(){return _f==1;};this.isFulfilled=_13.isFulfilled=function(){return _f>=0;};this.isCanceled=_13.isCanceled=function(){return _e;};this.resolve=this.callback=function(_1c){this.fired=_f=0;this.results=[_1c,null];_14(_1c);};this.reject=this.errback=function(_1d){_10=true;this.fired=_f=1;if(_5("config-useDeferredInstrumentation")){if(_2.instrumentRejected){_2.instrumentRejected(_1d,!!_12);}}_14(_1d);this.results=[null,_1d];};this.progress=function(_1e){var _1f=_12;while(_1f){var _20=_1f.progress;_20&&_20(_1e);_1f=_1f.next;}};this.addCallbacks=function(_21,_22){this.then(_21,_22,_8);return this;};_13.then=this.then=function(_23,_24,_25){var _26=_25==_8?this:new _a(_13.cancel);var _27={resolved:_23,error:_24,progress:_25,deferred:_26};if(_12){_11=_11.next=_27;}else{_12=_11=_27;}if(_d){_16();}return _26.promise;};var _28=this;_13.cancel=this.cancel=function(){if(!_d){var _29=_b&&_b(_28);if(!_d){if(!(_29 instanceof Error)){_29=new _4(_29);}_29.log=false;_28.reject(_29);}}_e=true;};_9(_13);};_6.extend(_a,{addCallback:function(_2a){return this.addCallbacks(_6.hitch.apply(_1,arguments));},addErrback:function(_2b){return this.addCallbacks(null,_6.hitch.apply(_1,arguments));},addBoth:function(_2c){var _2d=_6.hitch.apply(_1,arguments);return this.addCallbacks(_2d,_2d);},fired:-1});_a.when=_1.when=_7;return _a;});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/NodeList",["./kernel","../query","./array","./html","../NodeList-dom"],function(_1,_2,_3){var _4=_2.NodeList,_5=_4.prototype;_5.connect=_4._adaptAsForEach(function(){return _1.connect.apply(this,arguments);});_5.coords=_4._adaptAsMap(_1.coords);_4.events=["blur","focus","change","click","error","keydown","keypress","keyup","load","mousedown","mouseenter","mouseleave","mousemove","mouseout","mouseover","mouseup","submit"];_3.forEach(_4.events,function(_6){var _7="on"+_6;_5[_7]=function(a,b){return this.connect(_7,a,b);};});_1.NodeList=_4;return _4;});

8
lib/dojo/_base/array.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/array",["./kernel","../has","./lang"],function(_1,_2,_3){var _4={},u;function _5(fn){return _4[fn]=new Function("item","index","array",fn);};function _6(_7){var _8=!_7;return function(a,fn,o){var i=0,l=a&&a.length||0,_9;if(l&&typeof a=="string"){a=a.split("");}if(typeof fn=="string"){fn=_4[fn]||_5(fn);}if(o){for(;i<l;++i){_9=!fn.call(o,a[i],i,a);if(_7^_9){return !_9;}}}else{for(;i<l;++i){_9=!fn(a[i],i,a);if(_7^_9){return !_9;}}}return _8;};};function _a(up){var _b=1,_c=0,_d=0;if(!up){_b=_c=_d=-1;}return function(a,x,_e,_f){if(_f&&_b>0){return _10.lastIndexOf(a,x,_e);}var l=a&&a.length||0,end=up?l+_d:_c,i;if(_e===u){i=up?_c:l+_d;}else{if(_e<0){i=l+_e;if(i<0){i=_c;}}else{i=_e>=l?l+_d:_e;}}if(l&&typeof a=="string"){a=a.split("");}for(;i!=end;i+=_b){if(a[i]==x){return i;}}return -1;};};var _10={every:_6(false),some:_6(true),indexOf:_a(true),lastIndexOf:_a(false),forEach:function(arr,_11,_12){var i=0,l=arr&&arr.length||0;if(l&&typeof arr=="string"){arr=arr.split("");}if(typeof _11=="string"){_11=_4[_11]||_5(_11);}if(_12){for(;i<l;++i){_11.call(_12,arr[i],i,arr);}}else{for(;i<l;++i){_11(arr[i],i,arr);}}},map:function(arr,_13,_14,Ctr){var i=0,l=arr&&arr.length||0,out=new (Ctr||Array)(l);if(l&&typeof arr=="string"){arr=arr.split("");}if(typeof _13=="string"){_13=_4[_13]||_5(_13);}if(_14){for(;i<l;++i){out[i]=_13.call(_14,arr[i],i,arr);}}else{for(;i<l;++i){out[i]=_13(arr[i],i,arr);}}return out;},filter:function(arr,_15,_16){var i=0,l=arr&&arr.length||0,out=[],_17;if(l&&typeof arr=="string"){arr=arr.split("");}if(typeof _15=="string"){_15=_4[_15]||_5(_15);}if(_16){for(;i<l;++i){_17=arr[i];if(_15.call(_16,_17,i,arr)){out.push(_17);}}}else{for(;i<l;++i){_17=arr[i];if(_15(_17,i,arr)){out.push(_17);}}}return out;},clearCache:function(){_4={};}};1&&_3.mixin(_1,_10);return _10;});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
if(require.has){require.has.add("config-selectorEngine","acme");}define("dojo/_base/browser",["../ready","./kernel","./connect","./unload","./window","./event","./html","./NodeList","../query","./xhr","./fx"],function(_1){return _1;});

8
lib/dojo/_base/config.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/config",["../global","../has","require"],function(_1,_2,_3){var _4={};if(1){var _5=_3.rawConfig,p;for(p in _5){_4[p]=_5[p];}}else{var _6=function(_7,_8,_9){for(p in _7){p!="has"&&_2.add(_8+p,_7[p],0,_9);}};_4=1?_3.rawConfig:_1.dojoConfig||_1.djConfig||{};_6(_4,"config",1);_6(_4.has,"",1);}if(!_4.locale&&typeof navigator!="undefined"){var _a=(navigator.languages&&navigator.languages.length)?navigator.languages[0]:(navigator.language||navigator.userLanguage);if(_a){_4.locale=_a.toLowerCase();}}return _4;});

View File

@ -0,0 +1,336 @@
// TODO: this file needs to be converted to the v1.7 loader
// a host environment specifically built for Mozilla extensions, but derived
// from the browser host environment
if(typeof window != 'undefined'){
dojo.isBrowser = true;
dojo._name = "browser";
// FIXME: PORTME
// http://developer.mozilla.org/en/mozIJSSubScriptLoader
// attempt to figure out the path to dojo if it isn't set in the config
(function(){
// this is a scope protection closure. We set browser versions and grab
// the URL we were loaded from here.
// FIXME: need to probably use a different reference to "document" to get the hosting XUL environment
dojo.baseUrl = dojo.config.baseUrl;
// fill in the rendering support information in dojo.render.*
var n = navigator;
var dua = n.userAgent;
var dav = n.appVersion;
var tv = parseFloat(dav);
dojo.isMozilla = dojo.isMoz = tv;
if(dojo.isMoz){
dojo.isFF = parseFloat(dua.split("Firefox/")[1]) || undefined;
}
// FIXME
dojo.isQuirks = document.compatMode == "BackCompat";
// FIXME
// TODO: is the HTML LANG attribute relevant?
dojo.locale = dojo.config.locale || n.language.toLowerCase();
dojo._xhrObj = function(){
return new XMLHttpRequest();
};
// monkey-patch _loadUri to handle file://, chrome://, and resource:// url's
var oldLoadUri = dojo._loadUri;
dojo._loadUri = function(uri, cb){
var handleLocal = ["file:", "chrome:", "resource:"].some(function(prefix){
return String(uri).indexOf(prefix) == 0;
});
if(handleLocal){
// see:
// http://developer.mozilla.org/en/mozIJSSubScriptLoader
var l = Components.classes["@mozilla.org/moz/jssubscript-loader;1"]
.getService(Components.interfaces.mozIJSSubScriptLoader);
var value = l.loadSubScript(uri, dojo.global);
if(cb){ cb(value); }
return true;
}else{
// otherwise, call the pre-existing version
return oldLoadUri.apply(dojo, arguments);
}
};
// FIXME: PORTME
dojo._isDocumentOk = function(http){
var stat = http.status || 0;
return (stat >= 200 && stat < 300) || // Boolean
stat == 304 || // allow any 2XX response code
stat == 1223 || // get it out of the cache
(!stat && (location.protocol == "file:" || location.protocol == "chrome:") );
};
// FIXME: PORTME
// var owloc = window.location+"";
// var base = document.getElementsByTagName("base");
// var hasBase = (base && base.length > 0);
var hasBase = false;
dojo._getText = function(/*URI*/ uri, /*Boolean*/ fail_ok){
// summary:
// Read the contents of the specified uri and return those contents.
// uri:
// A relative or absolute uri. If absolute, it still must be in
// the same "domain" as we are.
// fail_ok:
// Default false. If fail_ok and loading fails, return null
// instead of throwing.
// returns:
// The response text. null is returned when there is a
// failure and failure is okay (an exception otherwise)
// alert("_getText: " + uri);
// NOTE: must be declared before scope switches ie. this._xhrObj()
var http = dojo._xhrObj();
if(!hasBase && dojo._Url){
uri = (new dojo._Url(uri)).toString();
}
if(dojo.config.cacheBust){
//Make sure we have a string before string methods are used on uri
uri += "";
uri += (uri.indexOf("?") == -1 ? "?" : "&") + String(dojo.config.cacheBust).replace(/\W+/g, "");
}
var handleLocal = ["file:", "chrome:", "resource:"].some(function(prefix){
return String(uri).indexOf(prefix) == 0;
});
if(handleLocal){
// see:
// http://forums.mozillazine.org/viewtopic.php?p=921150#921150
var ioService = Components.classes["@mozilla.org/network/io-service;1"]
.getService(Components.interfaces.nsIIOService);
var scriptableStream = Components
.classes["@mozilla.org/scriptableinputstream;1"]
.getService(Components.interfaces.nsIScriptableInputStream);
var channel = ioService.newChannel(uri, null, null);
var input = channel.open();
scriptableStream.init(input);
var str = scriptableStream.read(input.available());
scriptableStream.close();
input.close();
return str;
}else{
http.open('GET', uri, false);
try{
http.send(null);
// alert(http);
if(!dojo._isDocumentOk(http)){
var err = Error("Unable to load " + uri + " status:" + http.status);
err.status = http.status;
err.responseText = http.responseText;
throw err;
}
}catch(e){
if(fail_ok){
return null;
} // null
// rethrow the exception
throw e;
}
return http.responseText; // String
}
};
dojo._windowUnloaders = [];
// FIXME: PORTME
dojo.windowUnloaded = function(){
// summary:
// signal fired by impending window destruction. You may use
// dojo.addOnWIndowUnload() or dojo.connect() to this method to perform
// page/application cleanup methods. See dojo.addOnWindowUnload for more info.
var mll = dojo._windowUnloaders;
while(mll.length){
(mll.pop())();
}
};
// FIXME: PORTME
dojo.addOnWindowUnload = function(/*Object?*/obj, /*String|Function?*/functionName){
// summary:
// registers a function to be triggered when window.onunload fires.
// Be careful trying to modify the DOM or access JavaScript properties
// during this phase of page unloading: they may not always be available.
// Consider dojo.addOnUnload() if you need to modify the DOM or do heavy
// JavaScript work.
// example:
// | dojo.addOnWindowUnload(functionPointer)
// | dojo.addOnWindowUnload(object, "functionName")
// | dojo.addOnWindowUnload(object, function(){ /* ... */});
dojo._onto(dojo._windowUnloaders, obj, functionName);
};
// XUL specific APIs
var contexts = [];
var current = null;
dojo._defaultContext = [ window, document ];
dojo.pushContext = function(/*Object|String?*/g, /*MDocumentElement?*/d){
// summary:
// causes subsequent calls to Dojo methods to assume the
// passed object and, optionally, document as the default
// scopes to use. A 2-element array of the previous global and
// document are returned.
// description:
// dojo.pushContext treats contexts as a stack. The
// auto-detected contexts which are initially provided using
// dojo.setContext() require authors to keep state in order to
// "return" to a previous context, whereas the
// dojo.pushContext and dojo.popContext methods provide a more
// natural way to augment blocks of code to ensure that they
// execute in a different window or frame without issue. If
// called without any arguments, the default context (the
// context when Dojo is first loaded) is instead pushed into
// the stack. If only a single string is passed, a node in the
// intitial context's document is looked up and its
// contextWindow and contextDocument properties are used as
// the context to push. This means that iframes can be given
// an ID and code can be executed in the scope of the iframe's
// document in subsequent calls easily.
// g:
// The global context. If a string, the id of the frame to
// search for a context and document.
// d:
// The document element to execute subsequent code with.
var old = [dojo.global, dojo.doc];
contexts.push(old);
var n;
if(!g && !d){
n = dojo._defaultContext;
}else{
n = [ g, d ];
if(!d && dojo.isString(g)){
var t = document.getElementById(g);
if(t.contentDocument){
n = [t.contentWindow, t.contentDocument];
}
}
}
current = n;
dojo.setContext.apply(dojo, n);
return old; // Array
};
dojo.popContext = function(){
// summary:
// If the context stack contains elements, ensure that
// subsequent code executes in the *previous* context to the
// current context. The current context set ([global,
// document]) is returned.
var oc = current;
if(!contexts.length){
return oc;
}
dojo.setContext.apply(dojo, contexts.pop());
return oc;
};
// FIXME:
// don't really like the current arguments and order to
// _inContext, so don't make it public until it's right!
dojo._inContext = function(g, d, f){
var a = dojo._toArray(arguments);
f = a.pop();
if(a.length == 1){
d = null;
}
dojo.pushContext(g, d);
var r = f();
dojo.popContext();
return r;
};
})();
dojo._initFired = false;
// BEGIN DOMContentLoaded, from Dean Edwards (http://dean.edwards.name/weblog/2006/06/again/)
dojo._loadInit = function(e){
dojo._initFired = true;
// allow multiple calls, only first one will take effect
// A bug in khtml calls events callbacks for document for event which isnt supported
// for example a created contextmenu event calls DOMContentLoaded, workaround
var type = (e && e.type) ? e.type.toLowerCase() : "load";
if(arguments.callee.initialized || (type != "domcontentloaded" && type != "load")){ return; }
arguments.callee.initialized = true;
if(dojo._inFlightCount == 0){
dojo._modulesLoaded();
}
};
/*
(function(){
var _w = window;
var _handleNodeEvent = function(evtName, fp){
// summary:
// non-destructively adds the specified function to the node's
// evtName handler.
// evtName: should be in the form "onclick" for "onclick" handlers.
// Make sure you pass in the "on" part.
var oldHandler = _w[evtName] || function(){};
_w[evtName] = function(){
fp.apply(_w, arguments);
oldHandler.apply(_w, arguments);
};
};
// FIXME: PORT
// FIXME: dojo.unloaded requires dojo scope, so using anon function wrapper.
_handleNodeEvent("onbeforeunload", function(){ dojo.unloaded(); });
_handleNodeEvent("onunload", function(){ dojo.windowUnloaded(); });
})();
*/
// FIXME: PORTME
// this event fires a lot, namely for all plugin XUL overlays and for
// all iframes (in addition to window navigations). We only want
// Dojo's to fire once..but we might care if pages navigate. We'll
// probably need an extension-specific API
if(!dojo.config.afterOnLoad){
window.addEventListener("DOMContentLoaded", function(e){
dojo._loadInit(e);
// console.log("DOM content loaded", e);
}, false);
}
} //if (typeof window != 'undefined')
//Register any module paths set up in djConfig. Need to do this
//in the hostenvs since hostenv_browser can read djConfig from a
//script tag's attribute.
(function(){
var mp = dojo.config["modulePaths"];
if(mp){
for(var param in mp){
dojo.registerModulePath(param, mp[param]);
}
}
})();
//Load debug code if necessary.
if(dojo.config.isDebug){
// logging stub for extension logging
console.log = function(m){
var s = Components.classes["@mozilla.org/consoleservice;1"].getService(
Components.interfaces.nsIConsoleService
);
s.logStringMessage(m);
};
console.debug = function(){
console.log(dojo._toArray(arguments).join(" "));
};
// FIXME: what about the rest of the console.* methods? And is there any way to reach into firebug and log into it directly?
}

View File

@ -0,0 +1,108 @@
exports.config = function(config){
// summary:
// This module provides bootstrap configuration for running dojo in node.js
// any command line arguments with the load flag are pushed into deps
for(var deps = [], args = [], i = 0; i < process.argv.length; i++){
var arg = (process.argv[i] + "").split("=");
if(arg[0] == "load"){
deps.push(arg[1]);
}else if(arg[0] == "mapPackage") {
var parts = arg[1].split(":"),
name = parts[0],
location=parts[1],
isPrexisting = false;
for (var j = 0; j < config.packages.length; j++) {
var pkg = config.packages[j];
if (pkg.name === name) {
pkg.location = location;
isPrexisting = true;
break;
}
}
if (!isPrexisting) {
config.packages.push({
name: name,
location: location
});
}
}else{
args.push(arg);
}
}
var fs = require("fs");
// make sure global require exists
//if (typeof global.require=="undefined"){
// global.require= {};
//}
// reset the has cache with node-appropriate values;
var hasCache = {
"host-node":1,
"host-browser":0,
"dom":0,
"dojo-has-api":1,
"dojo-xhr-factory":0,
"dojo-inject-api":1,
"dojo-timeout-api":0,
"dojo-trace-api":1,
"dojo-dom-ready-api":0,
"dojo-publish-privates":1,
"dojo-sniff":0,
"dojo-loader":1,
"dojo-test-xd":0,
"dojo-test-sniff":0
};
for(var p in hasCache){
config.hasCache[p] = hasCache[p];
}
var vm = require('vm'),
path = require('path');
// reset some configuration switches with node-appropriate values
var nodeConfig = {
baseUrl: path.dirname(process.argv[1]),
commandLineArgs:args,
deps:deps,
timeout:0,
// TODO: really get the locale
locale:"en-us",
loaderPatch: {
log:function(item){
// define debug for console messages during dev instead of console.log
// (node's heavy async makes console.log confusing sometimes)
var util = require("util");
util.debug(util.inspect(item));
},
eval: function(__text, __urlHint){
return vm.runInThisContext(__text, __urlHint);
},
injectUrl: function(url, callback){
try{
vm.runInThisContext(fs.readFileSync(url, "utf8"), url);
callback();
}catch(e){
this.log("failed to load resource (" + url + ")");
this.log(e);
}
},
getText: function(url, sync, onLoad){
// TODO: implement async and http/https handling
onLoad(fs.readFileSync(url, "utf8"));
}
}
};
for(p in nodeConfig){
config[p] = nodeConfig[p];
}
};

View File

@ -0,0 +1,142 @@
function rhinoDojoConfig(config, baseUrl, rhinoArgs){
// summary:
// This module provides bootstrap configuration for running dojo in rhino.
// TODO: v1.6 tries to set dojo.doc and dojo.body in rhino; why?
// get a minimal console up
var log = function(hint, args){
print((hint ? hint + ":" : "") + args[0]);
for(var i = 1; i < args.length; i++){
print(", " + args[i]);
}
};
// intentionally define console in the global namespace
console= {
log: function(){ log(0, arguments); },
error: function(){ log("ERROR", arguments); },
warn: function(){ log("WARN", arguments); }
};
// any command line arguments with the load flag are pushed into deps
for(var deps = [], i = 0; i < rhinoArgs.length; i++){
var arg = (rhinoArgs[i] + "").split("=");
if(arg[0] == "load"){
deps.push(arg[1]);
}else if(arg[0] == "mapPackage") {
var parts = arg[1].split(":"),
name = parts[0],
location=parts[1],
isPrexisting = false;
for (var j = 0; j < config.packages.length; j++) {
var pkg = config.packages[j];
if (pkg.name === name) {
pkg.location = location;
isPrexisting = true;
break;
}
}
if (!isPrexisting) {
config.packages.push({
name: name,
location: location
});
}
}
}
// provides timed callbacks using Java threads
if(typeof setTimeout == "undefined" || typeof clearTimeout == "undefined"){
var timeouts = [];
clearTimeout = function(idx){
if(!timeouts[idx]){ return; }
timeouts[idx].stop();
};
setTimeout = function(func, delay){
var def = {
sleepTime:delay,
hasSlept:false,
run:function(){
if(!this.hasSlept){
this.hasSlept = true;
java.lang.Thread.currentThread().sleep(this.sleepTime);
}
try{
func();
}catch(e){
console.debug("Error running setTimeout thread:" + e);
}
}
};
var runnable = new java.lang.Runnable(def);
var thread = new java.lang.Thread(runnable);
thread.start();
return timeouts.push(thread) - 1;
};
}
var isLocal = function(url){
return (new java.io.File(url)).exists();
};
// reset the has cache with node-appropriate values;
var hasCache = {
"host-rhino":1,
"host-browser":0,
"dom":0,
"dojo-has-api":1,
"dojo-xhr-factory":0,
"dojo-inject-api":1,
"dojo-timeout-api":0,
"dojo-trace-api":1,
"dojo-loader-catches":1,
"dojo-dom-ready-api":0,
"dojo-publish-privates":1,
"dojo-sniff":0,
"dojo-loader":1,
"dojo-test-xd":0,
"dojo-test-sniff":0
};
for(var p in hasCache){
config.hasCache[p] = hasCache[p];
}
// reset some configuration switches with rhino-appropriate values
var rhinoConfig = {
baseUrl:baseUrl,
commandLineArgs:rhinoArgs,
deps:deps,
timeout:0,
locale:String(java.util.Locale.getDefault().toString().replace('_', '-').toLowerCase()),
loaderPatch:{
injectUrl: function(url, callback){
try{
if(isLocal(url)){
load(url);
}else{
require.eval(readUrl(url, "UTF-8"));
}
callback();
}catch(e){
console.log("failed to load resource (" + url + ")");
console.log(e);
}
},
getText: function(url, sync, onLoad){
// TODO: test https://bugzilla.mozilla.org/show_bug.cgi?id=471005; see v1.6 hostenv_rhino
// note: async mode not supported in rhino
onLoad(isLocal(url) ? readFile(url, "UTF-8") : readUrl(url, "UTF-8"));
}
}
};
for(p in rhinoConfig){
config[p] = rhinoConfig[p];
}
}

View File

@ -0,0 +1,80 @@
// TODO: this file needs to be converted to the v1.7 loader
// module:
// configSpidermonkey
// summary:
// SpiderMonkey host environment
if(dojo.config["baseUrl"]){
dojo.baseUrl = dojo.config["baseUrl"];
}else{
dojo.baseUrl = "./";
}
dojo._name = 'spidermonkey';
dojo.isSpidermonkey = true;
dojo.exit = function(exitcode){
quit(exitcode);
};
if(typeof print == "function"){
console.debug = print;
}
if(typeof line2pc == 'undefined'){
throw new Error("attempt to use SpiderMonkey host environment when no 'line2pc' global");
}
dojo._spidermonkeyCurrentFile = function(depth){
//
// This is a hack that determines the current script file by parsing a
// generated stack trace (relying on the non-standard "stack" member variable
// of the SpiderMonkey Error object).
//
// If param depth is passed in, it'll return the script file which is that far down
// the stack, but that does require that you know how deep your stack is when you are
// calling.
//
var s = '';
try{
throw Error("whatever");
}catch(e){
s = e.stack;
}
// lines are like: bu_getCurrentScriptURI_spidermonkey("ScriptLoader.js")@burst/Runtime.js:101
var matches = s.match(/[^@]*\.js/gi);
if(!matches){
throw Error("could not parse stack string: '" + s + "'");
}
var fname = (typeof depth != 'undefined' && depth) ? matches[depth + 1] : matches[matches.length - 1];
if(!fname){
throw Error("could not find file name in stack string '" + s + "'");
}
//print("SpiderMonkeyRuntime got fname '" + fname + "' from stack string '" + s + "'");
return fname;
};
// print(dojo._spidermonkeyCurrentFile(0));
dojo._loadUri = function(uri){
// spidermonkey load() evaluates the contents into the global scope (which
// is what we want).
// TODO: sigh, load() does not return a useful value.
// Perhaps it is returning the value of the last thing evaluated?
// var ok =
load(uri);
// console.log("spidermonkey load(", uri, ") returned ", ok);
return 1;
};
//Register any module paths set up in djConfig. Need to do this
//in the hostenvs since hostenv_browser can read djConfig from a
//script tag's attribute.
if(dojo.config["modulePaths"]){
for(var param in dojo.config["modulePaths"]){
dojo.registerModulePath(param, dojo.config["modulePaths"][param]);
}
}

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/connect",["./kernel","../on","../topic","../aspect","./event","../mouse","./sniff","./lang","../keys"],function(_1,on,_2,_3,_4,_5,_6,_7){_6.add("events-keypress-typed",function(){var _8={charCode:0};try{_8=document.createEvent("KeyboardEvent");(_8.initKeyboardEvent||_8.initKeyEvent).call(_8,"keypress",true,true,null,false,false,false,false,9,3);}catch(e){}return _8.charCode==0&&!_6("opera");});function _9(_a,_b,_c,_d,_e){_d=_7.hitch(_c,_d);if(!_a||!(_a.addEventListener||_a.attachEvent)){return _3.after(_a||_1.global,_b,_d,true);}if(typeof _b=="string"&&_b.substring(0,2)=="on"){_b=_b.substring(2);}if(!_a){_a=_1.global;}if(!_e){switch(_b){case "keypress":_b=_f;break;case "mouseenter":_b=_5.enter;break;case "mouseleave":_b=_5.leave;break;}}return on(_a,_b,_d,_e);};var _10={106:42,111:47,186:59,187:43,188:44,189:45,190:46,191:47,192:96,219:91,220:92,221:93,222:39,229:113};var _11=_6("mac")?"metaKey":"ctrlKey";var _12=function(evt,_13){var _14=_7.mixin({},evt,_13);_15(_14);_14.preventDefault=function(){evt.preventDefault();};_14.stopPropagation=function(){evt.stopPropagation();};return _14;};function _15(evt){evt.keyChar=evt.charCode?String.fromCharCode(evt.charCode):"";evt.charOrCode=evt.keyChar||evt.keyCode;};var _f;if(_6("events-keypress-typed")){var _16=function(e,_17){try{return (e.keyCode=_17);}catch(e){return 0;}};_f=function(_18,_19){var _1a=on(_18,"keydown",function(evt){var k=evt.keyCode;var _1b=(k!=13)&&k!=32&&(k!=27||!_6("ie"))&&(k<48||k>90)&&(k<96||k>111)&&(k<186||k>192)&&(k<219||k>222)&&k!=229;if(_1b||evt.ctrlKey){var c=_1b?0:k;if(evt.ctrlKey){if(k==3||k==13){return _19.call(evt.currentTarget,evt);}else{if(c>95&&c<106){c-=48;}else{if((!evt.shiftKey)&&(c>=65&&c<=90)){c+=32;}else{c=_10[c]||c;}}}}var _1c=_12(evt,{type:"keypress",faux:true,charCode:c});_19.call(evt.currentTarget,_1c);if(_6("ie")){_16(evt,_1c.keyCode);}}});var _1d=on(_18,"keypress",function(evt){var c=evt.charCode;c=c>=32?c:0;evt=_12(evt,{charCode:c,faux:true});return _19.call(this,evt);});return {remove:function(){_1a.remove();_1d.remove();}};};}else{if(_6("opera")){_f=function(_1e,_1f){return on(_1e,"keypress",function(evt){var c=evt.which;if(c==3){c=99;}c=c<32&&!evt.shiftKey?0:c;if(evt.ctrlKey&&!evt.shiftKey&&c>=65&&c<=90){c+=32;}return _1f.call(this,_12(evt,{charCode:c}));});};}else{_f=function(_20,_21){return on(_20,"keypress",function(evt){_15(evt);return _21.call(this,evt);});};}}var _22={_keypress:_f,connect:function(obj,_23,_24,_25,_26){var a=arguments,_27=[],i=0;_27.push(typeof a[0]=="string"?null:a[i++],a[i++]);var a1=a[i+1];_27.push(typeof a1=="string"||typeof a1=="function"?a[i++]:null,a[i++]);for(var l=a.length;i<l;i++){_27.push(a[i]);}return _9.apply(this,_27);},disconnect:function(_28){if(_28){_28.remove();}},subscribe:function(_29,_2a,_2b){return _2.subscribe(_29,_7.hitch(_2a,_2b));},publish:function(_2c,_2d){return _2.publish.apply(_2,[_2c].concat(_2d));},connectPublisher:function(_2e,obj,_2f){var pf=function(){_22.publish(_2e,arguments);};return _2f?_22.connect(obj,_2f,pf):_22.connect(obj,pf);},isCopyKey:function(e){return e[_11];}};_22.unsubscribe=_22.disconnect;1&&_7.mixin(_1,_22);return _22;});

File diff suppressed because one or more lines are too long

8
lib/dojo/_base/event.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/event",["./kernel","../on","../has","../dom-geometry"],function(_1,on,_2,_3){if(on._fixEvent){var _4=on._fixEvent;on._fixEvent=function(_5,se){_5=_4(_5,se);if(_5){_3.normalizeEvent(_5);}return _5;};}var _6={fix:function(_7,_8){if(on._fixEvent){return on._fixEvent(_7,_8);}return _7;},stop:function(_9){if(_2("dom-addeventlistener")||(_9&&_9.preventDefault)){_9.preventDefault();_9.stopPropagation();}else{_9=_9||window.event;_9.cancelBubble=true;on._preventDefault.call(_9);}}};if(1){_1.fixEvent=_6.fix;_1.stopEvent=_6.stop;}return _6;});

8
lib/dojo/_base/fx.js Normal file

File diff suppressed because one or more lines are too long

8
lib/dojo/_base/html.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/html",["./kernel","../dom","../dom-style","../dom-attr","../dom-prop","../dom-class","../dom-construct","../dom-geometry"],function(_1,_2,_3,_4,_5,_6,_7,_8){_1.byId=_2.byId;_1.isDescendant=_2.isDescendant;_1.setSelectable=_2.setSelectable;_1.getAttr=_4.get;_1.setAttr=_4.set;_1.hasAttr=_4.has;_1.removeAttr=_4.remove;_1.getNodeProp=_4.getNodeProp;_1.attr=function(_9,_a,_b){if(arguments.length==2){return _4[typeof _a=="string"?"get":"set"](_9,_a);}return _4.set(_9,_a,_b);};_1.hasClass=_6.contains;_1.addClass=_6.add;_1.removeClass=_6.remove;_1.toggleClass=_6.toggle;_1.replaceClass=_6.replace;_1._toDom=_1.toDom=_7.toDom;_1.place=_7.place;_1.create=_7.create;_1.empty=function(_c){_7.empty(_c);};_1._destroyElement=_1.destroy=function(_d){_7.destroy(_d);};_1._getPadExtents=_1.getPadExtents=_8.getPadExtents;_1._getBorderExtents=_1.getBorderExtents=_8.getBorderExtents;_1._getPadBorderExtents=_1.getPadBorderExtents=_8.getPadBorderExtents;_1._getMarginExtents=_1.getMarginExtents=_8.getMarginExtents;_1._getMarginSize=_1.getMarginSize=_8.getMarginSize;_1._getMarginBox=_1.getMarginBox=_8.getMarginBox;_1.setMarginBox=_8.setMarginBox;_1._getContentBox=_1.getContentBox=_8.getContentBox;_1.setContentSize=_8.setContentSize;_1._isBodyLtr=_1.isBodyLtr=_8.isBodyLtr;_1._docScroll=_1.docScroll=_8.docScroll;_1._getIeDocumentElementOffset=_1.getIeDocumentElementOffset=_8.getIeDocumentElementOffset;_1._fixIeBiDiScrollLeft=_1.fixIeBiDiScrollLeft=_8.fixIeBiDiScrollLeft;_1.position=_8.position;_1.marginBox=function marginBox(_e,_f){return _f?_8.setMarginBox(_e,_f):_8.getMarginBox(_e);};_1.contentBox=function contentBox(_10,box){return box?_8.setContentSize(_10,box):_8.getContentBox(_10);};_1.coords=function(_11,_12){_1.deprecated("dojo.coords()","Use dojo.position() or dojo.marginBox().");_11=_2.byId(_11);var s=_3.getComputedStyle(_11),mb=_8.getMarginBox(_11,s);var abs=_8.position(_11,_12);mb.x=abs.x;mb.y=abs.y;return mb;};_1.getProp=_5.get;_1.setProp=_5.set;_1.prop=function(_13,_14,_15){if(arguments.length==2){return _5[typeof _14=="string"?"get":"set"](_13,_14);}return _5.set(_13,_14,_15);};_1.getStyle=_3.get;_1.setStyle=_3.set;_1.getComputedStyle=_3.getComputedStyle;_1.__toPixelValue=_1.toPixelValue=_3.toPixelValue;_1.style=function(_16,_17,_18){switch(arguments.length){case 1:return _3.get(_16);case 2:return _3[typeof _17=="string"?"get":"set"](_16,_17);}return _3.set(_16,_17,_18);};return _1;});

8
lib/dojo/_base/json.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/json",["./kernel","../json"],function(_1,_2){_1.fromJson=function(js){return eval("("+js+")");};_1._escapeString=_2.stringify;_1.toJsonIndentStr="\t";_1.toJson=function(it,_3){return _2.stringify(it,function(_4,_5){if(_5){var tf=_5.__json__||_5.json;if(typeof tf=="function"){return tf.call(_5);}}return _5;},_3&&_1.toJsonIndentStr);};return _1;});

8
lib/dojo/_base/kernel.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/kernel",["../global","../has","./config","require","module"],function(_1,_2,_3,_4,_5){var i,p,_6={},_7={},_8={config:_3,global:_1,dijit:_6,dojox:_7};var _9={dojo:["dojo",_8],dijit:["dijit",_6],dojox:["dojox",_7]},_a=(_4.map&&_4.map[_5.id.match(/[^\/]+/)[0]]),_b;for(p in _a){if(_9[p]){_9[p][0]=_a[p];}else{_9[p]=[_a[p],{}];}}for(p in _9){_b=_9[p];_b[1]._scopeName=_b[0];if(!_3.noGlobals){_1[_b[0]]=_b[1];}}_8.scopeMap=_9;_8.baseUrl=_8.config.baseUrl=_4.baseUrl;_8.isAsync=!1||_4.async;_8.locale=_3.locale;var _c="$Rev: d6e8ff38 $".match(/[0-9a-f]{7,}/);_8.version={major:1,minor:14,patch:2,flag:"",revision:_c?_c[0]:NaN,toString:function(){var v=_8.version;return v.major+"."+v.minor+"."+v.patch+v.flag+" ("+v.revision+")";}};1||_2.add("extend-dojo",1);if(!_2("csp-restrictions")){(Function("d","d.eval = function(){return d.global.eval ? d.global.eval(arguments[0]) : eval(arguments[0]);}"))(_8);}if(0){_8.exit=function(_d){quit(_d);};}else{_8.exit=function(){};}if(!_2("host-webworker")){1||_2.add("dojo-guarantee-console",1);}if(1){_2.add("console-as-object",function(){return Function.prototype.bind&&console&&typeof console.log==="object";});typeof console!="undefined"||(console={});var cn=["assert","count","debug","dir","dirxml","error","group","groupEnd","info","profile","profileEnd","time","timeEnd","trace","warn","log"];var tn;i=0;while((tn=cn[i++])){if(!console[tn]){(function(){var _e=tn+"";console[_e]=("log" in console)?function(){var a=Array.prototype.slice.call(arguments);a.unshift(_e+":");console["log"](a.join(" "));}:function(){};console[_e]._fake=true;})();}else{if(_2("console-as-object")){console[tn]=Function.prototype.bind.call(console[tn],console);}}}}_2.add("dojo-debug-messages",!!_3.isDebug);_8.deprecated=_8.experimental=function(){};if(_2("dojo-debug-messages")){_8.deprecated=function(_f,_10,_11){var _12="DEPRECATED: "+_f;if(_10){_12+=" "+_10;}if(_11){_12+=" -- will be removed in version: "+_11;}console.warn(_12);};_8.experimental=function(_13,_14){var _15="EXPERIMENTAL: "+_13+" -- APIs subject to change without notice.";if(_14){_15+=" "+_14;}console.warn(_15);};}1||_2.add("dojo-modulePaths",1);if(1){if(_3.modulePaths){_8.deprecated("dojo.modulePaths","use paths configuration");var _16={};for(p in _3.modulePaths){_16[p.replace(/\./g,"/")]=_3.modulePaths[p];}_4({paths:_16});}}1||_2.add("dojo-moduleUrl",1);if(1){_8.moduleUrl=function(_17,url){_8.deprecated("dojo.moduleUrl()","use require.toUrl","2.0");var _18=null;if(_17){_18=_4.toUrl(_17.replace(/\./g,"/")+(url?("/"+url):"")+"/*.*").replace(/\/\*\.\*/,"")+(url?"":"/");}return _18;};}_8._hasResource={};return _8;});

8
lib/dojo/_base/lang.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/lang",["./kernel","../has","../sniff"],function(_1,_2){_2.add("bug-for-in-skips-shadowed",function(){for(var i in {toString:1}){return 0;}return 1;});var _3=_2("bug-for-in-skips-shadowed")?"hasOwnProperty.valueOf.isPrototypeOf.propertyIsEnumerable.toLocaleString.toString.constructor".split("."):[],_4=_3.length,_5=function(_6,_7,_8){if(!_8){if(_6[0]&&_1.scopeMap[_6[0]]){_8=_1.scopeMap[_6.shift()][1];}else{_8=_1.global;}}try{for(var i=0;i<_6.length;i++){var p=_6[i];if(!(p in _8)){if(_7){_8[p]={};}else{return;}}_8=_8[p];}return _8;}catch(e){}},_9=Object.prototype.toString,_a=function(_b,_c,_d){return (_d||[]).concat(Array.prototype.slice.call(_b,_c||0));},_e=/\{([^\}]+)\}/g;var _f={_extraNames:_3,_mixin:function(_10,_11,_12){var _13,s,i,_14={};for(_13 in _11){s=_11[_13];if(!(_13 in _10)||(_10[_13]!==s&&(!(_13 in _14)||_14[_13]!==s))){_10[_13]=_12?_12(s):s;}}if(_2("bug-for-in-skips-shadowed")){if(_11){for(i=0;i<_4;++i){_13=_3[i];s=_11[_13];if(!(_13 in _10)||(_10[_13]!==s&&(!(_13 in _14)||_14[_13]!==s))){_10[_13]=_12?_12(s):s;}}}}return _10;},mixin:function(_15,_16){if(!_15){_15={};}for(var i=1,l=arguments.length;i<l;i++){_f._mixin(_15,arguments[i]);}return _15;},setObject:function(_17,_18,_19){var _1a=_17.split("."),p=_1a.pop(),obj=_5(_1a,true,_19);return obj&&p?(obj[p]=_18):undefined;},getObject:function(_1b,_1c,_1d){return !_1b?_1d:_5(_1b.split("."),_1c,_1d);},exists:function(_1e,obj){return _f.getObject(_1e,false,obj)!==undefined;},isString:function(it){return (typeof it=="string"||it instanceof String);},isArray:Array.isArray||function(it){return _9.call(it)=="[object Array]";},isFunction:function(it){return _9.call(it)==="[object Function]";},isObject:function(it){return it!==undefined&&(it===null||typeof it=="object"||_f.isArray(it)||_f.isFunction(it));},isArrayLike:function(it){return !!it&&!_f.isString(it)&&!_f.isFunction(it)&&!(it.tagName&&it.tagName.toLowerCase()=="form")&&(_f.isArray(it)||isFinite(it.length));},isAlien:function(it){return it&&!_f.isFunction(it)&&/\{\s*\[native code\]\s*\}/.test(String(it));},extend:function(_1f,_20){for(var i=1,l=arguments.length;i<l;i++){_f._mixin(_1f.prototype,arguments[i]);}return _1f;},_hitchArgs:function(_21,_22){var pre=_f._toArray(arguments,2);var _23=_f.isString(_22);return function(){var _24=_f._toArray(arguments);var f=_23?(_21||_1.global)[_22]:_22;return f&&f.apply(_21||this,pre.concat(_24));};},hitch:function(_25,_26){if(arguments.length>2){return _f._hitchArgs.apply(_1,arguments);}if(!_26){_26=_25;_25=null;}if(_f.isString(_26)){_25=_25||_1.global;if(!_25[_26]){throw (["lang.hitch: scope[\"",_26,"\"] is null (scope=\"",_25,"\")"].join(""));}return function(){return _25[_26].apply(_25,arguments||[]);};}return !_25?_26:function(){return _26.apply(_25,arguments||[]);};},delegate:(function(){function TMP(){};return function(obj,_27){TMP.prototype=obj;var tmp=new TMP();TMP.prototype=null;if(_27){_f._mixin(tmp,_27);}return tmp;};})(),_toArray:_2("ie")?(function(){function _28(obj,_29,_2a){var arr=_2a||[];for(var x=_29||0;x<obj.length;x++){arr.push(obj[x]);}return arr;};return function(obj){return ((obj.item)?_28:_a).apply(this,arguments);};})():_a,partial:function(_2b){var arr=[null];return _f.hitch.apply(_1,arr.concat(_f._toArray(arguments)));},clone:function(src){if(!src||typeof src!="object"||_f.isFunction(src)){return src;}if(src.nodeType&&"cloneNode" in src){return src.cloneNode(true);}if(src instanceof Date){return new Date(src.getTime());}if(src instanceof RegExp){return new RegExp(src);}var r,i,l;if(_f.isArray(src)){r=[];for(i=0,l=src.length;i<l;++i){if(i in src){r[i]=_f.clone(src[i]);}}}else{r=src.constructor?new src.constructor():{};}return _f._mixin(r,src,_f.clone);},trim:String.prototype.trim?function(str){return str.trim();}:function(str){return str.replace(/^\s\s*/,"").replace(/\s\s*$/,"");},replace:function(_2c,map,_2d){return _2c.replace(_2d||_e,_f.isFunction(map)?map:function(_2e,k){return _f.getObject(k,false,map);});}};1&&_f.mixin(_1,_f);return _f;});

8
lib/dojo/_base/loader.js Normal file

File diff suppressed because one or more lines are too long

8
lib/dojo/_base/query.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/query",["../query","./NodeList"],function(_1){return _1;});

8
lib/dojo/_base/sniff.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/sniff",["./kernel","./lang","../sniff"],function(_1,_2,_3){if(!1){return _3;}_1._name="browser";_2.mixin(_1,{isBrowser:true,isFF:_3("ff"),isIE:_3("ie"),isKhtml:_3("khtml"),isWebKit:_3("webkit"),isMozilla:_3("mozilla"),isMoz:_3("mozilla"),isOpera:_3("opera"),isSafari:_3("safari"),isChrome:_3("chrome"),isMac:_3("mac"),isIos:_3("ios"),isAndroid:_3("android"),isWii:_3("wii"),isQuirks:_3("quirks"),isAir:_3("air")});return _3;});

8
lib/dojo/_base/unload.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/unload",["./kernel","./lang","../on"],function(_1,_2,on){var _3=window;var _4={addOnWindowUnload:function(_5,_6){if(!_1.windowUnloaded){on(_3,"unload",(_1.windowUnloaded=function(){}));}on(_3,"unload",_2.hitch(_5,_6));},addOnUnload:function(_7,_8){on(_3,"beforeunload",_2.hitch(_7,_8));}};_1.addOnWindowUnload=_4.addOnWindowUnload;_1.addOnUnload=_4.addOnUnload;return _4;});

8
lib/dojo/_base/url.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/url",["./kernel"],function(_1){var _2=new RegExp("^(([^:/?#]+):)?(//([^/?#]*))?([^?#]*)(\\?([^#]*))?(#(.*))?$"),_3=new RegExp("^((([^\\[:]+):)?([^@]+)@)?(\\[([^\\]]+)\\]|([^\\[:]*))(:([0-9]+))?$"),_4=function(){var n=null,_5=arguments,_6=[_5[0]];for(var i=1;i<_5.length;i++){if(!_5[i]){continue;}var _7=new _4(_5[i]+""),_8=new _4(_6[0]+"");if(_7.path==""&&!_7.scheme&&!_7.authority&&!_7.query){if(_7.fragment!=n){_8.fragment=_7.fragment;}_7=_8;}else{if(!_7.scheme){_7.scheme=_8.scheme;if(!_7.authority){_7.authority=_8.authority;if(_7.path.charAt(0)!="/"){var _9=_8.path.substring(0,_8.path.lastIndexOf("/")+1)+_7.path;var _a=_9.split("/");for(var j=0;j<_a.length;j++){if(_a[j]=="."){if(j==_a.length-1){_a[j]="";}else{_a.splice(j,1);j--;}}else{if(j>0&&!(j==1&&_a[0]=="")&&_a[j]==".."&&_a[j-1]!=".."){if(j==(_a.length-1)){_a.splice(j,1);_a[j-1]="";}else{_a.splice(j-1,2);j-=2;}}}}_7.path=_a.join("/");}}}}_6=[];if(_7.scheme){_6.push(_7.scheme,":");}if(_7.authority){_6.push("//",_7.authority);}_6.push(_7.path);if(_7.query){_6.push("?",_7.query);}if(_7.fragment){_6.push("#",_7.fragment);}}this.uri=_6.join("");var r=this.uri.match(_2);this.scheme=r[2]||(r[1]?"":n);this.authority=r[4]||(r[3]?"":n);this.path=r[5];this.query=r[7]||(r[6]?"":n);this.fragment=r[9]||(r[8]?"":n);if(this.authority!=n){r=this.authority.match(_3);this.user=r[3]||n;this.password=r[4]||n;this.host=r[6]||r[7];this.port=r[9]||n;}};_4.prototype.toString=function(){return this.uri;};return _1._Url=_4;});

8
lib/dojo/_base/window.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_base/window",["./kernel","./lang","../sniff"],function(_1,_2,_3){var _4={global:_1.global,doc:_1.global["document"]||null,body:function(_5){_5=_5||_1.doc;return _5.body||_5.getElementsByTagName("body")[0];},setContext:function(_6,_7){_1.global=_4.global=_6;_1.doc=_4.doc=_7;},withGlobal:function(_8,_9,_a,_b){var _c=_1.global;try{_1.global=_4.global=_8;return _4.withDoc.call(null,_8.document,_9,_a,_b);}finally{_1.global=_4.global=_c;}},withDoc:function(_d,_e,_f,_10){var _11=_4.doc,_12=_3("quirks"),_13=_3("ie"),_14,_15,_16;try{_1.doc=_4.doc=_d;_1.isQuirks=_3.add("quirks",_1.doc.compatMode=="BackCompat",true,true);if(_3("ie")){if((_16=_d.parentWindow)&&_16.navigator){_14=parseFloat(_16.navigator.appVersion.split("MSIE ")[1])||undefined;_15=_d.documentMode;if(_15&&_15!=5&&Math.floor(_14)!=_15){_14=_15;}_1.isIE=_3.add("ie",_14,true,true);}}if(_f&&typeof _e=="string"){_e=_f[_e];}return _e.apply(_f,_10||[]);}finally{_1.doc=_4.doc=_11;_1.isQuirks=_3.add("quirks",_12,true,true);_1.isIE=_3.add("ie",_13,true,true);}}};1&&_2.mixin(_1,_4);return _4;});

8
lib/dojo/_base/xhr.js Normal file

File diff suppressed because one or more lines are too long

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/_firebug/firebug",[],function(){var _1=(/Trident/.test(window.navigator.userAgent));if(_1){var _2=["log","info","debug","warn","error"];for(var i=0;i<_2.length;i++){var m=_2[i];if(!console[m]||console[m]._fake){continue;}var n="_"+_2[i];console[n]=console[m];console[m]=(function(){var _3=n;return function(){console[_3](Array.prototype.join.call(arguments," "));};})();}try{console.clear();}catch(e){}}});

8
lib/dojo/aspect.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/aspect",[],function(){"use strict";var _1;function _2(_3,_4,_5,_6){var _7=_3[_4];var _8=_4=="around";var _9;if(_8){var _a=_5(function(){return _7.advice(this,arguments);});_9={remove:function(){if(_a){_a=_3=_5=null;}},advice:function(_b,_c){return _a?_a.apply(_b,_c):_7.advice(_b,_c);}};}else{_9={remove:function(){if(_9.advice){var _d=_9.previous;var _e=_9.next;if(!_e&&!_d){delete _3[_4];}else{if(_d){_d.next=_e;}else{_3[_4]=_e;}if(_e){_e.previous=_d;}}_3=_5=_9.advice=null;}},id:_3.nextId++,advice:_5,receiveArguments:_6};}if(_7&&!_8){if(_4=="after"){while(_7.next&&(_7=_7.next)){}_7.next=_9;_9.previous=_7;}else{if(_4=="before"){_3[_4]=_9;_9.next=_7;_7.previous=_9;}}}else{_3[_4]=_9;}return _9;};function _f(_10){return function(_11,_12,_13,_14){var _15=_11[_12],_16;if(!_15||_15.target!=_11){_11[_12]=_16=function(){var _17=_16.nextId;var _18=arguments;var _19=_16.before;while(_19){if(_19.advice){_18=_19.advice.apply(this,_18)||_18;}_19=_19.next;}if(_16.around){var _1a=_16.around.advice(this,_18);}var _1b=_16.after;while(_1b&&_1b.id<_17){if(_1b.advice){if(_1b.receiveArguments){var _1c=_1b.advice.apply(this,_18);_1a=_1c===_1?_1a:_1c;}else{_1a=_1b.advice.call(this,_1a,_18);}}_1b=_1b.next;}return _1a;};if(_15){_16.around={advice:function(_1d,_1e){return _15.apply(_1d,_1e);}};}_16.target=_11;_16.nextId=_16.nextId||0;}var _1f=_2((_16||_15),_10,_13,_14);_13=null;return _1f;};};var _20=_f("after");var _21=_f("before");var _22=_f("around");return {before:_21,around:_22,after:_20};});

8
lib/dojo/back.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/back",["./_base/config","./_base/lang","./sniff","./dom","./dom-construct","./_base/window","require"],function(_1,_2,_3,_4,_5,_6,_7){var _8={};1&&_2.setObject("dojo.back",_8);var _9=_8.getHash=function(){var h=window.location.hash;if(h.charAt(0)=="#"){h=h.substring(1);}return _3("mozilla")?h:decodeURIComponent(h);},_a=_8.setHash=function(h){if(!h){h="";}window.location.hash=encodeURIComponent(h);_b=history.length;};var _c=(typeof (window)!=="undefined")?window.location.href:"";var _d=(typeof (window)!=="undefined")?_9():"";var _e=null;var _f=null;var _10=null;var _11=null;var _12=[];var _13=[];var _14=false;var _15=false;var _b;function _16(){var _17=_13.pop();if(!_17){return;}var _18=_13[_13.length-1];if(!_18&&_13.length==0){_18=_e;}if(_18){if(_18.kwArgs["back"]){_18.kwArgs["back"]();}else{if(_18.kwArgs["backButton"]){_18.kwArgs["backButton"]();}else{if(_18.kwArgs["handle"]){_18.kwArgs.handle("back");}}}}_12.push(_17);};_8.goBack=_16;function _19(){var _1a=_12.pop();if(!_1a){return;}if(_1a.kwArgs["forward"]){_1a.kwArgs.forward();}else{if(_1a.kwArgs["forwardButton"]){_1a.kwArgs.forwardButton();}else{if(_1a.kwArgs["handle"]){_1a.kwArgs.handle("forward");}}}_13.push(_1a);};_8.goForward=_19;function _1b(url,_1c,_1d){return {"url":url,"kwArgs":_1c,"urlHash":_1d};};function _1e(url){var _1f=url.split("?");if(_1f.length<2){return null;}else{return _1f[1];}};function _20(){var url=(_1["dojoIframeHistoryUrl"]||_7.toUrl("./resources/iframe_history.html"))+"?"+(new Date()).getTime();_14=true;if(_11){_3("webkit")?_11.location=url:window.frames[_11.name].location=url;}else{}return url;};function _21(){if(!_15){var hsl=_13.length;var _22=_9();if((_22===_d||window.location.href==_c)&&(hsl==1)){_16();return;}if(_12.length>0){if(_12[_12.length-1].urlHash===_22){_19();return;}}if((hsl>=2)&&(_13[hsl-2])){if(_13[hsl-2].urlHash===_22){_16();}}}};_8.init=function(){if(_4.byId("dj_history")){return;}var src=_1["dojoIframeHistoryUrl"]||_7.toUrl("./resources/iframe_history.html");if(_1.afterOnLoad){console.error("dojo/back::init() must be called before the DOM has loaded. "+"Include dojo/back in a build layer.");}else{document.write("<iframe style=\"border:0;width:1px;height:1px;position:absolute;visibility:hidden;bottom:0;right:0;\" name=\"dj_history\" id=\"dj_history\" src=\""+src+"\"></iframe>");}};_8.setInitialState=function(_23){_e=_1b(_c,_23,_d);};_8.addToHistory=function(_24){_12=[];var _25=null;var url=null;if(!_11){if(_1["useXDomain"]&&!_1["dojoIframeHistoryUrl"]){console.warn("dojo/back: When using cross-domain Dojo builds,"+" please save iframe_history.html to your domain and set djConfig.dojoIframeHistoryUrl"+" to the path on your domain to iframe_history.html");}_11=window.frames["dj_history"];}if(!_10){_10=_5.create("a",{style:{display:"none"}},_6.body());}if(_24["changeUrl"]){_25=""+((_24["changeUrl"]!==true)?_24["changeUrl"]:(new Date()).getTime());if(_13.length==0&&_e.urlHash==_25){_e=_1b(url,_24,_25);return;}else{if(_13.length>0&&_13[_13.length-1].urlHash==_25){_13[_13.length-1]=_1b(url,_24,_25);return;}}_15=true;setTimeout(function(){_a(_25);_15=false;},1);_10.href=_25;if(_3("ie")){url=_20();var _26=_24["back"]||_24["backButton"]||_24["handle"];var tcb=function(_27){if(_9()!=""){setTimeout(function(){_a(_25);},1);}_26.apply(this,[_27]);};if(_24["back"]){_24.back=tcb;}else{if(_24["backButton"]){_24.backButton=tcb;}else{if(_24["handle"]){_24.handle=tcb;}}}var _28=_24["forward"]||_24["forwardButton"]||_24["handle"];var tfw=function(_29){if(_9()!=""){_a(_25);}if(_28){_28.apply(this,[_29]);}};if(_24["forward"]){_24.forward=tfw;}else{if(_24["forwardButton"]){_24.forwardButton=tfw;}else{if(_24["handle"]){_24.handle=tfw;}}}}else{if(!_3("ie")){if(!_f){_f=setInterval(_21,200);}}}}else{url=_20();}_13.push(_1b(url,_24,_25));};_8._iframeLoaded=function(evt,_2a){var _2b=_1e(_2a.href);if(_2b==null){if(_13.length==1){_16();}return;}if(_14){_14=false;return;}if(_13.length>=2&&_2b==_1e(_13[_13.length-2].url)){_16();}else{if(_12.length>0&&_2b==_1e(_12[_12.length-1].url)){_19();}}};return _8;});

8
lib/dojo/behavior.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/behavior",["./_base/kernel","./_base/lang","./_base/array","./_base/connect","./query","./domReady"],function(_1,_2,_3,_4,_5,_6){_1.deprecated("dojo.behavior","Use dojo/on with event delegation (on.selector())");var _7=function(){function _8(_9,_a){if(!_9[_a]){_9[_a]=[];}return _9[_a];};var _b=0;function _c(_d,_e,_f){var _10={};for(var x in _d){if(typeof _10[x]=="undefined"){if(!_f){_e(_d[x],x);}else{_f.call(_e,_d[x],x);}}}};this._behaviors={};this.add=function(_11){_c(_11,this,function(_12,_13){var _14=_8(this._behaviors,_13);if(typeof _14["id"]!="number"){_14.id=_b++;}var _15=[];_14.push(_15);if((_2.isString(_12))||(_2.isFunction(_12))){_12={found:_12};}_c(_12,function(_16,_17){_8(_15,_17).push(_16);});});};var _18=function(_19,_1a,_1b){if(_2.isString(_1a)){if(_1b=="found"){_4.publish(_1a,[_19]);}else{_4.connect(_19,_1b,function(){_4.publish(_1a,arguments);});}}else{if(_2.isFunction(_1a)){if(_1b=="found"){_1a(_19);}else{_4.connect(_19,_1b,_1a);}}}};this.apply=function(){_c(this._behaviors,function(_1c,id){_5(id).forEach(function(_1d){var _1e=0;var bid="_dj_behavior_"+_1c.id;if(typeof _1d[bid]=="number"){_1e=_1d[bid];if(_1e==(_1c.length)){return;}}for(var x=_1e,_1f;_1f=_1c[x];x++){_c(_1f,function(_20,_21){if(_2.isArray(_20)){_3.forEach(_20,function(_22){_18(_1d,_22,_21);});}});}_1d[bid]=_1c.length;});});};};_1.behavior=new _7();_6(function(){_1.behavior.apply();});return _1.behavior;});

28
lib/dojo/bower.json Normal file
View File

@ -0,0 +1,28 @@
{
"name": "dojo",
"main": "main.js",
"moduleType": [ "amd" ],
"licenses": [ "BSD-3-Clause", "AFL-2.1" ],
"ignore": [
".*",
"tests",
"testsDOH"
],
"keywords": [ "JavaScript", "Dojo", "Toolkit" ],
"authors": [],
"homepage": "http://dojotoolkit.org/",
"repository":{
"type": "git",
"url": "https://github.com/dojo/dojo.git"
},
"dependencies": {
},
"devDependencies": {
"intern-geezer": "2.2.2",
"http-proxy": "0.10.3",
"glob": "3.2.7",
"jsgi-node": "0.3.1",
"formidable": "1.0.14",
"sinon": "1.12.2"
}
}

8
lib/dojo/cache.js Normal file
View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cache",["./_base/kernel","./text"],function(_1){return _1.cache;});

29
lib/dojo/cldr/LICENSE Normal file
View File

@ -0,0 +1,29 @@
UNICODE, INC. LICENSE AGREEMENT - DATA FILES AND SOFTWARE
Unicode Data Files include all data files under the directories http://www.unicode.org/Public/, http://www.unicode.org/reports/,
and http://www.unicode.org/cldr/data/ . Unicode Software includes any source code published in the Unicode Standard or under
the directories http://www.unicode.org/Public/, http://www.unicode.org/reports/, and http://www.unicode.org/cldr/data/.
NOTICE TO USER: Carefully read the following legal agreement. BY DOWNLOADING, INSTALLING, COPYING OR
OTHERWISE USING UNICODE INC.'S DATA FILES ("DATA FILES"), AND/OR SOFTWARE ("SOFTWARE"), YOU
UNEQUIVOCALLY ACCEPT, AND AGREE TO BE BOUND BY, ALL OF THE TERMS AND CONDITIONS OF THIS
AGREEMENT. IF YOU DO NOT AGREE, DO NOT DOWNLOAD, INSTALL, COPY, DISTRIBUTE OR USE THE DATA FILES OR SOFTWARE.
COPYRIGHT AND PERMISSION NOTICE
Copyright <20> 1991-2007 Unicode, Inc. All rights reserved. Distributed under the Terms of Use in http://www.unicode.org/copyright.html.
Permission is hereby granted, free of charge, to any person obtaining a copy of the Unicode data files and any associated
documentation (the "Data Files") or Unicode software and any associated documentation (the "Software") to deal in the Data
Files or Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, and/or sell
copies of the Data Files or Software, and to permit persons to whom the Data Files or Software are furnished to do so, provided
that (a) the above copyright notice(s) and this permission notice appear with all copies of the Data Files or Software, (b) both the
above copyright notice(s) and this permission notice appear in associated documentation, and (c) there is clear notice in each modified Data File
or in the Software as well as in the documentation associated with the Data File(s) or Software that the data or software has been modified.
THE DATA FILES AND SOFTWARE ARE PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED,
INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE
AND NONINFRINGEMENT OF THIRD PARTY RIGHTS. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR HOLDERS
INCLUDED IN THIS NOTICE BE LIABLE FOR ANY CLAIM, OR ANY SPECIAL INDIRECT OR CONSEQUENTIAL DAMAGES,
OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF
CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR
PERFORMANCE OF THE DATA FILES OR SOFTWARE.
Except as contained in this notice, the name of a copyright holder shall not be used in advertising or otherwise to promote the sale, use or other
dealings in these Data Files or Software without prior written authorization of the copyright holder.

18
lib/dojo/cldr/README Normal file
View File

@ -0,0 +1,18 @@
All files within this directory were derived from the Common Locale
Data Repository (see http://unicode.org/cldr) The CLDR project is
responsible for the accuracy and maintenance of this data. A copy
of this data is checked into the Dojo util project as a zip file.
The XML data is transformed to the JSON-style Javascript you see
under the nls/ directory. These Javascript files include data
necessary to do things like format and parse dates, numbers, and
currencies in different locales to consider cultural differences.
They are used by other modules in core Dojo such as dojo.date,
dojo.number and dojo.currency. It usually is not necessary to use
dojo.cldr directly.
An arbitrary subset of locales have been checked in to dojo/cldr
under svn. To support other locales, the full set may be generated
by using xslt scripts in the util/buildscripts/cldr/ ant script.
Hundreds of locales are supported by the CLDR project.
See terms of use: http://www.unicode.org/copyright.html#Exhibit1

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/monetary",["../_base/kernel","../_base/lang"],function(_1,_2){var _3={};_2.setObject("dojo.cldr.monetary",_3);_3.getData=function(_4){var _5={ADP:0,AFN:0,ALL:0,AMD:0,BHD:3,BIF:0,BYR:0,CLF:0,CLP:0,COP:0,CRC:0,DJF:0,ESP:0,GNF:0,GYD:0,HUF:0,IDR:0,IQD:0,IRR:3,ISK:0,ITL:0,JOD:3,JPY:0,KMF:0,KPW:0,KRW:0,KWD:3,LAK:0,LBP:0,LUF:0,LYD:3,MGA:0,MGF:0,MMK:0,MNT:0,MRO:0,MUR:0,OMR:3,PKR:2,PYG:0,RSD:0,RWF:0,SLL:0,SOS:0,STD:0,SYP:0,TMM:0,TND:3,TRL:0,TZS:0,UGX:0,UZS:0,VND:0,VUV:0,XAF:0,XOF:0,XPF:0,YER:0,ZMK:0,ZWD:0};var _6={};var _7=_5[_4],_8=_6[_4];if(typeof _7=="undefined"){_7=2;}if(typeof _8=="undefined"){_8=0;}return {places:_7,round:_8};};return _3;});

File diff suppressed because one or more lines are too long

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/ar/coptic",{"field-sat-relative+0":"السبت الحالي","field-sat-relative+1":"السبت التالي","field-dayperiod":"ص/م","field-sun-relative+-1":"الأحد الماضي","field-mon-relative+-1":"الاثنين الماضي","field-minute":"الدقائق","field-day-relative+-1":"أمس","field-weekday":"اليوم","field-day-relative+-2":"أول أمس","months-standAlone-narrow":["1","2","3","4","5","6","7","8","9","10","11","12","13"],"field-era":"العصر","field-hour":"الساعات","field-sun-relative+0":"الأحد الحالي","field-sun-relative+1":"الأحد التالي","field-wed-relative+-1":"الأربعاء الماضي","field-day-relative+0":"اليوم","field-day-relative+1":"غدًا","field-day-relative+2":"بعد الغد","field-tue-relative+0":"الثلاثاء الحالي","field-zone":"التوقيت","field-tue-relative+1":"الثلاثاء التالي","field-week-relative+-1":"الأسبوع الماضي","field-year-relative+0":"السنة الحالية","field-year-relative+1":"السنة التالية","field-sat-relative+-1":"السبت الماضي","field-year-relative+-1":"السنة الماضية","field-year":"السنة","field-fri-relative+0":"الجمعة الحالية","field-fri-relative+1":"الجمعة التالية","field-week":"الأسبوع","field-week-relative+0":"هذا الأسبوع","field-week-relative+1":"الأسبوع التالي","field-month-relative+0":"هذا الشهر","field-month":"الشهر","field-month-relative+1":"الشهر التالي","field-fri-relative+-1":"الجمعة الماضية","field-second":"الثواني","field-tue-relative+-1":"الثلاثاء الماضي","field-day":"يوم","months-format-narrow":["1","2","3","4","5","6","7","8","9","10","11","12","13"],"field-mon-relative+0":"الاثنين الحالي","field-mon-relative+1":"الاثنين التالي","field-thu-relative+0":"الخميس الحالي","field-second-relative+0":"الآن","field-thu-relative+1":"الخميس التالي","field-wed-relative+0":"الأربعاء الحالي","months-format-wide":["توت","بابه","هاتور","كيهك","طوبة","أمشير","برمهات","برمودة","بشنس","بؤونة","أبيب","مسرى","نسيئ"],"field-wed-relative+1":"الأربعاء التالي","field-month-relative+-1":"الشهر الماضي","field-thu-relative+-1":"الخميس الماضي"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/ar/currency",{"HKD_displayName":"دولار هونج كونج","CHF_displayName":"فرنك سويسري","JPY_symbol":"JP¥","CAD_displayName":"دولار كندي","HKD_symbol":"HK$","CNY_displayName":"يوان صيني","USD_symbol":"US$","AUD_displayName":"دولار أسترالي","JPY_displayName":"ين ياباني","CAD_symbol":"CA$","USD_displayName":"دولار أمريكي","EUR_symbol":"€","CNY_symbol":"ي.ص","GBP_displayName":"جنيه إسترليني","GBP_symbol":"£","AUD_symbol":"AU$","EUR_displayName":"يورو"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/ar/ethiopic",{"field-sat-relative+0":"السبت الحالي","field-sat-relative+1":"السبت التالي","field-dayperiod":"ص/م","field-sun-relative+-1":"الأحد الماضي","field-mon-relative+-1":"الاثنين الماضي","field-minute":"الدقائق","field-day-relative+-1":"أمس","field-weekday":"اليوم","field-day-relative+-2":"أول أمس","field-era":"العصر","field-hour":"الساعات","field-sun-relative+0":"الأحد الحالي","field-sun-relative+1":"الأحد التالي","field-wed-relative+-1":"الأربعاء الماضي","field-day-relative+0":"اليوم","field-day-relative+1":"غدًا","field-day-relative+2":"بعد الغد","field-tue-relative+0":"الثلاثاء الحالي","field-zone":"التوقيت","field-tue-relative+1":"الثلاثاء التالي","field-week-relative+-1":"الأسبوع الماضي","field-year-relative+0":"السنة الحالية","field-year-relative+1":"السنة التالية","field-sat-relative+-1":"السبت الماضي","field-year-relative+-1":"السنة الماضية","field-year":"السنة","field-fri-relative+0":"الجمعة الحالية","field-fri-relative+1":"الجمعة التالية","field-week":"الأسبوع","field-week-relative+0":"هذا الأسبوع","field-week-relative+1":"الأسبوع التالي","field-month-relative+0":"هذا الشهر","field-month":"الشهر","field-month-relative+1":"الشهر التالي","field-fri-relative+-1":"الجمعة الماضية","field-second":"الثواني","field-tue-relative+-1":"الثلاثاء الماضي","field-day":"يوم","field-mon-relative+0":"الاثنين الحالي","field-mon-relative+1":"الاثنين التالي","field-thu-relative+0":"الخميس الحالي","field-second-relative+0":"الآن","field-thu-relative+1":"الخميس التالي","field-wed-relative+0":"الأربعاء الحالي","months-format-wide":["مسكريم","تكمت","هدار","تهساس","تر","يكتت","مجابيت","ميازيا","جنبت","سين","هامل","نهاس","باجمن"],"field-wed-relative+1":"الأربعاء التالي","field-month-relative+-1":"الشهر الماضي","field-thu-relative+-1":"الخميس الماضي"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/ar/generic",{"field-second-relative+0":"الآن","field-weekday":"اليوم","field-wed-relative+0":"الأربعاء الحالي","field-wed-relative+1":"الأربعاء التالي","dateFormatItem-GyMMMEd":"E، d MMM، y G","dateFormatItem-MMMEd":"E، d MMM","field-tue-relative+-1":"الثلاثاء الماضي","dateFormat-long":"d MMMM، y G","field-fri-relative+-1":"الجمعة الماضية","field-wed-relative+-1":"الأربعاء الماضي","dateFormatItem-yyyyQQQ":"QQQ y G","dateTimeFormat-medium":"{1} {0}","dateFormat-full":"EEEE، d MMMM، y G","dateFormatItem-yyyyMEd":"E، d/M/y G","field-thu-relative+-1":"الخميس الماضي","dateFormatItem-Md":"d/M","field-era":"العصر","field-year":"السنة","dateFormatItem-yyyyMMMM":"MMMM، y G","field-hour":"الساعات","field-sat-relative+0":"السبت الحالي","field-sat-relative+1":"السبت التالي","field-day-relative+0":"اليوم","field-day-relative+1":"غدًا","field-thu-relative+0":"الخميس الحالي","dateFormatItem-GyMMMd":"d MMM، y G","field-day-relative+2":"بعد الغد","field-thu-relative+1":"الخميس التالي","dateFormatItem-H":"HH","dateFormatItem-Gy":"y G","dateFormatItem-yyyyMMMEd":"E، d MMM، y G","dateFormatItem-M":"L","dateFormatItem-yyyyMMM":"MMM، y G","dateFormatItem-yyyyMMMd":"d MMM، y G","field-sun-relative+0":"الأحد الحالي","dateFormatItem-Hm":"HH:mm","field-sun-relative+1":"الأحد التالي","field-minute":"الدقائق","field-dayperiod":"ص/م","dateFormatItem-d":"d","dateFormatItem-ms":"mm:ss","field-day-relative+-1":"أمس","dateFormatItem-h":"h a","dateTimeFormat-long":"{1} {0}","field-day-relative+-2":"أول أمس","dateFormatItem-MMMd":"d MMM","dateFormatItem-MEd":"E، d/M","dateTimeFormat-full":"{1} {0}","field-fri-relative+0":"الجمعة الحالية","field-fri-relative+1":"الجمعة التالية","field-day":"يوم","field-zone":"التوقيت","dateFormatItem-y":"y G","field-year-relative+-1":"السنة الماضية","field-month-relative+-1":"الشهر الماضي","dateFormatItem-hm":"h:mm a","dateFormatItem-yyyyMd":"d/M/y G","field-month":"الشهر","dateFormatItem-MMM":"LLL","field-tue-relative+0":"الثلاثاء الحالي","field-tue-relative+1":"الثلاثاء التالي","field-mon-relative+0":"الاثنين الحالي","field-mon-relative+1":"الاثنين التالي","dateFormat-short":"d/M/y GGGGG","field-second":"الثواني","field-sat-relative+-1":"السبت الماضي","field-sun-relative+-1":"الأحد الماضي","field-month-relative+0":"هذا الشهر","field-month-relative+1":"الشهر التالي","dateFormatItem-Ed":"E، d","field-week":"الأسبوع","dateFormat-medium":"dd/MM/y G","field-year-relative+0":"السنة الحالية","field-week-relative+-1":"الأسبوع الماضي","dateFormatItem-yyyyM":"M/y G","field-year-relative+1":"السنة التالية","dateFormatItem-yyyyQQQQ":"QQQQ y G","dateTimeFormat-short":"{1} {0}","dateFormatItem-Hms":"HH:mm:ss","dateFormatItem-hms":"h:mm:ss a","dateFormatItem-GyMMM":"MMM y G","field-mon-relative+-1":"الاثنين الماضي","dateFormatItem-yyyy":"y G","field-week-relative+0":"هذا الأسبوع","field-week-relative+1":"الأسبوع التالي"});

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/ar/number",{"group":",","percentSign":"%","exponential":"E","scientificFormat":"#E0","percentFormat":"#,##0%","list":";","infinity":"∞","minusSign":"-","decimal":".","superscriptingExponent":"×","nan":"NaN","perMille":"‰","decimalFormat":"#,##0.###","currencyFormat":"¤#,##0.00;(¤#,##0.00)","plusSign":"+","decimalFormat-long":"000 تريليون","decimalFormat-short":"000 ترليو"});

File diff suppressed because one or more lines are too long

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/ar/roc",{"field-sat-relative+0":"السبت الحالي","field-sat-relative+1":"السبت التالي","field-dayperiod":"ص/م","field-sun-relative+-1":"الأحد الماضي","field-mon-relative+-1":"الاثنين الماضي","field-minute":"الدقائق","field-day-relative+-1":"أمس","field-weekday":"اليوم","field-day-relative+-2":"أول أمس","field-era":"العصر","field-hour":"الساعات","field-sun-relative+0":"الأحد الحالي","field-sun-relative+1":"الأحد التالي","field-wed-relative+-1":"الأربعاء الماضي","field-day-relative+0":"اليوم","field-day-relative+1":"غدًا","eraAbbr":["Before R.O.C.","جمهورية الصي"],"field-day-relative+2":"بعد الغد","field-tue-relative+0":"الثلاثاء الحالي","field-zone":"التوقيت","field-tue-relative+1":"الثلاثاء التالي","field-week-relative+-1":"الأسبوع الماضي","field-year-relative+0":"السنة الحالية","field-year-relative+1":"السنة التالية","field-sat-relative+-1":"السبت الماضي","field-year-relative+-1":"السنة الماضية","field-year":"السنة","field-fri-relative+0":"الجمعة الحالية","field-fri-relative+1":"الجمعة التالية","field-week":"الأسبوع","field-week-relative+0":"هذا الأسبوع","field-week-relative+1":"الأسبوع التالي","field-month-relative+0":"هذا الشهر","field-month":"الشهر","field-month-relative+1":"الشهر التالي","field-fri-relative+-1":"الجمعة الماضية","field-second":"الثواني","field-tue-relative+-1":"الثلاثاء الماضي","field-day":"يوم","field-mon-relative+0":"الاثنين الحالي","field-mon-relative+1":"الاثنين التالي","field-thu-relative+0":"الخميس الحالي","field-second-relative+0":"الآن","field-thu-relative+1":"الخميس التالي","field-wed-relative+0":"الأربعاء الحالي","field-wed-relative+1":"الأربعاء التالي","field-month-relative+-1":"الشهر الماضي","field-thu-relative+-1":"الخميس الماضي"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/bs/currency",{"HKD_displayName":"Honkonški dolar","CHF_displayName":"Švicarski franak","CAD_displayName":"Kanadski dolar","CNY_displayName":"Kineski juan","AUD_displayName":"Australijski dolar","JPY_displayName":"Japanski jen","USD_displayName":"Američki dolar","GBP_displayName":"Britanska funta","EUR_displayName":"Euro"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/bs/generic",{"dateFormatItem-yyyyMMMEd":"E, dd. MMM y. G","field-dayperiod":"prijepodne/poslijepodne","field-minute":"minut","dateFormatItem-MMMEd":"E, dd. MMM","field-day-relative+-1":"juče","dateFormatItem-hms":"hh:mm:ss a","field-day-relative+-2":"prekjuče","field-weekday":"dan u sedmici","dateFormatItem-MMM":"LLL","field-era":"era","dateFormatItem-Gy":"y. G","field-hour":"sat","dateFormatItem-y":"y. G","dateFormatItem-yyyy":"y. G","dateFormatItem-Ed":"E, dd.","field-day-relative+0":"danas","field-day-relative+1":"sutra","field-day-relative+2":"prekosutra","dateFormatItem-GyMMMd":"dd. MMM y. G","dateFormat-long":"dd. MMMM y. G","field-zone":"zona","dateFormatItem-Hm":"HH:mm","dateFormat-medium":"dd.MM.y. G","dateFormatItem-Hms":"HH:mm:ss","dateFormatItem-ms":"mm:ss","field-year":"godina","dateFormatItem-yyyyQQQQ":"G y QQQQ","field-week":"sedmica","dateFormatItem-yyyyMd":"dd.MM.y. G","dateFormatItem-yyyyMMMd":"dd. MMM y. G","dateFormatItem-yyyyMEd":"E, dd.MM.y. G","dateFormatItem-MMMd":"dd. MMM","field-month":"mjesec","dateFormatItem-M":"L","field-second":"sekund","dateFormatItem-GyMMMEd":"E, dd. MMM y. G","dateFormatItem-GyMMM":"MMM y. G","field-day":"dan","dateFormatItem-yyyyQQQ":"G y QQQ","dateFormatItem-MEd":"E, dd.MM.","dateFormatItem-hm":"hh:mm a","dateFormat-short":"dd.MM.y. GGGGG","dateFormatItem-yyyyM":"MM.y. G","dateFormat-full":"EEEE, dd. MMMM y. G","dateFormatItem-Md":"dd.MM.","dateFormatItem-yyyyMMM":"MMM y. G","dateFormatItem-d":"d"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/bs/gregorian",{"dateFormatItem-yM":"MM.y.","field-dayperiod":"prijepodne/poslijepodne","dayPeriods-format-wide-pm":"popodne","field-minute":"minut","eraNames":["Prije nove ere","Nove ere"],"dateFormatItem-MMMEd":"E, dd. MMM","field-day-relative+-1":"juče","field-weekday":"dan u sedmici","dateFormatItem-hms":"hh:mm:ss a","dateFormatItem-yQQQ":"y QQQ","field-day-relative+-2":"prekjuče","days-standAlone-wide":["nedjelja","ponedjeljak","utorak","srijeda","četvrtak","petak","subota"],"dateFormatItem-MMM":"LLL","months-standAlone-narrow":["j","f","m","a","m","j","j","a","s","o","n","d"],"field-era":"era","dateFormatItem-Gy":"y. G","field-hour":"sat","dayPeriods-format-wide-am":"prije podne","quarters-standAlone-abbr":["K1","K2","K3","K4"],"dateFormatItem-y":"y.","timeFormat-full":"HH:mm:ss zzzz","months-standAlone-abbr":["jan","feb","mar","apr","maj","jun","jul","aug","sep","okt","nov","dec"],"dateFormatItem-Ed":"E, dd.","dateFormatItem-yMMM":"MMM y.","field-day-relative+0":"danas","field-day-relative+1":"sutra","eraAbbr":["p. n. e.","n. e."],"field-day-relative+2":"prekosutra","dateFormatItem-GyMMMd":"dd. MMM y. G","dateFormat-long":"dd. MMMM y.","timeFormat-medium":"HH:mm:ss","field-zone":"zona","dateFormatItem-Hm":"HH:mm","dateFormat-medium":"dd. MMM. y.","dateFormatItem-Hms":"HH:mm:ss","dateFormatItem-yMd":"dd.MM.y.","quarters-standAlone-wide":["Prvi kvartal","Drugi kvartal","Treći kvartal","Četvrti kvartal"],"dateFormatItem-ms":"mm:ss","field-year":"godina","field-week":"sedmica","months-standAlone-wide":["januar","februar","mart","april","maj","juni","juli","august","septembar","oktobar","novembar","decembar"],"dateFormatItem-MMMd":"dd. MMM","timeFormat-long":"HH:mm:ss z","months-format-abbr":["jan","feb","mar","apr","maj","jun","jul","aug","sep","okt","nov","dec"],"dateFormatItem-yQQQQ":"y QQQQ","timeFormat-short":"HH:mm","field-month":"mjesec","quarters-format-abbr":["K1","K2","K3","K4"],"days-format-abbr":["ned","pon","uto","sri","čet","pet","sub"],"dateFormatItem-M":"L","dateFormatItem-yMMMd":"dd. MMM y.","field-second":"sekund","dateFormatItem-GyMMMEd":"E, dd. MMM y. G","dateFormatItem-GyMMM":"MMM y. G","field-day":"dan","dateFormatItem-MEd":"E, dd.MM.","months-format-narrow":["j","f","m","a","m","j","j","a","s","o","n","d"],"days-standAlone-short":["ned","pon","uto","sri","čet","pet","sub"],"dateFormatItem-hm":"hh:mm a","days-standAlone-abbr":["ned","pon","uto","sri","čet","pet","sub"],"dateFormat-short":"dd.MM.yy.","dateFormatItem-yMMMEd":"E, dd. MMM y.","dateFormat-full":"EEEE, dd. MMMM y.","dateFormatItem-Md":"dd.MM.","dateFormatItem-yMEd":"E, dd.MM.y.","months-format-wide":["januar","februar","mart","april","maj","juni","juli","august","septembar","oktobar","novembar","decembar"],"days-format-short":["ned","pon","uto","sri","čet","pet","sub"],"dateFormatItem-d":"d","quarters-format-wide":["Prvi kvartal","Drugi kvartal","Treći kvartal","Četvrti kvartal"],"days-format-wide":["nedjelja","ponedjeljak","utorak","srijeda","četvrtak","petak","subota"],"eraNarrow":["p. n. e.","n. e."]});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/bs/islamic",{"dateFormatItem-yM":"MM.y. G","field-dayperiod":"prijepodne/poslijepodne","dateFormatItem-yyyyMMMEd":"E, dd. MMM y. G","dayPeriods-format-wide-pm":"popodne","field-minute":"minut","dateFormatItem-MMMEd":"E, dd. MMM","field-day-relative+-1":"juče","field-weekday":"dan u sedmici","dateFormatItem-hms":"hh:mm:ss a","dateFormatItem-yQQQ":"y G QQQ","field-day-relative+-2":"prekjuče","dateFormatItem-MMM":"LLL","field-era":"era","dateFormatItem-Gy":"y. G","field-hour":"sat","dayPeriods-format-wide-am":"prije podne","dateFormatItem-y":"y. G","dateFormatItem-yyyy":"y. G","dateFormatItem-Ed":"E, dd.","dateFormatItem-yMMM":"MMM y. G","field-day-relative+0":"danas","field-day-relative+1":"sutra","eraAbbr":["AH"],"field-day-relative+2":"prekosutra","dateFormatItem-GyMMMd":"dd. MMM y. G","dateFormat-long":"dd. MMMM y. G","field-zone":"zona","dateFormatItem-Hm":"HH:mm","dateFormat-medium":"dd.MM.y. G","dateFormatItem-Hms":"HH:mm:ss","dateFormatItem-yMd":"dd.MM.y. G","dateFormatItem-ms":"mm:ss","field-year":"godina","field-week":"sedmica","dateFormatItem-yyyyMd":"dd.MM.y. G","dateFormatItem-yyyyMMMd":"dd. MMM y. G","dateFormatItem-yyyyMEd":"E, dd.MM.y. G","dateFormatItem-MMMd":"dd. MMM","dateFormatItem-yQQQQ":"y G QQQQ","field-month":"mjesec","quarters-format-abbr":["K1","K2","K3","K4"],"days-format-abbr":["ned","pon","uto","sri","čet","pet","sub"],"dateFormatItem-M":"L","dateFormatItem-yMMMd":"dd. MMM y. G","field-second":"sekund","dateFormatItem-GyMMMEd":"E, dd. MMM y. G","dateFormatItem-GyMMM":"MMM y. G","field-day":"dan","dateFormatItem-MEd":"E, dd.MM.","dateFormatItem-hm":"hh:mm a","dateFormat-short":"dd.MM.y. G","dateFormatItem-yyyyM":"MM.y. G","dateFormatItem-yMMMEd":"E, dd. MMM y. G","dateFormat-full":"EEEE, dd. MMMM y. G","dateFormatItem-Md":"dd.MM.","dateFormatItem-yMEd":"E, dd.MM.y. G","dateFormatItem-yyyyMMM":"MMM y. G","dateFormatItem-d":"d","quarters-format-wide":["Prvi kvartal","Drugi kvartal","Treći kvartal","Četvrti kvartal"],"days-format-wide":["nedjelja","ponedjeljak","utorak","srijeda","četvrtak","petak","subota"]});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/bs/number",{"group":".","decimal":","});

File diff suppressed because one or more lines are too long

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/ca/buddhist",{"days-standAlone-short":["dg.","dl.","dt.","dc.","dj.","dv.","ds."],"months-format-narrow":["GN","FB","MÇ","AB","MG","JN","JL","AG","ST","OC","NV","DS"],"field-second-relative+0":"ara","field-weekday":"dia de la setmana","field-wed-relative+0":"aquest dimecres","field-wed-relative+1":"dimecres que ve","dateFormatItem-GyMMMEd":"E, d MMM y G","dateFormatItem-MMMEd":"E d MMM","eraNarrow":["eB"],"field-tue-relative+-1":"dimarts passat","days-format-short":["dg.","dl.","dt.","dc.","dj.","dv.","ds."],"dateFormat-long":"d MMMM y G","field-fri-relative+-1":"divendres passat","field-wed-relative+-1":"dimecres passat","months-format-wide":["de gener","de febrer","de març","dabril","de maig","de juny","de juliol","dagost","de setembre","doctubre","de novembre","de desembre"],"dateFormatItem-yyyyQQQ":"QQQ y G","dateTimeFormat-medium":"{1}, {0}","dayPeriods-format-wide-pm":"p. m.","dateFormat-full":"EEEE, dd MMMM y G","dateFormatItem-yyyyMEd":"E, d.M.y G","field-thu-relative+-1":"dijous passat","dateFormatItem-Md":"d/M","field-era":"era","months-standAlone-wide":["gener","febrer","març","abril","maig","juny","juliol","agost","setembre","octubre","novembre","desembre"],"timeFormat-short":"H:mm","quarters-format-wide":["1r trimestre","2n trimestre","3r trimestre","4t trimestre"],"timeFormat-long":"H:mm:ss z","field-year":"any","field-hour":"hora","months-format-abbr":["gen.","febr.","març","abr.","maig","juny","jul.","ag.","set.","oct.","nov.","des."],"field-sat-relative+0":"aquest dissabte","field-sat-relative+1":"dissabte que ve","timeFormat-full":"H:mm:ss zzzz","field-day-relative+0":"avui","field-thu-relative+0":"aquest dijous","field-day-relative+1":"demà","field-thu-relative+1":"dijous que ve","dateFormatItem-GyMMMd":"d MMM y G","field-day-relative+2":"demà passat","dateFormatItem-H":"H","months-standAlone-abbr":["gen.","febr.","març","abr.","maig","juny","jul.","ag.","set.","oct.","nov.","des."],"quarters-format-abbr":["1T","2T","3T","4T"],"quarters-standAlone-wide":["1r trimestre","2n trimestre","3r trimestre","4t trimestre"],"dateFormatItem-Gy":"y G","dateFormatItem-yyyyMMMEd":"E, d MMM y G","dateFormatItem-M":"L","days-standAlone-wide":["diumenge","dilluns","dimarts","dimecres","dijous","divendres","dissabte"],"dateFormatItem-yyyyMMM":"LLL y G","dateFormatItem-yyyyMMMd":"d MMM y G","timeFormat-medium":"H:mm:ss","field-sun-relative+0":"aquest diumenge","dateFormatItem-Hm":"H:mm","field-sun-relative+1":"diumenge que ve","quarters-standAlone-abbr":["1T","2T","3T","4T"],"eraAbbr":["eB"],"field-minute":"minut","field-dayperiod":"a. m./p. m.","days-standAlone-abbr":["dg.","dl.","dt.","dc.","dj.","dv.","ds."],"dateFormatItem-d":"d","field-day-relative+-1":"ahir","dateTimeFormat-long":"{1}, {0}","dayPeriods-format-narrow-am":"a.m.","field-day-relative+-2":"abans-dahir","dateFormatItem-MMMd":"d MMM","dateFormatItem-MEd":"E, d/M","dateTimeFormat-full":"{1}, {0}","field-fri-relative+0":"aquest divendres","field-fri-relative+1":"divendres que ve","field-day":"dia","days-format-wide":["diumenge","dilluns","dimarts","dimecres","dijous","divendres","dissabte"],"field-zone":"zona","dateFormatItem-y":"y G","months-standAlone-narrow":["GN","FB","MÇ","AB","MG","JN","JL","AG","ST","OC","NV","DS"],"field-year-relative+-1":"lany passat","field-month-relative+-1":"el mes passat","days-format-abbr":["dg.","dl.","dt.","dc.","dj.","dv.","ds."],"eraNames":["eB"],"days-format-narrow":["dg","dl","dt","dc","dj","dv","ds"],"dateFormatItem-yyyyMd":"d/M/y G","field-month":"mes","dateFormatItem-MMM":"LLL","days-standAlone-narrow":["dg","dl","dt","dc","dj","dv","ds"],"field-tue-relative+0":"aquest dimarts","field-tue-relative+1":"dimarts que ve","dayPeriods-format-wide-am":"a. m.","field-mon-relative+0":"aquest dilluns","field-mon-relative+1":"dilluns que ve","dateFormat-short":"dd/MM/y GGGGG","field-second":"segon","field-sat-relative+-1":"dissabte passat","field-sun-relative+-1":"diumenge passat","field-month-relative+0":"aquest mes","field-month-relative+1":"el mes que ve","dateFormatItem-Ed":"E d","field-week":"setmana","dateFormat-medium":"d MMM y G","field-year-relative+0":"enguany","field-week-relative+-1":"la setmana passada","dateFormatItem-yyyyM":"M/y G","field-year-relative+1":"lany que ve","dayPeriods-format-narrow-pm":"p.m.","dateFormatItem-yyyyQQQQ":"QQQQ y G","dateTimeFormat-short":"{1}, {0}","dateFormatItem-Hms":"H:mm:ss","dateFormatItem-GyMMM":"LLL y G","field-mon-relative+-1":"dilluns passat","dateFormatItem-yyyy":"y G","field-week-relative+0":"aquesta setmana","field-week-relative+1":"la setmana que ve"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/ca/chinese",{"field-sat-relative+0":"aquest dissabte","field-sat-relative+1":"dissabte que ve","field-dayperiod":"a. m./p. m.","field-sun-relative+-1":"diumenge passat","field-mon-relative+-1":"dilluns passat","field-minute":"minut","field-day-relative+-1":"ahir","field-weekday":"dia de la setmana","field-day-relative+-2":"abans-dahir","months-standAlone-narrow":["1","2","3","4","5","6","7","8","9","10","11","12"],"field-era":"era","field-hour":"hora","field-sun-relative+0":"aquest diumenge","field-sun-relative+1":"diumenge que ve","months-standAlone-abbr":["1","2","3","4","5","6","7","8","9","10","11","12"],"field-wed-relative+-1":"dimecres passat","field-day-relative+0":"avui","field-day-relative+1":"demà","field-day-relative+2":"demà passat","dateFormat-long":"d MMMM U","field-tue-relative+0":"aquest dimarts","field-zone":"zona","field-tue-relative+1":"dimarts que ve","field-week-relative+-1":"la setmana passada","dateFormat-medium":"d MMM U","field-year-relative+0":"enguany","field-year-relative+1":"lany que ve","field-sat-relative+-1":"dissabte passat","field-year-relative+-1":"lany passat","field-year":"any","field-fri-relative+0":"aquest divendres","field-fri-relative+1":"divendres que ve","months-standAlone-wide":["1","2","3","4","5","6","7","8","9","10","11","12"],"field-week":"setmana","field-week-relative+0":"aquesta setmana","field-week-relative+1":"la setmana que ve","months-format-abbr":["1","2","3","4","5","6","7","8","9","10","11","12"],"field-month-relative+0":"aquest mes","field-month":"mes","field-month-relative+1":"el mes que ve","field-fri-relative+-1":"divendres passat","field-second":"segon","field-tue-relative+-1":"dimarts passat","field-day":"dia","months-format-narrow":["1","2","3","4","5","6","7","8","9","10","11","12"],"field-mon-relative+0":"aquest dilluns","field-mon-relative+1":"dilluns que ve","field-thu-relative+0":"aquest dijous","field-second-relative+0":"ara","dateFormat-short":"d/M/y","field-thu-relative+1":"dijous que ve","dateFormat-full":"EEEE, dd MMMM UU","months-format-wide":["1","2","3","4","5","6","7","8","9","10","11","12"],"field-wed-relative+0":"aquest dimecres","field-wed-relative+1":"dimecres que ve","field-month-relative+-1":"el mes passat","field-thu-relative+-1":"dijous passat"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/ca/currency",{"HKD_displayName":"dòlar de Hong Kong","CHF_displayName":"franc suís","JPY_symbol":"JP¥","CAD_displayName":"dòlar canadenc","HKD_symbol":"HK$","CNY_displayName":"iuan xinès","USD_symbol":"USD","AUD_displayName":"dòlar australià","JPY_displayName":"ien japonès","CAD_symbol":"CAD","USD_displayName":"dòlar dels Estats Units","EUR_symbol":"€","CNY_symbol":"¥","GBP_displayName":"lliura britànica","GBP_symbol":"£","AUD_symbol":"AU$","EUR_displayName":"euro"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/ca/generic",{"field-second-relative+0":"ara","field-weekday":"dia de la setmana","field-wed-relative+0":"aquest dimecres","dateFormatItem-GyMMMEd":"E, d MMM y G","dateFormatItem-MMMEd":"E, d MMM","field-wed-relative+1":"dimecres que ve","field-tue-relative+-1":"dimarts passat","dateFormat-long":"d MMMM 'de' y G","field-fri-relative+-1":"divendres passat","field-wed-relative+-1":"dimecres passat","dateFormatItem-yyyyQQQ":"QQQ y G","dateTimeFormat-medium":"{1}, {0}","dateFormat-full":"EEEE d MMMM 'de' y G","dateFormatItem-yyyyMEd":"E, d.M.y G","field-thu-relative+-1":"dijous passat","dateFormatItem-Md":"d/M","dateFormatItem-GyMMMM":"LLLL 'de' y G","field-era":"era","field-year":"any","dateFormatItem-yyyyMMMM":"LLLL 'de' y G","field-hour":"hora","field-sat-relative+0":"aquest dissabte","field-sat-relative+1":"dissabte que ve","field-day-relative+0":"avui","field-day-relative+1":"demà","field-thu-relative+0":"aquest dijous","dateFormatItem-GyMMMd":"d MMM y G","field-day-relative+2":"demà passat","field-thu-relative+1":"dijous que ve","dateFormatItem-H":"H","dateFormatItem-Gy":"y G","dateFormatItem-yyyyMMMEd":"E, d MMM y G","dateFormatItem-M":"L","dateFormatItem-yyyyMMM":"LLL y G","dateFormatItem-yyyyMMMd":"d MMM y G","dateFormatItem-MMMMd":"d MMMM","field-sun-relative+0":"aquest diumenge","dateFormatItem-Hm":"H:mm","field-sun-relative+1":"diumenge que ve","field-minute":"minut","field-dayperiod":"a. m./p. m.","dateFormatItem-d":"d","dateFormatItem-ms":"mm:ss","field-day-relative+-1":"ahir","dateFormatItem-h":"h a","dateTimeFormat-long":"{1}, {0}","field-day-relative+-2":"abans-dahir","dateFormatItem-MMMd":"d MMM","dateFormatItem-MEd":"E d/M","dateTimeFormat-full":"{1}, {0}","field-fri-relative+0":"aquest divendres","field-fri-relative+1":"divendres que ve","field-day":"dia","field-zone":"zona","dateFormatItem-y":"y G","field-year-relative+-1":"lany passat","field-month-relative+-1":"el mes passat","dateFormatItem-hm":"h:mm a","dateFormatItem-yyyyMd":"d/M/y G","field-month":"mes","dateFormatItem-MMM":"LLL","field-tue-relative+0":"aquest dimarts","field-tue-relative+1":"dimarts que ve","dateFormatItem-MMMMEd":"E, d MMMM","field-mon-relative+0":"aquest dilluns","field-mon-relative+1":"dilluns que ve","dateFormat-short":"dd/MM/yy GGGGG","field-second":"segon","field-sat-relative+-1":"dissabte passat","field-sun-relative+-1":"diumenge passat","field-month-relative+0":"aquest mes","field-month-relative+1":"el mes que ve","dateFormatItem-Ed":"E d","field-week":"setmana","dateFormat-medium":"dd/MM/y G","field-year-relative+0":"enguany","field-week-relative+-1":"la setmana passada","dateFormatItem-yyyyM":"M/y G","field-year-relative+1":"lany que ve","dateFormatItem-yyyyQQQQ":"QQQQ y G","dateTimeFormat-short":"{1}, {0}","dateFormatItem-Hms":"H:mm:ss","dateFormatItem-hms":"h:mm:ss a","dateFormatItem-GyMMM":"LLL y G","field-mon-relative+-1":"dilluns passat","dateFormatItem-yyyy":"y G","field-week-relative+0":"aquesta setmana","field-week-relative+1":"la setmana que ve"});

File diff suppressed because one or more lines are too long

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/ca/number",{"group":".","percentSign":"%","exponential":"E","scientificFormat":"#E0","percentFormat":"#,##0%","list":";","infinity":"∞","minusSign":"-","decimal":",","superscriptingExponent":"×","nan":"NaN","perMille":"‰","decimalFormat":"#,##0.###","currencyFormat":"#,##0.00 ¤;(#,##0.00 ¤)","plusSign":"+","decimalFormat-long":"000 bilions","decimalFormat-short":"000 B"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/ca/roc",{"field-sat-relative+0":"aquest dissabte","field-sat-relative+1":"dissabte que ve","field-dayperiod":"a. m./p. m.","field-sun-relative+-1":"diumenge passat","field-mon-relative+-1":"dilluns passat","field-minute":"minut","field-day-relative+-1":"ahir","field-weekday":"dia de la setmana","field-day-relative+-2":"abans-dahir","field-era":"era","field-hour":"hora","field-sun-relative+0":"aquest diumenge","field-sun-relative+1":"diumenge que ve","field-wed-relative+-1":"dimecres passat","field-day-relative+0":"avui","field-day-relative+1":"demà","field-day-relative+2":"demà passat","dateFormat-long":"d MMMM 'de' y G","field-tue-relative+0":"aquest dimarts","field-zone":"zona","field-tue-relative+1":"dimarts que ve","field-week-relative+-1":"la setmana passada","dateFormat-medium":"dd/MM/y G","field-year-relative+0":"enguany","field-year-relative+1":"lany que ve","field-sat-relative+-1":"dissabte passat","field-year-relative+-1":"lany passat","field-year":"any","field-fri-relative+0":"aquest divendres","field-fri-relative+1":"divendres que ve","field-week":"setmana","field-week-relative+0":"aquesta setmana","field-week-relative+1":"la setmana que ve","field-month-relative+0":"aquest mes","field-month":"mes","field-month-relative+1":"el mes que ve","field-fri-relative+-1":"divendres passat","field-second":"segon","field-tue-relative+-1":"dimarts passat","field-day":"dia","field-mon-relative+0":"aquest dilluns","field-mon-relative+1":"dilluns que ve","field-thu-relative+0":"aquest dijous","field-second-relative+0":"ara","dateFormat-short":"dd/MM/y GGGGG","field-thu-relative+1":"dijous que ve","dateFormat-full":"EEEE d MMMM 'de' y G","field-wed-relative+0":"aquest dimecres","field-wed-relative+1":"dimecres que ve","field-month-relative+-1":"el mes passat","field-thu-relative+-1":"dijous passat"});

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/cs/buddhist",{"days-standAlone-short":["ne","po","út","st","čt","pá","so"],"field-second-relative+0":"nyní","field-weekday":"Den v týdnu","field-wed-relative+0":"tuto středu","field-wed-relative+1":"příští středu","dateFormatItem-GyMMMEd":"E d. M. y G","dateFormatItem-MMMEd":"E d. M.","field-tue-relative+-1":"minulé úterý","days-format-short":["ne","po","út","st","čt","pá","so"],"dateFormat-long":"d. MMMM y G","field-fri-relative+-1":"minulý pátek","field-wed-relative+-1":"minulou středu","months-format-wide":["ledna","února","března","dubna","května","června","července","srpna","září","října","listopadu","prosince"],"dateFormatItem-yyyyQQQ":"QQQ y G","dateFormat-full":"EEEE d. MMMM y G","dateFormatItem-yyyyMEd":"E d. M. y GGGGG","field-thu-relative+-1":"minulý čtvrtek","dateFormatItem-Md":"d. M.","field-era":"Letopočet","months-standAlone-wide":["leden","únor","březen","duben","květen","červen","červenec","srpen","září","říjen","listopad","prosinec"],"timeFormat-short":"H:mm","quarters-format-wide":["1. čtvrtletí","2. čtvrtletí","3. čtvrtletí","4. čtvrtletí"],"timeFormat-long":"H:mm:ss z","field-year":"Rok","field-hour":"Hodina","months-format-abbr":["led","úno","bře","dub","kvě","čvn","čvc","srp","zář","říj","lis","pro"],"field-sat-relative+0":"tuto sobotu","field-sat-relative+1":"příští sobotu","timeFormat-full":"H:mm:ss zzzz","field-day-relative+0":"dnes","field-thu-relative+0":"tento čtvrtek","field-day-relative+1":"zítra","field-thu-relative+1":"příští čtvrtek","dateFormatItem-GyMMMd":"d. M. y G","field-day-relative+2":"pozítří","dateFormatItem-H":"H","months-standAlone-abbr":["led","úno","bře","dub","kvě","čvn","čvc","srp","zář","říj","lis","pro"],"quarters-standAlone-wide":["1. čtvrtletí","2. čtvrtletí","3. čtvrtletí","4. čtvrtletí"],"dateFormatItem-Gy":"y G","dateFormatItem-yyyyMMMEd":"E d. M. y G","days-standAlone-wide":["neděle","pondělí","úterý","středa","čtvrtek","pátek","sobota"],"dateFormatItem-yyyyMMM":"LLLL y G","dateFormatItem-yyyyMMMd":"d. M. y G","timeFormat-medium":"H:mm:ss","field-sun-relative+0":"tuto neděli","dateFormatItem-Hm":"H:mm","field-sun-relative+1":"příští neděli","eraAbbr":["BE"],"field-minute":"Minuta","field-dayperiod":"dop./odp.","days-standAlone-abbr":["ne","po","út","st","čt","pá","so"],"dateFormatItem-d":"d.","field-day-relative+-1":"včera","dayPeriods-format-narrow-am":"dop.","field-day-relative+-2":"předevčírem","dateFormatItem-MMMd":"d. M.","dateFormatItem-MEd":"E d. M.","field-fri-relative+0":"tento pátek","field-fri-relative+1":"příští pátek","field-day":"Den","days-format-wide":["neděle","pondělí","úterý","středa","čtvrtek","pátek","sobota"],"field-zone":"Časové pásmo","dateFormatItem-y":"y G","months-standAlone-narrow":["l","ú","b","d","k","č","č","s","z","ř","l","p"],"field-year-relative+-1":"minulý rok","field-month-relative+-1":"minulý měsíc","days-format-abbr":["ne","po","út","st","čt","pá","so"],"days-format-narrow":["N","P","Ú","S","Č","P","S"],"dateFormatItem-yyyyMd":"d. M. y GGGGG","field-month":"Měsíc","days-standAlone-narrow":["N","P","Ú","S","Č","P","S"],"field-tue-relative+0":"toto úterý","field-tue-relative+1":"příští úterý","field-mon-relative+0":"toto pondělí","field-mon-relative+1":"příští pondělí","dateFormat-short":"dd.MM.yy GGGGG","field-second":"Sekunda","field-sat-relative+-1":"minulou sobotu","field-sun-relative+-1":"minulou neděli","field-month-relative+0":"tento měsíc","field-month-relative+1":"příští měsíc","dateFormatItem-Ed":"E d.","field-week":"Týden","dateFormat-medium":"d. M. y G","field-year-relative+0":"tento rok","field-week-relative+-1":"minulý týden","dateFormatItem-yyyyM":"M/y GGGGG","field-year-relative+1":"příští rok","dayPeriods-format-narrow-pm":"odp.","dateFormatItem-yyyyQQQQ":"QQQQ y G","dateFormatItem-Hms":"H:mm:ss","dateFormatItem-GyMMM":"LLLL y G","field-mon-relative+-1":"minulé pondělí","dateFormatItem-yyyy":"y G","field-week-relative+0":"tento týden","field-week-relative+1":"příští týden"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/cs/chinese",{"field-sat-relative+0":"tuto sobotu","field-sat-relative+1":"příští sobotu","field-dayperiod":"dop./odp.","field-sun-relative+-1":"minulou neděli","field-mon-relative+-1":"minulé pondělí","field-minute":"Minuta","field-day-relative+-1":"včera","field-weekday":"Den v týdnu","field-day-relative+-2":"předevčírem","field-era":"Letopočet","field-hour":"Hodina","field-sun-relative+0":"tuto neděli","field-sun-relative+1":"příští neděli","field-wed-relative+-1":"minulou středu","field-day-relative+0":"dnes","field-day-relative+1":"zítra","field-day-relative+2":"pozítří","dateFormat-long":"d. M. y","field-tue-relative+0":"toto úterý","field-zone":"Časové pásmo","field-tue-relative+1":"příští úterý","field-week-relative+-1":"minulý týden","dateFormat-medium":"d. M. y","field-year-relative+0":"tento rok","field-year-relative+1":"příští rok","field-sat-relative+-1":"minulou sobotu","field-year-relative+-1":"minulý rok","field-year":"Rok","field-fri-relative+0":"tento pátek","field-fri-relative+1":"příští pátek","field-week":"Týden","field-week-relative+0":"tento týden","field-week-relative+1":"příští týden","field-month-relative+0":"tento měsíc","field-month":"Měsíc","field-month-relative+1":"příští měsíc","field-fri-relative+-1":"minulý pátek","field-second":"Sekunda","field-tue-relative+-1":"minulé úterý","field-day":"Den","field-mon-relative+0":"toto pondělí","field-mon-relative+1":"příští pondělí","field-thu-relative+0":"tento čtvrtek","field-second-relative+0":"nyní","dateFormat-short":"d. M. y","field-thu-relative+1":"příští čtvrtek","dateFormat-full":"EEEE, d. M. y","field-wed-relative+0":"tuto středu","field-wed-relative+1":"příští středu","field-month-relative+-1":"minulý měsíc","field-thu-relative+-1":"minulý čtvrtek"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/cs/currency",{"HKD_displayName":"hongkongský dolar","CHF_displayName":"švýcarský frank","JPY_symbol":"JP¥","CAD_displayName":"kanadský dolar","HKD_symbol":"HK$","CNY_displayName":"čínský jüan","USD_symbol":"US$","AUD_displayName":"australský dolar","JPY_displayName":"japonský jen","CAD_symbol":"CA$","USD_displayName":"americký dolar","EUR_symbol":"€","CNY_symbol":"CN¥","GBP_displayName":"britská libra","GBP_symbol":"£","AUD_symbol":"AU$","EUR_displayName":"euro"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/cs/generic",{"dateFormatItem-yyyyMMMMEd":"E d. MMMM y G","field-second-relative+0":"nyní","field-weekday":"Den v týdnu","field-wed-relative+0":"tuto středu","dateFormatItem-GyMMMEd":"E d. M. y G","dateFormatItem-MMMEd":"E d. M.","field-wed-relative+1":"příští středu","field-tue-relative+-1":"minulé úterý","dateFormat-long":"d. MMMM y G","field-fri-relative+-1":"minulý pátek","field-wed-relative+-1":"minulou středu","dateFormatItem-yyyyQQQ":"QQQ y G","dateTimeFormat-medium":"{1} {0}","dateFormat-full":"EEEE d. MMMM y G","dateFormatItem-yyyyMEd":"E d. M. y GGGGG","field-thu-relative+-1":"minulý čtvrtek","dateFormatItem-Md":"d. M.","field-era":"Letopočet","field-year":"Rok","dateFormatItem-yyyyMMMM":"LLLL y G","field-hour":"Hodina","field-sat-relative+0":"tuto sobotu","field-sat-relative+1":"příští sobotu","field-day-relative+0":"dnes","field-day-relative+1":"zítra","field-thu-relative+0":"tento čtvrtek","dateFormatItem-GyMMMd":"d. M. y G","field-day-relative+2":"pozítří","field-thu-relative+1":"příští čtvrtek","dateFormatItem-H":"H","dateFormatItem-Gy":"y G","dateFormatItem-yyyyMMMEd":"E d. M. y G","dateFormatItem-M":"L","dateFormatItem-yyyyMMM":"LLLL y G","dateFormatItem-yyyyMMMd":"d. M. y G","dateFormatItem-MMMMd":"d. MMMM","dateFormatItem-GyMMMMd":"d. MMMM y G","field-sun-relative+0":"tuto neděli","dateFormatItem-Hm":"H:mm","field-sun-relative+1":"příští neděli","field-minute":"Minuta","field-dayperiod":"dop./odp.","dateFormatItem-d":"d.","dateFormatItem-ms":"mm:ss","field-day-relative+-1":"včera","dateFormatItem-h":"h a","dateTimeFormat-long":"{1} {0}","field-day-relative+-2":"předevčírem","dateFormatItem-MMMd":"d. M.","dateFormatItem-MEd":"E d. M.","dateTimeFormat-full":"{1} {0}","field-fri-relative+0":"tento pátek","field-fri-relative+1":"příští pátek","field-day":"Den","field-zone":"Časové pásmo","dateFormatItem-y":"y G","field-year-relative+-1":"minulý rok","field-month-relative+-1":"minulý měsíc","dateFormatItem-hm":"h:mm a","dateFormatItem-yyyyMMMMd":"d. MMMM y G","dateFormatItem-yyyyMd":"d. M. y GGGGG","field-month":"Měsíc","dateFormatItem-MMM":"LLL","field-tue-relative+0":"toto úterý","field-tue-relative+1":"příští úterý","dateFormatItem-MMMMEd":"E d. MMMM","field-mon-relative+0":"toto pondělí","field-mon-relative+1":"příští pondělí","dateFormat-short":"dd.MM.yy GGGGG","field-second":"Sekunda","field-sat-relative+-1":"minulou sobotu","field-sun-relative+-1":"minulou neděli","field-month-relative+0":"tento měsíc","field-month-relative+1":"příští měsíc","dateFormatItem-Ed":"E d.","field-week":"Týden","dateFormat-medium":"d. M. y G","field-year-relative+0":"tento rok","field-week-relative+-1":"minulý týden","dateFormatItem-yyyyM":"M/y GGGGG","field-year-relative+1":"příští rok","dateFormatItem-yyyyQQQQ":"QQQQ y G","dateTimeFormat-short":"{1} {0}","dateFormatItem-Hms":"H:mm:ss","dateFormatItem-hms":"h:mm:ss a","dateFormatItem-GyMMM":"LLLL y G","dateFormatItem-GyMMMMEd":"E d. MMMM y G","field-mon-relative+-1":"minulé pondělí","dateFormatItem-yyyy":"y G","field-week-relative+0":"tento týden","field-week-relative+1":"příští týden"});

File diff suppressed because one or more lines are too long

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/cs/hebrew",{"days-standAlone-short":["ne","po","út","st","čt","pá","so"],"field-second-relative+0":"nyní","field-weekday":"Den v týdnu","field-wed-relative+0":"tuto středu","field-wed-relative+1":"příští středu","dateFormatItem-GyMMMEd":"E d. M. y G","dateFormatItem-MMMEd":"E d. M.","field-tue-relative+-1":"minulé úterý","days-format-short":["ne","po","út","st","čt","pá","so"],"dateFormat-long":"d. MMMM y G","field-fri-relative+-1":"minulý pátek","field-wed-relative+-1":"minulou středu","dateFormatItem-yyyyQQQ":"QQQ y G","dateFormat-full":"EEEE d. MMMM y G","dateFormatItem-yyyyMEd":"E d. M. y GGGGG","field-thu-relative+-1":"minulý čtvrtek","dateFormatItem-Md":"d. M.","field-era":"Letopočet","timeFormat-short":"H:mm","quarters-format-wide":["1. čtvrtletí","2. čtvrtletí","3. čtvrtletí","4. čtvrtletí"],"timeFormat-long":"H:mm:ss z","field-year":"Rok","field-hour":"Hodina","field-sat-relative+0":"tuto sobotu","field-sat-relative+1":"příští sobotu","timeFormat-full":"H:mm:ss zzzz","field-day-relative+0":"dnes","field-thu-relative+0":"tento čtvrtek","field-day-relative+1":"zítra","field-thu-relative+1":"příští čtvrtek","dateFormatItem-GyMMMd":"d. M. y G","field-day-relative+2":"pozítří","dateFormatItem-H":"H","quarters-standAlone-wide":["1. čtvrtletí","2. čtvrtletí","3. čtvrtletí","4. čtvrtletí"],"dateFormatItem-Gy":"y G","dateFormatItem-yyyyMMMEd":"E d. M. y G","days-standAlone-wide":["neděle","pondělí","úterý","středa","čtvrtek","pátek","sobota"],"dateFormatItem-yyyyMMM":"LLLL y G","dateFormatItem-yyyyMMMd":"d. M. y G","timeFormat-medium":"H:mm:ss","field-sun-relative+0":"tuto neděli","dateFormatItem-Hm":"H:mm","field-sun-relative+1":"příští neděli","eraAbbr":["AM"],"field-minute":"Minuta","field-dayperiod":"dop./odp.","days-standAlone-abbr":["ne","po","út","st","čt","pá","so"],"dateFormatItem-d":"d.","field-day-relative+-1":"včera","dayPeriods-format-narrow-am":"dop.","field-day-relative+-2":"předevčírem","dateFormatItem-MMMd":"d. M.","dateFormatItem-MEd":"E d. M.","field-fri-relative+0":"tento pátek","field-fri-relative+1":"příští pátek","field-day":"Den","days-format-wide":["neděle","pondělí","úterý","středa","čtvrtek","pátek","sobota"],"field-zone":"Časové pásmo","dateFormatItem-y":"y G","field-year-relative+-1":"minulý rok","field-month-relative+-1":"minulý měsíc","days-format-abbr":["ne","po","út","st","čt","pá","so"],"days-format-narrow":["N","P","Ú","S","Č","P","S"],"dateFormatItem-yyyyMd":"d. M. y GGGGG","field-month":"Měsíc","days-standAlone-narrow":["N","P","Ú","S","Č","P","S"],"field-tue-relative+0":"toto úterý","field-tue-relative+1":"příští úterý","field-mon-relative+0":"toto pondělí","field-mon-relative+1":"příští pondělí","dateFormat-short":"dd.MM.yy GGGGG","field-second":"Sekunda","field-sat-relative+-1":"minulou sobotu","field-sun-relative+-1":"minulou neděli","field-month-relative+0":"tento měsíc","field-month-relative+1":"příští měsíc","dateFormatItem-Ed":"E d.","field-week":"Týden","dateFormat-medium":"d. M. y G","field-year-relative+0":"tento rok","field-week-relative+-1":"minulý týden","dateFormatItem-yyyyM":"M/y GGGGG","field-year-relative+1":"příští rok","dayPeriods-format-narrow-pm":"odp.","dateFormatItem-yyyyQQQQ":"QQQQ y G","dateFormatItem-Hms":"H:mm:ss","dateFormatItem-GyMMM":"LLLL y G","field-mon-relative+-1":"minulé pondělí","dateFormatItem-yyyy":"y G","field-week-relative+0":"tento týden","field-week-relative+1":"příští týden"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/cs/islamic",{"days-standAlone-short":["ne","po","út","st","čt","pá","so"],"field-second-relative+0":"nyní","field-weekday":"Den v týdnu","field-wed-relative+0":"tuto středu","field-wed-relative+1":"příští středu","dateFormatItem-GyMMMEd":"E d. M. y G","dateFormatItem-MMMEd":"E d. M.","field-tue-relative+-1":"minulé úterý","days-format-short":["ne","po","út","st","čt","pá","so"],"dateFormat-long":"d. MMMM y G","field-fri-relative+-1":"minulý pátek","field-wed-relative+-1":"minulou středu","dateFormatItem-yyyyQQQ":"QQQ y G","dateFormat-full":"EEEE d. MMMM y G","dateFormatItem-yyyyMEd":"E d. M. y GGGGG","field-thu-relative+-1":"minulý čtvrtek","dateFormatItem-Md":"d. M.","field-era":"Letopočet","timeFormat-short":"H:mm","quarters-format-wide":["1. čtvrtletí","2. čtvrtletí","3. čtvrtletí","4. čtvrtletí"],"timeFormat-long":"H:mm:ss z","field-year":"Rok","field-hour":"Hodina","field-sat-relative+0":"tuto sobotu","field-sat-relative+1":"příští sobotu","timeFormat-full":"H:mm:ss zzzz","field-day-relative+0":"dnes","field-thu-relative+0":"tento čtvrtek","field-day-relative+1":"zítra","field-thu-relative+1":"příští čtvrtek","dateFormatItem-GyMMMd":"d. M. y G","field-day-relative+2":"pozítří","dateFormatItem-H":"H","quarters-standAlone-wide":["1. čtvrtletí","2. čtvrtletí","3. čtvrtletí","4. čtvrtletí"],"dateFormatItem-Gy":"y G","dateFormatItem-yyyyMMMEd":"E d. M. y G","days-standAlone-wide":["neděle","pondělí","úterý","středa","čtvrtek","pátek","sobota"],"dateFormatItem-yyyyMMM":"LLLL y G","dateFormatItem-yyyyMMMd":"d. M. y G","timeFormat-medium":"H:mm:ss","field-sun-relative+0":"tuto neděli","dateFormatItem-Hm":"H:mm","field-sun-relative+1":"příští neděli","eraAbbr":["AH"],"field-minute":"Minuta","field-dayperiod":"dop./odp.","days-standAlone-abbr":["ne","po","út","st","čt","pá","so"],"dateFormatItem-d":"d.","field-day-relative+-1":"včera","dayPeriods-format-narrow-am":"dop.","field-day-relative+-2":"předevčírem","dateFormatItem-MMMd":"d. M.","dateFormatItem-MEd":"E d. M.","field-fri-relative+0":"tento pátek","field-fri-relative+1":"příští pátek","field-day":"Den","days-format-wide":["neděle","pondělí","úterý","středa","čtvrtek","pátek","sobota"],"field-zone":"Časové pásmo","dateFormatItem-y":"y G","field-year-relative+-1":"minulý rok","field-month-relative+-1":"minulý měsíc","days-format-abbr":["ne","po","út","st","čt","pá","so"],"days-format-narrow":["N","P","Ú","S","Č","P","S"],"dateFormatItem-yyyyMd":"d. M. y GGGGG","field-month":"Měsíc","days-standAlone-narrow":["N","P","Ú","S","Č","P","S"],"field-tue-relative+0":"toto úterý","field-tue-relative+1":"příští úterý","field-mon-relative+0":"toto pondělí","field-mon-relative+1":"příští pondělí","dateFormat-short":"dd.MM.yy GGGGG","field-second":"Sekunda","field-sat-relative+-1":"minulou sobotu","field-sun-relative+-1":"minulou neděli","field-month-relative+0":"tento měsíc","field-month-relative+1":"příští měsíc","dateFormatItem-Ed":"E d.","field-week":"Týden","dateFormat-medium":"d. M. y G","field-year-relative+0":"tento rok","field-week-relative+-1":"minulý týden","dateFormatItem-yyyyM":"M/y GGGGG","field-year-relative+1":"příští rok","dayPeriods-format-narrow-pm":"odp.","dateFormatItem-yyyyQQQQ":"QQQQ y G","dateFormatItem-Hms":"H:mm:ss","dateFormatItem-GyMMM":"LLLL y G","field-mon-relative+-1":"minulé pondělí","dateFormatItem-yyyy":"y G","field-week-relative+0":"tento týden","field-week-relative+1":"příští týden"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/cs/japanese",{"field-sat-relative+0":"tuto sobotu","field-sat-relative+1":"příští sobotu","field-dayperiod":"dop./odp.","field-sun-relative+-1":"minulou neděli","field-mon-relative+-1":"minulé pondělí","field-minute":"Minuta","field-day-relative+-1":"včera","field-weekday":"Den v týdnu","field-day-relative+-2":"předevčírem","field-era":"Letopočet","field-hour":"Hodina","field-sun-relative+0":"tuto neděli","field-sun-relative+1":"příští neděli","field-wed-relative+-1":"minulou středu","field-day-relative+0":"dnes","field-day-relative+1":"zítra","field-day-relative+2":"pozítří","dateFormat-long":"d. MMMM y G","field-tue-relative+0":"toto úterý","field-zone":"Časové pásmo","field-tue-relative+1":"příští úterý","field-week-relative+-1":"minulý týden","dateFormat-medium":"d. M. y G","field-year-relative+0":"tento rok","field-year-relative+1":"příští rok","field-sat-relative+-1":"minulou sobotu","field-year-relative+-1":"minulý rok","field-year":"Rok","field-fri-relative+0":"tento pátek","field-fri-relative+1":"příští pátek","field-week":"Týden","field-week-relative+0":"tento týden","field-week-relative+1":"příští týden","field-month-relative+0":"tento měsíc","field-month":"Měsíc","field-month-relative+1":"příští měsíc","field-fri-relative+-1":"minulý pátek","field-second":"Sekunda","field-tue-relative+-1":"minulé úterý","field-day":"Den","field-mon-relative+0":"toto pondělí","field-mon-relative+1":"příští pondělí","field-thu-relative+0":"tento čtvrtek","field-second-relative+0":"nyní","dateFormat-short":"dd.MM.yy GGGGG","field-thu-relative+1":"příští čtvrtek","dateFormat-full":"EEEE, d. MMMM y G","field-wed-relative+0":"tuto středu","field-wed-relative+1":"příští středu","field-month-relative+-1":"minulý měsíc","field-thu-relative+-1":"minulý čtvrtek"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/cs/number",{"group":" ","percentSign":"%","exponential":"E","scientificFormat":"#E0","percentFormat":"#,##0 %","list":";","infinity":"∞","minusSign":"-","decimal":",","superscriptingExponent":"×","nan":"NaN","perMille":"‰","decimalFormat":"#,##0.###","currencyFormat":"#,##0.00 ¤","plusSign":"+","decimalFormat-long":"000 bilionů","decimalFormat-short":"000 bil'.'"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/cs/roc",{"field-sat-relative+0":"tuto sobotu","field-sat-relative+1":"příští sobotu","field-dayperiod":"dop./odp.","field-sun-relative+-1":"minulou neděli","field-mon-relative+-1":"minulé pondělí","field-minute":"Minuta","field-day-relative+-1":"včera","field-weekday":"Den v týdnu","field-day-relative+-2":"předevčírem","field-era":"Letopočet","field-hour":"Hodina","field-sun-relative+0":"tuto neděli","field-sun-relative+1":"příští neděli","field-wed-relative+-1":"minulou středu","field-day-relative+0":"dnes","field-day-relative+1":"zítra","eraAbbr":["Před R. O. C."],"field-day-relative+2":"pozítří","field-tue-relative+0":"toto úterý","field-zone":"Časové pásmo","field-tue-relative+1":"příští úterý","field-week-relative+-1":"minulý týden","field-year-relative+0":"tento rok","field-year-relative+1":"příští rok","field-sat-relative+-1":"minulou sobotu","field-year-relative+-1":"minulý rok","field-year":"Rok","field-fri-relative+0":"tento pátek","field-fri-relative+1":"příští pátek","field-week":"Týden","field-week-relative+0":"tento týden","field-week-relative+1":"příští týden","field-month-relative+0":"tento měsíc","field-month":"Měsíc","field-month-relative+1":"příští měsíc","field-fri-relative+-1":"minulý pátek","field-second":"Sekunda","field-tue-relative+-1":"minulé úterý","field-day":"Den","field-mon-relative+0":"toto pondělí","field-mon-relative+1":"příští pondělí","field-thu-relative+0":"tento čtvrtek","field-second-relative+0":"nyní","field-thu-relative+1":"příští čtvrtek","field-wed-relative+0":"tuto středu","field-wed-relative+1":"příští středu","field-month-relative+-1":"minulý měsíc","field-thu-relative+-1":"minulý čtvrtek"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/currency",{root:{"USD_symbol":"US$","CAD_symbol":"CA$","GBP_symbol":"£","HKD_symbol":"HK$","JPY_symbol":"JP¥","AUD_symbol":"A$","CNY_symbol":"CN¥","EUR_symbol":"€"},"ar":true,"bs":true,"ca":true,"cs":true,"da":true,"de":true,"el":true,"en":true,"en-au":true,"en-ca":true,"en-gb":true,"es":true,"fi":true,"fr":true,"fr-ch":true,"he":true,"hr":true,"hu":true,"id":true,"it":true,"ja":true,"ko":true,"mk":true,"nb":true,"nl":true,"pl":true,"pt":true,"pt-pt":true,"ro":true,"ru":true,"sk":true,"sl":true,"sr":true,"sv":true,"th":true,"tr":true,"zh":true,"zh-hant":true,"zh-hk":true,"zh-tw":true});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/da/buddhist",{"days-standAlone-short":["sø","ma","ti","on","to","fr","lø"],"months-format-narrow":["J","F","M","A","M","J","J","A","S","O","N","D"],"field-second-relative+0":"nu","field-weekday":"Ugedag","field-wed-relative+0":"denne onsdag","field-wed-relative+1":"næste onsdag","dateFormatItem-GyMMMEd":"E d. MMM y G","dateFormatItem-MMMEd":"E d. MMM","field-tue-relative+-1":"sidste tirsdag","days-format-short":["sø","ma","ti","on","to","fr","lø"],"dateFormat-long":"d. MMMM y G","field-fri-relative+-1":"sidste fredag","field-wed-relative+-1":"sidste onsdag","months-format-wide":["januar","februar","marts","april","maj","juni","juli","august","september","oktober","november","december"],"dateFormatItem-yyyyQQQ":"QQQ y G","dateFormat-full":"EEEE d. MMMM y G","dateFormatItem-yyyyMEd":"E d/M/y G","field-thu-relative+-1":"sidste torsdag","dateFormatItem-Md":"d/M","dayPeriods-format-wide-noon":"middag","field-era":"Æra","months-standAlone-wide":["januar","februar","marts","april","maj","juni","juli","august","september","oktober","november","december"],"timeFormat-short":"HH.mm","quarters-format-wide":["1. kvartal","2. kvartal","3. kvartal","4. kvartal"],"timeFormat-long":"HH.mm.ss z","field-year":"År","field-hour":"Time","months-format-abbr":["jan.","feb.","mar.","apr.","maj","jun.","jul.","aug.","sep.","okt.","nov.","dec."],"field-sat-relative+0":"denne lørdag","field-sat-relative+1":"næste lørdag","timeFormat-full":"HH.mm.ss zzzz","field-day-relative+0":"i dag","field-thu-relative+0":"denne torsdag","field-day-relative+1":"i morgen","field-thu-relative+1":"næste torsdag","dateFormatItem-GyMMMd":"d. MMM y G","field-day-relative+2":"i overmorgen","months-standAlone-abbr":["jan","feb","mar","apr","maj","jun","jul","aug","sep","okt","nov","dec"],"quarters-format-abbr":["1. kvt.","2. kvt.","3. kvt.","4. kvt."],"quarters-standAlone-wide":["1. kvartal","2. kvartal","3. kvartal","4. kvartal"],"dateFormatItem-Gy":"y G","dateFormatItem-yyyyMMMEd":"E d. MMM y G","dateFormatItem-M":"M","days-standAlone-wide":["søndag","mandag","tirsdag","onsdag","torsdag","fredag","lørdag"],"dateFormatItem-yyyyMMM":"MMM y G","dateFormatItem-yyyyMMMd":"d. MMM y G","dayPeriods-format-abbr-noon":"middag","timeFormat-medium":"HH.mm.ss","field-sun-relative+0":"denne søndag","dateFormatItem-Hm":"HH.mm","field-sun-relative+1":"næste søndag","quarters-standAlone-abbr":["1. kvt.","2. kvt.","3. kvt.","4. kvt."],"eraAbbr":["BE"],"field-minute":"Minut","field-dayperiod":"AM/PM","days-standAlone-abbr":["søn","man","tir","ons","tor","fre","lør"],"dateFormatItem-d":"d.","dateFormatItem-ms":"mm.ss","field-day-relative+-1":"i går","field-day-relative+-2":"i forgårs","dateFormatItem-MMMd":"d. MMM","dateFormatItem-MEd":"E d/M","field-fri-relative+0":"denne fredag","field-fri-relative+1":"næste fredag","field-day":"Dag","days-format-wide":["søndag","mandag","tirsdag","onsdag","torsdag","fredag","lørdag"],"field-zone":"Tidszone","dateFormatItem-y":"y G","months-standAlone-narrow":["J","F","M","A","M","J","J","A","S","O","N","D"],"field-year-relative+-1":"sidste år","field-month-relative+-1":"sidste måned","dateFormatItem-hm":"h.mm a","days-format-abbr":["søn.","man.","tir.","ons.","tor.","fre.","lør."],"days-format-narrow":["S","M","T","O","T","F","L"],"dateFormatItem-yyyyMd":"d/M/y G","field-month":"Måned","dateFormatItem-MMM":"MMM","days-standAlone-narrow":["S","M","T","O","T","F","L"],"field-tue-relative+0":"denne tirsdag","field-tue-relative+1":"næste tirsdag","field-mon-relative+0":"denne mandag","field-mon-relative+1":"næste mandag","dateFormat-short":"d/M/y","dayPeriods-format-narrow-noon":"middag","field-second":"Sekund","field-sat-relative+-1":"sidste lørdag","field-sun-relative+-1":"sidste søndag","field-month-relative+0":"denne måned","field-month-relative+1":"næste måned","dateFormatItem-Ed":"E 'd'. d.","field-week":"Uge","dateFormat-medium":"d. MMM y G","field-year-relative+0":"i år","field-week-relative+-1":"sidste uge","dateFormatItem-yyyyM":"M/y G","field-year-relative+1":"næste år","dateFormatItem-yyyyQQQQ":"QQQQ y G","dateFormatItem-Hms":"HH.mm.ss","dateFormatItem-hms":"h.mm.ss a","dateFormatItem-GyMMM":"MMM y G","field-mon-relative+-1":"sidste mandag","dateFormatItem-yyyy":"y G","field-week-relative+0":"denne uge","field-week-relative+1":"næste uge"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/da/currency",{"HKD_displayName":"Hongkong dollar","CHF_displayName":"Schweizisk franc","JPY_symbol":"JP¥","CAD_displayName":"Canadisk dollar","HKD_symbol":"HK$","CNY_displayName":"Kinesisk yuan renminbi","USD_symbol":"$","AUD_displayName":"Australsk dollar","JPY_displayName":"Japansk yen","CAD_symbol":"CA$","USD_displayName":"Amerikansk dollar","EUR_symbol":"€","CNY_symbol":"CN¥","GBP_displayName":"Britisk pund","GBP_symbol":"£","AUD_symbol":"AU$","EUR_displayName":"Euro"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/da/generic",{"field-second-relative+0":"nu","field-weekday":"Ugedag","field-wed-relative+0":"denne onsdag","field-wed-relative+1":"næste onsdag","dateFormatItem-GyMMMEd":"E d. MMM y G","dateFormatItem-MMMEd":"E d. MMM","field-tue-relative+-1":"sidste tirsdag","dateFormat-long":"d. MMMM y G","field-fri-relative+-1":"sidste fredag","field-wed-relative+-1":"sidste onsdag","dateFormatItem-yyyyQQQ":"QQQ y G","dateTimeFormat-medium":"{1} {0}","dateFormat-full":"EEEE d. MMMM y G","dateFormatItem-yyyyMEd":"E d/M/y G","field-thu-relative+-1":"sidste torsdag","dateFormatItem-Md":"d/M","field-era":"Æra","field-year":"År","field-hour":"Time","field-sat-relative+0":"denne lørdag","field-sat-relative+1":"næste lørdag","field-day-relative+0":"i dag","field-day-relative+1":"i morgen","field-thu-relative+0":"denne torsdag","dateFormatItem-GyMMMd":"d. MMM y G","field-day-relative+2":"i overmorgen","field-thu-relative+1":"næste torsdag","dateFormatItem-H":"HH","dateFormatItem-Gy":"y G","dateFormatItem-yyyyMMMEd":"E d. MMM y G","dateFormatItem-M":"M","dateFormatItem-yyyyMMM":"MMM y G","dateFormatItem-yyyyMMMd":"d. MMM y G","field-sun-relative+0":"denne søndag","dateFormatItem-Hm":"HH.mm","field-sun-relative+1":"næste søndag","field-minute":"Minut","field-dayperiod":"AM/PM","dateFormatItem-d":"d.","dateFormatItem-ms":"mm.ss","field-day-relative+-1":"i går","dateFormatItem-h":"h a","dateTimeFormat-long":"{1} {0}","field-day-relative+-2":"i forgårs","dateFormatItem-MMMd":"d. MMM","dateFormatItem-MEd":"E d/M","dateTimeFormat-full":"{1} {0}","field-fri-relative+0":"denne fredag","field-fri-relative+1":"næste fredag","field-day":"Dag","field-zone":"Tidszone","dateFormatItem-y":"y G","field-year-relative+-1":"sidste år","field-month-relative+-1":"sidste måned","dateFormatItem-hm":"h.mm a","dateFormatItem-yyyyMd":"d/M/y G","field-month":"Måned","dateFormatItem-MMM":"MMM","field-tue-relative+0":"denne tirsdag","field-tue-relative+1":"næste tirsdag","dateFormatItem-MMMMEd":"E d. MMMM","field-mon-relative+0":"denne mandag","field-mon-relative+1":"næste mandag","dateFormat-short":"d/M/y","field-second":"Sekund","field-sat-relative+-1":"sidste lørdag","field-sun-relative+-1":"sidste søndag","field-month-relative+0":"denne måned","field-month-relative+1":"næste måned","dateFormatItem-Ed":"E 'd'. d.","field-week":"Uge","dateFormat-medium":"d. MMM y G","field-year-relative+0":"i år","field-week-relative+-1":"sidste uge","dateFormatItem-yyyyM":"M/y G","field-year-relative+1":"næste år","dateFormatItem-yyyyQQQQ":"QQQQ y G","dateTimeFormat-short":"{1} {0}","dateFormatItem-Hms":"HH.mm.ss","dateFormatItem-hms":"h.mm.ss a","dateFormatItem-GyMMM":"MMM y G","field-mon-relative+-1":"sidste mandag","dateFormatItem-yyyy":"y G","field-week-relative+0":"denne uge","field-week-relative+1":"næste uge"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/da/gregorian",{"dateFormatItem-Ehm":"E h.mm a","days-standAlone-short":["sø","ma","ti","on","to","fr","lø"],"months-format-narrow":["J","F","M","A","M","J","J","A","S","O","N","D"],"field-second-relative+0":"nu","quarters-standAlone-narrow":["1","2","3","4"],"field-weekday":"Ugedag","dateFormatItem-yQQQ":"QQQ y","dateFormatItem-yMEd":"E d/M/y","field-wed-relative+0":"denne onsdag","dateFormatItem-GyMMMEd":"E d. MMM y G","dateFormatItem-MMMEd":"E d. MMM","field-wed-relative+1":"næste onsdag","eraNarrow":["fKr","fvt","eKr","vt"],"dateFormatItem-yMM":"MM/y","field-tue-relative+-1":"sidste tirsdag","days-format-short":["sø","ma","ti","on","to","fr","lø"],"dateFormat-long":"d. MMMM y","field-fri-relative+-1":"sidste fredag","field-wed-relative+-1":"sidste onsdag","months-format-wide":["januar","februar","marts","april","maj","juni","juli","august","september","oktober","november","december"],"dateTimeFormat-medium":"{1} {0}","dayPeriods-format-wide-pm":"PM","dateFormat-full":"EEEE 'den' d. MMMM y","field-thu-relative+-1":"sidste torsdag","dateFormatItem-Md":"d/M","dayPeriods-format-wide-noon":"middag","dateFormatItem-yMd":"d/M/y","dateFormatItem-yM":"M/y","field-era":"Æra","months-standAlone-wide":["januar","februar","marts","april","maj","juni","juli","august","september","oktober","november","december"],"timeFormat-short":"HH.mm","quarters-format-wide":["1. kvartal","2. kvartal","3. kvartal","4. kvartal"],"timeFormat-long":"HH.mm.ss z","dateFormatItem-yMMM":"MMM y","dateFormatItem-yQQQQ":"QQQQ y","field-year":"År","dateFormatItem-MMdd":"dd/MM","field-hour":"Time","months-format-abbr":["jan.","feb.","mar.","apr.","maj","jun.","jul.","aug.","sep.","okt.","nov.","dec."],"field-sat-relative+0":"denne lørdag","field-sat-relative+1":"næste lørdag","timeFormat-full":"HH.mm.ss zzzz","field-day-relative+0":"i dag","field-day-relative+1":"i morgen","field-thu-relative+0":"denne torsdag","dateFormatItem-GyMMMd":"d. MMM y G","field-day-relative+2":"i overmorgen","field-thu-relative+1":"næste torsdag","dateFormatItem-H":"HH","months-standAlone-abbr":["jan","feb","mar","apr","maj","jun","jul","aug","sep","okt","nov","dec"],"quarters-format-abbr":["1. kvt.","2. kvt.","3. kvt.","4. kvt."],"quarters-standAlone-wide":["1. kvartal","2. kvartal","3. kvartal","4. kvartal"],"dateFormatItem-Gy":"y G","dateFormatItem-M":"M","days-standAlone-wide":["søndag","mandag","tirsdag","onsdag","torsdag","fredag","lørdag"],"dayPeriods-format-abbr-noon":"middag","timeFormat-medium":"HH.mm.ss","field-sun-relative+0":"denne søndag","dateFormatItem-Hm":"HH.mm","quarters-standAlone-abbr":["1. kvt.","2. kvt.","3. kvt.","4. kvt."],"field-sun-relative+1":"næste søndag","eraAbbr":["f.Kr.","e.Kr."],"field-minute":"Minut","field-dayperiod":"AM/PM","days-standAlone-abbr":["søn","man","tir","ons","tor","fre","lør"],"dateFormatItem-d":"d.","dateFormatItem-ms":"mm.ss","quarters-format-narrow":["1","2","3","4"],"field-day-relative+-1":"i går","dateFormatItem-h":"h a","dateTimeFormat-long":"{1} 'kl.' {0}","field-day-relative+-2":"i forgårs","dateFormatItem-MMMd":"d. MMM","dateFormatItem-MEd":"E d/M","dateTimeFormat-full":"{1} 'kl.' {0}","field-fri-relative+0":"denne fredag","field-fri-relative+1":"næste fredag","field-day":"Dag","days-format-wide":["søndag","mandag","tirsdag","onsdag","torsdag","fredag","lørdag"],"field-zone":"Tidszone","dateFormatItem-y":"y","months-standAlone-narrow":["J","F","M","A","M","J","J","A","S","O","N","D"],"field-year-relative+-1":"sidste år","field-month-relative+-1":"sidste måned","dateFormatItem-hm":"h.mm a","days-format-abbr":["søn.","man.","tir.","ons.","tor.","fre.","lør."],"eraNames":["f.Kr.","e.Kr."],"dateFormatItem-yMMMd":"d. MMM y","days-format-narrow":["S","M","T","O","T","F","L"],"days-standAlone-narrow":["S","M","T","O","T","F","L"],"dateFormatItem-MMM":"MMM","field-month":"Måned","field-tue-relative+0":"denne tirsdag","field-tue-relative+1":"næste tirsdag","dayPeriods-format-wide-am":"AM","dateFormatItem-MMMMEd":"E d. MMMM","dateFormatItem-EHm":"E HH.mm","field-mon-relative+0":"denne mandag","field-mon-relative+1":"næste mandag","dateFormat-short":"dd/MM/y","dateFormatItem-EHms":"E HH.mm.ss","dateFormatItem-Ehms":"E h.mm.ss a","dayPeriods-format-narrow-noon":"middag","field-second":"Sekund","field-sat-relative+-1":"sidste lørdag","dateFormatItem-yMMMEd":"E d. MMM y","field-sun-relative+-1":"sidste søndag","field-month-relative+0":"denne måned","field-month-relative+1":"næste måned","dateFormatItem-Ed":"E 'den' d.","dateTimeFormats-appendItem-Timezone":"{0} {1}","field-week":"Uge","dateFormat-medium":"d. MMM y","field-year-relative+0":"i år","field-week-relative+-1":"sidste uge","field-year-relative+1":"næste år","dateTimeFormat-short":"{1} {0}","dateFormatItem-Hms":"HH.mm.ss","dateFormatItem-hms":"h.mm.ss a","dateFormatItem-GyMMM":"MMM y G","field-mon-relative+-1":"sidste mandag","field-week-relative+0":"denne uge","field-week-relative+1":"næste uge"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/da/hebrew",{"days-standAlone-short":["sø","ma","ti","on","to","fr","lø"],"field-second-relative+0":"nu","field-weekday":"Ugedag","field-wed-relative+0":"denne onsdag","field-wed-relative+1":"næste onsdag","dateFormatItem-GyMMMEd":"E d. MMM y G","dateFormatItem-MMMEd":"E d. MMM","field-tue-relative+-1":"sidste tirsdag","days-format-short":["sø","ma","ti","on","to","fr","lø"],"dateFormat-long":"d. MMMM y G","field-fri-relative+-1":"sidste fredag","field-wed-relative+-1":"sidste onsdag","dateFormatItem-yyyyQQQ":"QQQ y G","dateFormat-full":"EEEE d. MMMM y G","dateFormatItem-yyyyMEd":"E d/M/y G","field-thu-relative+-1":"sidste torsdag","dateFormatItem-Md":"d/M","dayPeriods-format-wide-noon":"middag","field-era":"Æra","timeFormat-short":"HH.mm","quarters-format-wide":["1. kvartal","2. kvartal","3. kvartal","4. kvartal"],"timeFormat-long":"HH.mm.ss z","field-year":"År","field-hour":"Time","field-sat-relative+0":"denne lørdag","field-sat-relative+1":"næste lørdag","timeFormat-full":"HH.mm.ss zzzz","field-day-relative+0":"i dag","field-thu-relative+0":"denne torsdag","field-day-relative+1":"i morgen","field-thu-relative+1":"næste torsdag","dateFormatItem-GyMMMd":"d. MMM y G","field-day-relative+2":"i overmorgen","quarters-format-abbr":["1. kvt.","2. kvt.","3. kvt.","4. kvt."],"quarters-standAlone-wide":["1. kvartal","2. kvartal","3. kvartal","4. kvartal"],"dateFormatItem-Gy":"y G","dateFormatItem-yyyyMMMEd":"E d. MMM y G","dateFormatItem-M":"M","days-standAlone-wide":["søndag","mandag","tirsdag","onsdag","torsdag","fredag","lørdag"],"dateFormatItem-yyyyMMM":"MMM y G","dateFormatItem-yyyyMMMd":"d. MMM y G","dayPeriods-format-abbr-noon":"middag","timeFormat-medium":"HH.mm.ss","field-sun-relative+0":"denne søndag","dateFormatItem-Hm":"HH.mm","field-sun-relative+1":"næste søndag","quarters-standAlone-abbr":["1. kvt.","2. kvt.","3. kvt.","4. kvt."],"eraAbbr":["AM"],"field-minute":"Minut","field-dayperiod":"AM/PM","days-standAlone-abbr":["søn","man","tir","ons","tor","fre","lør"],"dateFormatItem-d":"d.","dateFormatItem-ms":"mm.ss","field-day-relative+-1":"i går","field-day-relative+-2":"i forgårs","dateFormatItem-MMMd":"d. MMM","dateFormatItem-MEd":"E d/M","field-fri-relative+0":"denne fredag","field-fri-relative+1":"næste fredag","field-day":"Dag","days-format-wide":["søndag","mandag","tirsdag","onsdag","torsdag","fredag","lørdag"],"field-zone":"Tidszone","dateFormatItem-y":"y G","field-year-relative+-1":"sidste år","field-month-relative+-1":"sidste måned","dateFormatItem-hm":"h.mm a","days-format-abbr":["søn.","man.","tir.","ons.","tor.","fre.","lør."],"days-format-narrow":["S","M","T","O","T","F","L"],"dateFormatItem-yyyyMd":"d/M/y G","field-month":"Måned","dateFormatItem-MMM":"MMM","days-standAlone-narrow":["S","M","T","O","T","F","L"],"field-tue-relative+0":"denne tirsdag","field-tue-relative+1":"næste tirsdag","field-mon-relative+0":"denne mandag","field-mon-relative+1":"næste mandag","dateFormat-short":"d/M/y","dayPeriods-format-narrow-noon":"middag","field-second":"Sekund","field-sat-relative+-1":"sidste lørdag","field-sun-relative+-1":"sidste søndag","field-month-relative+0":"denne måned","field-month-relative+1":"næste måned","dateFormatItem-Ed":"E 'd'. d.","field-week":"Uge","dateFormat-medium":"d. MMM y G","field-year-relative+0":"i år","field-week-relative+-1":"sidste uge","dateFormatItem-yyyyM":"M/y G","field-year-relative+1":"næste år","dateFormatItem-yyyyQQQQ":"QQQQ y G","dateFormatItem-Hms":"HH.mm.ss","dateFormatItem-hms":"h.mm.ss a","dateFormatItem-GyMMM":"MMM y G","field-mon-relative+-1":"sidste mandag","dateFormatItem-yyyy":"y G","field-week-relative+0":"denne uge","field-week-relative+1":"næste uge"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/da/islamic",{"days-standAlone-short":["sø","ma","ti","on","to","fr","lø"],"field-second-relative+0":"nu","field-weekday":"Ugedag","field-wed-relative+0":"denne onsdag","field-wed-relative+1":"næste onsdag","dateFormatItem-GyMMMEd":"E d. MMM y G","dateFormatItem-MMMEd":"E d. MMM","field-tue-relative+-1":"sidste tirsdag","days-format-short":["sø","ma","ti","on","to","fr","lø"],"dateFormat-long":"d. MMMM y G","field-fri-relative+-1":"sidste fredag","field-wed-relative+-1":"sidste onsdag","dateFormatItem-yyyyQQQ":"QQQ y G","dateFormat-full":"EEEE d. MMMM y G","dateFormatItem-yyyyMEd":"E d/M/y G","field-thu-relative+-1":"sidste torsdag","dateFormatItem-Md":"d/M","dayPeriods-format-wide-noon":"middag","field-era":"Æra","timeFormat-short":"HH.mm","quarters-format-wide":["1. kvartal","2. kvartal","3. kvartal","4. kvartal"],"timeFormat-long":"HH.mm.ss z","field-year":"År","field-hour":"Time","field-sat-relative+0":"denne lørdag","field-sat-relative+1":"næste lørdag","timeFormat-full":"HH.mm.ss zzzz","field-day-relative+0":"i dag","field-thu-relative+0":"denne torsdag","field-day-relative+1":"i morgen","field-thu-relative+1":"næste torsdag","dateFormatItem-GyMMMd":"d. MMM y G","field-day-relative+2":"i overmorgen","quarters-format-abbr":["1. kvt.","2. kvt.","3. kvt.","4. kvt."],"quarters-standAlone-wide":["1. kvartal","2. kvartal","3. kvartal","4. kvartal"],"dateFormatItem-Gy":"y G","dateFormatItem-yyyyMMMEd":"E d. MMM y G","dateFormatItem-M":"M","days-standAlone-wide":["søndag","mandag","tirsdag","onsdag","torsdag","fredag","lørdag"],"dateFormatItem-yyyyMMM":"MMM y G","dateFormatItem-yyyyMMMd":"d. MMM y G","dayPeriods-format-abbr-noon":"middag","timeFormat-medium":"HH.mm.ss","field-sun-relative+0":"denne søndag","dateFormatItem-Hm":"HH.mm","field-sun-relative+1":"næste søndag","quarters-standAlone-abbr":["1. kvt.","2. kvt.","3. kvt.","4. kvt."],"eraAbbr":["AH"],"field-minute":"Minut","field-dayperiod":"AM/PM","days-standAlone-abbr":["søn","man","tir","ons","tor","fre","lør"],"dateFormatItem-d":"d.","dateFormatItem-ms":"mm.ss","field-day-relative+-1":"i går","field-day-relative+-2":"i forgårs","dateFormatItem-MMMd":"d. MMM","dateFormatItem-MEd":"E d/M","field-fri-relative+0":"denne fredag","field-fri-relative+1":"næste fredag","field-day":"Dag","days-format-wide":["søndag","mandag","tirsdag","onsdag","torsdag","fredag","lørdag"],"field-zone":"Tidszone","dateFormatItem-y":"y G","field-year-relative+-1":"sidste år","field-month-relative+-1":"sidste måned","dateFormatItem-hm":"h.mm a","days-format-abbr":["søn.","man.","tir.","ons.","tor.","fre.","lør."],"days-format-narrow":["S","M","T","O","T","F","L"],"dateFormatItem-yyyyMd":"d/M/y G","field-month":"Måned","dateFormatItem-MMM":"MMM","days-standAlone-narrow":["S","M","T","O","T","F","L"],"field-tue-relative+0":"denne tirsdag","field-tue-relative+1":"næste tirsdag","field-mon-relative+0":"denne mandag","field-mon-relative+1":"næste mandag","dateFormat-short":"d/M/y","dayPeriods-format-narrow-noon":"middag","field-second":"Sekund","field-sat-relative+-1":"sidste lørdag","field-sun-relative+-1":"sidste søndag","field-month-relative+0":"denne måned","field-month-relative+1":"næste måned","dateFormatItem-Ed":"E 'd'. d.","field-week":"Uge","dateFormat-medium":"d. MMM y G","field-year-relative+0":"i år","field-week-relative+-1":"sidste uge","dateFormatItem-yyyyM":"M/y G","field-year-relative+1":"næste år","dateFormatItem-yyyyQQQQ":"QQQQ y G","dateFormatItem-Hms":"HH.mm.ss","dateFormatItem-hms":"h.mm.ss a","dateFormatItem-GyMMM":"MMM y G","field-mon-relative+-1":"sidste mandag","dateFormatItem-yyyy":"y G","field-week-relative+0":"denne uge","field-week-relative+1":"næste uge"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/da/japanese",{"field-sat-relative+0":"denne lørdag","field-sat-relative+1":"næste lørdag","field-dayperiod":"AM/PM","field-sun-relative+-1":"sidste søndag","field-mon-relative+-1":"sidste mandag","field-minute":"Minut","field-day-relative+-1":"i går","field-weekday":"Ugedag","field-day-relative+-2":"i forgårs","field-era":"Æra","field-hour":"Time","field-sun-relative+0":"denne søndag","field-sun-relative+1":"næste søndag","field-wed-relative+-1":"sidste onsdag","field-day-relative+0":"i dag","field-day-relative+1":"i morgen","field-day-relative+2":"i overmorgen","dateFormat-long":"d. MMMM y G","field-tue-relative+0":"denne tirsdag","field-zone":"Tidszone","field-tue-relative+1":"næste tirsdag","field-week-relative+-1":"sidste uge","dateFormat-medium":"d. MMM y G","field-year-relative+0":"i år","field-year-relative+1":"næste år","field-sat-relative+-1":"sidste lørdag","field-year-relative+-1":"sidste år","field-year":"År","field-fri-relative+0":"denne fredag","field-fri-relative+1":"næste fredag","field-week":"Uge","field-week-relative+0":"denne uge","field-week-relative+1":"næste uge","field-month-relative+0":"denne måned","field-month":"Måned","field-month-relative+1":"næste måned","field-fri-relative+-1":"sidste fredag","field-second":"Sekund","field-tue-relative+-1":"sidste tirsdag","field-day":"Dag","field-mon-relative+0":"denne mandag","field-mon-relative+1":"næste mandag","field-thu-relative+0":"denne torsdag","field-second-relative+0":"nu","dateFormat-short":"d/M/y","field-thu-relative+1":"næste torsdag","dateFormat-full":"EEEE d. MMMM y G","field-wed-relative+0":"denne onsdag","field-wed-relative+1":"næste onsdag","field-month-relative+-1":"sidste måned","field-thu-relative+-1":"sidste torsdag"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/da/number",{"group":".","percentSign":"%","exponential":"E","scientificFormat":"#E0","percentFormat":"#,##0 %","list":";","infinity":"∞","minusSign":"-","decimal":",","superscriptingExponent":"×","nan":"NaN","perMille":"‰","decimalFormat":"#,##0.###","currencyFormat":"#,##0.00 ¤","plusSign":"+","decimalFormat-long":"000 billioner","decimalFormat-short":"000 bill"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/da/roc",{"field-sat-relative+0":"denne lørdag","field-sat-relative+1":"næste lørdag","field-dayperiod":"AM/PM","field-sun-relative+-1":"sidste søndag","field-mon-relative+-1":"sidste mandag","field-minute":"Minut","field-day-relative+-1":"i går","field-weekday":"Ugedag","field-day-relative+-2":"i forgårs","field-era":"Æra","field-hour":"Time","field-sun-relative+0":"denne søndag","field-sun-relative+1":"næste søndag","field-wed-relative+-1":"sidste onsdag","field-day-relative+0":"i dag","field-day-relative+1":"i morgen","eraAbbr":["Before R.O.C.","Minguo"],"field-day-relative+2":"i overmorgen","field-tue-relative+0":"denne tirsdag","field-zone":"Tidszone","field-tue-relative+1":"næste tirsdag","field-week-relative+-1":"sidste uge","field-year-relative+0":"i år","field-year-relative+1":"næste år","field-sat-relative+-1":"sidste lørdag","field-year-relative+-1":"sidste år","field-year":"År","field-fri-relative+0":"denne fredag","field-fri-relative+1":"næste fredag","field-week":"Uge","field-week-relative+0":"denne uge","field-week-relative+1":"næste uge","field-month-relative+0":"denne måned","field-month":"Måned","field-month-relative+1":"næste måned","field-fri-relative+-1":"sidste fredag","field-second":"Sekund","field-tue-relative+-1":"sidste tirsdag","field-day":"Dag","field-mon-relative+0":"denne mandag","field-mon-relative+1":"næste mandag","field-thu-relative+0":"denne torsdag","field-second-relative+0":"nu","field-thu-relative+1":"næste torsdag","field-wed-relative+0":"denne onsdag","field-wed-relative+1":"næste onsdag","field-month-relative+-1":"sidste måned","field-thu-relative+-1":"sidste torsdag"});

File diff suppressed because one or more lines are too long

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/de/buddhist",{"days-standAlone-short":["So.","Mo.","Di.","Mi.","Do.","Fr.","Sa."],"months-format-narrow":["J","F","M","A","M","J","J","A","S","O","N","D"],"field-second-relative+0":"jetzt","field-weekday":"Wochentag","field-wed-relative+0":"diesen Mittwoch","field-wed-relative+1":"nächsten Mittwoch","dateFormatItem-GyMMMEd":"E, d. MMM y G","dateFormatItem-MMMEd":"E, d. MMM","field-tue-relative+-1":"letzten Dienstag","days-format-short":["So.","Mo.","Di.","Mi.","Do.","Fr.","Sa."],"dateFormat-long":"d. MMMM y G","field-fri-relative+-1":"letzten Freitag","field-wed-relative+-1":"letzten Mittwoch","months-format-wide":["Januar","Februar","März","April","Mai","Juni","Juli","August","September","Oktober","November","Dezember"],"dateFormatItem-yyyyQQQ":"QQQ y G","dayPeriods-format-wide-pm":"nachm.","dateFormat-full":"EEEE, d. MMMM y G","dateFormatItem-yyyyMEd":"E, d.M.y GGGGG","field-thu-relative+-1":"letzten Donnerstag","dateFormatItem-Md":"d.M.","dayPeriods-format-wide-noon":"mittags","field-era":"Epoche","months-standAlone-wide":["Januar","Februar","März","April","Mai","Juni","Juli","August","September","Oktober","November","Dezember"],"quarters-format-wide":["1. Quartal","2. Quartal","3. Quartal","4. Quartal"],"field-year":"Jahr","field-hour":"Stunde","months-format-abbr":["Jan.","Feb.","März","Apr.","Mai","Juni","Juli","Aug.","Sep.","Okt.","Nov.","Dez."],"field-sat-relative+0":"diesen Samstag","field-sat-relative+1":"nächsten Samstag","field-day-relative+0":"heute","field-thu-relative+0":"diesen Donnerstag","field-day-relative+1":"morgen","field-thu-relative+1":"nächsten Donnerstag","dateFormatItem-GyMMMd":"d. MMM y G","field-day-relative+2":"übermorgen","dateFormatItem-H":"HH 'Uhr'","months-standAlone-abbr":["Jan","Feb","Mär","Apr","Mai","Jun","Jul","Aug","Sep","Okt","Nov","Dez"],"quarters-standAlone-wide":["1. Quartal","2. Quartal","3. Quartal","4. Quartal"],"dateFormatItem-Gy":"y G","dateFormatItem-yyyyMMMEd":"E, d. MMM y G","days-standAlone-wide":["Sonntag","Montag","Dienstag","Mittwoch","Donnerstag","Freitag","Samstag"],"dateFormatItem-yyyyMMM":"MMM y G","dateFormatItem-yyyyMMMd":"d. MMM y G","field-sun-relative+0":"diesen Sonntag","field-sun-relative+1":"nächsten Sonntag","eraAbbr":["BE"],"field-minute":"Minute","field-dayperiod":"Tageshälfte","days-standAlone-abbr":["So","Mo","Di","Mi","Do","Fr","Sa"],"field-day-relative+-1":"gestern","field-day-relative+-2":"vorgestern","dateFormatItem-MMMd":"d. MMM","dateFormatItem-MEd":"E, d.M.","field-fri-relative+0":"diesen Freitag","field-fri-relative+1":"nächsten Freitag","field-day":"Tag","days-format-wide":["Sonntag","Montag","Dienstag","Mittwoch","Donnerstag","Freitag","Samstag"],"field-zone":"Zeitzone","dateFormatItem-y":"y G","months-standAlone-narrow":["J","F","M","A","M","J","J","A","S","O","N","D"],"field-year-relative+-1":"letztes Jahr","field-month-relative+-1":"letzten Monat","days-format-abbr":["So.","Mo.","Di.","Mi.","Do.","Fr.","Sa."],"days-format-narrow":["S","M","D","M","D","F","S"],"dateFormatItem-yyyyMd":"d.M.y GGGGG","field-month":"Monat","days-standAlone-narrow":["S","M","D","M","D","F","S"],"field-tue-relative+0":"diesen Dienstag","field-tue-relative+1":"nächsten Dienstag","dayPeriods-format-wide-am":"vorm.","field-mon-relative+0":"diesen Montag","field-mon-relative+1":"nächsten Montag","dateFormat-short":"dd.MM.yy GGGGG","field-second":"Sekunde","field-sat-relative+-1":"letzten Samstag","field-sun-relative+-1":"letzten Sonntag","field-month-relative+0":"diesen Monat","field-month-relative+1":"nächsten Monat","dateFormatItem-Ed":"E, d.","field-week":"Woche","dateFormat-medium":"dd.MM.y G","field-year-relative+0":"dieses Jahr","field-week-relative+-1":"letzte Woche","dateFormatItem-yyyyM":"M.y GGGGG","field-year-relative+1":"nächstes Jahr","dateFormatItem-yyyyQQQQ":"QQQQ y G","dateFormatItem-GyMMM":"MMM y G","field-mon-relative+-1":"letzten Montag","dateFormatItem-yyyy":"y G","field-week-relative+0":"diese Woche","field-week-relative+1":"nächste Woche"});

View File

@ -0,0 +1,8 @@
/*
Copyright (c) 2004-2016, The JS Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
//>>built
define("dojo/cldr/nls/de/chinese",{"field-second-relative+0":"jetzt","field-weekday":"Wochentag","field-wed-relative+0":"diesen Mittwoch","field-wed-relative+1":"nächsten Mittwoch","dateFormatItem-GyMMMEd":"E, d. MMM U","dateFormatItem-MMMEd":"E, d. MMM","field-tue-relative+-1":"letzten Dienstag","dateFormat-long":"d. MMMM U","field-fri-relative+-1":"letzten Freitag","field-wed-relative+-1":"letzten Mittwoch","dateFormatItem-yyyyQQQ":"QQQ U","dateFormat-full":"EEEE, d. MMMM U","dateFormatItem-yyyyMEd":"E, d.M.y","field-thu-relative+-1":"letzten Donnerstag","dateFormatItem-Md":"d.M.","field-era":"Epoche","field-year":"Jahr","dateFormatItem-yyyyMMMM":"MMMM U","field-hour":"Stunde","field-sat-relative+0":"diesen Samstag","field-sat-relative+1":"nächsten Samstag","field-day-relative+0":"heute","field-thu-relative+0":"diesen Donnerstag","field-day-relative+1":"morgen","field-thu-relative+1":"nächsten Donnerstag","dateFormatItem-GyMMMd":"d. MMM U","field-day-relative+2":"übermorgen","dateFormatItem-H":"HH 'Uhr'","dateFormatItem-Gy":"U","dateFormatItem-yyyyMMMEd":"E, d. MMM U","dateFormatItem-M":"L","dateFormatItem-yyyyMMM":"MMM U","dateFormatItem-yyyyMMMd":"d. MMM U","field-sun-relative+0":"diesen Sonntag","dateFormatItem-Hm":"HH:mm","field-sun-relative+1":"nächsten Sonntag","field-minute":"Minute","field-dayperiod":"Tageshälfte","dateFormatItem-d":"d","dateFormatItem-ms":"mm:ss","field-day-relative+-1":"gestern","dateFormatItem-h":"h a","field-day-relative+-2":"vorgestern","dateFormatItem-MMMd":"d. MMM","dateFormatItem-MEd":"E, d.M.","field-fri-relative+0":"diesen Freitag","field-fri-relative+1":"nächsten Freitag","field-day":"Tag","field-zone":"Zeitzone","dateFormatItem-y":"U","field-year-relative+-1":"letztes Jahr","field-month-relative+-1":"letzten Monat","dateFormatItem-hm":"h:mm a","dateFormatItem-yyyyMd":"d.M.y","field-month":"Monat","dateFormatItem-MMM":"LLL","field-tue-relative+0":"diesen Dienstag","field-tue-relative+1":"nächsten Dienstag","field-mon-relative+0":"diesen Montag","field-mon-relative+1":"nächsten Montag","dateFormat-short":"dd.MM.yy","field-second":"Sekunde","field-sat-relative+-1":"letzten Samstag","field-sun-relative+-1":"letzten Sonntag","field-month-relative+0":"diesen Monat","field-month-relative+1":"nächsten Monat","dateFormatItem-Ed":"E, d.","field-week":"Woche","dateFormat-medium":"dd.MM U","field-year-relative+0":"dieses Jahr","field-week-relative+-1":"letzte Woche","dateFormatItem-yyyyM":"M.y","field-year-relative+1":"nächstes Jahr","dateFormatItem-yyyyQQQQ":"QQQQ U","dateFormatItem-Hms":"HH:mm:ss","dateFormatItem-hms":"h:mm:ss a","dateFormatItem-GyMMM":"MMM U","field-mon-relative+-1":"letzten Montag","dateFormatItem-yyyy":"U","field-week-relative+0":"diese Woche","field-week-relative+1":"nächste Woche"});

Some files were not shown because too many files have changed in this diff Show More