1
0
mirror of https://git.tt-rss.org/git/tt-rss.git synced 2025-12-13 05:15:55 +00:00

lib: Upgrade Dojo and Dijit from 1.8.3 to 1.12.1

The itemNode and expandoNode elements have changed from img to
span (https://bugs.dojotoolkit.org/ticket/16699), so we now put our
tree icons inside them rather than replacing them.

Signed-off-by: Anders Kaseorg <andersk@mit.edu>
This commit is contained in:
Anders Kaseorg
2017-01-20 12:29:59 -05:00
parent 9f539be3c2
commit 6887a0f573
1196 changed files with 4047 additions and 1282 deletions

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

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

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,19 +1,19 @@
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 Dojo Foundation. These
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 text of the AFL and BSD licenses is reproduced below.
-------------------------------------------------------------------------------
The "New" BSD License:
**********************
Copyright (c) 2005-2012, The Dojo Foundation
Copyright (c) 2005-2016, The JS Foundation
All rights reserved.
Redistribution and use in source and binary forms, with or without
@@ -24,7 +24,7 @@ modification, are permitted provided that the following conditions are met:
* 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 Dojo Foundation nor the names of its contributors
* 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.

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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){r=_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];}}};_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;});
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;});

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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++){this._place(_2f,_31,_30,i>0);}return this;}});return _d;});
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;});

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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","./_base/connect","./_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.connect(_17,"onEnd",_15);}return _17.play(_16||0);}});return _6;});
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

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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","./NodeList-dom"],function(_1,_2,_3,_4){var _5=_1.NodeList;function _6(_7){var _8="",ch=_7.childNodes;for(var i=0,n;n=ch[i];i++){if(n.nodeType!=8){if(n.nodeType==1){_8+=_6(n);}else{_8+=n.nodeValue;}}}return _8;};function _9(_a){while(_a.childNodes[0]&&_a.childNodes[0].nodeType==1){_a=_a.childNodes[0];}return _a;};function _b(_c,_d){if(typeof _c=="string"){_c=_4.toDom(_c,(_d&&_d.ownerDocument));if(_c.nodeType==11){_c=_c.childNodes[0];}}else{if(_c.nodeType==1&&_c.parentNode){_c=_c.cloneNode(false);}}return _c;};_2.extend(_5,{_placeMultiple:function(_e,_f){var nl2=typeof _e=="string"||_e.nodeType?_1(_e):_e;var _10=[];for(var i=0;i<nl2.length;i++){var _11=nl2[i];var _12=this.length;for(var j=_12-1,_13;_13=this[j];j--){if(i>0){_13=this._cloneNode(_13);_10.unshift(_13);}if(j==_12-1){_4.place(_13,_11,_f);}else{_11.parentNode.insertBefore(_13,_11);}_11=_13;}}if(_10.length){_10.unshift(0);_10.unshift(this.length-1);Array.prototype.splice.apply(this,_10);}return this;},innerHTML:function(_14){if(arguments.length){return this.addContent(_14,"only");}else{return this[0].innerHTML;}},text:function(_15){if(arguments.length){for(var i=0,_16;_16=this[i];i++){if(_16.nodeType==1){_4.empty(_16);_16.appendChild(_16.ownerDocument.createTextNode(_15));}}return this;}else{var _17="";for(i=0;_16=this[i];i++){_17+=_6(_16);}return _17;}},val:function(_18){if(arguments.length){var _19=_2.isArray(_18);for(var _1a=0,_1b;_1b=this[_1a];_1a++){var _1c=_1b.nodeName.toUpperCase();var _1d=_1b.type;var _1e=_19?_18[_1a]:_18;if(_1c=="SELECT"){var _1f=_1b.options;for(var i=0;i<_1f.length;i++){var opt=_1f[i];if(_1b.multiple){opt.selected=(_3.indexOf(_18,opt.value)!=-1);}else{opt.selected=(opt.value==_1e);}}}else{if(_1d=="checkbox"||_1d=="radio"){_1b.checked=(_1b.value==_1e);}else{_1b.value=_1e;}}}return this;}else{_1b=this[0];if(!_1b||_1b.nodeType!=1){return undefined;}_18=_1b.value||"";if(_1b.nodeName.toUpperCase()=="SELECT"&&_1b.multiple){_18=[];_1f=_1b.options;for(i=0;i<_1f.length;i++){opt=_1f[i];if(opt.selected){_18.push(opt.value);}}if(!_18.length){_18=null;}}return _18;}},append:function(_20){return this.addContent(_20,"last");},appendTo:function(_21){return this._placeMultiple(_21,"last");},prepend:function(_22){return this.addContent(_22,"first");},prependTo:function(_23){return this._placeMultiple(_23,"first");},after:function(_24){return this.addContent(_24,"after");},insertAfter:function(_25){return this._placeMultiple(_25,"after");},before:function(_26){return this.addContent(_26,"before");},insertBefore:function(_27){return this._placeMultiple(_27,"before");},remove:_5.prototype.orphan,wrap:function(_28){if(this[0]){_28=_b(_28,this[0]);for(var i=0,_29;_29=this[i];i++){var _2a=this._cloneNode(_28);if(_29.parentNode){_29.parentNode.replaceChild(_2a,_29);}var _2b=_9(_2a);_2b.appendChild(_29);}}return this;},wrapAll:function(_2c){if(this[0]){_2c=_b(_2c,this[0]);this[0].parentNode.replaceChild(_2c,this[0]);var _2d=_9(_2c);for(var i=0,_2e;_2e=this[i];i++){_2d.appendChild(_2e);}}return this;},wrapInner:function(_2f){if(this[0]){_2f=_b(_2f,this[0]);for(var i=0;i<this.length;i++){var _30=this._cloneNode(_2f);this._wrap(_2._toArray(this[i].childNodes),null,this._NodeListCtor).wrapAll(_30);}}return this;},replaceWith:function(_31){_31=this._normalize(_31,this[0]);for(var i=0,_32;_32=this[i];i++){this._place(_31,_32,"before",i>0);_32.parentNode.removeChild(_32);}return this;},replaceAll:function(_33){var nl=_1(_33);var _34=this._normalize(this,this[0]);for(var i=0,_35;_35=nl[i];i++){this._place(_34,_35,"before",i>0);_35.parentNode.removeChild(_35);}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(!_5.prototype.html){_5.prototype.html=_5.prototype.innerHTML;}return _5;});
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

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

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

@@ -0,0 +1,31 @@
# dojo
**dojo** is the foundation package of the Dojo Toolkit. 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][download].
## Getting Started
If you are starting out with Dojo, the following resources are available to you:
* [Tutorials][]
* [Reference Guide][]
* [API Documentation][]
* [Community Forum][]
## 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][]. The Dojo Toolkit is Copyright (c) 2005-2016, The JS Foundation. All
rights reserved.
[download]: http://dojotoolkit.org/download/
[Tutorials]: http://dojotoolkit.org/documentation/
[Reference Guide]: http://dojotoolkit.org/reference-guide/
[API Documentation]: http://dojotoolkit.org/api/
[Community Forum]: http://dojotoolkit.org/community/
[License Information]: http://dojotoolkit.org/license

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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","dojo/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;}});});
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;}});});

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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;var _11=(this.promise=new _3());function _12(_13){if(_d){throw new Error("This deferred has already been resolved");}_c=_13;_d=true;_14();};function _14(){var _15;while(!_15&&_10){var _16=_10;_10=_10.next;if((_15=(_16.progress==_8))){_d=false;}var _17=(_e?_16.error:_16.resolved);if(_5("config-useDeferredInstrumentation")){if(_e&&_2.instrumentRejected){_2.instrumentRejected(_c,!!_17);}}if(_17){try{var _18=_17(_c);if(_18&&typeof _18.then==="function"){_18.then(_6.hitch(_16.deferred,"resolve"),_6.hitch(_16.deferred,"reject"),_6.hitch(_16.deferred,"progress"));continue;}var _19=_15&&_18===undefined;if(_15&&!_19){_e=_18 instanceof Error;}_16.deferred[_19&&_e?"reject":"resolve"](_19?_c:_18);}catch(e){_16.deferred.reject(e);}}else{if(_e){_16.deferred.reject(_c);}else{_16.deferred.resolve(_c);}}}};this.resolve=this.callback=function(_1a){this.fired=0;this.results=[_1a,null];_12(_1a);};this.reject=this.errback=function(_1b){_e=true;this.fired=1;if(_5("config-useDeferredInstrumentation")){if(_2.instrumentRejected){_2.instrumentRejected(_1b,!!_10);}}_12(_1b);this.results=[null,_1b];};this.progress=function(_1c){var _1d=_10;while(_1d){var _1e=_1d.progress;_1e&&_1e(_1c);_1d=_1d.next;}};this.addCallbacks=function(_1f,_20){this.then(_1f,_20,_8);return this;};_11.then=this.then=function(_21,_22,_23){var _24=_23==_8?this:new _a(_11.cancel);var _25={resolved:_21,error:_22,progress:_23,deferred:_24};if(_10){_f=_f.next=_25;}else{_10=_f=_25;}if(_d){_14();}return _24.promise;};var _26=this;_11.cancel=this.cancel=function(){if(!_d){var _27=_b&&_b(_26);if(!_d){if(!(_27 instanceof Error)){_27=new _4(_27);}_27.log=false;_26.reject(_27);}}};_9(_11);};_6.extend(_a,{addCallback:function(_28){return this.addCallbacks(_6.hitch.apply(_1,arguments));},addErrback:function(_29){return this.addCallbacks(null,_6.hitch.apply(_1,arguments));},addBoth:function(_2a){var _2b=_6.hitch.apply(_1,arguments);return this.addCallbacks(_2b,_2b);},fired:-1});_a.when=_1.when=_7;return _a;});
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

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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",["../has","require"],function(_1,_2){var _3={};if(1){var _4=_2.rawConfig,p;for(p in _4){_3[p]=_4[p];}}else{var _5=function(_6,_7,_8){for(p in _6){p!="has"&&_1.add(_7+p,_6[p],0,_8);}};_3=1?_2.rawConfig:this.dojoConfig||this.djConfig||{};_5(_3,"config",1);_5(_3.has,"",1);}return _3;});
define("dojo/_base/config",["../has","require"],function(_1,_2){var _3={};if(1){var _4=_2.rawConfig,p;for(p in _4){_3[p]=_4[p];}}else{var _5=function(_6,_7,_8){for(p in _6){p!="has"&&_1.add(_7+p,_6[p],0,_8);}};var _9=(function(){return this;})();_3=1?_2.rawConfig:_9.dojoConfig||_9.djConfig||{};_5(_3,"config",1);_5(_3.has,"",1);}if(!_3.locale&&typeof navigator!="undefined"){var _a=(navigator.languages&&navigator.languages.length)?navigator.languages[0]:(navigator.language||navigator.userLanguage);if(_a){_3.locale=_a.toLowerCase();}}return _3;});

View File

@@ -7,6 +7,27 @@ exports.config = function(config){
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);
}

View File

@@ -23,6 +23,27 @@ function rhinoDojoConfig(config, baseUrl, rhinoArgs){
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
});
}
}
}

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

File diff suppressed because one or more lines are too long

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

File diff suppressed because one or more lines are too long

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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",["../has","./config","require","module"],function(_1,_2,_3,_4){var i,p,_5={},_6={},_7={config:_2,global:this,dijit:_5,dojox:_6};var _8={dojo:["dojo",_7],dijit:["dijit",_5],dojox:["dojox",_6]},_9=(_3.map&&_3.map[_4.id.match(/[^\/]+/)[0]]),_a;for(p in _9){if(_8[p]){_8[p][0]=_9[p];}else{_8[p]=[_9[p],{}];}}for(p in _8){_a=_8[p];_a[1]._scopeName=_a[0];if(!_2.noGlobals){this[_a[0]]=_a[1];}}_7.scopeMap=_8;_7.baseUrl=_7.config.baseUrl=_3.baseUrl;_7.isAsync=!1||_3.async;_7.locale=_2.locale;var _b="$Rev: 30226 $".match(/\d+/);_7.version={major:1,minor:8,patch:3,flag:"",revision:_b?+_b[0]:NaN,toString:function(){var v=_7.version;return v.major+"."+v.minor+"."+v.patch+v.flag+" ("+v.revision+")";}};1||_1.add("extend-dojo",1);(Function("d","d.eval = function(){return d.global.eval ? d.global.eval(arguments[0]) : eval(arguments[0]);}"))(_7);if(0){_7.exit=function(_c){quit(_c);};}else{_7.exit=function(){};}1||_1.add("dojo-guarantee-console",1);if(1){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 _d=tn+"";console[_d]=("log" in console)?function(){var a=Array.apply({},arguments);a.unshift(_d+":");console["log"](a.join(" "));}:function(){};console[_d]._fake=true;})();}}}_1.add("dojo-debug-messages",!!_2.isDebug);_7.deprecated=_7.experimental=function(){};if(_1("dojo-debug-messages")){_7.deprecated=function(_e,_f,_10){var _11="DEPRECATED: "+_e;if(_f){_11+=" "+_f;}if(_10){_11+=" -- will be removed in version: "+_10;}console.warn(_11);};_7.experimental=function(_12,_13){var _14="EXPERIMENTAL: "+_12+" -- APIs subject to change without notice.";if(_13){_14+=" "+_13;}console.warn(_14);};}1||_1.add("dojo-modulePaths",1);if(1){if(_2.modulePaths){_7.deprecated("dojo.modulePaths","use paths configuration");var _15={};for(p in _2.modulePaths){_15[p.replace(/\./g,"/")]=_2.modulePaths[p];}_3({paths:_15});}}1||_1.add("dojo-moduleUrl",1);if(1){_7.moduleUrl=function(_16,url){_7.deprecated("dojo.moduleUrl()","use require.toUrl","2.0");var _17=null;if(_16){_17=_3.toUrl(_16.replace(/\./g,"/")+(url?("/"+url):"")+"/*.*").replace(/\/\*\.\*/,"")+(url?"":"/");}return _17;};}_7._hasResource={};return _7;});
define("dojo/_base/kernel",["../has","./config","require","module"],function(_1,_2,_3,_4){var i,p,_5=(function(){return this;})(),_6={},_7={},_8={config:_2,global:_5,dijit:_6,dojox:_7};var _9={dojo:["dojo",_8],dijit:["dijit",_6],dojox:["dojox",_7]},_a=(_3.map&&_3.map[_4.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(!_2.noGlobals){_5[_b[0]]=_b[1];}}_8.scopeMap=_9;_8.baseUrl=_8.config.baseUrl=_3.baseUrl;_8.isAsync=!1||_3.async;_8.locale=_2.locale;var _c="$Rev: a1e2d9d $".match(/[0-9a-f]{7,}/);_8.version={major:1,minor:12,patch:1,flag:"",revision:_c?_c[0]:NaN,toString:function(){var v=_8.version;return v.major+"."+v.minor+"."+v.patch+v.flag+" ("+v.revision+")";}};1||_1.add("extend-dojo",1);if(!_1("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(!_1("host-webworker")){1||_1.add("dojo-guarantee-console",1);}if(1){_1.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(_1("console-as-object")){console[tn]=Function.prototype.bind.call(console[tn],console);}}}}_1.add("dojo-debug-messages",!!_2.isDebug);_8.deprecated=_8.experimental=function(){};if(_1("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||_1.add("dojo-modulePaths",1);if(1){if(_2.modulePaths){_8.deprecated("dojo.modulePaths","use paths configuration");var _16={};for(p in _2.modulePaths){_16[p.replace(/\./g,"/")]=_2.modulePaths[p];}_3({paths:_16});}}1||_1.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=_3.toUrl(_17.replace(/\./g,"/")+(url?("/"+url):"")+"/*.*").replace(/\/\*\.\*/,"")+(url?"":"/");}return _18;};}_8._hasResource={};return _8;});

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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){var p,i=0,_9=_1.global;if(!_8){if(!_6.length){return _9;}else{p=_6[i++];try{_8=_1.scopeMap[p]&&_1.scopeMap[p][1];}catch(e){}_8=_8||(p in _9?_9[p]:(_7?_9[p]={}:undefined));}}while(_8&&(p=_6[i++])){_8=(p in _8?_8[p]:(_7?_8[p]={}:undefined));}return _8;},_a=Object.prototype.toString,_b=function(_c,_d,_e){return (_e||[]).concat(Array.prototype.slice.call(_c,_d||0));},_f=/\{([^\}]+)\}/g;var _10={_extraNames:_3,_mixin:function(_11,_12,_13){var _14,s,i,_15={};for(_14 in _12){s=_12[_14];if(!(_14 in _11)||(_11[_14]!==s&&(!(_14 in _15)||_15[_14]!==s))){_11[_14]=_13?_13(s):s;}}if(_2("bug-for-in-skips-shadowed")){if(_12){for(i=0;i<_4;++i){_14=_3[i];s=_12[_14];if(!(_14 in _11)||(_11[_14]!==s&&(!(_14 in _15)||_15[_14]!==s))){_11[_14]=_13?_13(s):s;}}}}return _11;},mixin:function(_16,_17){if(!_16){_16={};}for(var i=1,l=arguments.length;i<l;i++){_10._mixin(_16,arguments[i]);}return _16;},setObject:function(_18,_19,_1a){var _1b=_18.split("."),p=_1b.pop(),obj=_5(_1b,true,_1a);return obj&&p?(obj[p]=_19):undefined;},getObject:function(_1c,_1d,_1e){return _5(_1c.split("."),_1d,_1e);},exists:function(_1f,obj){return _10.getObject(_1f,false,obj)!==undefined;},isString:function(it){return (typeof it=="string"||it instanceof String);},isArray:function(it){return it&&(it instanceof Array||typeof it=="array");},isFunction:function(it){return _a.call(it)==="[object Function]";},isObject:function(it){return it!==undefined&&(it===null||typeof it=="object"||_10.isArray(it)||_10.isFunction(it));},isArrayLike:function(it){return it&&it!==undefined&&!_10.isString(it)&&!_10.isFunction(it)&&!(it.tagName&&it.tagName.toLowerCase()=="form")&&(_10.isArray(it)||isFinite(it.length));},isAlien:function(it){return it&&!_10.isFunction(it)&&/\{\s*\[native code\]\s*\}/.test(String(it));},extend:function(_20,_21){for(var i=1,l=arguments.length;i<l;i++){_10._mixin(_20.prototype,arguments[i]);}return _20;},_hitchArgs:function(_22,_23){var pre=_10._toArray(arguments,2);var _24=_10.isString(_23);return function(){var _25=_10._toArray(arguments);var f=_24?(_22||_1.global)[_23]:_23;return f&&f.apply(_22||this,pre.concat(_25));};},hitch:function(_26,_27){if(arguments.length>2){return _10._hitchArgs.apply(_1,arguments);}if(!_27){_27=_26;_26=null;}if(_10.isString(_27)){_26=_26||_1.global;if(!_26[_27]){throw (["lang.hitch: scope[\"",_27,"\"] is null (scope=\"",_26,"\")"].join(""));}return function(){return _26[_27].apply(_26,arguments||[]);};}return !_26?_27:function(){return _27.apply(_26,arguments||[]);};},delegate:(function(){function TMP(){};return function(obj,_28){TMP.prototype=obj;var tmp=new TMP();TMP.prototype=null;if(_28){_10._mixin(tmp,_28);}return tmp;};})(),_toArray:_2("ie")?(function(){function _29(obj,_2a,_2b){var arr=_2b||[];for(var x=_2a||0;x<obj.length;x++){arr.push(obj[x]);}return arr;};return function(obj){return ((obj.item)?_29:_b).apply(this,arguments);};})():_b,partial:function(_2c){var arr=[null];return _10.hitch.apply(_1,arr.concat(_10._toArray(arguments)));},clone:function(src){if(!src||typeof src!="object"||_10.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(_10.isArray(src)){r=[];for(i=0,l=src.length;i<l;++i){if(i in src){r.push(_10.clone(src[i]));}}}else{r=src.constructor?new src.constructor():{};}return _10._mixin(r,src,_10.clone);},trim:String.prototype.trim?function(str){return str.trim();}:function(str){return str.replace(/^\s\s*/,"").replace(/\s\s*$/,"");},replace:function(_2d,map,_2e){return _2d.replace(_2e||_f,_10.isFunction(map)?map:function(_2f,k){return _10.getObject(k,false,map);});}};1&&_10.mixin(_1,_10);return _10;});
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;});

File diff suppressed because one or more lines are too long

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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")});_1.locale=_1.locale||(_3("ie")?navigator.userLanguage:navigator.language).toLowerCase();return _3;});
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;});

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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:this["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;});
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;});

File diff suppressed because one or more lines are too long

View File

@@ -1,37 +0,0 @@
License Disclaimer:
All contents of this directory are Copyright (c) the Dojo Foundation, with the
following exceptions:
-------------------------------------------------------------------------------
firebug.html, firebug.js, errIcon.png, infoIcon.png, warningIcon.png:
* Copyright (c) 2006-2007, Joe Hewitt, All rights reserved.
Distributed under the terms of the BSD License (see below)
-------------------------------------------------------------------------------
Copyright (c) 2006-2007, Joe Hewitt
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 Dojo 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.

Binary file not shown.

Before

Width:  |  Height:  |  Size: 457 B

View File

@@ -1 +0,0 @@
.firebug {margin: 0; background:#fff; font-family: Lucida Grande, Tahoma, sans-serif; font-size: 11px; overflow: hidden; border: 1px solid black; position: relative;}.firebug a {text-decoration: none;}.firebug a:hover {text-decoration: underline;}.firebug a:visited{color:#0000FF;}.firebug #firebugToolbar {height: 18px; line-height:18px; border-top: 1px solid ThreeDHighlight; border-bottom: 1px solid ThreeDShadow; padding: 2px 6px; background:#f0f0f0;}.firebug #firebugLog, .firebug #objectLog {overflow: auto; position: absolute; left: 0; width: 100%;}#objectLog{overflow:scroll; height:258px;}.firebug #firebugCommandLine {position: absolute; bottom: 0; left: 0; width: 100%; height: 18px; border: none; border-top: 1px solid ThreeDShadow;}.firebug .logRow {position: relative; border-bottom: 1px solid #D7D7D7; padding: 2px 4px 1px 6px; background-color: #FFFFFF;}.firebug .logRow-command {font-family: Monaco, monospace; color: blue;}.firebug .objectBox-null {padding: 0 2px; border: 1px solid #666666; background-color: #888888; color: #FFFFFF;}.firebug .objectBox-string {font-family: Monaco, monospace; color: red; white-space: pre;}.firebug .objectBox-number {color: #000088;}.firebug .objectBox-function {font-family: Monaco, monospace; color: DarkGreen;}.firebug .objectBox-object {color: DarkGreen; font-weight: bold;}.firebug .logRow-info,.firebug .logRow-error,.firebug .logRow-warning {background: #00FFFF no-repeat 2px 2px; padding-left: 20px; padding-bottom: 3px;}.firebug .logRow-info {background: #FFF url(infoIcon.png) no-repeat 2px 2px; padding-left: 20px; padding-bottom: 3px;}.firebug .logRow-warning {background: #00FFFF url(warningIcon.png) no-repeat 2px 2px; padding-left: 20px; padding-bottom: 3px;}.firebug .logRow-error {background: LightYellow url(errorIcon.png) no-repeat 2px 2px; padding-left: 20px; padding-bottom: 3px;}.firebug .errorMessage {vertical-align: top; color: #FF0000;}.firebug .objectBox-sourceLink {position: absolute; right: 4px; top: 2px; padding-left: 8px; font-family: Lucida Grande, sans-serif; font-weight: bold; color: #0000FF;}.firebug .logRow-group {background: #EEEEEE; border-bottom: none;}.firebug .logGroup {background: #EEEEEE;}.firebug .logGroupBox {margin-left: 24px; border-top: 1px solid #D7D7D7; border-left: 1px solid #D7D7D7;}.firebug .selectorTag,.firebug .selectorId,.firebug .selectorClass {font-family: Monaco, monospace; font-weight: normal;}.firebug .selectorTag {color: #0000FF;}.firebug .selectorId {color: DarkBlue;}.firebug .selectorClass {color: red;}.firebug .objectBox-element {font-family: Monaco, monospace; color: #000088;}.firebug .nodeChildren {margin-left: 16px;}.firebug .nodeTag {color: blue;}.firebug .nodeValue {color: #FF0000; font-weight: normal;}.firebug .nodeText,.firebug .nodeComment {margin: 0 2px; vertical-align: top;}.firebug .nodeText {color: #333333;}.firebug .nodeComment {color: DarkGreen;}.firebug .propertyNameCell {vertical-align: top;}.firebug .propertyName {font-weight: bold;}#firebugToolbar ul.tabs{margin:0 !important; padding:0;}#firebugToolbar ul.tabs li{list-style:none; background:transparent url(tab_lft_norm.png) no-repeat left; line-height:18px; float:left; margin-left:5px;}#firebugToolbar ul.tabs li.right{float:right; margin-right:5px; margin-left:0;}#firebugToolbar ul.tabs li.gap{margin-left:20px;}#firebugToolbar .tabs a{text-decoration:none; background:transparent url(tab_rgt_norm.png) no-repeat right; line-height:18px; padding:3px 9px 4px 0px; margin-left:9px; color:#333333;}#firebugToolbar .tabs li:hover{background:transparent url(tab_lft_over.png) no-repeat left;}#firebugToolbar .tabs a:hover{text-decoration:none; background:transparent url(tab_rgt_over.png) no-repeat right; color:#FFFFFF;}

File diff suppressed because one or more lines are too long

Binary file not shown.

Before

Width:  |  Height:  |  Size: 524 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 193 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 196 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 208 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 208 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 516 B

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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,_2=0;function _3(_4,_5,_6,_7){var _8=_4[_5];var _9=_5=="around";var _a;if(_9){var _b=_6(function(){return _8.advice(this,arguments);});_a={remove:function(){_a.cancelled=true;},advice:function(_c,_d){return _a.cancelled?_8.advice(_c,_d):_b.apply(_c,_d);}};}else{_a={remove:function(){var _e=_a.previous;var _f=_a.next;if(!_f&&!_e){delete _4[_5];}else{if(_e){_e.next=_f;}else{_4[_5]=_f;}if(_f){_f.previous=_e;}}},id:_2++,advice:_6,receiveArguments:_7};}if(_8&&!_9){if(_5=="after"){while(_8.next&&(_8=_8.next)){}_8.next=_a;_a.previous=_8;}else{if(_5=="before"){_4[_5]=_a;_a.next=_8;_8.previous=_a;}}}else{_4[_5]=_a;}return _a;};function _10(_11){return function(_12,_13,_14,_15){var _16=_12[_13],_17;if(!_16||_16.target!=_12){_12[_13]=_17=function(){var _18=_2;var _19=arguments;var _1a=_17.before;while(_1a){_19=_1a.advice.apply(this,_19)||_19;_1a=_1a.next;}if(_17.around){var _1b=_17.around.advice(this,_19);}var _1c=_17.after;while(_1c&&_1c.id<_18){if(_1c.receiveArguments){var _1d=_1c.advice.apply(this,_19);_1b=_1d===_1?_1b:_1d;}else{_1b=_1c.advice.call(this,_1b,_19);}_1c=_1c.next;}return _1b;};if(_16){_17.around={advice:function(_1e,_1f){return _16.apply(_1e,_1f);}};}_17.target=_12;}var _20=_3((_17||_16),_11,_14,_15);_14=null;return _20;};};var _21=_10("after");var _22=_10("before");var _23=_10("around");return {before:_22,around:_23,after:_21};});
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};});

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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","./ready"],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(_1.behavior,"apply");return _1.behavior;});
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"
}
}

View File

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

View File

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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:0,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={CHF:5};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;});
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

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

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

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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":".","nan":"NaN","perMille":"‰","decimalFormat":"#,##0.###;#,##0.###-","currencyFormat": #,##0.00;¤ #,##0.00-","plusSign":"+","decimalFormat-long":"000 تريليون","decimalFormat-short":"000 ترليو"});
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":"Švajcarski franak","CAD_displayName":"Kanadski dolar","CNY_displayName":"Kineski Juan Renminbi","AUD_displayName":"Australijski dolar","JPY_displayName":"Japanski jen","USD_displayName":"Američki dolar","GBP_displayName":"Britanska funta sterlinga","EUR_displayName":"Evro"});

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":"pre podne/ popodne","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 nedelji","dateFormatItem-MMM":"LLL","field-era":"era","dateFormatItem-Gy":"y. G","field-hour":"čas","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":"nedelja","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":"mesec","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":"pre podne/ popodne","dayPeriods-format-wide-pm":"popodne","field-minute":"minut","eraNames":["Pre nove ere","Nove ere"],"dateFormatItem-MMMEd":"E, dd. MMM","field-day-relative+-1":"juče","field-weekday":"dan u nedelji","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":"čas","dayPeriods-format-wide-am":"pre 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","avg","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.MM.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":"nedelja","months-standAlone-wide":["januar","februar","mart","april","maj","juni","juli","avgust","septembar","oktobar","novembar","decembar"],"dateFormatItem-MMMd":"dd. MMM","timeFormat-long":"HH:mm:ss z","months-format-abbr":["jan","feb","mar","apr","maj","jun","jul","avg","sep","okt","nov","dec"],"dateFormatItem-yQQQQ":"y QQQQ","timeFormat-short":"HH:mm","field-month":"mesec","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","avgust","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":"pre podne/ popodne","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 nedelji","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":"čas","dayPeriods-format-wide-am":"pre 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":"nedelja","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":"mesec","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

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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",{"dateFormatItem-yM":"MM/yyyy GGGGG","dateFormatItem-yQ":"Q yyyy GGGGG","dayPeriods-format-wide-pm":"p.m.","eraNames":["eB"],"dateFormatItem-MMMEd":"E d MMM","dateFormatItem-hms":"h:mm:ss a","dateFormatItem-yQQQ":"QQQ y G","days-standAlone-wide":["Diumenge","Dilluns","Dimarts","Dimecres","Dijous","Divendres","Dissabte"],"dateFormatItem-MMM":"LLL","months-standAlone-narrow":["g","f","m","a","m","j","j","a","s","o","n","d"],"dayPeriods-format-wide-am":"a.m.","quarters-standAlone-abbr":["1T","2T","3T","4T"],"dateFormatItem-y":"y G","timeFormat-full":"H.mm.ss zzzz","months-standAlone-abbr":["gen.","febr.","març","abr.","maig","juny","jul.","ag.","set.","oct.","nov.","des."],"dateFormatItem-Ed":"E d","dateFormatItem-yMMM":"MMM y G","days-standAlone-narrow":["dg","dl","dt","dc","dj","dv","ds"],"eraAbbr":["eB"],"dateFormat-long":"d MMMM y G","timeFormat-medium":"H.mm.ss","dateFormatItem-Hm":"HH:mm","dateFormat-medium":"d MMM y G","dateFormatItem-Hms":"HH:mm:ss","dayPeriods-format-narrow-pm":"p.m.","dateFormatItem-yMd":"d/M/yyyy","quarters-standAlone-wide":["1r trimestre","2n trimestre","3r trimestre","4t trimestre"],"dateFormatItem-ms":"mm:ss","dayPeriods-format-narrow-am":"a.m.","months-standAlone-wide":["gener","febrer","març","abril","maig","juny","juliol","agost","setembre","octubre","novembre","desembre"],"dateFormatItem-MMMd":"d MMM","timeFormat-long":"H.mm.ss z","months-format-abbr":["de gen.","de febr.","de març","dabr.","de maig","de juny","de jul.","dag.","de set.","doct.","de nov.","de des."],"timeFormat-short":"H.mm","dateFormatItem-H":"HH","quarters-format-abbr":["1T","2T","3T","4T"],"days-format-abbr":["dg.","dl.","dt.","dc.","dj.","dv.","ds."],"dateFormatItem-M":"L","days-format-narrow":["dg","dl","dt","dc","dj","dv","ds"],"dateFormatItem-yMMMd":"d MMM y","dateFormatItem-MEd":"E, d/M","months-format-narrow":["G","F","M","A","M","J","J","A","S","O","N","D"],"days-standAlone-short":["dg.","dl.","dm.","dc.","dj.","dv.","ds."],"dateFormatItem-hm":"h:mm a","days-standAlone-abbr":["dg","dl","dt","dc","dj","dv","ds"],"dateFormat-short":"dd/MM/yyyy GGGGG","dateFormatItem-yMMMEd":"E, d MMM y G","dateFormat-full":"EEEE, dd MMMM y G","dateFormatItem-Md":"d/M","dateFormatItem-yMEd":"E, dd/MM/yyyy GGGGG","months-format-wide":["de gener","de febrer","de març","dabril","de maig","de juny","de juliol","dagost","de setembre","doctubre","de novembre","de desembre"],"days-format-short":["dg.","dl.","dt.","dc.","dj.","dv.","ds."],"dateFormatItem-d":"d","quarters-format-wide":["1r trimestre","2n trimestre","3r trimestre","4t trimestre"],"eraNarrow":["eB"],"days-format-wide":["diumenge","dilluns","dimarts","dimecres","dijous","divendres","dissabte"],"dateFormatItem-h":"h a"});
define("dojo/cldr/nls/ca/buddhist",{"days-standAlone-short":["dg.","dl.","dm.","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":["gener","febrer","març","abril","maig","juny","juliol","agost","setembre","octubre","novembre","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.","feb.","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.","feb.","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-d'ahir","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":"l'any 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":"l'any 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-d'ahir","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":"l'any que ve","field-sat-relative+-1":"dissabte passat","field-year-relative+-1":"l'any 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

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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 renmimbi xinès","USD_symbol":"US$","AUD_displayName":"dòlar australià","JPY_displayName":"ien japonès","CAD_symbol":"CA$","USD_displayName":"dòlar dels Estats Units","EUR_symbol":"€","CNY_symbol":"¥","GBP_displayName":"lliura esterlina britànica","GBP_symbol":"£","AUD_symbol":"AU$","EUR_displayName":"euro"});
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":"$","AUD_displayName":"dòlar australià","JPY_displayName":"ien japonès","CAD_symbol":"CA$","USD_displayName":"dòlar dels Estats Units","EUR_symbol":"€","CNY_symbol":"¥","GBP_displayName":"lliura esterlina 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-d'ahir","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":"l'any 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":"l'any 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

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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":",","nan":"NaN","perMille":"‰","decimalFormat":"#,##0.###","currencyFormat":"¤#,##0.00;(¤#,##0.00)","plusSign":"+","decimalFormat-long":"000 bilions","decimalFormat-short":"000 B"});
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-d'ahir","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":"l'any que ve","field-sat-relative+-1":"dissabte passat","field-year-relative+-1":"l'any 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

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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",{"dateFormatItem-yM":"LLLL y GGGGG","dateFormatItem-yQ":"Q., y GGGGG","dateFormatItem-MMMEd":"E, d. M.","dateFormatItem-yQQQ":"QQQ, y G","days-standAlone-wide":["neděle","pondělí","úterý","středa","čtvrtek","pátek","sobota"],"months-standAlone-narrow":["l","ú","b","d","k","č","č","s","z","ř","l","p"],"dateFormatItem-y":"y G","timeFormat-full":"H:mm:ss zzzz","months-standAlone-abbr":["led","úno","bře","dub","kvě",vn",vc","srp","zář","říj","lis","pro"],"dateFormatItem-Ed":"E, d.","dateFormatItem-yMMM":"LLLL y G","days-standAlone-narrow":["N","P","Ú","S","Č","P","S"],"dateFormat-long":"d. MMMM y G","timeFormat-medium":"H:mm:ss","dateFormatItem-Hm":"H:mm","dateFormat-medium":"d. M. y G","dateFormatItem-Hms":"H:mm:ss","dateFormatItem-yMd":"d. M. y","quarters-standAlone-wide":["1. čtvrtletí","2. čtvrtletí","3. čtvrtletí","4. čtvrtletí"],"months-standAlone-wide":["leden",nor","březen","duben","květen","červen","červenec","srpen","září","říjen","listopad","prosinec"],"dateFormatItem-MMMd":"d. M.","timeFormat-long":"H:mm:ss z","months-format-abbr":["led",no","bře","dub","k",vn",vc","srp","zář",íj","lis","pro"],"timeFormat-short":"H:mm","dateFormatItem-H":"H","days-format-abbr":["ne","po","út","st","čt","pá","so"],"days-format-narrow":["N","P","Ú","S","Č","P","S"],"dateFormatItem-yMMMd":"d. M. y","dateFormatItem-MEd":"E, d. M.","days-standAlone-short":["Ne","Po",t","St",t","Pá","So"],"days-standAlone-abbr":["ne","po","út","st","čt","pá","so"],"dateFormat-short":"dd.MM.yy GGGGG","dateFormatItem-yMMMEd":"E, d. M. y G","dateFormat-full":"EEEE, d. MMMM y G","dateFormatItem-Md":"d. M.","dateFormatItem-yMEd":"E, d. M. y GGGGG","months-format-wide":["ledna","února","března","dubna","května","června","července","srpna","září","října","listopadu","prosince"],"days-format-short":["ne","po","út","st","čt","pá","so"],"dateFormatItem-d":"d.","quarters-format-wide":["1. čtvrtletí","2. čtvrtletí","3. čtvrtletí","4. čtvrtletí"],"days-format-wide":["neděle","pondělí","úterý","středa","čtvrtek","pátek","sobota"]});
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":"AM/PM","days-standAlone-abbr":["ne","po","út","st","čt","pá","so"],"dateFormatItem-d":"d.","field-day-relative+-1":"včera","dayPeriods-format-narrow-am":"AM","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":"PM","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":"AM/PM","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

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

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":"AM/PM","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":"AM/PM","days-standAlone-abbr":["ne","po","út","st","čt","pá","so"],"dateFormatItem-d":"d.","field-day-relative+-1":"včera","dayPeriods-format-narrow-am":"AM","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":"PM","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

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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",{"quarters-standAlone-wide":["1. čtvrtletí","2. čtvrtletí","3. čtvrtletí","4. čtvrtletí"],"dateFormatItem-yMd":"d. M. y","dateFormat-medium":"d. MMM. y G","dateFormatItem-MMMEd":"E, d. MMM.","dateFormatItem-MEd":"E, d. M.","dateFormatItem-yMEd":"E, d. M. y","dateFormatItem-Hm":"H:mm","dateFormatItem-H":"H","dateFormatItem-yMMMd":"d. M. y","timeFormat-full":"H:mm:ss zzzz","days-format-short":["ne","po","út","st","čt","pá","so"],"dateFormatItem-Md":"d. M.","days-standAlone-narrow":["N","P","Ú","S","Č","P","S"],"dateFormatItem-yQQQ":"QQQ y","days-standAlone-short":["Ne","Po","Út","St","Čt","Pá","So"],"timeFormat-medium":"H:mm:ss","dateFormat-long":"d. MMMM y","dateFormatItem-Hms":"H:mm:ss","dateFormat-short":"dd.MM.yy. G","dateFormatItem-yMMMEd":"E, d. MMM y","days-standAlone-wide":["neděle","pondělí","úterý","středa","čtvrtek","pátek","sobota"],"dateFormatItem-d":"d.","days-format-narrow":["N","P","Ú","S","Č","P","S"],"dateFormatItem-yM":"MM/y","timeFormat-short":"H:mm","days-standAlone-abbr":["ne","po","út","st","čt","","so"],"timeFormat-long":"H:mm:ss z","days-format-wide":["neděle","pondělí","úterý","středa","čtvrtek","pátek","sobota"],"dateFormatItem-yQ":"Q yyyy","dateFormatItem-yMMM":"LLL y","quarters-format-wide":["1. čtvrtletí","2. čtvrtletí","3. čtvrtletí","4. čtvrtletí"],"dateFormat-full":"EEEE, d. MMMM y G","dateFormatItem-MMMd":"d. MMM.","days-format-abbr":["ne","po","út","st","čt","pá","so"],"dateFormatItem-Ed":"E, d."});
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":"AM/PM","days-standAlone-abbr":["ne","po","út","st","čt","pá","so"],"dateFormatItem-d":"d.","field-day-relative+-1":"včera","dayPeriods-format-narrow-am":"AM","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":"PM","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":"AM/PM","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

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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":",","nan":"NaN","perMille":"‰","decimalFormat":"#,##0.###","currencyFormat":"#,##0.00 ¤","plusSign":"+","decimalFormat-long":"000 bilionů","decimalFormat-short":"000 bil'.'"});
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":"AM/PM","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

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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,"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,"he":true,"hu":true,"it":true,"ja":true,"ko":true,"nb":true,"nl":true,"pl":true,"pt":true,"pt-pt":true,"ro":true,"ru":true,"sk":true,"sl":true,"sv":true,"th":true,"tr":true,"zh":true,"zh-hant":true,"zh-hk":true,"zh-tw":true});
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

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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",{"dateFormatItem-yM":"M/y G","dateFormatItem-yQ":"Q y G","dateFormatItem-MMMEd":"E d. MMM","dateFormatItem-hms":"h.mm.ss a","dateFormatItem-yQQQ":"QQQ y G","dateFormatItem-MMdd":"dd/MM","days-standAlone-wide":["søndag","mandag","tirsdag","onsdag","torsdag","fredag","lørdag"],"dateFormatItem-MMM":"MMM","months-standAlone-narrow":["J","F","M","A","M","J","J","A","S","O","N","D"],"dateFormatItem-Gy":"y G","quarters-standAlone-abbr":["K1","K2","K3","K4"],"dateFormatItem-y":"y G","timeFormat-full":"HH.mm.ss zzzz","dateFormatItem-yyyy":"y G","months-standAlone-abbr":["jan","feb","mar","apr","maj","jun","jul","aug","sep","okt","nov","dec"],"dateFormatItem-Ed":"E d.","dateFormatItem-yMMM":"MMM y G","days-standAlone-narrow":["S","M","T","O","T","F","L"],"dateFormatItem-yyyyMM":"MM/y G","dateFormat-long":"d. MMMM y G","timeFormat-medium":"HH.mm.ss","dateFormatItem-Hm":"HH.mm","dateFormatItem-yyMM":"MM/y G","dateFormat-medium":"d. MMM y G","dateFormatItem-Hms":"HH.mm.ss","dateFormatItem-yyMMM":"MMM y G","dateFormatItem-yMd":"d/M/y G","quarters-standAlone-wide":["1. kvartal","2. kvartal","3. kvartal","4. kvartal"],"dateFormatItem-ms":"mm.ss","months-standAlone-wide":["januar","februar","marts","april","maj","juni","juli","august","september","oktober","november","december"],"dateFormatItem-MMMMEd":"E d. MMMM","dateFormatItem-MMMd":"d. MMM","dateFormatItem-yyQ":"Q. 'kvartal' y G","timeFormat-long":"HH.mm.ss z","months-format-abbr":["jan.","feb.","mar.","apr.","maj","jun.","jul.","aug.","sep.","okt.","nov.","dec."],"dateFormatItem-H":"HH","timeFormat-short":"HH.mm","quarters-format-abbr":["K1","K2","K3","K4"],"days-format-abbr":["søn.","man.","tir.","ons.","tor.","fre.","lør."],"dateFormatItem-M":"M","days-format-narrow":["S","M","T","O","T","F","L"],"dateFormatItem-yMMMd":"d. MMM y G","dateFormatItem-MEd":"E d/M","months-format-narrow":["J","F","M","A","M","J","J","A","S","O","N","D"],"days-standAlone-short":["sø","ma","ti","on","to","fr","lø"],"dateFormatItem-hm":"h.mm a","days-standAlone-abbr":["søn","man","tir","ons","tor","fre","lør"],"dateFormat-short":"d/M/yyyy","dateFormatItem-yMMMEd":"E d. MMM y G","dateFormat-full":"EEEE d. MMMM y G","dateFormatItem-Md":"d/M","dateFormatItem-yMEd":"E d/M/y G","months-format-wide":["januar","februar","marts","april","maj","juni","juli","august","september","oktober","november","december"],"days-format-short":["sø","ma","ti","on","to","fr","lø"],"dateFormatItem-yyyyMMM":"MMM y G","dateFormatItem-d":"d.","quarters-format-wide":["1. kvartal","2. kvartal","3. kvartal","4. kvartal"],"days-format-wide":["søndag","mandag","tirsdag","onsdag","torsdag","fredag","lørdag"]});
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":["K1","K2","K3","K4"],"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":["K1","K2","K3","K4"],"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

@@ -1,5 +1,5 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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
*/

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"});

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/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":["K1","K2","K3","K4"],"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":["K1","K2","K3","K4"],"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

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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",{"dateFormatItem-yM":"M/y","dateFormatItem-yyyyMMMEd":"E d. MMM y G","dateFormatItem-yQ":"Q yyyy","dateFormatItem-MMMEd":"E d. MMM","dateFormatItem-hms":"h.mm.ss a","dateFormatItem-yQQQ":"QQQ y","dateFormatItem-MMdd":"dd/MM","days-standAlone-wide":["søndag","mandag","tirsdag","onsdag","torsdag","fredag","lørdag"],"dateFormatItem-MMM":"MMM","quarters-standAlone-abbr":["K1","K2","K3","K4"],"timeFormat-full":"HH.mm.ss zzzz","dateFormatItem-yyyy":"y G","dateFormatItem-Ed":"E d.","dateFormatItem-yMMM":"MMM y","days-standAlone-narrow":["S","M","T","O","T","F","L"],"dateFormat-long":"d. MMMM y G","timeFormat-medium":"HH.mm.ss","dateFormatItem-Hm":"HH.mm","dateFormatItem-yyMM":"MM/y G","dateFormat-medium":"d. MMM y G","dateFormatItem-Hms":"HH.mm.ss","dateFormatItem-yyMMM":"MMM y G","dateFormatItem-yMd":"d/M/y","quarters-standAlone-wide":["1. kvartal","2. kvartal","3. kvartal","4. kvartal"],"dateFormatItem-ms":"mm.ss","dateFormatItem-yyyyMd":"d/M/y G","dateFormatItem-yyyyMMMd":"d. MMM y G","dateFormatItem-MMMMEd":"E d. MMMM","dateFormatItem-yyyyMEd":"E d/M/y G","dateFormatItem-MMMd":"d. MMM","dateFormatItem-yyQ":"Q. 'kvartal' y G","timeFormat-long":"HH.mm.ss z","timeFormat-short":"HH.mm","dateFormatItem-H":"HH","quarters-format-abbr":["K1","K2","K3","K4"],"days-format-abbr":["søn.","man.","tir.","ons.","tor.","fre.","lør."],"dateFormatItem-M":"M","days-format-narrow":["S","M","T","O","T","F","L"],"dateFormatItem-yMMMd":"d. MMM y","dateFormatItem-yyyyQQQ":"QQQ y G","dateFormatItem-MEd":"E d/M","days-standAlone-short":["sø","ma","ti","on","to","fr","lø"],"dateFormatItem-hm":"h.mm a","days-standAlone-abbr":["søn","man","tir","ons","tor","fre","lør"],"dateFormat-short":"d/M/y G","dateFormatItem-yyyyM":"M/y G","dateFormatItem-yMMMEd":"E d. MMM y","dateFormat-full":"EEEE d. MMMM y G","dateFormatItem-Md":"d/M","dateFormatItem-yyyyQ":"Q y G","dateFormatItem-yMEd":"E d/M/y","days-format-short":["sø","ma","ti","on","to","fr","lø"],"dateFormatItem-yyyyMMM":"MMM y G","dateFormatItem-d":"d.","quarters-format-wide":["1. kvartal","2. kvartal","3. kvartal","4. kvartal"],"days-format-wide":["søndag","mandag","tirsdag","onsdag","torsdag","fredag","lørdag"]});
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":["K1","K2","K3","K4"],"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":["K1","K2","K3","K4"],"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

@@ -1,8 +1,8 @@
/*
Copyright (c) 2004-2012, The Dojo Foundation All Rights Reserved.
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":",","nan":"NaN","perMille":"‰","decimalFormat":"#,##0.###","currencyFormat":"#,##0.00 ¤","plusSign":"+","decimalFormat-long":"000 billioner","decimalFormat-short":"000 bill"});
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"});

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